code
stringlengths
1
1.49M
file_id
stringlengths
42
46
node_count
int64
0
7.38k
total_lines
int64
1
20.9k
vector_dim
int64
15
15
vector_labels
stringclasses
1 value
nodes
stringlengths
2
3.75M
connections
stringlengths
2
964k
#!/usr/bin/env python # -*- coding: utf-8 -*- """`cssmin` - A Python port of the YUI CSS compressor.""" """ Home page: https://github.com/zacharyvoase/cssmin License: BSD: https://github.com/zacharyvoase/cssmin/blob/master/LICENSE Original author: Zachary Voase Modified for inclusion into web2py by: Ross Peoples <ross.peoples@gmail.com> """ from StringIO import StringIO # The pure-Python StringIO supports unicode. import re __version__ = '0.1.4' def remove_comments(css): """Remove all CSS comment blocks.""" iemac = False preserve = False comment_start = css.find("/*") while comment_start >= 0: # Preserve comments that look like `/*!...*/`. # Slicing is used to make sure we don"t get an IndexError. preserve = css[comment_start + 2:comment_start + 3] == "!" comment_end = css.find("*/", comment_start + 2) if comment_end < 0: if not preserve: css = css[:comment_start] break elif comment_end >= (comment_start + 2): if css[comment_end - 1] == "\\": # This is an IE Mac-specific comment; leave this one and the # following one alone. comment_start = comment_end + 2 iemac = True elif iemac: comment_start = comment_end + 2 iemac = False elif not preserve: css = css[:comment_start] + css[comment_end + 2:] else: comment_start = comment_end + 2 comment_start = css.find("/*", comment_start) return css def remove_unnecessary_whitespace(css): """Remove unnecessary whitespace characters.""" def pseudoclasscolon(css): """ Prevents 'p :link' from becoming 'p:link'. Translates 'p :link' into 'p ___PSEUDOCLASSCOLON___link'; this is translated back again later. """ regex = re.compile(r"(^|\})(([^\{\:])+\:)+([^\{]*\{)") match = regex.search(css) while match: css = ''.join([ css[:match.start()], match.group().replace(":", "___PSEUDOCLASSCOLON___"), css[match.end():]]) match = regex.search(css) return css css = pseudoclasscolon(css) # Remove spaces from before things. css = re.sub(r"\s+([!{};:>+\(\)\],])", r"\1", css) # If there is a `@charset`, then only allow one, and move to the beginning. css = re.sub(r"^(.*)(@charset \"[^\"]*\";)", r"\2\1", css) css = re.sub(r"^(\s*@charset [^;]+;\s*)+", r"\1", css) # Put the space back in for a few cases, such as `@media screen` and # `(-webkit-min-device-pixel-ratio:0)`. css = re.sub(r"\band\(", "and (", css) # Put the colons back. css = css.replace('___PSEUDOCLASSCOLON___', ':') # Remove spaces from after things. css = re.sub(r"([!{}:;>+\(\[,])\s+", r"\1", css) return css def remove_unnecessary_semicolons(css): """Remove unnecessary semicolons.""" return re.sub(r";+\}", "}", css) def remove_empty_rules(css): """Remove empty rules.""" return re.sub(r"[^\}\{]+\{\}", "", css) def normalize_rgb_colors_to_hex(css): """Convert `rgb(51,102,153)` to `#336699`.""" regex = re.compile(r"rgb\s*\(\s*([0-9,\s]+)\s*\)") match = regex.search(css) while match: colors = map(lambda s: s.strip(), match.group(1).split(",")) hexcolor = '#%.2x%.2x%.2x' % tuple(map(int, colors)) css = css.replace(match.group(), hexcolor) match = regex.search(css) return css def condense_zero_units(css): """Replace `0(px, em, %, etc)` with `0`.""" return re.sub(r"([\s:])(0)(px|em|%|in|cm|mm|pc|pt|ex)", r"\1\2", css) def condense_multidimensional_zeros(css): """Replace `:0 0 0 0;`, `:0 0 0;` etc. with `:0;`.""" css = css.replace(":0 0 0 0;", ":0;") css = css.replace(":0 0 0;", ":0;") css = css.replace(":0 0;", ":0;") # Revert `background-position:0;` to the valid `background-position:0 0;`. css = css.replace("background-position:0;", "background-position:0 0;") return css def condense_floating_points(css): """Replace `0.6` with `.6` where possible.""" return re.sub(r"(:|\s)0+\.(\d+)", r"\1.\2", css) def condense_hex_colors(css): """Shorten colors from #AABBCC to #ABC where possible.""" regex = re.compile(r"([^\"'=\s])(\s*)#([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])") match = regex.search(css) while match: first = match.group(3) + match.group(5) + match.group(7) second = match.group(4) + match.group(6) + match.group(8) if first.lower() == second.lower(): css = css.replace( match.group(), match.group(1) + match.group(2) + '#' + first) match = regex.search(css, match.end() - 3) else: match = regex.search(css, match.end()) return css def condense_whitespace(css): """Condense multiple adjacent whitespace characters into one.""" return re.sub(r"\s+", " ", css) def condense_semicolons(css): """Condense multiple adjacent semicolon characters into one.""" return re.sub(r";;+", ";", css) def wrap_css_lines(css, line_length): """Wrap the lines of the given CSS to an approximate length.""" lines = [] line_start = 0 for i, char in enumerate(css): # It's safe to break after `}` characters. if char == '}' and (i - line_start >= line_length): lines.append(css[line_start:i + 1]) line_start = i + 1 if line_start < len(css): lines.append(css[line_start:]) return '\n'.join(lines) def cssmin(css, wrap=None): css = remove_comments(css) css = condense_whitespace(css) # A pseudo class for the Box Model Hack # (see http://tantek.com/CSS/Examples/boxmodelhack.html) css = css.replace('"\\"}\\""', "___PSEUDOCLASSBMH___") css = remove_unnecessary_whitespace(css) css = remove_unnecessary_semicolons(css) css = condense_zero_units(css) css = condense_multidimensional_zeros(css) css = condense_floating_points(css) css = normalize_rgb_colors_to_hex(css) css = condense_hex_colors(css) if wrap is not None: css = wrap_css_lines(css, wrap) css = css.replace("___PSEUDOCLASSBMH___", '"\\"}\\""') css = condense_semicolons(css) return css.strip() def main(): import optparse import sys p = optparse.OptionParser( prog="cssmin", version=__version__, usage="%prog [--wrap N]", description="""Reads raw CSS from stdin, and writes compressed CSS to stdout.""") p.add_option( '-w', '--wrap', type='int', default=None, metavar='N', help="Wrap output to approximately N chars per line.") options, args = p.parse_args() sys.stdout.write(cssmin(sys.stdin.read(), wrap=options.wrap)) if __name__ == '__main__': main()
ajibawa-2023/Python-Code-Large/train/row_502
129
231
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L4_C0", "label": "expression", "type": "expression", "loc": [4, 4], "level": 0, "parent": null, "vector": [8, 0, 0.0173, 0.0043, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"`cssmin` - A Python port of the YUI CSS compressor.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L6_C0", "label": "expression", "type": "expression", "loc": [6, 11], "level": 0, "parent": null, "vector": [8, 0, 0.0368, 0.026, 0, 0.66, 0.0526, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nHome page: https://github.com/zacharyvoase/cssmin\nLicense: BSD: https://github.com/zacharyvoase/cssmin/blob/master/LICENSE\nOriginal author: Zachary Voase\nModified for inclusion into web2py by: Ross Peoples <ross.peoples@gmail.com>\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:ImportFrom_L14_C0", "label": "from StringIO import StringIO", "type": "import", "loc": [14, 14], "level": 0, "parent": null, "vector": [1, 0, 0.0606, 0.0043, 0, 0.66, 0.1053, 609, 0, 1, 0, 0, 609, 0, 0], "semantic": {"name": "StringIO", "arg_names": [], "import_names": ["StringIO"], "rhs_call_name": "", "annotation": ""}, "snippet": "from StringIO import StringIO # The pure-Python StringIO supports unicode."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Import_L15_C0", "label": "re import re", "type": "import", "loc": [15, 15], "level": 0, "parent": null, "vector": [1, 0, 0.0649, 0.0043, 0, 0.66, 0.1579, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L18_C0", "label": "__version__ =", "type": "assigned_variable", "loc": [18, 18], "level": 0, "parent": null, "vector": [14, 0, 0.0779, 0.0043, 0, 0.66, 0.2105, 162, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__version__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__version__ = '0.1.4'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "label": "remove_comments", "type": "function", "loc": [21, 52], "level": 0, "parent": null, "vector": [2, 0, 0.158, 0.1385, 0, 0.66, 0.2632, 71, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "remove_comments", "arg_names": ["css"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def remove_comments(css):\n \"\"\"Remove all CSS comment blocks.\"\"\"\n\n iemac = False\n preserve = False\n comment_start = css.find(\"/*\")\n while comment_start >= 0:\n # Preserve comments that look like `/*!...*/`."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L22_C4", "label": "expression", "type": "expression", "loc": [22, 22], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "vector": [8, 1, 0.0952, 0.0043, 1, 0.01, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Remove all CSS comment blocks.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L24_C4", "label": "iemac =", "type": "assigned_variable", "loc": [24, 24], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "vector": [14, 1, 0.1039, 0.0043, 1, 0.01, 0.2, 30, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "iemac", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " iemac = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L25_C4", "label": "preserve =", "type": "assigned_variable", "loc": [25, 25], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "vector": [14, 1, 0.1082, 0.0043, 1, 0.01, 0.4, 420, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "preserve", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " preserve = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L26_C4", "label": "comment_start = find()", "type": "assigned_variable", "loc": [26, 26], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "vector": [14, 1, 0.1126, 0.0043, 1, 0.01, 0.6, 565, 3, 1, 0, 0, 340, 10, 1], "semantic": {"name": "comment_start", "arg_names": [], "import_names": [], "rhs_call_name": "find", "annotation": ""}, "snippet": " comment_start = css.find(\"/*\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:While_L27_C4", "label": "while", "type": "while", "loc": [27, 50], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "vector": [5, 1, 0.1667, 0.1039, 1, 0.01, 0.8, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while comment_start >= 0:\n # Preserve comments that look like `/*!...*/`.\n # Slicing is used to make sure we don\"t get an IndexError.\n preserve = css[comment_start + 2:comment_start + 3] == \"!\"\n\n comment_end = css.find(\"*/\", comment_start + 2)\n if comment_end < 0:\n if not preserve:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L30_C8", "label": "preserve =", "type": "assigned_variable", "loc": [30, 30], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L27_C4", "vector": [14, 2, 0.1299, 0.0043, 2, 0.68, 0.0, 420, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "preserve", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " preserve = css[comment_start + 2:comment_start + 3] == \"!\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L32_C8", "label": "comment_end = find()", "type": "assigned_variable", "loc": [32, 32], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L27_C4", "vector": [14, 2, 0.1385, 0.0043, 2, 0.68, 0.3333, 88, 3, 2, 0, 0, 340, 10, 1], "semantic": {"name": "comment_end", "arg_names": [], "import_names": [], "rhs_call_name": "find", "annotation": ""}, "snippet": " comment_end = css.find(\"*/\", comment_start + 2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:If_L33_C8", "label": "if", "type": "if", "loc": [33, 49], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L27_C4", "vector": [4, 2, 0.1775, 0.0736, 2, 0.68, 0.6667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if comment_end < 0:\n if not preserve:\n css = css[:comment_start]\n break\n elif comment_end >= (comment_start + 2):\n if css[comment_end - 1] == \"\\\\\":\n # This is an IE Mac-specific comment; leave this one and the\n # following one alone."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:If_L34_C12", "label": "if", "type": "if", "loc": [34, 36], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L33_C8", "vector": [4, 3, 0.1515, 0.013, 3, 0.79, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not preserve:\n css = css[:comment_start]\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L35_C16", "label": "css =", "type": "assigned_variable", "loc": [35, 35], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L34_C12", "vector": [14, 4, 0.1515, 0.0043, 4, 0.52, 0.0, 389, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " css = css[:comment_start]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:If_L37_C8", "label": "if", "type": "if", "loc": [37, 49], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L33_C8", "vector": [4, 3, 0.1861, 0.0563, 3, 0.79, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif comment_end >= (comment_start + 2):\n if css[comment_end - 1] == \"\\\\\":\n # This is an IE Mac-specific comment; leave this one and the\n # following one alone.\n comment_start = comment_end + 2\n iemac = True\n elif iemac:\n comment_start = comment_end + 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:If_L38_C12", "label": "if", "type": "if", "loc": [38, 49], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L37_C8", "vector": [4, 4, 0.1883, 0.0519, 4, 0.17, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if css[comment_end - 1] == \"\\\\\":\n # This is an IE Mac-specific comment; leave this one and the\n # following one alone.\n comment_start = comment_end + 2\n iemac = True\n elif iemac:\n comment_start = comment_end + 2\n iemac = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L41_C16", "label": "comment_start =", "type": "assigned_variable", "loc": [41, 41], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L38_C12", "vector": [14, 5, 0.1775, 0.0043, 5, 0.87, 0.0, 565, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "comment_start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " comment_start = comment_end + 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L42_C16", "label": "iemac =", "type": "assigned_variable", "loc": [42, 42], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L38_C12", "vector": [14, 5, 0.1818, 0.0043, 5, 0.87, 0.5, 30, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "iemac", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " iemac = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:If_L43_C12", "label": "if", "type": "if", "loc": [43, 49], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L38_C12", "vector": [4, 5, 0.1991, 0.0303, 5, 0.87, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif iemac:\n comment_start = comment_end + 2\n iemac = False\n elif not preserve:\n css = css[:comment_start] + css[comment_end + 2:]\n else:\n comment_start = comment_end + 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L44_C16", "label": "comment_start =", "type": "assigned_variable", "loc": [44, 44], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L43_C12", "vector": [14, 6, 0.1905, 0.0043, 6, 0.25, 0.0, 565, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "comment_start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " comment_start = comment_end + 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L45_C16", "label": "iemac =", "type": "assigned_variable", "loc": [45, 45], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L43_C12", "vector": [14, 6, 0.1948, 0.0043, 6, 0.25, 0.5, 30, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "iemac", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " iemac = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:If_L46_C12", "label": "if", "type": "if", "loc": [46, 49], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L43_C12", "vector": [4, 6, 0.2056, 0.0173, 6, 0.25, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif not preserve:\n css = css[:comment_start] + css[comment_end + 2:]\n else:\n comment_start = comment_end + 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L47_C16", "label": "css =", "type": "assigned_variable", "loc": [47, 47], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L46_C12", "vector": [14, 7, 0.2035, 0.0043, 7, 0.08, 0.0, 389, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " css = css[:comment_start] + css[comment_end + 2:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L49_C16", "label": "comment_start =", "type": "assigned_variable", "loc": [49, 49], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L46_C12", "vector": [14, 7, 0.2121, 0.0043, 7, 0.08, 1.0, 565, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "comment_start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " comment_start = comment_end + 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L50_C8", "label": "comment_start = find()", "type": "assigned_variable", "loc": [50, 50], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L27_C4", "vector": [14, 2, 0.2165, 0.0043, 2, 0.68, 1.0, 565, 3, 2, 0, 0, 340, 10, 1], "semantic": {"name": "comment_start", "arg_names": [], "import_names": [], "rhs_call_name": "find", "annotation": ""}, "snippet": " comment_start = css.find(\"/*\", comment_start)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L52_C4", "label": "return", "type": "return", "loc": [52, 52], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "vector": [13, 1, 0.2251, 0.0043, 1, 0.01, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return css"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "label": "remove_unnecessary_whitespace", "type": "function", "loc": [55, 95], "level": 0, "parent": null, "vector": [2, 0, 0.3247, 0.1775, 0, 0.66, 0.3158, 340, 0, 1, 1, 0, 0, 0, 15], "semantic": {"name": "remove_unnecessary_whitespace", "arg_names": ["css"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def remove_unnecessary_whitespace(css):\n \"\"\"Remove unnecessary whitespace characters.\"\"\"\n\n def pseudoclasscolon(css):\n\n \"\"\"\n Prevents 'p :link' from becoming 'p:link'.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L56_C4", "label": "expression", "type": "expression", "loc": [56, 56], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "vector": [8, 1, 0.2424, 0.0043, 1, 0.84, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Remove unnecessary whitespace characters.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L58_C4", "label": "pseudoclasscolon", "type": "function", "loc": [58, 75], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "vector": [2, 1, 0.2879, 0.0779, 1, 0.84, 0.1111, 315, 0, 1, 1, 0, 0, 0, 8], "semantic": {"name": "pseudoclasscolon", "arg_names": ["css"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def pseudoclasscolon(css):\n\n \"\"\"\n Prevents 'p :link' from becoming 'p:link'.\n\n Translates 'p :link' into 'p ___PSEUDOCLASSCOLON___link'; this is\n translated back again later.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L60_C8", "label": "expression", "type": "expression", "loc": [60, 65], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L58_C4", "vector": [8, 2, 0.2706, 0.026, 2, 0.86, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Prevents 'p :link' from becoming 'p:link'.\n\n Translates 'p :link' into 'p ___PSEUDOCLASSCOLON___link'; this is\n translated back again later.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L67_C8", "label": "regex = compile()", "type": "assigned_variable", "loc": [67, 67], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L58_C4", "vector": [14, 2, 0.29, 0.0043, 2, 0.86, 0.25, 552, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": " regex = re.compile(r\"(^|\\})(([^\\{\\:])+\\:)+([^\\{]*\\{)\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L68_C8", "label": "match = search()", "type": "assigned_variable", "loc": [68, 68], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L58_C4", "vector": [14, 2, 0.2944, 0.0043, 2, 0.86, 0.5, 36, 3, 1, 0, 0, 163, 10, 1], "semantic": {"name": "match", "arg_names": [], "import_names": [], "rhs_call_name": "search", "annotation": ""}, "snippet": " match = regex.search(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:While_L69_C8", "label": "while", "type": "while", "loc": [69, 74], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L58_C4", "vector": [5, 2, 0.3095, 0.026, 2, 0.86, 0.75, 0, 2, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while match:\n css = ''.join([\n css[:match.start()],\n match.group().replace(\":\", \"___PSEUDOCLASSCOLON___\"),\n css[match.end():]])\n match = regex.search(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L70_C12", "label": "css = join()", "type": "assigned_variable", "loc": [70, 73], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L69_C8", "vector": [14, 3, 0.3095, 0.0173, 3, 0.6, 0.0, 389, 3, 1, 0, 0, 933, 10, 5], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " css = ''.join([\n css[:match.start()],\n match.group().replace(\":\", \"___PSEUDOCLASSCOLON___\"),\n css[match.end():]])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L74_C12", "label": "match = search()", "type": "assigned_variable", "loc": [74, 74], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L69_C8", "vector": [14, 3, 0.3203, 0.0043, 3, 0.6, 1.0, 36, 3, 1, 0, 0, 163, 10, 1], "semantic": {"name": "match", "arg_names": [], "import_names": [], "rhs_call_name": "search", "annotation": ""}, "snippet": " match = regex.search(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L75_C8", "label": "return", "type": "return", "loc": [75, 75], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L58_C4", "vector": [13, 2, 0.3247, 0.0043, 2, 0.86, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return css"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L77_C4", "label": "css = pseudoclasscolon()", "type": "assigned_variable", "loc": [77, 77], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "vector": [14, 1, 0.3333, 0.0043, 1, 0.84, 0.2222, 389, 3, 1, 0, 0, 315, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "pseudoclasscolon", "annotation": ""}, "snippet": " css = pseudoclasscolon(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L79_C4", "label": "css = sub()", "type": "assigned_variable", "loc": [79, 79], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "vector": [14, 1, 0.342, 0.0043, 1, 0.84, 0.3333, 389, 3, 3, 0, 0, 819, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " css = re.sub(r\"\\s+([!{};:>+\\(\\)\\],])\", r\"\\1\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L82_C4", "label": "css = sub()", "type": "assigned_variable", "loc": [82, 82], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "vector": [14, 1, 0.355, 0.0043, 1, 0.84, 0.4444, 389, 3, 3, 0, 0, 819, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " css = re.sub(r\"^(.*)(@charset \\\"[^\\\"]*\\\";)\", r\"\\2\\1\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L83_C4", "label": "css = sub()", "type": "assigned_variable", "loc": [83, 83], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "vector": [14, 1, 0.3593, 0.0043, 1, 0.84, 0.5556, 389, 3, 3, 0, 0, 819, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " css = re.sub(r\"^(\\s*@charset [^;]+;\\s*)+\", r\"\\1\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L87_C4", "label": "css = sub()", "type": "assigned_variable", "loc": [87, 87], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "vector": [14, 1, 0.3766, 0.0043, 1, 0.84, 0.6667, 389, 3, 3, 0, 0, 819, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " css = re.sub(r\"\\band\\(\", \"and (\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L90_C4", "label": "css = replace()", "type": "assigned_variable", "loc": [90, 90], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "vector": [14, 1, 0.3896, 0.0043, 1, 0.84, 0.7778, 389, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " css = css.replace('___PSEUDOCLASSCOLON___', ':')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L93_C4", "label": "css = sub()", "type": "assigned_variable", "loc": [93, 93], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "vector": [14, 1, 0.4026, 0.0043, 1, 0.84, 0.8889, 389, 3, 3, 0, 0, 819, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " css = re.sub(r\"([!{}:;>+\\(\\[,])\\s+\", r\"\\1\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L95_C4", "label": "return", "type": "return", "loc": [95, 95], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "vector": [13, 1, 0.4113, 0.0043, 1, 0.84, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return css"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L98_C0", "label": "remove_unnecessary_semicolons", "type": "function", "loc": [98, 101], "level": 0, "parent": null, "vector": [2, 0, 0.4307, 0.0173, 0, 0.66, 0.3684, 160, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "remove_unnecessary_semicolons", "arg_names": ["css"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def remove_unnecessary_semicolons(css):\n \"\"\"Remove unnecessary semicolons.\"\"\"\n\n return re.sub(r\";+\\}\", \"}\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L99_C4", "label": "expression", "type": "expression", "loc": [99, 99], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L98_C0", "vector": [8, 1, 0.4286, 0.0043, 1, 0.48, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Remove unnecessary semicolons.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L101_C4", "label": "return", "type": "return", "loc": [101, 101], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L98_C0", "vector": [13, 1, 0.4372, 0.0043, 1, 0.48, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return re.sub(r\";+\\}\", \"}\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L104_C0", "label": "remove_empty_rules", "type": "function", "loc": [104, 107], "level": 0, "parent": null, "vector": [2, 0, 0.4567, 0.0173, 0, 0.66, 0.4211, 39, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "remove_empty_rules", "arg_names": ["css"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def remove_empty_rules(css):\n \"\"\"Remove empty rules.\"\"\"\n\n return re.sub(r\"[^\\}\\{]+\\{\\}\", \"\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L105_C4", "label": "expression", "type": "expression", "loc": [105, 105], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L104_C0", "vector": [8, 1, 0.4545, 0.0043, 1, 0.2, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Remove empty rules.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L107_C4", "label": "return", "type": "return", "loc": [107, 107], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L104_C0", "vector": [13, 1, 0.4632, 0.0043, 1, 0.2, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return re.sub(r\"[^\\}\\{]+\\{\\}\", \"\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L110_C0", "label": "normalize_rgb_colors_to_hex", "type": "function", "loc": [110, 120], "level": 0, "parent": null, "vector": [2, 0, 0.4978, 0.0476, 0, 0.66, 0.4737, 376, 0, 1, 1, 0, 0, 0, 11], "semantic": {"name": "normalize_rgb_colors_to_hex", "arg_names": ["css"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def normalize_rgb_colors_to_hex(css):\n \"\"\"Convert `rgb(51,102,153)` to `#336699`.\"\"\"\n\n regex = re.compile(r\"rgb\\s*\\(\\s*([0-9,\\s]+)\\s*\\)\")\n match = regex.search(css)\n while match:\n colors = map(lambda s: s.strip(), match.group(1).split(\",\"))\n hexcolor = '#%.2x%.2x%.2x' % tuple(map(int, colors))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L111_C4", "label": "expression", "type": "expression", "loc": [111, 111], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L110_C0", "vector": [8, 1, 0.4805, 0.0043, 1, 0.24, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Convert `rgb(51,102,153)` to `#336699`.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L113_C4", "label": "regex = compile()", "type": "assigned_variable", "loc": [113, 113], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L110_C0", "vector": [14, 1, 0.4892, 0.0043, 1, 0.24, 0.25, 552, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": " regex = re.compile(r\"rgb\\s*\\(\\s*([0-9,\\s]+)\\s*\\)\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L114_C4", "label": "match = search()", "type": "assigned_variable", "loc": [114, 114], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L110_C0", "vector": [14, 1, 0.4935, 0.0043, 1, 0.24, 0.5, 36, 3, 1, 0, 0, 163, 10, 1], "semantic": {"name": "match", "arg_names": [], "import_names": [], "rhs_call_name": "search", "annotation": ""}, "snippet": " match = regex.search(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:While_L115_C4", "label": "while", "type": "while", "loc": [115, 119], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L110_C0", "vector": [5, 1, 0.5065, 0.0216, 1, 0.24, 0.75, 0, 2, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while match:\n colors = map(lambda s: s.strip(), match.group(1).split(\",\"))\n hexcolor = '#%.2x%.2x%.2x' % tuple(map(int, colors))\n css = css.replace(match.group(), hexcolor)\n match = regex.search(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L116_C8", "label": "colors = map()", "type": "assigned_variable", "loc": [116, 116], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L115_C4", "vector": [14, 2, 0.5022, 0.0043, 2, 0.36, 0.0, 656, 3, 2, 0, 0, 53, 10, 4], "semantic": {"name": "colors", "arg_names": [], "import_names": [], "rhs_call_name": "map", "annotation": ""}, "snippet": " colors = map(lambda s: s.strip(), match.group(1).split(\",\"))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L117_C8", "label": "hexcolor =", "type": "assigned_variable", "loc": [117, 117], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L115_C4", "vector": [14, 2, 0.5065, 0.0043, 2, 0.36, 0.3333, 894, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "hexcolor", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " hexcolor = '#%.2x%.2x%.2x' % tuple(map(int, colors))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L118_C8", "label": "css = replace()", "type": "assigned_variable", "loc": [118, 118], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L115_C4", "vector": [14, 2, 0.5108, 0.0043, 2, 0.36, 0.6667, 389, 3, 2, 0, 0, 293, 10, 2], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " css = css.replace(match.group(), hexcolor)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L119_C8", "label": "match = search()", "type": "assigned_variable", "loc": [119, 119], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L115_C4", "vector": [14, 2, 0.5152, 0.0043, 2, 0.36, 1.0, 36, 3, 1, 0, 0, 163, 10, 1], "semantic": {"name": "match", "arg_names": [], "import_names": [], "rhs_call_name": "search", "annotation": ""}, "snippet": " match = regex.search(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L120_C4", "label": "return", "type": "return", "loc": [120, 120], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L110_C0", "vector": [13, 1, 0.5195, 0.0043, 1, 0.24, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return css"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L123_C0", "label": "condense_zero_units", "type": "function", "loc": [123, 126], "level": 0, "parent": null, "vector": [2, 0, 0.539, 0.0173, 0, 0.66, 0.5263, 98, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "condense_zero_units", "arg_names": ["css"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def condense_zero_units(css):\n \"\"\"Replace `0(px, em, %, etc)` with `0`.\"\"\"\n\n return re.sub(r\"([\\s:])(0)(px|em|%|in|cm|mm|pc|pt|ex)\", r\"\\1\\2\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L124_C4", "label": "expression", "type": "expression", "loc": [124, 124], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L123_C0", "vector": [8, 1, 0.5368, 0.0043, 1, 0.82, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Replace `0(px, em, %, etc)` with `0`.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L126_C4", "label": "return", "type": "return", "loc": [126, 126], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L123_C0", "vector": [13, 1, 0.5455, 0.0043, 1, 0.82, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return re.sub(r\"([\\s:])(0)(px|em|%|in|cm|mm|pc|pt|ex)\", r\"\\1\\2\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "label": "condense_multidimensional_zeros", "type": "function", "loc": [129, 139], "level": 0, "parent": null, "vector": [2, 0, 0.5801, 0.0476, 0, 0.66, 0.5789, 531, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "condense_multidimensional_zeros", "arg_names": ["css"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def condense_multidimensional_zeros(css):\n \"\"\"Replace `:0 0 0 0;`, `:0 0 0;` etc. with `:0;`.\"\"\"\n\n css = css.replace(\":0 0 0 0;\", \":0;\")\n css = css.replace(\":0 0 0;\", \":0;\")\n css = css.replace(\":0 0;\", \":0;\")\n\n # Revert `background-position:0;` to the valid `background-position:0 0;`."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L130_C4", "label": "expression", "type": "expression", "loc": [130, 130], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "vector": [8, 1, 0.5628, 0.0043, 1, 0.28, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Replace `:0 0 0 0;`, `:0 0 0;` etc. with `:0;`.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L132_C4", "label": "css = replace()", "type": "assigned_variable", "loc": [132, 132], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "vector": [14, 1, 0.5714, 0.0043, 1, 0.28, 0.2, 389, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " css = css.replace(\":0 0 0 0;\", \":0;\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L133_C4", "label": "css = replace()", "type": "assigned_variable", "loc": [133, 133], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "vector": [14, 1, 0.5758, 0.0043, 1, 0.28, 0.4, 389, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " css = css.replace(\":0 0 0;\", \":0;\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L134_C4", "label": "css = replace()", "type": "assigned_variable", "loc": [134, 134], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "vector": [14, 1, 0.5801, 0.0043, 1, 0.28, 0.6, 389, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " css = css.replace(\":0 0;\", \":0;\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L137_C4", "label": "css = replace()", "type": "assigned_variable", "loc": [137, 137], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "vector": [14, 1, 0.5931, 0.0043, 1, 0.28, 0.8, 389, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " css = css.replace(\"background-position:0;\", \"background-position:0 0;\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L139_C4", "label": "return", "type": "return", "loc": [139, 139], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "vector": [13, 1, 0.6017, 0.0043, 1, 0.28, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return css"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L142_C0", "label": "condense_floating_points", "type": "function", "loc": [142, 145], "level": 0, "parent": null, "vector": [2, 0, 0.6212, 0.0173, 0, 0.66, 0.6316, 359, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "condense_floating_points", "arg_names": ["css"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def condense_floating_points(css):\n \"\"\"Replace `0.6` with `.6` where possible.\"\"\"\n\n return re.sub(r\"(:|\\s)0+\\.(\\d+)\", r\"\\1.\\2\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L143_C4", "label": "expression", "type": "expression", "loc": [143, 143], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L142_C0", "vector": [8, 1, 0.619, 0.0043, 1, 0.07, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Replace `0.6` with `.6` where possible.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L145_C4", "label": "return", "type": "return", "loc": [145, 145], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L142_C0", "vector": [13, 1, 0.6277, 0.0043, 1, 0.07, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return re.sub(r\"(:|\\s)0+\\.(\\d+)\", r\"\\1.\\2\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L148_C0", "label": "condense_hex_colors", "type": "function", "loc": [148, 162], "level": 0, "parent": null, "vector": [2, 0, 0.671, 0.0649, 0, 0.66, 0.6842, 543, 0, 1, 1, 0, 0, 0, 18], "semantic": {"name": "condense_hex_colors", "arg_names": ["css"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def condense_hex_colors(css):\n \"\"\"Shorten colors from #AABBCC to #ABC where possible.\"\"\"\n\n regex = re.compile(r\"([^\\\"'=\\s])(\\s*)#([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])\")\n match = regex.search(css)\n while match:\n first = match.group(3) + match.group(5) + match.group(7)\n second = match.group(4) + match.group(6) + match.group(8)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L149_C4", "label": "expression", "type": "expression", "loc": [149, 149], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L148_C0", "vector": [8, 1, 0.645, 0.0043, 1, 0.39, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Shorten colors from #AABBCC to #ABC where possible.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L151_C4", "label": "regex = compile()", "type": "assigned_variable", "loc": [151, 151], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L148_C0", "vector": [14, 1, 0.6537, 0.0043, 1, 0.39, 0.25, 552, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": " regex = re.compile(r\"([^\\\"'=\\s])(\\s*)#([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])([0-9a-fA-F])\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L152_C4", "label": "match = search()", "type": "assigned_variable", "loc": [152, 152], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L148_C0", "vector": [14, 1, 0.658, 0.0043, 1, 0.39, 0.5, 36, 3, 1, 0, 0, 163, 10, 1], "semantic": {"name": "match", "arg_names": [], "import_names": [], "rhs_call_name": "search", "annotation": ""}, "snippet": " match = regex.search(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:While_L153_C4", "label": "while", "type": "while", "loc": [153, 161], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L148_C0", "vector": [5, 1, 0.6797, 0.039, 1, 0.39, 0.75, 0, 2, 0, 0, 0, 0, 0, 16], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while match:\n first = match.group(3) + match.group(5) + match.group(7)\n second = match.group(4) + match.group(6) + match.group(8)\n if first.lower() == second.lower():\n css = css.replace(\n match.group(), match.group(1) + match.group(2) + '#' + first)\n match = regex.search(css, match.end() - 3)\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L154_C8", "label": "first =", "type": "assigned_variable", "loc": [154, 154], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L153_C4", "vector": [14, 2, 0.6667, 0.0043, 2, 0.66, 0.0, 199, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "first", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " first = match.group(3) + match.group(5) + match.group(7)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L155_C8", "label": "second =", "type": "assigned_variable", "loc": [155, 155], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L153_C4", "vector": [14, 2, 0.671, 0.0043, 2, 0.66, 0.5, 822, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "second", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " second = match.group(4) + match.group(6) + match.group(8)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:If_L156_C8", "label": "if", "type": "if", "loc": [156, 161], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:While_L153_C4", "vector": [4, 2, 0.6861, 0.026, 2, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if first.lower() == second.lower():\n css = css.replace(\n match.group(), match.group(1) + match.group(2) + '#' + first)\n match = regex.search(css, match.end() - 3)\n else:\n match = regex.search(css, match.end())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L157_C12", "label": "css = replace()", "type": "assigned_variable", "loc": [157, 158], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L156_C8", "vector": [14, 3, 0.6818, 0.0087, 3, 0.43, 0.0, 389, 3, 2, 0, 0, 293, 10, 4], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " css = css.replace(\n match.group(), match.group(1) + match.group(2) + '#' + first)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L159_C12", "label": "match = search()", "type": "assigned_variable", "loc": [159, 159], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L156_C8", "vector": [14, 3, 0.6883, 0.0043, 3, 0.43, 0.5, 36, 3, 2, 0, 0, 163, 10, 2], "semantic": {"name": "match", "arg_names": [], "import_names": [], "rhs_call_name": "search", "annotation": ""}, "snippet": " match = regex.search(css, match.end() - 3)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L161_C12", "label": "match = search()", "type": "assigned_variable", "loc": [161, 161], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L156_C8", "vector": [14, 3, 0.697, 0.0043, 3, 0.43, 1.0, 36, 3, 2, 0, 0, 163, 10, 2], "semantic": {"name": "match", "arg_names": [], "import_names": [], "rhs_call_name": "search", "annotation": ""}, "snippet": " match = regex.search(css, match.end())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L162_C4", "label": "return", "type": "return", "loc": [162, 162], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L148_C0", "vector": [13, 1, 0.7013, 0.0043, 1, 0.39, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return css"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L165_C0", "label": "condense_whitespace", "type": "function", "loc": [165, 168], "level": 0, "parent": null, "vector": [2, 0, 0.7208, 0.0173, 0, 0.66, 0.7368, 806, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "condense_whitespace", "arg_names": ["css"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def condense_whitespace(css):\n \"\"\"Condense multiple adjacent whitespace characters into one.\"\"\"\n\n return re.sub(r\"\\s+\", \" \", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L166_C4", "label": "expression", "type": "expression", "loc": [166, 166], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L165_C0", "vector": [8, 1, 0.7186, 0.0043, 1, 0.83, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Condense multiple adjacent whitespace characters into one.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L168_C4", "label": "return", "type": "return", "loc": [168, 168], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L165_C0", "vector": [13, 1, 0.7273, 0.0043, 1, 0.83, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return re.sub(r\"\\s+\", \" \", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L171_C0", "label": "condense_semicolons", "type": "function", "loc": [171, 174], "level": 0, "parent": null, "vector": [2, 0, 0.7468, 0.0173, 0, 0.66, 0.7895, 600, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "condense_semicolons", "arg_names": ["css"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def condense_semicolons(css):\n \"\"\"Condense multiple adjacent semicolon characters into one.\"\"\"\n\n return re.sub(r\";;+\", \";\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L172_C4", "label": "expression", "type": "expression", "loc": [172, 172], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L171_C0", "vector": [8, 1, 0.7446, 0.0043, 1, 0.95, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Condense multiple adjacent semicolon characters into one.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L174_C4", "label": "return", "type": "return", "loc": [174, 174], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L171_C0", "vector": [13, 1, 0.7532, 0.0043, 1, 0.95, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return re.sub(r\";;+\", \";\", css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "label": "wrap_css_lines", "type": "function", "loc": [177, 190], "level": 0, "parent": null, "vector": [2, 0, 0.7944, 0.0606, 0, 0.66, 0.8421, 140, 0, 2, 1, 0, 0, 0, 5], "semantic": {"name": "wrap_css_lines", "arg_names": ["css", "line_length"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def wrap_css_lines(css, line_length):\n \"\"\"Wrap the lines of the given CSS to an approximate length.\"\"\"\n\n lines = []\n line_start = 0\n for i, char in enumerate(css):\n # It's safe to break after `}` characters.\n if char == '}' and (i - line_start >= line_length):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L178_C4", "label": "expression", "type": "expression", "loc": [178, 178], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "vector": [8, 1, 0.7706, 0.0043, 1, 0.32, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Wrap the lines of the given CSS to an approximate length.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L180_C4", "label": "lines =", "type": "assigned_variable", "loc": [180, 180], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "vector": [14, 1, 0.7792, 0.0043, 1, 0.32, 0.2, 73, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "lines", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lines = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L181_C4", "label": "line_start =", "type": "assigned_variable", "loc": [181, 181], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "vector": [14, 1, 0.7835, 0.0043, 1, 0.32, 0.4, 2, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "line_start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " line_start = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:For_L182_C4", "label": "for i, char", "type": "for", "loc": [182, 186], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "vector": [6, 1, 0.7965, 0.0216, 1, 0.32, 0.6, 335, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "i, char", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i, char in enumerate(css):\n # It's safe to break after `}` characters.\n if char == '}' and (i - line_start >= line_length):\n lines.append(css[line_start:i + 1])\n line_start = i + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:If_L184_C8", "label": "if", "type": "if", "loc": [184, 186], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:For_L182_C4", "vector": [4, 2, 0.8009, 0.013, 2, 0.11, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if char == '}' and (i - line_start >= line_length):\n lines.append(css[line_start:i + 1])\n line_start = i + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L185_C12", "label": "append()", "type": "expression", "loc": [185, 185], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L184_C8", "vector": [8, 3, 0.8009, 0.0043, 3, 0.6, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " lines.append(css[line_start:i + 1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L186_C12", "label": "line_start =", "type": "assigned_variable", "loc": [186, 186], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L184_C8", "vector": [14, 3, 0.8052, 0.0043, 3, 0.6, 1.0, 2, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "line_start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " line_start = i + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:If_L188_C4", "label": "if", "type": "if", "loc": [188, 189], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "vector": [4, 1, 0.816, 0.0087, 1, 0.32, 0.8, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if line_start < len(css):\n lines.append(css[line_start:])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L189_C8", "label": "append()", "type": "expression", "loc": [189, 189], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L188_C4", "vector": [8, 2, 0.8182, 0.0043, 2, 0.34, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " lines.append(css[line_start:])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L190_C4", "label": "return", "type": "return", "loc": [190, 190], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "vector": [13, 1, 0.8225, 0.0043, 1, 0.32, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '\\n'.join(lines)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "label": "cssmin", "type": "function", "loc": [193, 210], "level": 0, "parent": null, "vector": [2, 0, 0.8723, 0.0779, 0, 0.66, 0.8947, 291, 0, 2, 1, 0, 0, 0, 14], "semantic": {"name": "cssmin", "arg_names": ["css", "wrap"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def cssmin(css, wrap=None):\n css = remove_comments(css)\n css = condense_whitespace(css)\n # A pseudo class for the Box Model Hack\n # (see http://tantek.com/CSS/Examples/boxmodelhack.html)\n css = css.replace('\"\\\\\"}\\\\\"\"', \"___PSEUDOCLASSBMH___\")\n css = remove_unnecessary_whitespace(css)\n css = remove_unnecessary_semicolons(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L194_C4", "label": "css = remove_comments()", "type": "assigned_variable", "loc": [194, 194], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [14, 1, 0.8398, 0.0043, 1, 0.74, 0.0, 389, 3, 1, 0, 0, 71, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "remove_comments", "annotation": ""}, "snippet": " css = remove_comments(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L195_C4", "label": "css = condense_whitespace()", "type": "assigned_variable", "loc": [195, 195], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [14, 1, 0.8442, 0.0043, 1, 0.74, 0.0769, 389, 3, 1, 0, 0, 806, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "condense_whitespace", "annotation": ""}, "snippet": " css = condense_whitespace(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L198_C4", "label": "css = replace()", "type": "assigned_variable", "loc": [198, 198], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [14, 1, 0.8571, 0.0043, 1, 0.74, 0.1538, 389, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " css = css.replace('\"\\\\\"}\\\\\"\"', \"___PSEUDOCLASSBMH___\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L199_C4", "label": "css = remove_unnecessary_whitespace()", "type": "assigned_variable", "loc": [199, 199], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [14, 1, 0.8615, 0.0043, 1, 0.74, 0.2308, 389, 3, 1, 0, 0, 340, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "remove_unnecessary_whitespace", "annotation": ""}, "snippet": " css = remove_unnecessary_whitespace(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L200_C4", "label": "css = remove_unnecessary_semicolons()", "type": "assigned_variable", "loc": [200, 200], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [14, 1, 0.8658, 0.0043, 1, 0.74, 0.3077, 389, 3, 1, 0, 0, 160, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "remove_unnecessary_semicolons", "annotation": ""}, "snippet": " css = remove_unnecessary_semicolons(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L201_C4", "label": "css = condense_zero_units()", "type": "assigned_variable", "loc": [201, 201], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [14, 1, 0.8701, 0.0043, 1, 0.74, 0.3846, 389, 3, 1, 0, 0, 98, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "condense_zero_units", "annotation": ""}, "snippet": " css = condense_zero_units(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L202_C4", "label": "css = condense_multidimensional_zeros()", "type": "assigned_variable", "loc": [202, 202], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [14, 1, 0.8745, 0.0043, 1, 0.74, 0.4615, 389, 3, 1, 0, 0, 531, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "condense_multidimensional_zeros", "annotation": ""}, "snippet": " css = condense_multidimensional_zeros(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L203_C4", "label": "css = condense_floating_points()", "type": "assigned_variable", "loc": [203, 203], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [14, 1, 0.8788, 0.0043, 1, 0.74, 0.5385, 389, 3, 1, 0, 0, 359, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "condense_floating_points", "annotation": ""}, "snippet": " css = condense_floating_points(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L204_C4", "label": "css = normalize_rgb_colors_to_hex()", "type": "assigned_variable", "loc": [204, 204], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [14, 1, 0.8831, 0.0043, 1, 0.74, 0.6154, 389, 3, 1, 0, 0, 376, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "normalize_rgb_colors_to_hex", "annotation": ""}, "snippet": " css = normalize_rgb_colors_to_hex(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L205_C4", "label": "css = condense_hex_colors()", "type": "assigned_variable", "loc": [205, 205], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [14, 1, 0.8874, 0.0043, 1, 0.74, 0.6923, 389, 3, 1, 0, 0, 543, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "condense_hex_colors", "annotation": ""}, "snippet": " css = condense_hex_colors(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:If_L206_C4", "label": "if", "type": "if", "loc": [206, 207], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [4, 1, 0.8939, 0.0087, 1, 0.74, 0.7692, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if wrap is not None:\n css = wrap_css_lines(css, wrap)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L207_C8", "label": "css = wrap_css_lines()", "type": "assigned_variable", "loc": [207, 207], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L206_C4", "vector": [14, 2, 0.8961, 0.0043, 2, 0.14, 0.0, 389, 3, 2, 0, 0, 140, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "wrap_css_lines", "annotation": ""}, "snippet": " css = wrap_css_lines(css, wrap)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L208_C4", "label": "css = replace()", "type": "assigned_variable", "loc": [208, 208], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [14, 1, 0.9004, 0.0043, 1, 0.74, 0.8462, 389, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " css = css.replace(\"___PSEUDOCLASSBMH___\", '\"\\\\\"}\\\\\"\"')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L209_C4", "label": "css = condense_semicolons()", "type": "assigned_variable", "loc": [209, 209], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [14, 1, 0.9048, 0.0043, 1, 0.74, 0.9231, 389, 3, 1, 0, 0, 600, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "condense_semicolons", "annotation": ""}, "snippet": " css = condense_semicolons(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L210_C4", "label": "return", "type": "return", "loc": [210, 210], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "vector": [13, 1, 0.9091, 0.0043, 1, 0.74, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return css.strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "label": "main", "type": "function", "loc": [213, 227], "level": 0, "parent": null, "vector": [2, 0, 0.9524, 0.0649, 0, 0.66, 0.9474, 624, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "main", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def main():\n import optparse\n import sys\n\n p = optparse.OptionParser(\n prog=\"cssmin\", version=__version__,\n usage=\"%prog [--wrap N]\",\n description=\"\"\"Reads raw CSS from stdin, and writes compressed CSS to stdout.\"\"\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Import_L214_C4", "label": "optparse import optparse", "type": "import", "loc": [214, 214], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "vector": [1, 1, 0.9264, 0.0043, 1, 0.74, 0.0, 323, 0, 1, 0, 0, 323, 0, 0], "semantic": {"name": "optparse", "arg_names": [], "import_names": ["optparse"], "rhs_call_name": "", "annotation": ""}, "snippet": " import optparse"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Import_L215_C4", "label": "sys import sys", "type": "import", "loc": [215, 215], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "vector": [1, 1, 0.9307, 0.0043, 1, 0.74, 0.2, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": " import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L217_C4", "label": "p = OptionParser()", "type": "assigned_variable", "loc": [217, 220], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "vector": [14, 1, 0.9459, 0.0173, 1, 0.74, 0.4, 491, 3, 4, 0, 0, 894, 10, 1], "semantic": {"name": "p", "arg_names": [], "import_names": [], "rhs_call_name": "OptionParser", "annotation": ""}, "snippet": " p = optparse.OptionParser(\n prog=\"cssmin\", version=__version__,\n usage=\"%prog [--wrap N]\",\n description=\"\"\"Reads raw CSS from stdin, and writes compressed CSS to stdout.\"\"\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L222_C4", "label": "add_option()", "type": "expression", "loc": [222, 224], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "vector": [8, 1, 0.9654, 0.013, 1, 0.74, 0.6, 176, 3, 6, 0, 0, 0, 0, 1], "semantic": {"name": "add_option", "arg_names": [], "import_names": [], "rhs_call_name": "add_option", "annotation": ""}, "snippet": " p.add_option(\n '-w', '--wrap', type='int', default=None, metavar='N',\n help=\"Wrap output to approximately N chars per line.\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L226_C4", "label": "options, args = parse_args()", "type": "assigned_variable", "loc": [226, 226], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "vector": [14, 1, 0.9784, 0.0043, 1, 0.74, 0.8, 584, 3, 0, 0, 0, 187, 10, 1], "semantic": {"name": "options, args", "arg_names": [], "import_names": [], "rhs_call_name": "parse_args", "annotation": ""}, "snippet": " options, args = p.parse_args()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L227_C4", "label": "write()", "type": "expression", "loc": [227, 227], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "vector": [8, 1, 0.9827, 0.0043, 1, 0.74, 1.0, 837, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " sys.stdout.write(cssmin(sys.stdin.read(), wrap=options.wrap))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:If_L230_C0", "label": "if", "type": "if", "loc": [230, 231], "level": 0, "parent": null, "vector": [4, 0, 0.9978, 0.0087, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == '__main__':\n main()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L231_C4", "label": "main()", "type": "expression", "loc": [231, 231], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_502:If_L230_C0", "vector": [8, 1, 1.0, 0.0043, 1, 0.27, 0.0, 624, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "main", "arg_names": [], "import_names": [], "rhs_call_name": "main", "annotation": ""}, "snippet": " main()"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L22_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L24_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L25_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L26_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:While_L27_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L27_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L30_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L27_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L32_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L27_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:If_L33_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L33_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_502:If_L34_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L34_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L35_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L33_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_502:If_L37_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L37_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_502:If_L38_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L38_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L41_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L38_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L42_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L38_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_502:If_L43_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L43_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L44_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L43_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L45_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L43_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_502:If_L46_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L46_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L47_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L46_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L49_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L27_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L50_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L21_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L52_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L56_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L58_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L58_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L60_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L58_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L67_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L58_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L68_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L58_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:While_L69_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L69_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L70_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L69_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L74_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L58_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L75_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L77_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L79_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L82_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L83_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L87_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L90_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L93_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L55_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L95_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L98_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L99_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L98_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L101_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L104_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L105_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L104_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L107_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L111_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L113_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L114_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:While_L115_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L115_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L116_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L115_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L117_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L115_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L118_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L115_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L119_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L120_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L123_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L124_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L123_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L126_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L130_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L132_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L133_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L134_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L137_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L129_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L139_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L142_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L143_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L142_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L145_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L148_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L149_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L148_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L151_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L148_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L152_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L148_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:While_L153_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L153_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L154_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L153_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L155_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:While_L153_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:If_L156_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L156_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L157_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L156_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L159_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L156_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L161_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L148_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L162_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L165_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L166_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L165_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L168_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L171_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L172_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L171_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L174_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L178_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L180_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L181_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:For_L182_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:For_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:If_L184_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L184_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L185_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L184_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L186_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:If_L188_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L188_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L189_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L177_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L190_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L194_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L195_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L198_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L199_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L200_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L201_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L202_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L203_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L204_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L205_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:If_L206_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L207_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L208_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L209_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Return_L210_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Import_L214_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Import_L215_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L217_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L222_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Assign_L226_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:FunctionDef_L213_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L227_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_502:If_L230_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_502:Expr_L231_C4"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- """ High-level CSS and JS minification class for web2py. Called by response.include_files() Created by: Ross Peoples <ross.peoples@gmail.com> Modified by: Massimo Di Pierro <massimo.dipierro@gmail.com> """ import cssmin import jsmin import os import hashlib import re def read_binary_file(filename): f = open(filename, 'rb') data = f.read() f.close() return data def write_binary_file(filename, data): f = open(filename, 'wb') f.write(data) f.close() def fix_links(css, static_path): return re.sub(r'url\((["\'])\.\./', 'url(\\1' + static_path, css) def minify(files, path_info, folder, optimize_css, optimize_js, ignore_concat=[], ignore_minify=['/jquery.js', '/anytime.js']): """ Input: files: is a list of URLs to JS and CSS files (not repeated) path_info: is the URL of a temp static folder folder: is the application folder optimize_css: is a string of the form 'concat|minify|inline' optimize_js: is a string of the form 'concat|minify|inline' (minify requires concat, inline requires concat also) Returns a new list of: - filename (absolute or relative, css or js, actual or temporary) or - ('css:inline','...css..') - ('js:inline','...js..') """ optimize_css = optimize_css or '' optimize_js = optimize_js or '' concat_css = 'concat' in optimize_css minify_css = 'minify' in optimize_css inline_css = 'inline' in optimize_css concat_js = 'concat' in optimize_js minify_js = 'minify' in optimize_js inline_js = 'inline' in optimize_js static_path, temp = path_info.rsplit('/', 1) new_files = [] css = [] js = [] processed = [] for k, filename in enumerate(files): if not filename.startswith('/') or \ any(filename.endswith(x) for x in ignore_concat): new_files.append(filename) continue abs_filename = os.path.join( folder, 'static', filename[len(static_path) + 1:]) if filename.lower().endswith('.css'): processed.append(filename) spath_info, sfilename = \ path_info.split('/'), filename.split('/') u = 0 for i, a in enumerate(sfilename): try: if a != spath_info[i]: u = i break except: pass if concat_css: contents = read_binary_file(abs_filename) replacement = '/'.join(spath_info[:u]) + '/' contents = fix_links(contents, replacement) if minify_css: css.append(cssmin.cssmin(contents)) else: css.append(contents) else: css.append(filename) elif filename.lower().endswith('.js'): processed.append(filename) if concat_js: contents = read_binary_file(abs_filename) if minify_js and \ not filename.endswith('.min.js') and \ not any(filename.endswith(x) for x in ignore_minify): js.append(jsmin.jsmin(contents)) else: js.append(contents) else: js.append(filename) dest_key = hashlib.md5(repr(processed)).hexdigest() if css and concat_css: css = '\n\n'.join(contents for contents in css) if not inline_css: temppath = os.path.join(folder, 'static', temp) if not os.path.exists(temppath): os.mkdir(temppath) dest = "compressed_%s.css" % dest_key tempfile = os.path.join(temppath, dest) write_binary_file(tempfile, css) css = path_info + '/%s' % dest new_files.append(css) else: new_files.append(('css:inline', css)) else: new_files += css if js and concat_js: js = '\n'.join(contents for contents in js) if inline_js: js = ('js:inline', js) else: temppath = os.path.join(folder, 'static', temp) if not os.path.exists(temppath): os.mkdir(temppath) dest = "compressed_%s.js" % dest_key tempfile = os.path.join(folder, 'static', temp, dest) write_binary_file(tempfile, js) js = path_info + '/%s' % dest new_files.append(js) else: new_files += js return new_files
ajibawa-2023/Python-Code-Large/train/row_503
86
143
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L4_C0", "label": "expression", "type": "expression", "loc": [4, 9], "level": 0, "parent": null, "vector": [8, 0, 0.0455, 0.042, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nHigh-level CSS and JS minification class for web2py.\nCalled by response.include_files()\nCreated by: Ross Peoples <ross.peoples@gmail.com>\nModified by: Massimo Di Pierro <massimo.dipierro@gmail.com>\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Import_L11_C0", "label": "cssmin import cssmin", "type": "import", "loc": [11, 11], "level": 0, "parent": null, "vector": [1, 0, 0.0769, 0.007, 0, 0.66, 0.1111, 291, 0, 1, 0, 0, 291, 0, 0], "semantic": {"name": "cssmin", "arg_names": [], "import_names": ["cssmin"], "rhs_call_name": "", "annotation": ""}, "snippet": "import cssmin"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Import_L12_C0", "label": "jsmin import jsmin", "type": "import", "loc": [12, 12], "level": 0, "parent": null, "vector": [1, 0, 0.0839, 0.007, 0, 0.66, 0.2222, 275, 0, 1, 0, 0, 275, 0, 0], "semantic": {"name": "jsmin", "arg_names": [], "import_names": ["jsmin"], "rhs_call_name": "", "annotation": ""}, "snippet": "import jsmin"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Import_L13_C0", "label": "os import os", "type": "import", "loc": [13, 13], "level": 0, "parent": null, "vector": [1, 0, 0.0909, 0.007, 0, 0.66, 0.3333, 688, 0, 1, 0, 0, 688, 0, 0], "semantic": {"name": "os", "arg_names": [], "import_names": ["os"], "rhs_call_name": "", "annotation": ""}, "snippet": "import os"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Import_L14_C0", "label": "hashlib import hashlib", "type": "import", "loc": [14, 14], "level": 0, "parent": null, "vector": [1, 0, 0.0979, 0.007, 0, 0.66, 0.4444, 154, 0, 1, 0, 0, 154, 0, 0], "semantic": {"name": "hashlib", "arg_names": [], "import_names": ["hashlib"], "rhs_call_name": "", "annotation": ""}, "snippet": "import hashlib"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Import_L15_C0", "label": "re import re", "type": "import", "loc": [15, 15], "level": 0, "parent": null, "vector": [1, 0, 0.1049, 0.007, 0, 0.66, 0.5556, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L18_C0", "label": "read_binary_file", "type": "function", "loc": [18, 22], "level": 0, "parent": null, "vector": [2, 0, 0.1399, 0.035, 0, 0.66, 0.6667, 883, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "read_binary_file", "arg_names": ["filename"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def read_binary_file(filename):\n f = open(filename, 'rb')\n data = f.read()\n f.close()\n return data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L19_C4", "label": "f = open()", "type": "assigned_variable", "loc": [19, 19], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L18_C0", "vector": [14, 1, 0.1329, 0.007, 1, 0.82, 0.0, 899, 3, 2, 0, 0, 693, 10, 1], "semantic": {"name": "f", "arg_names": [], "import_names": [], "rhs_call_name": "open", "annotation": ""}, "snippet": " f = open(filename, 'rb')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L20_C4", "label": "data = read()", "type": "assigned_variable", "loc": [20, 20], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L18_C0", "vector": [14, 1, 0.1399, 0.007, 1, 0.82, 0.3333, 929, 3, 0, 0, 0, 453, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " data = f.read()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L21_C4", "label": "close()", "type": "expression", "loc": [21, 21], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L18_C0", "vector": [8, 1, 0.1469, 0.007, 1, 0.82, 0.6667, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " f.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Return_L22_C4", "label": "return", "type": "return", "loc": [22, 22], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L18_C0", "vector": [13, 1, 0.1538, 0.007, 1, 0.82, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L25_C0", "label": "write_binary_file", "type": "function", "loc": [25, 28], "level": 0, "parent": null, "vector": [2, 0, 0.1853, 0.028, 0, 0.66, 0.7778, 401, 0, 2, 0, 0, 0, 0, 3], "semantic": {"name": "write_binary_file", "arg_names": ["filename", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def write_binary_file(filename, data):\n f = open(filename, 'wb')\n f.write(data)\n f.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L26_C4", "label": "f = open()", "type": "assigned_variable", "loc": [26, 26], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L25_C0", "vector": [14, 1, 0.1818, 0.007, 1, 0.78, 0.0, 899, 3, 2, 0, 0, 693, 10, 1], "semantic": {"name": "f", "arg_names": [], "import_names": [], "rhs_call_name": "open", "annotation": ""}, "snippet": " f = open(filename, 'wb')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L27_C4", "label": "write()", "type": "expression", "loc": [27, 27], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L25_C0", "vector": [8, 1, 0.1888, 0.007, 1, 0.78, 0.5, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " f.write(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L28_C4", "label": "close()", "type": "expression", "loc": [28, 28], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L25_C0", "vector": [8, 1, 0.1958, 0.007, 1, 0.78, 1.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " f.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L31_C0", "label": "fix_links", "type": "function", "loc": [31, 32], "level": 0, "parent": null, "vector": [2, 0, 0.2203, 0.014, 0, 0.66, 0.8889, 386, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "fix_links", "arg_names": ["css", "static_path"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def fix_links(css, static_path):\n return re.sub(r'url\\(([\"\\'])\\.\\./', 'url(\\\\1' + static_path, css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Return_L32_C4", "label": "return", "type": "return", "loc": [32, 32], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L31_C0", "vector": [13, 1, 0.2238, 0.007, 1, 0.75, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return re.sub(r'url\\(([\"\\'])\\.\\./', 'url(\\\\1' + static_path, css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "label": "minify", "type": "function", "loc": [35, 143], "level": 0, "parent": null, "vector": [2, 0, 0.6224, 0.7622, 0, 0.66, 1.0, 72, 0, 7, 1, 0, 0, 0, 50], "semantic": {"name": "minify", "arg_names": ["files", "path_info", "folder", "optimize_css", "optimize_js", "ignore_concat", "ignore_minify"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def minify(files, path_info, folder, optimize_css, optimize_js,\n ignore_concat=[],\n ignore_minify=['/jquery.js', '/anytime.js']):\n\n \"\"\"\n Input:\n files: is a list of URLs to JS and CSS files (not repeated)\n path_info: is the URL of a temp static folder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L39_C4", "label": "expression", "type": "expression", "loc": [39, 52], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [8, 1, 0.3182, 0.0979, 1, 0.37, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Input:\n files: is a list of URLs to JS and CSS files (not repeated)\n path_info: is the URL of a temp static folder\n folder: is the application folder\n optimize_css: is a string of the form 'concat|minify|inline'\n optimize_js: is a string of the form 'concat|minify|inline'\n (minify requires concat, inline requires concat also)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L53_C4", "label": "optimize_css =", "type": "assigned_variable", "loc": [53, 53], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.3706, 0.007, 1, 0.37, 0.0556, 883, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "optimize_css", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " optimize_css = optimize_css or ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L54_C4", "label": "optimize_js =", "type": "assigned_variable", "loc": [54, 54], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.3776, 0.007, 1, 0.37, 0.1111, 219, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "optimize_js", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " optimize_js = optimize_js or ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L55_C4", "label": "concat_css =", "type": "assigned_variable", "loc": [55, 55], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.3846, 0.007, 1, 0.37, 0.1667, 175, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "concat_css", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " concat_css = 'concat' in optimize_css"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L56_C4", "label": "minify_css =", "type": "assigned_variable", "loc": [56, 56], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.3916, 0.007, 1, 0.37, 0.2222, 598, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "minify_css", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " minify_css = 'minify' in optimize_css"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L57_C4", "label": "inline_css =", "type": "assigned_variable", "loc": [57, 57], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.3986, 0.007, 1, 0.37, 0.2778, 319, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "inline_css", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " inline_css = 'inline' in optimize_css"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L58_C4", "label": "concat_js =", "type": "assigned_variable", "loc": [58, 58], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.4056, 0.007, 1, 0.37, 0.3333, 54, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "concat_js", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " concat_js = 'concat' in optimize_js"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L59_C4", "label": "minify_js =", "type": "assigned_variable", "loc": [59, 59], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.4126, 0.007, 1, 0.37, 0.3889, 941, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "minify_js", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " minify_js = 'minify' in optimize_js"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L60_C4", "label": "inline_js =", "type": "assigned_variable", "loc": [60, 60], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.4196, 0.007, 1, 0.37, 0.4444, 608, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "inline_js", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " inline_js = 'inline' in optimize_js"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L61_C4", "label": "static_path, temp = rsplit()", "type": "assigned_variable", "loc": [61, 61], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.4266, 0.007, 1, 0.37, 0.5, 231, 3, 2, 0, 0, 310, 10, 1], "semantic": {"name": "static_path, temp", "arg_names": [], "import_names": [], "rhs_call_name": "rsplit", "annotation": ""}, "snippet": " static_path, temp = path_info.rsplit('/', 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L62_C4", "label": "new_files =", "type": "assigned_variable", "loc": [62, 62], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.4336, 0.007, 1, 0.37, 0.5556, 359, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "new_files", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " new_files = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L63_C4", "label": "css =", "type": "assigned_variable", "loc": [63, 63], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.4406, 0.007, 1, 0.37, 0.6111, 389, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " css = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L64_C4", "label": "js =", "type": "assigned_variable", "loc": [64, 64], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.4476, 0.007, 1, 0.37, 0.6667, 62, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "js", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " js = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L65_C4", "label": "processed =", "type": "assigned_variable", "loc": [65, 65], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.4545, 0.007, 1, 0.37, 0.7222, 123, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "processed", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " processed = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:For_L66_C4", "label": "for k, filename", "type": "for", "loc": [66, 111], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [6, 1, 0.6189, 0.3217, 1, 0.37, 0.7778, 988, 3, 0, 0, 0, 0, 0, 31], "semantic": {"name": "k, filename", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k, filename in enumerate(files):\n if not filename.startswith('/') or \\\n any(filename.endswith(x)\n for x in ignore_concat):\n new_files.append(filename)\n continue\n\n abs_filename = os.path.join("}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L67_C8", "label": "if", "type": "if", "loc": [67, 71], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:For_L66_C4", "vector": [4, 2, 0.4825, 0.035, 2, 0.39, 0.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not filename.startswith('/') or \\\n any(filename.endswith(x)\n for x in ignore_concat):\n new_files.append(filename)\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L70_C12", "label": "append()", "type": "expression", "loc": [70, 70], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L67_C8", "vector": [8, 3, 0.4895, 0.007, 3, 0.38, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " new_files.append(filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L73_C8", "label": "abs_filename = join()", "type": "assigned_variable", "loc": [73, 74], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:For_L66_C4", "vector": [14, 2, 0.514, 0.014, 2, 0.39, 0.5, 391, 3, 3, 0, 0, 933, 10, 2], "semantic": {"name": "abs_filename", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " abs_filename = os.path.join(\n folder, 'static', filename[len(static_path) + 1:])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "label": "if", "type": "if", "loc": [76, 111], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:For_L66_C4", "vector": [4, 2, 0.6538, 0.2517, 2, 0.39, 1.0, 0, 3, 0, 0, 0, 0, 0, 24], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if filename.lower().endswith('.css'):\n processed.append(filename)\n spath_info, sfilename = \\\n path_info.split('/'), filename.split('/')\n u = 0\n for i, a in enumerate(sfilename):\n try:\n if a != spath_info[i]:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L77_C12", "label": "append()", "type": "expression", "loc": [77, 77], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "vector": [8, 3, 0.5385, 0.007, 3, 0.96, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " processed.append(filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L78_C12", "label": "spath_info, sfilename =", "type": "assigned_variable", "loc": [78, 79], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "vector": [14, 3, 0.549, 0.014, 3, 0.96, 0.2, 794, 0, 0, 0, 0, 0, 8, 2], "semantic": {"name": "spath_info, sfilename", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " spath_info, sfilename = \\\n path_info.split('/'), filename.split('/')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L80_C12", "label": "u =", "type": "assigned_variable", "loc": [80, 80], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "vector": [14, 3, 0.5594, 0.007, 3, 0.96, 0.4, 609, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "u", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " u = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:For_L81_C12", "label": "for i, a", "type": "for", "loc": [81, 87], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "vector": [6, 3, 0.5874, 0.049, 3, 0.96, 0.6, 995, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "i, a", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i, a in enumerate(sfilename):\n try:\n if a != spath_info[i]:\n u = i\n break\n except:\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Try_L82_C16", "label": "try", "type": "try", "loc": [82, 87], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:For_L81_C12", "vector": [7, 4, 0.5909, 0.042, 4, 0.5, 0.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n if a != spath_info[i]:\n u = i\n break\n except:\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L83_C20", "label": "if", "type": "if", "loc": [83, 85], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:Try_L82_C16", "vector": [4, 5, 0.5874, 0.021, 5, 0.82, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if a != spath_info[i]:\n u = i\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L84_C24", "label": "u =", "type": "assigned_variable", "loc": [84, 84], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L83_C20", "vector": [14, 6, 0.5874, 0.007, 6, 0.83, 0.0, 609, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "u", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " u = i"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L88_C12", "label": "if", "type": "if", "loc": [88, 97], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "vector": [4, 3, 0.6469, 0.0699, 3, 0.96, 0.8, 0, 2, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if concat_css:\n contents = read_binary_file(abs_filename)\n replacement = '/'.join(spath_info[:u]) + '/'\n contents = fix_links(contents, replacement)\n if minify_css:\n css.append(cssmin.cssmin(contents))\n else:\n css.append(contents)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L89_C16", "label": "contents = read_binary_file()", "type": "assigned_variable", "loc": [89, 89], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L88_C12", "vector": [14, 4, 0.6224, 0.007, 4, 0.68, 0.0, 376, 3, 1, 0, 0, 883, 10, 1], "semantic": {"name": "contents", "arg_names": [], "import_names": [], "rhs_call_name": "read_binary_file", "annotation": ""}, "snippet": " contents = read_binary_file(abs_filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L90_C16", "label": "replacement =", "type": "assigned_variable", "loc": [90, 90], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L88_C12", "vector": [14, 4, 0.6294, 0.007, 4, 0.68, 0.25, 828, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "replacement", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " replacement = '/'.join(spath_info[:u]) + '/'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L91_C16", "label": "contents = fix_links()", "type": "assigned_variable", "loc": [91, 91], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L88_C12", "vector": [14, 4, 0.6364, 0.007, 4, 0.68, 0.5, 376, 3, 2, 0, 0, 386, 10, 1], "semantic": {"name": "contents", "arg_names": [], "import_names": [], "rhs_call_name": "fix_links", "annotation": ""}, "snippet": " contents = fix_links(contents, replacement)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L92_C16", "label": "if", "type": "if", "loc": [92, 95], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L88_C12", "vector": [4, 4, 0.6538, 0.028, 4, 0.68, 0.75, 0, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if minify_css:\n css.append(cssmin.cssmin(contents))\n else:\n css.append(contents)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L93_C20", "label": "append()", "type": "expression", "loc": [93, 93], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L92_C16", "vector": [8, 5, 0.6503, 0.007, 5, 0.06, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " css.append(cssmin.cssmin(contents))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L95_C20", "label": "append()", "type": "expression", "loc": [95, 95], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L92_C16", "vector": [8, 5, 0.6643, 0.007, 5, 0.06, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " css.append(contents)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L97_C16", "label": "append()", "type": "expression", "loc": [97, 97], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L88_C12", "vector": [8, 4, 0.6783, 0.007, 4, 0.68, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " css.append(filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L98_C8", "label": "if", "type": "if", "loc": [98, 111], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "vector": [4, 3, 0.7308, 0.0979, 3, 0.96, 1.0, 0, 3, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif filename.lower().endswith('.js'):\n processed.append(filename)\n if concat_js:\n contents = read_binary_file(abs_filename)\n\n if minify_js and \\\n not filename.endswith('.min.js') and \\\n not any(filename.endswith(x)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L99_C12", "label": "append()", "type": "expression", "loc": [99, 99], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L98_C8", "vector": [8, 4, 0.6923, 0.007, 4, 0.19, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " processed.append(filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L100_C12", "label": "if", "type": "if", "loc": [100, 111], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L98_C8", "vector": [4, 4, 0.7378, 0.0839, 4, 0.19, 1.0, 0, 2, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if concat_js:\n contents = read_binary_file(abs_filename)\n\n if minify_js and \\\n not filename.endswith('.min.js') and \\\n not any(filename.endswith(x)\n for x in ignore_minify):\n js.append(jsmin.jsmin(contents))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L101_C16", "label": "contents = read_binary_file()", "type": "assigned_variable", "loc": [101, 101], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L100_C12", "vector": [14, 5, 0.7063, 0.007, 5, 0.92, 0.0, 376, 3, 1, 0, 0, 883, 10, 1], "semantic": {"name": "contents", "arg_names": [], "import_names": [], "rhs_call_name": "read_binary_file", "annotation": ""}, "snippet": " contents = read_binary_file(abs_filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L103_C16", "label": "if", "type": "if", "loc": [103, 109], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L100_C12", "vector": [4, 5, 0.7413, 0.049, 5, 0.92, 0.5, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if minify_js and \\\n not filename.endswith('.min.js') and \\\n not any(filename.endswith(x)\n for x in ignore_minify):\n js.append(jsmin.jsmin(contents))\n else:\n js.append(contents)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L107_C20", "label": "append()", "type": "expression", "loc": [107, 107], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L103_C16", "vector": [8, 6, 0.7483, 0.007, 6, 0.28, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " js.append(jsmin.jsmin(contents))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L109_C20", "label": "append()", "type": "expression", "loc": [109, 109], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L103_C16", "vector": [8, 6, 0.7622, 0.007, 6, 0.28, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " js.append(contents)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L111_C16", "label": "append()", "type": "expression", "loc": [111, 111], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L100_C12", "vector": [8, 5, 0.7762, 0.007, 5, 0.92, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " js.append(filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L112_C4", "label": "dest_key = hexdigest()", "type": "assigned_variable", "loc": [112, 112], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [14, 1, 0.7832, 0.007, 1, 0.37, 0.8333, 84, 3, 0, 0, 0, 89, 10, 3], "semantic": {"name": "dest_key", "arg_names": [], "import_names": [], "rhs_call_name": "hexdigest", "annotation": ""}, "snippet": " dest_key = hashlib.md5(repr(processed)).hexdigest()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L113_C4", "label": "if", "type": "if", "loc": [113, 127], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [4, 1, 0.8392, 0.1049, 1, 0.37, 0.8889, 0, 0, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if css and concat_css:\n css = '\\n\\n'.join(contents for contents in css)\n if not inline_css:\n temppath = os.path.join(folder, 'static', temp)\n if not os.path.exists(temppath):\n os.mkdir(temppath)\n dest = \"compressed_%s.css\" % dest_key\n tempfile = os.path.join(temppath, dest)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L114_C8", "label": "css = join()", "type": "assigned_variable", "loc": [114, 114], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L113_C4", "vector": [14, 2, 0.7972, 0.007, 2, 0.63, 0.0, 389, 3, 1, 0, 0, 933, 10, 1], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " css = '\\n\\n'.join(contents for contents in css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "label": "if", "type": "if", "loc": [115, 125], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L113_C4", "vector": [4, 2, 0.8392, 0.0769, 2, 0.63, 1.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not inline_css:\n temppath = os.path.join(folder, 'static', temp)\n if not os.path.exists(temppath):\n os.mkdir(temppath)\n dest = \"compressed_%s.css\" % dest_key\n tempfile = os.path.join(temppath, dest)\n write_binary_file(tempfile, css)\n css = path_info + '/%s' % dest"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L116_C12", "label": "temppath = join()", "type": "assigned_variable", "loc": [116, 116], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "vector": [14, 3, 0.8112, 0.007, 3, 0.77, 0.0, 949, 3, 3, 0, 0, 933, 10, 1], "semantic": {"name": "temppath", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " temppath = os.path.join(folder, 'static', temp)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L117_C12", "label": "if", "type": "if", "loc": [117, 118], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "vector": [4, 3, 0.8217, 0.014, 3, 0.77, 0.1429, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not os.path.exists(temppath):\n os.mkdir(temppath)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L118_C16", "label": "mkdir()", "type": "expression", "loc": [118, 118], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L117_C12", "vector": [8, 4, 0.8252, 0.007, 4, 0.26, 0.0, 853, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "mkdir", "arg_names": [], "import_names": [], "rhs_call_name": "mkdir", "annotation": ""}, "snippet": " os.mkdir(temppath)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L119_C12", "label": "dest =", "type": "assigned_variable", "loc": [119, 119], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "vector": [14, 3, 0.8322, 0.007, 3, 0.77, 0.2857, 907, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "dest", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " dest = \"compressed_%s.css\" % dest_key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L120_C12", "label": "tempfile = join()", "type": "assigned_variable", "loc": [120, 120], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "vector": [14, 3, 0.8392, 0.007, 3, 0.77, 0.4286, 516, 3, 2, 0, 0, 933, 10, 1], "semantic": {"name": "tempfile", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " tempfile = os.path.join(temppath, dest)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L121_C12", "label": "write_binary_file()", "type": "expression", "loc": [121, 121], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "vector": [8, 3, 0.8462, 0.007, 3, 0.77, 0.5714, 401, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "write_binary_file", "arg_names": [], "import_names": [], "rhs_call_name": "write_binary_file", "annotation": ""}, "snippet": " write_binary_file(tempfile, css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L122_C12", "label": "css =", "type": "assigned_variable", "loc": [122, 122], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "vector": [14, 3, 0.8531, 0.007, 3, 0.77, 0.7143, 389, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "css", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " css = path_info + '/%s' % dest"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L123_C12", "label": "append()", "type": "expression", "loc": [123, 123], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "vector": [8, 3, 0.8601, 0.007, 3, 0.77, 0.8571, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " new_files.append(css)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L125_C12", "label": "append()", "type": "expression", "loc": [125, 125], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "vector": [8, 3, 0.8741, 0.007, 3, 0.77, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " new_files.append(('css:inline', css))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L128_C4", "label": "if", "type": "if", "loc": [128, 142], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [4, 1, 0.9441, 0.1049, 1, 0.37, 0.9444, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if js and concat_js:\n js = '\\n'.join(contents for contents in js)\n if inline_js:\n js = ('js:inline', js)\n else:\n temppath = os.path.join(folder, 'static', temp)\n if not os.path.exists(temppath):\n os.mkdir(temppath)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L129_C8", "label": "js = join()", "type": "assigned_variable", "loc": [129, 129], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L128_C4", "vector": [14, 2, 0.9021, 0.007, 2, 0.92, 0.0, 62, 3, 1, 0, 0, 933, 10, 1], "semantic": {"name": "js", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " js = '\\n'.join(contents for contents in js)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "label": "if", "type": "if", "loc": [130, 139], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L128_C4", "vector": [4, 2, 0.9406, 0.0699, 2, 0.92, 0.5, 0, 2, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if inline_js:\n js = ('js:inline', js)\n else:\n temppath = os.path.join(folder, 'static', temp)\n if not os.path.exists(temppath):\n os.mkdir(temppath)\n dest = \"compressed_%s.js\" % dest_key\n tempfile = os.path.join(folder, 'static', temp, dest)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L131_C12", "label": "js =", "type": "assigned_variable", "loc": [131, 131], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "vector": [14, 3, 0.9161, 0.007, 3, 0.34, 0.0, 62, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "js", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " js = ('js:inline', js)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L133_C12", "label": "temppath = join()", "type": "assigned_variable", "loc": [133, 133], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "vector": [14, 3, 0.9301, 0.007, 3, 0.34, 0.1667, 949, 3, 3, 0, 0, 933, 10, 1], "semantic": {"name": "temppath", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " temppath = os.path.join(folder, 'static', temp)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:If_L134_C12", "label": "if", "type": "if", "loc": [134, 135], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "vector": [4, 3, 0.9406, 0.014, 3, 0.34, 0.3333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not os.path.exists(temppath):\n os.mkdir(temppath)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L135_C16", "label": "mkdir()", "type": "expression", "loc": [135, 135], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L134_C12", "vector": [8, 4, 0.9441, 0.007, 4, 0.5, 0.0, 853, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "mkdir", "arg_names": [], "import_names": [], "rhs_call_name": "mkdir", "annotation": ""}, "snippet": " os.mkdir(temppath)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L136_C12", "label": "dest =", "type": "assigned_variable", "loc": [136, 136], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "vector": [14, 3, 0.951, 0.007, 3, 0.34, 0.5, 907, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "dest", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " dest = \"compressed_%s.js\" % dest_key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L137_C12", "label": "tempfile = join()", "type": "assigned_variable", "loc": [137, 137], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "vector": [14, 3, 0.958, 0.007, 3, 0.34, 0.6667, 516, 3, 4, 0, 0, 933, 10, 1], "semantic": {"name": "tempfile", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " tempfile = os.path.join(folder, 'static', temp, dest)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L138_C12", "label": "write_binary_file()", "type": "expression", "loc": [138, 138], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "vector": [8, 3, 0.965, 0.007, 3, 0.34, 0.8333, 401, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "write_binary_file", "arg_names": [], "import_names": [], "rhs_call_name": "write_binary_file", "annotation": ""}, "snippet": " write_binary_file(tempfile, js)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L139_C12", "label": "js =", "type": "assigned_variable", "loc": [139, 139], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "vector": [14, 3, 0.972, 0.007, 3, 0.34, 1.0, 62, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "js", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " js = path_info + '/%s' % dest"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L140_C8", "label": "append()", "type": "expression", "loc": [140, 140], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:If_L128_C4", "vector": [8, 2, 0.979, 0.007, 2, 0.92, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " new_files.append(js)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_503:Return_L143_C4", "label": "return", "type": "return", "loc": [143, 143], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "vector": [13, 1, 1.0, 0.007, 1, 0.37, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return new_files"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L18_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L19_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L18_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L20_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L18_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L21_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L18_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Return_L22_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L25_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L26_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L25_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L27_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L25_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L28_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L31_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Return_L32_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L39_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L53_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L54_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L55_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L56_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L57_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L58_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L59_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L60_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L61_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L62_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L63_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L64_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L65_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:For_L66_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:For_L66_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L67_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L67_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L70_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:For_L66_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L73_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:For_L66_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L77_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L78_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L80_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:For_L81_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:For_L81_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Try_L82_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:Try_L82_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L83_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L83_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L84_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L88_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L88_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L89_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L88_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L90_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L88_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L91_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L88_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L92_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L92_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L93_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L92_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L95_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L88_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L97_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L98_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L98_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L99_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L98_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L100_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L100_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L101_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L100_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L103_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L103_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L107_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L103_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L109_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L100_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L111_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L112_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L113_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L113_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L114_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L113_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L116_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L117_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L117_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L118_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L119_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L120_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L121_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L122_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L123_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L125_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L128_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L128_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L129_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L128_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L131_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L133_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:If_L134_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L134_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L135_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L136_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L137_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L138_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L130_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Assign_L139_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:If_L128_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Expr_L140_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_503:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_503:Return_L143_C4"}]
# coding: utf-8 import re def minify(response): def _replace(match): match = match.group() # save whole <pre>, <textarea> tags, and opening <!-- (so it doesn't break <script>) # otherwise, replace all whitespace with a single space character return match if match.startswith(('<pre', '<textarea', '<!--')) else ' ' cpat = re.compile( r'\s+|<pre(.*?)</pre>|<textarea(.*?)</textarea>|<!--\s', re.DOTALL) return cpat.sub(_replace, response)
ajibawa-2023/Python-Code-Large/train/row_504
7
15
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_504:Import_L3_C0", "label": "re import re", "type": "import", "loc": [3, 3], "level": 0, "parent": null, "vector": [1, 0, 0.2, 0.0667, 0, 0.66, 0.0, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L6_C0", "label": "minify", "type": "function", "loc": [6, 15], "level": 0, "parent": null, "vector": [2, 0, 0.7, 0.6667, 0, 0.66, 1.0, 72, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "minify", "arg_names": ["response"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def minify(response):\n def _replace(match):\n match = match.group()\n # save whole <pre>, <textarea> tags, and opening <!-- (so it doesn't break <script>)\n # otherwise, replace all whitespace with a single space character\n return match if match.startswith(('<pre', '<textarea', '<!--')) else ' '\n\n cpat = re.compile("}, {"id": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L7_C4", "label": "_replace", "type": "function", "loc": [7, 11], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L6_C0", "vector": [2, 1, 0.6, 0.3333, 1, 0.37, 0.0, 699, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "_replace", "arg_names": ["match"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _replace(match):\n match = match.group()\n # save whole <pre>, <textarea> tags, and opening <!-- (so it doesn't break <script>)\n # otherwise, replace all whitespace with a single space character\n return match if match.startswith(('<pre', '<textarea', '<!--')) else ' '"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_504:Assign_L8_C8", "label": "match = group()", "type": "assigned_variable", "loc": [8, 8], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L7_C4", "vector": [14, 2, 0.5333, 0.0667, 2, 0.65, 0.0, 36, 3, 0, 0, 0, 43, 10, 1], "semantic": {"name": "match", "arg_names": [], "import_names": [], "rhs_call_name": "group", "annotation": ""}, "snippet": " match = match.group()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_504:Return_L11_C8", "label": "return", "type": "return", "loc": [11, 11], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L7_C4", "vector": [13, 2, 0.7333, 0.0667, 2, 0.65, 1.0, 0, 8, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return match if match.startswith(('<pre', '<textarea', '<!--')) else ' '"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_504:Assign_L13_C4", "label": "cpat = compile()", "type": "assigned_variable", "loc": [13, 14], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L6_C0", "vector": [14, 1, 0.9, 0.1333, 1, 0.37, 0.5, 913, 3, 2, 0, 0, 821, 10, 1], "semantic": {"name": "cpat", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": " cpat = re.compile(\n r'\\s+|<pre(.*?)</pre>|<textarea(.*?)</textarea>|<!--\\s', re.DOTALL)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_504:Return_L15_C4", "label": "return", "type": "return", "loc": [15, 15], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L6_C0", "vector": [13, 1, 1.0, 0.0667, 1, 0.37, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return cpat.sub(_replace, response)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L6_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L7_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L7_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_504:Assign_L8_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L7_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_504:Return_L11_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L6_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_504:Assign_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_504:FunctionDef_L6_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_504:Return_L15_C4"}]
#!/usr/bin/env python # -*- coding: ascii -*- # # Copyright 2011 # Andr\xe9 Malo or his licensors, as applicable # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. r""" ===================== Javascript Minifier ===================== Javascript Minifier based on `jsmin.c by Douglas Crockford`_\. This module is a re-implementation based on the semantics of jsmin.c. Usually it produces the same results. It differs in the following ways: - there is no error detection: unterminated string, regex and comment literals are treated as regular javascript code and minified as such. - Control characters inside string and regex literals are left untouched; they are not converted to spaces (nor to \n) - Newline characters are not allowed inside string and regex literals, except for line continuations in string literals (ECMA-5). - "return /regex/" is recognized correctly. - rjsmin does not handle streams, but only complete strings. (However, the module provides a "streamy" interface). Besides the list above it differs from direct python ports of jsmin.c in speed. Since most parts of the logic are handled by the regex engine it's way faster than the original python port by Baruch Even. The speed factor varies between about 6 and 55 depending on input and python version (it gets faster the more compressed the input already is). Compared to the speed-refactored python port by Dave St.Germain the performance gain is less dramatic but still between 1.2 and 7. See the docs/BENCHMARKS file for details. rjsmin.c is a reimplementation of rjsmin.py in C and speeds it up even more. Both python 2 and python 3 are supported. .. _jsmin.c by Douglas Crockford: http://www.crockford.com/javascript/jsmin.c Original author of Python version: Andr\xe9 Malo Home page: http://opensource.perlig.de/rjsmin/ Modified by Ross Peoples <ross.peoples@gmail.com> for inclusion into web2py. """ __author__ = "Andr\xe9 Malo" __author__ = getattr(__author__, 'decode', lambda x: __author__)('latin-1') __docformat__ = "restructuredtext en" __license__ = "Apache License, Version 2.0" __version__ = '1.0.2' __all__ = ['jsmin', 'jsmin_for_posers'] import re as _re def _make_jsmin(extended=True, python_only=True): """ Generate JS minifier based on `jsmin.c by Douglas Crockford`_ .. _jsmin.c by Douglas Crockford: http://www.crockford.com/javascript/jsmin.c :Parameters: `extended` : ``bool`` Extended Regexps? (using lookahead and lookbehind). This is faster, because it can be optimized way more. The regexps used with `extended` being false are only left here to allow easier porting to platforms without extended regex features (and for my own reference...) `python_only` : ``bool`` Use only the python variant. If true, the c extension is not even tried to be loaded. :Return: Minifier :Rtype: ``callable`` """ # pylint: disable = R0912, R0914, W0612 if not python_only: try: import _rjsmin except ImportError: pass else: return _rjsmin.jsmin try: xrange except NameError: xrange = range # pylint: disable = W0622 space_chars = r'[\000-\011\013\014\016-\040]' line_comment = r'(?://[^\r\n]*)' space_comment = r'(?:/\*[^*]*\*+(?:[^/*][^*]*\*+)*/)' string1 = \ r'(?:\047[^\047\\\r\n]*(?:\\(?:[^\r\n]|\r?\n|\r)[^\047\\\r\n]*)*\047)' string2 = r'(?:"[^"\\\r\n]*(?:\\(?:[^\r\n]|\r?\n|\r)[^"\\\r\n]*)*")' strings = r'(?:%s|%s)' % (string1, string2) charclass = r'(?:\[[^\\\]\r\n]*(?:\\[^\r\n][^\\\]\r\n]*)*\])' nospecial = r'[^/\\\[\r\n]' if extended: regex = r'(?:/(?![\r\n/*])%s*(?:(?:\\[^\r\n]|%s)%s*)*/)' % ( nospecial, charclass, nospecial ) else: regex = ( r'(?:/(?:[^*/\\\r\n\[]|%s|\\[^\r\n])%s*(?:(?:\\[^\r\n]|%s)%s*)*/)' ) regex = regex % (charclass, nospecial, charclass, nospecial) space = r'(?:%s|%s)' % (space_chars, space_comment) newline = r'(?:%s?[\r\n])' % line_comment def fix_charclass(result): """ Fixup string of chars to fit into a regex char class """ pos = result.find('-') if pos >= 0: result = r'%s%s-' % (result[:pos], result[pos + 1:]) def sequentize(string): """ Notate consecutive characters as sequence (1-4 instead of 1234) """ first, last, result = None, None, [] for char in map(ord, string): if last is None: first = last = char elif last + 1 == char: last = char else: result.append((first, last)) first = last = char if last is not None: result.append((first, last)) return ''.join(['%s%s%s' % ( chr(first), last > first + 1 and '-' or '', last != first and chr(last) or '' ) for first, last in result]) return _re.sub(r'([\000-\040\047])', # for better portability lambda m: '\\%03o' % ord(m.group(1)), (sequentize(result) .replace('\\', '\\\\') .replace('[', '\\[') .replace(']', '\\]') ) ) def id_literal_(what): """ Make id_literal like char class """ match = _re.compile(what).match result = ''.join([ chr(c) for c in xrange(127) if not match(chr(c)) ]) return '[^%s]' % fix_charclass(result) def not_id_literal_(keep): """ Make negated id_literal like char class """ match = _re.compile(id_literal_(keep)).match result = ''.join([ chr(c) for c in xrange(127) if not match(chr(c)) ]) return r'[%s]' % fix_charclass(result) not_id_literal = not_id_literal_(r'[a-zA-Z0-9_$]') preregex1 = r'[(,=:\[!&|?{};\r\n]' preregex2 = r'%(not_id_literal)sreturn' % locals() if extended: id_literal = id_literal_(r'[a-zA-Z0-9_$]') id_literal_open = id_literal_(r'[a-zA-Z0-9_${\[(+-]') id_literal_close = id_literal_(r'[a-zA-Z0-9_$}\])"\047+-]') space_sub = _re.compile(( r'([^\047"/\000-\040]+)' r'|(%(strings)s[^\047"/\000-\040]*)' r'|(?:(?<=%(preregex1)s)%(space)s*(%(regex)s[^\047"/\000-\040]*))' r'|(?:(?<=%(preregex2)s)%(space)s*(%(regex)s[^\047"/\000-\040]*))' r'|(?<=%(id_literal_close)s)' r'%(space)s*(?:(%(newline)s)%(space)s*)+' r'(?=%(id_literal_open)s)' r'|(?<=%(id_literal)s)(%(space)s)+(?=%(id_literal)s)' r'|%(space)s+' r'|(?:%(newline)s%(space)s*)+' ) % locals()).sub def space_subber(match): """ Substitution callback """ # pylint: disable = C0321, R0911 groups = match.groups() if groups[0]: return groups[0] elif groups[1]: return groups[1] elif groups[2]: return groups[2] elif groups[3]: return groups[3] elif groups[4]: return '\n' elif groups[5]: return ' ' else: return '' def jsmin(script): # pylint: disable = W0621 r""" Minify javascript based on `jsmin.c by Douglas Crockford`_\. Instead of parsing the stream char by char, it uses a regular expression approach which minifies the whole script with one big substitution regex. .. _jsmin.c by Douglas Crockford: http://www.crockford.com/javascript/jsmin.c :Parameters: `script` : ``str`` Script to minify :Return: Minified script :Rtype: ``str`` """ return space_sub(space_subber, '\n%s\n' % script).strip() else: pre_regex = r'(?:%(preregex1)s|%(preregex2)s)' % locals() not_id_literal_open = not_id_literal_(r'[a-zA-Z0-9_${\[(+-]') not_id_literal_close = not_id_literal_(r'[a-zA-Z0-9_$}\])"\047+-]') space_norm_sub = _re.compile(( r'(%(strings)s)' r'|(?:(%(pre_regex)s)%(space)s*(%(regex)s))' r'|(%(space)s)+' r'|(?:(%(newline)s)%(space)s*)+' ) % locals()).sub def space_norm_subber(match): """ Substitution callback """ # pylint: disable = C0321 groups = match.groups() if groups[0]: return groups[0] elif groups[1]: return groups[1].replace('\r', '\n') + groups[2] elif groups[3]: return ' ' elif groups[4]: return '\n' space_sub1 = _re.compile(( r'[\040\n]?(%(strings)s|%(pre_regex)s%(regex)s)' r'|\040(%(not_id_literal)s)' r'|\n(%(not_id_literal_open)s)' ) % locals()).sub def space_subber1(match): """ Substitution callback """ groups = match.groups() return groups[0] or groups[1] or groups[2] space_sub2 = _re.compile(( r'(%(strings)s)\040?' r'|(%(pre_regex)s%(regex)s)[\040\n]?' r'|(%(not_id_literal)s)\040' r'|(%(not_id_literal_close)s)\n' ) % locals()).sub def space_subber2(match): """ Substitution callback """ groups = match.groups() return groups[0] or groups[1] or groups[2] or groups[3] def jsmin(script): r""" Minify javascript based on `jsmin.c by Douglas Crockford`_\. Instead of parsing the stream char by char, it uses a regular expression approach. The script is minified with three passes: normalization Control character are mapped to spaces, spaces and newlines are squeezed and comments are stripped. space removal 1 Spaces before certain tokens are removed space removal 2 Spaces after certain tokens are remove .. _jsmin.c by Douglas Crockford: http://www.crockford.com/javascript/jsmin.c :Parameters: `script` : ``str`` Script to minify :Return: Minified script :Rtype: ``str`` """ return space_sub2(space_subber2, space_sub1(space_subber1, space_norm_sub(space_norm_subber, '\n%s\n' % script) ) ).strip() return jsmin jsmin = _make_jsmin() ##################### # EXAMPLE USAGE # ##################### # # import jsmin # jsmin.jsmin(script) # def jsmin_for_posers(script): r""" Minify javascript based on `jsmin.c by Douglas Crockford`_\. Instead of parsing the stream char by char, it uses a regular expression approach which minifies the whole script with one big substitution regex. .. _jsmin.c by Douglas Crockford: http://www.crockford.com/javascript/jsmin.c :Warning: This function is the digest of a _make_jsmin() call. It just utilizes the resulting regex. It's just for fun here and may vanish any time. Use the `jsmin` function instead. :Parameters: `script` : ``str`` Script to minify :Return: Minified script :Rtype: ``str`` """ def subber(match): """ Substitution callback """ groups = match.groups() return ( groups[0] or groups[1] or groups[2] or groups[3] or (groups[4] and '\n') or (groups[5] and ' ') or '' ) return _re.sub( r'([^\047"/\000-\040]+)|((?:(?:\047[^\047\\\r\n]*(?:\\(?:[^\r\n]|\r?' r'\n|\r)[^\047\\\r\n]*)*\047)|(?:"[^"\\\r\n]*(?:\\(?:[^\r\n]|\r?\n|' r'\r)[^"\\\r\n]*)*"))[^\047"/\000-\040]*)|(?:(?<=[(,=:\[!&|?{};\r\n]' r')(?:[\000-\011\013\014\016-\040]|(?:/\*[^*]*\*+(?:[^/*][^*]*\*+)*/' r'))*((?:/(?![\r\n/*])[^/\\\[\r\n]*(?:(?:\\[^\r\n]|(?:\[[^\\\]\r\n]*' r'(?:\\[^\r\n][^\\\]\r\n]*)*\]))[^/\\\[\r\n]*)*/)[^\047"/\000-\040]*' r'))|(?:(?<=[\000-#%-,./:-@\[-^`{-~-]return)(?:[\000-\011\013\014\01' r'6-\040]|(?:/\*[^*]*\*+(?:[^/*][^*]*\*+)*/))*((?:/(?![\r\n/*])[^/' r'\\\[\r\n]*(?:(?:\\[^\r\n]|(?:\[[^\\\]\r\n]*(?:\\[^\r\n][^\\\]\r\n]' r'*)*\]))[^/\\\[\r\n]*)*/)[^\047"/\000-\040]*))|(?<=[^\000-!#%&(*,./' r':-@\[\\^`{|~])(?:[\000-\011\013\014\016-\040]|(?:/\*[^*]*\*+(?:[^/' r'*][^*]*\*+)*/))*(?:((?:(?://[^\r\n]*)?[\r\n]))(?:[\000-\011\013\01' r'4\016-\040]|(?:/\*[^*]*\*+(?:[^/*][^*]*\*+)*/))*)+(?=[^\000-#%-\04' r'7)*,./:-@\\-^`|-~])|(?<=[^\000-#%-,./:-@\[-^`{-~-])((?:[\000-\011' r'\013\014\016-\040]|(?:/\*[^*]*\*+(?:[^/*][^*]*\*+)*/)))+(?=[^\000-' r'#%-,./:-@\[-^`{-~-])|(?:[\000-\011\013\014\016-\040]|(?:/\*[^*]*\*' r'+(?:[^/*][^*]*\*+)*/))+|(?:(?:(?://[^\r\n]*)?[\r\n])(?:[\000-\011' r'\013\014\016-\040]|(?:/\*[^*]*\*+(?:[^/*][^*]*\*+)*/))*)+', subber, '\n%s\n' % script ).strip() if __name__ == '__main__': import sys as _sys _sys.stdout.write(jsmin(_sys.stdin.read()))
ajibawa-2023/Python-Code-Large/train/row_505
127
391
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L18_C0", "label": "expression", "type": "expression", "loc": [18, 56], "level": 0, "parent": null, "vector": [8, 0, 0.0946, 0.0997, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "r\"\"\"\n=====================\n Javascript Minifier\n=====================\n\nJavascript Minifier based on `jsmin.c by Douglas Crockford`_\\.\n\nThis module is a re-implementation based on the semantics of jsmin.c. Usually"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L57_C0", "label": "__author__ =", "type": "assigned_variable", "loc": [57, 57], "level": 0, "parent": null, "vector": [14, 0, 0.1458, 0.0026, 0, 0.66, 0.0909, 777, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__author__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__author__ = \"Andr\\xe9 Malo\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L58_C0", "label": "__author__ =", "type": "assigned_variable", "loc": [58, 58], "level": 0, "parent": null, "vector": [14, 0, 0.1483, 0.0026, 0, 0.66, 0.1818, 777, 3, 1, 0, 0, 0, 10, 2], "semantic": {"name": "__author__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__author__ = getattr(__author__, 'decode', lambda x: __author__)('latin-1')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L59_C0", "label": "__docformat__ =", "type": "assigned_variable", "loc": [59, 59], "level": 0, "parent": null, "vector": [14, 0, 0.1509, 0.0026, 0, 0.66, 0.2727, 959, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__docformat__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__docformat__ = \"restructuredtext en\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L60_C0", "label": "__license__ =", "type": "assigned_variable", "loc": [60, 60], "level": 0, "parent": null, "vector": [14, 0, 0.1535, 0.0026, 0, 0.66, 0.3636, 11, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__license__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__license__ = \"Apache License, Version 2.0\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L61_C0", "label": "__version__ =", "type": "assigned_variable", "loc": [61, 61], "level": 0, "parent": null, "vector": [14, 0, 0.156, 0.0026, 0, 0.66, 0.4545, 162, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__version__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__version__ = '1.0.2'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L62_C0", "label": "__all__ =", "type": "assigned_variable", "loc": [62, 62], "level": 0, "parent": null, "vector": [14, 0, 0.1586, 0.0026, 0, 0.66, 0.5455, 272, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "__all__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__all__ = ['jsmin', 'jsmin_for_posers']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Import_L64_C0", "label": "re import _re", "type": "import", "loc": [64, 64], "level": 0, "parent": null, "vector": [1, 0, 0.1637, 0.0026, 0, 0.66, 0.6364, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["_re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re as _re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "label": "_make_jsmin", "type": "function", "loc": [67, 318], "level": 0, "parent": null, "vector": [2, 0, 0.4923, 0.6445, 0, 0.66, 0.7273, 156, 0, 2, 1, 0, 0, 0, 56], "semantic": {"name": "_make_jsmin", "arg_names": ["extended", "python_only"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _make_jsmin(extended=True, python_only=True):\n \"\"\"\n Generate JS minifier based on `jsmin.c by Douglas Crockford`_\n\n .. _jsmin.c by Douglas Crockford:\n http://www.crockford.com/javascript/jsmin.c\n\n :Parameters:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L68_C4", "label": "expression", "type": "expression", "loc": [68, 87], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [8, 1, 0.1982, 0.0512, 1, 0.68, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Generate JS minifier based on `jsmin.c by Douglas Crockford`_\n\n .. _jsmin.c by Douglas Crockford:\n http://www.crockford.com/javascript/jsmin.c\n\n :Parameters:\n `extended` : ``bool``"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L89_C4", "label": "if", "type": "if", "loc": [89, 95], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [4, 1, 0.2353, 0.0179, 1, 0.68, 0.0476, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not python_only:\n try:\n import _rjsmin\n except ImportError:\n pass\n else:\n return _rjsmin.jsmin"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Try_L90_C8", "label": "try", "type": "try", "loc": [90, 95], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L89_C4", "vector": [7, 2, 0.2366, 0.0153, 2, 0.01, 0.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n import _rjsmin\n except ImportError:\n pass\n else:\n return _rjsmin.jsmin"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Import_L91_C12", "label": "_rjsmin import _rjsmin", "type": "import", "loc": [91, 91], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:Try_L90_C8", "vector": [1, 3, 0.2327, 0.0026, 3, 0.12, 0.0, 213, 0, 1, 0, 0, 213, 0, 0], "semantic": {"name": "_rjsmin", "arg_names": [], "import_names": ["_rjsmin"], "rhs_call_name": "", "annotation": ""}, "snippet": " import _rjsmin"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L95_C12", "label": "return", "type": "return", "loc": [95, 95], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:Try_L90_C8", "vector": [13, 3, 0.243, 0.0026, 3, 0.12, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _rjsmin.jsmin"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Try_L96_C4", "label": "try", "type": "try", "loc": [96, 99], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [7, 1, 0.2494, 0.0102, 1, 0.68, 0.0952, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n xrange\n except NameError:\n xrange = range # pylint: disable = W0622"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L97_C8", "label": "expression", "type": "expression", "loc": [97, 97], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:Try_L96_C4", "vector": [8, 2, 0.2481, 0.0026, 2, 0.29, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xrange"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L99_C8", "label": "xrange =", "type": "assigned_variable", "loc": [99, 99], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:Try_L96_C4", "vector": [14, 2, 0.2532, 0.0026, 2, 0.29, 0.0, 430, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "xrange", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xrange = range # pylint: disable = W0622"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L101_C4", "label": "space_chars =", "type": "assigned_variable", "loc": [101, 101], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.2583, 0.0026, 1, 0.68, 0.1429, 644, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "space_chars", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " space_chars = r'[\\000-\\011\\013\\014\\016-\\040]'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L103_C4", "label": "line_comment =", "type": "assigned_variable", "loc": [103, 103], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.2634, 0.0026, 1, 0.68, 0.1905, 254, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "line_comment", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " line_comment = r'(?://[^\\r\\n]*)'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L104_C4", "label": "space_comment =", "type": "assigned_variable", "loc": [104, 104], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.266, 0.0026, 1, 0.68, 0.2381, 130, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "space_comment", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " space_comment = r'(?:/\\*[^*]*\\*+(?:[^/*][^*]*\\*+)*/)'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L105_C4", "label": "string1 =", "type": "assigned_variable", "loc": [105, 106], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.2698, 0.0051, 1, 0.68, 0.2857, 177, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "string1", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " string1 = \\\n r'(?:\\047[^\\047\\\\\\r\\n]*(?:\\\\(?:[^\\r\\n]|\\r?\\n|\\r)[^\\047\\\\\\r\\n]*)*\\047)'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L107_C4", "label": "string2 =", "type": "assigned_variable", "loc": [107, 107], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.2737, 0.0026, 1, 0.68, 0.3333, 747, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "string2", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " string2 = r'(?:\"[^\"\\\\\\r\\n]*(?:\\\\(?:[^\\r\\n]|\\r?\\n|\\r)[^\"\\\\\\r\\n]*)*\")'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L108_C4", "label": "strings =", "type": "assigned_variable", "loc": [108, 108], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.2762, 0.0026, 1, 0.68, 0.381, 109, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "strings", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " strings = r'(?:%s|%s)' % (string1, string2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L110_C4", "label": "charclass =", "type": "assigned_variable", "loc": [110, 110], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.2813, 0.0026, 1, 0.68, 0.4286, 757, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "charclass", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " charclass = r'(?:\\[[^\\\\\\]\\r\\n]*(?:\\\\[^\\r\\n][^\\\\\\]\\r\\n]*)*\\])'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L111_C4", "label": "nospecial =", "type": "assigned_variable", "loc": [111, 111], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.2839, 0.0026, 1, 0.68, 0.4762, 770, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "nospecial", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " nospecial = r'[^/\\\\\\[\\r\\n]'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L112_C4", "label": "if", "type": "if", "loc": [112, 120], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [4, 1, 0.2967, 0.023, 1, 0.68, 0.5238, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if extended:\n regex = r'(?:/(?![\\r\\n/*])%s*(?:(?:\\\\[^\\r\\n]|%s)%s*)*/)' % (\n nospecial, charclass, nospecial\n )\n else:\n regex = (\n r'(?:/(?:[^*/\\\\\\r\\n\\[]|%s|\\\\[^\\r\\n])%s*(?:(?:\\\\[^\\r\\n]|%s)%s*)*/)'\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L113_C8", "label": "regex =", "type": "assigned_variable", "loc": [113, 115], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L112_C4", "vector": [14, 2, 0.2916, 0.0077, 2, 0.7, 0.0, 552, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "regex", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " regex = r'(?:/(?![\\r\\n/*])%s*(?:(?:\\\\[^\\r\\n]|%s)%s*)*/)' % (\n nospecial, charclass, nospecial\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L117_C8", "label": "regex =", "type": "assigned_variable", "loc": [117, 119], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L112_C4", "vector": [14, 2, 0.3018, 0.0077, 2, 0.7, 0.5, 552, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "regex", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " regex = (\n r'(?:/(?:[^*/\\\\\\r\\n\\[]|%s|\\\\[^\\r\\n])%s*(?:(?:\\\\[^\\r\\n]|%s)%s*)*/)'\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L120_C8", "label": "regex =", "type": "assigned_variable", "loc": [120, 120], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L112_C4", "vector": [14, 2, 0.3069, 0.0026, 2, 0.7, 1.0, 552, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "regex", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " regex = regex % (charclass, nospecial, charclass, nospecial)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L122_C4", "label": "space =", "type": "assigned_variable", "loc": [122, 122], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.312, 0.0026, 1, 0.68, 0.5714, 215, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "space", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " space = r'(?:%s|%s)' % (space_chars, space_comment)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L123_C4", "label": "newline =", "type": "assigned_variable", "loc": [123, 123], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.3146, 0.0026, 1, 0.68, 0.619, 719, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "newline", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " newline = r'(?:%s?[\\r\\n])' % line_comment"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L125_C4", "label": "fix_charclass", "type": "function", "loc": [125, 160], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [2, 1, 0.3645, 0.0921, 1, 0.68, 0.6667, 881, 0, 1, 1, 0, 0, 0, 14], "semantic": {"name": "fix_charclass", "arg_names": ["result"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fix_charclass(result):\n \"\"\" Fixup string of chars to fit into a regex char class \"\"\"\n pos = result.find('-')\n if pos >= 0:\n result = r'%s%s-' % (result[:pos], result[pos + 1:])\n\n def sequentize(string):\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L126_C8", "label": "expression", "type": "expression", "loc": [126, 126], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L125_C4", "vector": [8, 2, 0.3223, 0.0026, 2, 0.87, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" Fixup string of chars to fit into a regex char class \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L127_C8", "label": "pos = find()", "type": "assigned_variable", "loc": [127, 127], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L125_C4", "vector": [14, 2, 0.3248, 0.0026, 2, 0.87, 0.25, 627, 3, 1, 0, 0, 340, 10, 1], "semantic": {"name": "pos", "arg_names": [], "import_names": [], "rhs_call_name": "find", "annotation": ""}, "snippet": " pos = result.find('-')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L128_C8", "label": "if", "type": "if", "loc": [128, 129], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L125_C4", "vector": [4, 2, 0.3286, 0.0051, 2, 0.87, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pos >= 0:\n result = r'%s%s-' % (result[:pos], result[pos + 1:])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L129_C12", "label": "result =", "type": "assigned_variable", "loc": [129, 129], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L128_C8", "vector": [14, 3, 0.3299, 0.0026, 3, 0.55, 0.0, 51, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result = r'%s%s-' % (result[:pos], result[pos + 1:])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L131_C8", "label": "sequentize", "type": "function", "loc": [131, 152], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L125_C4", "vector": [2, 2, 0.3619, 0.0563, 2, 0.87, 0.75, 498, 0, 1, 1, 0, 0, 0, 6], "semantic": {"name": "sequentize", "arg_names": ["string"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def sequentize(string):\n \"\"\"\n Notate consecutive characters as sequence\n\n (1-4 instead of 1234)\n \"\"\"\n first, last, result = None, None, []\n for char in map(ord, string):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L132_C12", "label": "expression", "type": "expression", "loc": [132, 136], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L131_C8", "vector": [8, 3, 0.3427, 0.0128, 3, 0.65, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Notate consecutive characters as sequence\n\n (1-4 instead of 1234)\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L137_C12", "label": "first, last, result =", "type": "assigned_variable", "loc": [137, 137], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L131_C8", "vector": [14, 3, 0.3504, 0.0026, 3, 0.65, 0.25, 920, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "first, last, result", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " first, last, result = None, None, []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:For_L138_C12", "label": "for char", "type": "for", "loc": [138, 145], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L131_C8", "vector": [6, 3, 0.3619, 0.0205, 3, 0.65, 0.5, 272, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "char", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for char in map(ord, string):\n if last is None:\n first = last = char\n elif last + 1 == char:\n last = char\n else:\n result.append((first, last))\n first = last = char"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L139_C16", "label": "if", "type": "if", "loc": [139, 145], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:For_L138_C12", "vector": [4, 4, 0.3632, 0.0179, 4, 0.26, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if last is None:\n first = last = char\n elif last + 1 == char:\n last = char\n else:\n result.append((first, last))\n first = last = char"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L140_C20", "label": "first =", "type": "assigned_variable", "loc": [140, 140], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L139_C16", "vector": [14, 5, 0.3581, 0.0026, 5, 0.56, 0.0, 199, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "first", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " first = last = char"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L141_C16", "label": "if", "type": "if", "loc": [141, 145], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L139_C16", "vector": [4, 5, 0.3657, 0.0128, 5, 0.56, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif last + 1 == char:\n last = char\n else:\n result.append((first, last))\n first = last = char"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L142_C20", "label": "last =", "type": "assigned_variable", "loc": [142, 142], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L141_C16", "vector": [14, 6, 0.3632, 0.0026, 6, 0.07, 0.0, 95, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "last", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " last = char"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L144_C20", "label": "append()", "type": "expression", "loc": [144, 144], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L141_C16", "vector": [8, 6, 0.3683, 0.0026, 6, 0.07, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " result.append((first, last))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L145_C20", "label": "first =", "type": "assigned_variable", "loc": [145, 145], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L141_C16", "vector": [14, 6, 0.3708, 0.0026, 6, 0.07, 1.0, 199, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "first", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " first = last = char"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L146_C12", "label": "if", "type": "if", "loc": [146, 147], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L131_C8", "vector": [4, 3, 0.3747, 0.0051, 3, 0.65, 0.75, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if last is not None:\n result.append((first, last))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L147_C16", "label": "append()", "type": "expression", "loc": [147, 147], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L146_C12", "vector": [8, 4, 0.376, 0.0026, 4, 0.06, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " result.append((first, last))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L148_C12", "label": "return", "type": "return", "loc": [148, 152], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L131_C8", "vector": [13, 3, 0.3836, 0.0128, 3, 0.65, 1.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ''.join(['%s%s%s' % (\n chr(first),\n last > first + 1 and '-' or '',\n last != first and chr(last) or ''\n ) for first, last in result])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L154_C8", "label": "return", "type": "return", "loc": [154, 160], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L125_C4", "vector": [13, 2, 0.4015, 0.0179, 2, 0.87, 1.0, 0, 3, 0, 0, 0, 0, 10, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _re.sub(r'([\\000-\\040\\047])', # for better portability\n lambda m: '\\\\%03o' % ord(m.group(1)), (sequentize(result)\n .replace('\\\\', '\\\\\\\\')\n .replace('[', '\\\\[')\n .replace(']', '\\\\]')\n )\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L162_C4", "label": "id_literal_", "type": "function", "loc": [162, 168], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [2, 1, 0.422, 0.0179, 1, 0.68, 0.7143, 746, 0, 1, 1, 0, 0, 0, 7], "semantic": {"name": "id_literal_", "arg_names": ["what"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def id_literal_(what):\n \"\"\" Make id_literal like char class \"\"\"\n match = _re.compile(what).match\n result = ''.join([\n chr(c) for c in xrange(127) if not match(chr(c))\n ])\n return '[^%s]' % fix_charclass(result)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L163_C8", "label": "expression", "type": "expression", "loc": [163, 163], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L162_C4", "vector": [8, 2, 0.4169, 0.0026, 2, 0.23, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" Make id_literal like char class \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L164_C8", "label": "match =", "type": "assigned_variable", "loc": [164, 164], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L162_C4", "vector": [14, 2, 0.4194, 0.0026, 2, 0.23, 0.3333, 36, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "match", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " match = _re.compile(what).match"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L165_C8", "label": "result = join()", "type": "assigned_variable", "loc": [165, 167], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L162_C4", "vector": [14, 2, 0.4246, 0.0077, 2, 0.23, 0.6667, 51, 3, 1, 0, 0, 933, 10, 5], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " result = ''.join([\n chr(c) for c in xrange(127) if not match(chr(c))\n ])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L168_C8", "label": "return", "type": "return", "loc": [168, 168], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L162_C4", "vector": [13, 2, 0.4297, 0.0026, 2, 0.23, 1.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '[^%s]' % fix_charclass(result)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L170_C4", "label": "not_id_literal_", "type": "function", "loc": [170, 176], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [2, 1, 0.4425, 0.0179, 1, 0.68, 0.7619, 223, 0, 1, 1, 0, 0, 0, 8], "semantic": {"name": "not_id_literal_", "arg_names": ["keep"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def not_id_literal_(keep):\n \"\"\" Make negated id_literal like char class \"\"\"\n match = _re.compile(id_literal_(keep)).match\n result = ''.join([\n chr(c) for c in xrange(127) if not match(chr(c))\n ])\n return r'[%s]' % fix_charclass(result)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L171_C8", "label": "expression", "type": "expression", "loc": [171, 171], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L170_C4", "vector": [8, 2, 0.4373, 0.0026, 2, 0.11, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" Make negated id_literal like char class \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L172_C8", "label": "match =", "type": "assigned_variable", "loc": [172, 172], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L170_C4", "vector": [14, 2, 0.4399, 0.0026, 2, 0.11, 0.3333, 36, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "match", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " match = _re.compile(id_literal_(keep)).match"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L173_C8", "label": "result = join()", "type": "assigned_variable", "loc": [173, 175], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L170_C4", "vector": [14, 2, 0.445, 0.0077, 2, 0.11, 0.6667, 51, 3, 1, 0, 0, 933, 10, 5], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " result = ''.join([\n chr(c) for c in xrange(127) if not match(chr(c))\n ])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L176_C8", "label": "return", "type": "return", "loc": [176, 176], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L170_C4", "vector": [13, 2, 0.4501, 0.0026, 2, 0.11, 1.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return r'[%s]' % fix_charclass(result)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L178_C4", "label": "not_id_literal = not_id_literal_()", "type": "assigned_variable", "loc": [178, 178], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.4552, 0.0026, 1, 0.68, 0.8095, 371, 3, 1, 0, 0, 223, 10, 1], "semantic": {"name": "not_id_literal", "arg_names": [], "import_names": [], "rhs_call_name": "not_id_literal_", "annotation": ""}, "snippet": " not_id_literal = not_id_literal_(r'[a-zA-Z0-9_$]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L179_C4", "label": "preregex1 =", "type": "assigned_variable", "loc": [179, 179], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.4578, 0.0026, 1, 0.68, 0.8571, 220, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "preregex1", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " preregex1 = r'[(,=:\\[!&|?{};\\r\\n]'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L180_C4", "label": "preregex2 =", "type": "assigned_variable", "loc": [180, 180], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [14, 1, 0.4604, 0.0026, 1, 0.68, 0.9048, 377, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "preregex2", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " preregex2 = r'%(not_id_literal)sreturn' % locals()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "label": "if", "type": "if", "loc": [182, 317], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [4, 1, 0.6381, 0.3478, 1, 0.68, 0.9524, 0, 2, 0, 0, 0, 0, 0, 25], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if extended:\n id_literal = id_literal_(r'[a-zA-Z0-9_$]')\n id_literal_open = id_literal_(r'[a-zA-Z0-9_${\\[(+-]')\n id_literal_close = id_literal_(r'[a-zA-Z0-9_$}\\])\"\\047+-]')\n\n space_sub = _re.compile((\n r'([^\\047\"/\\000-\\040]+)'\n r'|(%(strings)s[^\\047\"/\\000-\\040]*)'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L183_C8", "label": "id_literal = id_literal_()", "type": "assigned_variable", "loc": [183, 183], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [14, 2, 0.468, 0.0026, 2, 0.48, 0.0, 310, 3, 1, 0, 0, 746, 10, 1], "semantic": {"name": "id_literal", "arg_names": [], "import_names": [], "rhs_call_name": "id_literal_", "annotation": ""}, "snippet": " id_literal = id_literal_(r'[a-zA-Z0-9_$]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L184_C8", "label": "id_literal_open = id_literal_()", "type": "assigned_variable", "loc": [184, 184], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [14, 2, 0.4706, 0.0026, 2, 0.48, 0.0667, 168, 3, 1, 0, 0, 746, 10, 1], "semantic": {"name": "id_literal_open", "arg_names": [], "import_names": [], "rhs_call_name": "id_literal_", "annotation": ""}, "snippet": " id_literal_open = id_literal_(r'[a-zA-Z0-9_${\\[(+-]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L185_C8", "label": "id_literal_close = id_literal_()", "type": "assigned_variable", "loc": [185, 185], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [14, 2, 0.4731, 0.0026, 2, 0.48, 0.1333, 14, 3, 1, 0, 0, 746, 10, 1], "semantic": {"name": "id_literal_close", "arg_names": [], "import_names": [], "rhs_call_name": "id_literal_", "annotation": ""}, "snippet": " id_literal_close = id_literal_(r'[a-zA-Z0-9_$}\\])\"\\047+-]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L187_C8", "label": "space_sub =", "type": "assigned_variable", "loc": [187, 198], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [14, 2, 0.4923, 0.0307, 2, 0.48, 0.2, 342, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "space_sub", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " space_sub = _re.compile((\n r'([^\\047\"/\\000-\\040]+)'\n r'|(%(strings)s[^\\047\"/\\000-\\040]*)'\n r'|(?:(?<=%(preregex1)s)%(space)s*(%(regex)s[^\\047\"/\\000-\\040]*))'\n r'|(?:(?<=%(preregex2)s)%(space)s*(%(regex)s[^\\047\"/\\000-\\040]*))'\n r'|(?<=%(id_literal_close)s)'\n r'%(space)s*(?:(%(newline)s)%(space)s*)+'\n r'(?=%(id_literal_open)s)'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L200_C8", "label": "space_subber", "type": "function", "loc": [200, 217], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [2, 2, 0.5332, 0.046, 2, 0.48, 0.2667, 587, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "space_subber", "arg_names": ["match"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def space_subber(match):\n \"\"\" Substitution callback \"\"\"\n # pylint: disable = C0321, R0911\n groups = match.groups()\n if groups[0]:\n return groups[0]\n elif groups[1]:\n return groups[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L201_C12", "label": "expression", "type": "expression", "loc": [201, 201], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L200_C8", "vector": [8, 3, 0.5141, 0.0026, 3, 0.81, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" Substitution callback \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L203_C12", "label": "groups = groups()", "type": "assigned_variable", "loc": [203, 203], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L200_C8", "vector": [14, 3, 0.5192, 0.0026, 3, 0.81, 0.5, 161, 3, 0, 0, 0, 161, 10, 1], "semantic": {"name": "groups", "arg_names": [], "import_names": [], "rhs_call_name": "groups", "annotation": ""}, "snippet": " groups = match.groups()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L204_C12", "label": "if", "type": "if", "loc": [204, 217], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L200_C8", "vector": [4, 3, 0.5384, 0.0358, 3, 0.81, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if groups[0]:\n return groups[0]\n elif groups[1]:\n return groups[1]\n elif groups[2]:\n return groups[2]\n elif groups[3]:\n return groups[3]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L205_C16", "label": "return", "type": "return", "loc": [205, 205], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L204_C12", "vector": [13, 4, 0.5243, 0.0026, 4, 0.82, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return groups[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L206_C12", "label": "if", "type": "if", "loc": [206, 217], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L204_C12", "vector": [4, 4, 0.5409, 0.0307, 4, 0.82, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif groups[1]:\n return groups[1]\n elif groups[2]:\n return groups[2]\n elif groups[3]:\n return groups[3]\n elif groups[4]:\n return '\\n'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L207_C16", "label": "return", "type": "return", "loc": [207, 207], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L206_C12", "vector": [13, 5, 0.5294, 0.0026, 5, 0.71, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return groups[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L208_C12", "label": "if", "type": "if", "loc": [208, 217], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L206_C12", "vector": [4, 5, 0.5435, 0.0256, 5, 0.71, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif groups[2]:\n return groups[2]\n elif groups[3]:\n return groups[3]\n elif groups[4]:\n return '\\n'\n elif groups[5]:\n return ' '"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L209_C16", "label": "return", "type": "return", "loc": [209, 209], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L208_C12", "vector": [13, 6, 0.5345, 0.0026, 6, 0.91, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return groups[2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L210_C12", "label": "if", "type": "if", "loc": [210, 217], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L208_C12", "vector": [4, 6, 0.546, 0.0205, 6, 0.91, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif groups[3]:\n return groups[3]\n elif groups[4]:\n return '\\n'\n elif groups[5]:\n return ' '\n else:\n return ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L211_C16", "label": "return", "type": "return", "loc": [211, 211], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L210_C12", "vector": [13, 7, 0.5396, 0.0026, 7, 0.98, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return groups[3]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L212_C12", "label": "if", "type": "if", "loc": [212, 217], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L210_C12", "vector": [4, 7, 0.5486, 0.0153, 7, 0.98, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif groups[4]:\n return '\\n'\n elif groups[5]:\n return ' '\n else:\n return ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L213_C16", "label": "return", "type": "return", "loc": [213, 213], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L212_C12", "vector": [13, 8, 0.5448, 0.0026, 8, 0.09, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '\\n'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L214_C12", "label": "if", "type": "if", "loc": [214, 217], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L212_C12", "vector": [4, 8, 0.5512, 0.0102, 8, 0.09, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif groups[5]:\n return ' '\n else:\n return ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L215_C16", "label": "return", "type": "return", "loc": [215, 215], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L214_C12", "vector": [13, 9, 0.5499, 0.0026, 9, 0.78, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ' '"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L217_C16", "label": "return", "type": "return", "loc": [217, 217], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L214_C12", "vector": [13, 9, 0.555, 0.0026, 9, 0.78, 1.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L219_C8", "label": "jsmin", "type": "function", "loc": [219, 237], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [2, 2, 0.5831, 0.0486, 2, 0.48, 0.3333, 275, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "jsmin", "arg_names": ["script"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def jsmin(script): # pylint: disable = W0621\n r\"\"\"\n Minify javascript based on `jsmin.c by Douglas Crockford`_\\.\n\n Instead of parsing the stream char by char, it uses a regular\n expression approach which minifies the whole script with one big\n substitution regex.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L220_C12", "label": "expression", "type": "expression", "loc": [220, 236], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L219_C8", "vector": [8, 3, 0.5831, 0.0435, 3, 0.55, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " r\"\"\"\n Minify javascript based on `jsmin.c by Douglas Crockford`_\\.\n\n Instead of parsing the stream char by char, it uses a regular\n expression approach which minifies the whole script with one big\n substitution regex.\n\n .. _jsmin.c by Douglas Crockford:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L237_C12", "label": "return", "type": "return", "loc": [237, 237], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L219_C8", "vector": [13, 3, 0.6061, 0.0026, 3, 0.55, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return space_sub(space_subber, '\\n%s\\n' % script).strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L240_C8", "label": "pre_regex =", "type": "assigned_variable", "loc": [240, 240], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [14, 2, 0.6138, 0.0026, 2, 0.48, 0.4, 7, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "pre_regex", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pre_regex = r'(?:%(preregex1)s|%(preregex2)s)' % locals()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L241_C8", "label": "not_id_literal_open = not_id_literal_()", "type": "assigned_variable", "loc": [241, 241], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [14, 2, 0.6164, 0.0026, 2, 0.48, 0.4667, 475, 3, 1, 0, 0, 223, 10, 1], "semantic": {"name": "not_id_literal_open", "arg_names": [], "import_names": [], "rhs_call_name": "not_id_literal_", "annotation": ""}, "snippet": " not_id_literal_open = not_id_literal_(r'[a-zA-Z0-9_${\\[(+-]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L242_C8", "label": "not_id_literal_close = not_id_literal_()", "type": "assigned_variable", "loc": [242, 242], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [14, 2, 0.6189, 0.0026, 2, 0.48, 0.5333, 73, 3, 1, 0, 0, 223, 10, 1], "semantic": {"name": "not_id_literal_close", "arg_names": [], "import_names": [], "rhs_call_name": "not_id_literal_", "annotation": ""}, "snippet": " not_id_literal_close = not_id_literal_(r'[a-zA-Z0-9_$}\\])\"\\047+-]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L244_C8", "label": "space_norm_sub =", "type": "assigned_variable", "loc": [244, 249], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [14, 2, 0.6304, 0.0153, 2, 0.48, 0.6, 392, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "space_norm_sub", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " space_norm_sub = _re.compile((\n r'(%(strings)s)'\n r'|(?:(%(pre_regex)s)%(space)s*(%(regex)s))'\n r'|(%(space)s)+'\n r'|(?:(%(newline)s)%(space)s*)+'\n ) % locals()).sub"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L251_C8", "label": "space_norm_subber", "type": "function", "loc": [251, 262], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [2, 2, 0.656, 0.0307, 2, 0.48, 0.6667, 607, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "space_norm_subber", "arg_names": ["match"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def space_norm_subber(match):\n \"\"\" Substitution callback \"\"\"\n # pylint: disable = C0321\n groups = match.groups()\n if groups[0]:\n return groups[0]\n elif groups[1]:\n return groups[1].replace('\\r', '\\n') + groups[2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L252_C12", "label": "expression", "type": "expression", "loc": [252, 252], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L251_C8", "vector": [8, 3, 0.6445, 0.0026, 3, 0.02, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" Substitution callback \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L254_C12", "label": "groups = groups()", "type": "assigned_variable", "loc": [254, 254], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L251_C8", "vector": [14, 3, 0.6496, 0.0026, 3, 0.02, 0.5, 161, 3, 0, 0, 0, 161, 10, 1], "semantic": {"name": "groups", "arg_names": [], "import_names": [], "rhs_call_name": "groups", "annotation": ""}, "snippet": " groups = match.groups()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L255_C12", "label": "if", "type": "if", "loc": [255, 262], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L251_C8", "vector": [4, 3, 0.6611, 0.0205, 3, 0.02, 1.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if groups[0]:\n return groups[0]\n elif groups[1]:\n return groups[1].replace('\\r', '\\n') + groups[2]\n elif groups[3]:\n return ' '\n elif groups[4]:\n return '\\n'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L256_C16", "label": "return", "type": "return", "loc": [256, 256], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L255_C12", "vector": [13, 4, 0.6547, 0.0026, 4, 0.75, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return groups[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L257_C12", "label": "if", "type": "if", "loc": [257, 262], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L255_C12", "vector": [4, 4, 0.6637, 0.0153, 4, 0.75, 1.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif groups[1]:\n return groups[1].replace('\\r', '\\n') + groups[2]\n elif groups[3]:\n return ' '\n elif groups[4]:\n return '\\n'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L258_C16", "label": "return", "type": "return", "loc": [258, 258], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L257_C12", "vector": [13, 5, 0.6598, 0.0026, 5, 0.69, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return groups[1].replace('\\r', '\\n') + groups[2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L259_C12", "label": "if", "type": "if", "loc": [259, 262], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L257_C12", "vector": [4, 5, 0.6662, 0.0102, 5, 0.69, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif groups[3]:\n return ' '\n elif groups[4]:\n return '\\n'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L260_C16", "label": "return", "type": "return", "loc": [260, 260], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L259_C12", "vector": [13, 6, 0.665, 0.0026, 6, 0.72, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ' '"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L261_C12", "label": "if", "type": "if", "loc": [261, 262], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L259_C12", "vector": [4, 6, 0.6688, 0.0051, 6, 0.72, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif groups[4]:\n return '\\n'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L262_C16", "label": "return", "type": "return", "loc": [262, 262], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L261_C12", "vector": [13, 7, 0.6701, 0.0026, 7, 0.77, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '\\n'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L264_C8", "label": "space_sub1 =", "type": "assigned_variable", "loc": [264, 268], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [14, 2, 0.6803, 0.0128, 2, 0.48, 0.7333, 804, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "space_sub1", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " space_sub1 = _re.compile((\n r'[\\040\\n]?(%(strings)s|%(pre_regex)s%(regex)s)'\n r'|\\040(%(not_id_literal)s)'\n r'|\\n(%(not_id_literal_open)s)'\n ) % locals()).sub"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L270_C8", "label": "space_subber1", "type": "function", "loc": [270, 273], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [2, 2, 0.6944, 0.0102, 2, 0.48, 0.8, 75, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "space_subber1", "arg_names": ["match"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def space_subber1(match):\n \"\"\" Substitution callback \"\"\"\n groups = match.groups()\n return groups[0] or groups[1] or groups[2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L271_C12", "label": "expression", "type": "expression", "loc": [271, 271], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L270_C8", "vector": [8, 3, 0.6931, 0.0026, 3, 0.63, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" Substitution callback \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L272_C12", "label": "groups = groups()", "type": "assigned_variable", "loc": [272, 272], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L270_C8", "vector": [14, 3, 0.6957, 0.0026, 3, 0.63, 0.5, 161, 3, 0, 0, 0, 161, 10, 1], "semantic": {"name": "groups", "arg_names": [], "import_names": [], "rhs_call_name": "groups", "annotation": ""}, "snippet": " groups = match.groups()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L273_C12", "label": "return", "type": "return", "loc": [273, 273], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L270_C8", "vector": [13, 3, 0.6982, 0.0026, 3, 0.63, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return groups[0] or groups[1] or groups[2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L275_C8", "label": "space_sub2 =", "type": "assigned_variable", "loc": [275, 280], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [14, 2, 0.7097, 0.0153, 2, 0.48, 0.8667, 445, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "space_sub2", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " space_sub2 = _re.compile((\n r'(%(strings)s)\\040?'\n r'|(%(pre_regex)s%(regex)s)[\\040\\n]?'\n r'|(%(not_id_literal)s)\\040'\n r'|(%(not_id_literal_close)s)\\n'\n ) % locals()).sub"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L282_C8", "label": "space_subber2", "type": "function", "loc": [282, 285], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [2, 2, 0.7251, 0.0102, 2, 0.48, 0.9333, 217, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "space_subber2", "arg_names": ["match"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def space_subber2(match):\n \"\"\" Substitution callback \"\"\"\n groups = match.groups()\n return groups[0] or groups[1] or groups[2] or groups[3]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L283_C12", "label": "expression", "type": "expression", "loc": [283, 283], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L282_C8", "vector": [8, 3, 0.7238, 0.0026, 3, 0.45, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" Substitution callback \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L284_C12", "label": "groups = groups()", "type": "assigned_variable", "loc": [284, 284], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L282_C8", "vector": [14, 3, 0.7263, 0.0026, 3, 0.45, 0.5, 161, 3, 0, 0, 0, 161, 10, 1], "semantic": {"name": "groups", "arg_names": [], "import_names": [], "rhs_call_name": "groups", "annotation": ""}, "snippet": " groups = match.groups()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L285_C12", "label": "return", "type": "return", "loc": [285, 285], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L282_C8", "vector": [13, 3, 0.7289, 0.0026, 3, 0.45, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return groups[0] or groups[1] or groups[2] or groups[3]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L287_C8", "label": "jsmin", "type": "function", "loc": [287, 317], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "vector": [2, 2, 0.7724, 0.0793, 2, 0.48, 1.0, 275, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "jsmin", "arg_names": ["script"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def jsmin(script):\n r\"\"\"\n Minify javascript based on `jsmin.c by Douglas Crockford`_\\.\n\n Instead of parsing the stream char by char, it uses a regular\n expression approach. The script is minified with three passes:\n\n normalization"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L288_C12", "label": "expression", "type": "expression", "loc": [288, 311], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L287_C8", "vector": [8, 3, 0.766, 0.0614, 3, 0.08, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " r\"\"\"\n Minify javascript based on `jsmin.c by Douglas Crockford`_\\.\n\n Instead of parsing the stream char by char, it uses a regular\n expression approach. The script is minified with three passes:\n\n normalization\n Control character are mapped to spaces, spaces and newlines"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L312_C12", "label": "return", "type": "return", "loc": [312, 317], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L287_C8", "vector": [13, 3, 0.8043, 0.0153, 3, 0.08, 1.0, 0, 3, 0, 0, 0, 0, 10, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return space_sub2(space_subber2,\n space_sub1(space_subber1,\n space_norm_sub(space_norm_subber,\n '\\n%s\\n' % script)\n )\n ).strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L318_C4", "label": "return", "type": "return", "loc": [318, 318], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "vector": [13, 1, 0.8133, 0.0026, 1, 0.68, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return jsmin"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L320_C0", "label": "jsmin = _make_jsmin()", "type": "assigned_variable", "loc": [320, 320], "level": 0, "parent": null, "vector": [14, 0, 0.8184, 0.0026, 0, 0.66, 0.8182, 275, 3, 0, 0, 0, 156, 10, 1], "semantic": {"name": "jsmin", "arg_names": [], "import_names": [], "rhs_call_name": "_make_jsmin", "annotation": ""}, "snippet": "jsmin = _make_jsmin()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L331_C0", "label": "jsmin_for_posers", "type": "function", "loc": [331, 386], "level": 0, "parent": null, "vector": [2, 0, 0.9169, 0.1432, 0, 0.66, 0.9091, 347, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "jsmin_for_posers", "arg_names": ["script"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def jsmin_for_posers(script):\n r\"\"\"\n Minify javascript based on `jsmin.c by Douglas Crockford`_\\.\n\n Instead of parsing the stream char by char, it uses a regular\n expression approach which minifies the whole script with one big\n substitution regex.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L332_C4", "label": "expression", "type": "expression", "loc": [332, 352], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L331_C0", "vector": [8, 1, 0.8747, 0.0537, 1, 0.24, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " r\"\"\"\n Minify javascript based on `jsmin.c by Douglas Crockford`_\\.\n\n Instead of parsing the stream char by char, it uses a regular\n expression approach which minifies the whole script with one big\n substitution regex.\n\n .. _jsmin.c by Douglas Crockford:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L353_C4", "label": "subber", "type": "function", "loc": [353, 364], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L331_C0", "vector": [2, 1, 0.9169, 0.0307, 1, 0.24, 0.5, 261, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "subber", "arg_names": ["match"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def subber(match):\n \"\"\" Substitution callback \"\"\"\n groups = match.groups()\n return (\n groups[0] or\n groups[1] or\n groups[2] or\n groups[3] or"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L354_C8", "label": "expression", "type": "expression", "loc": [354, 354], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L353_C4", "vector": [8, 2, 0.9054, 0.0026, 2, 0.14, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" Substitution callback \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L355_C8", "label": "groups = groups()", "type": "assigned_variable", "loc": [355, 355], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L353_C4", "vector": [14, 2, 0.9079, 0.0026, 2, 0.14, 0.5, 161, 3, 0, 0, 0, 161, 10, 1], "semantic": {"name": "groups", "arg_names": [], "import_names": [], "rhs_call_name": "groups", "annotation": ""}, "snippet": " groups = match.groups()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L356_C8", "label": "return", "type": "return", "loc": [356, 364], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L353_C4", "vector": [13, 2, 0.9207, 0.023, 2, 0.14, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (\n groups[0] or\n groups[1] or\n groups[2] or\n groups[3] or\n (groups[4] and '\\n') or\n (groups[5] and ' ') or\n ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L366_C4", "label": "return", "type": "return", "loc": [366, 386], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L331_C0", "vector": [13, 1, 0.9616, 0.0537, 1, 0.24, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _re.sub(\n r'([^\\047\"/\\000-\\040]+)|((?:(?:\\047[^\\047\\\\\\r\\n]*(?:\\\\(?:[^\\r\\n]|\\r?'\n r'\\n|\\r)[^\\047\\\\\\r\\n]*)*\\047)|(?:\"[^\"\\\\\\r\\n]*(?:\\\\(?:[^\\r\\n]|\\r?\\n|'\n r'\\r)[^\"\\\\\\r\\n]*)*\"))[^\\047\"/\\000-\\040]*)|(?:(?<=[(,=:\\[!&|?{};\\r\\n]'\n r')(?:[\\000-\\011\\013\\014\\016-\\040]|(?:/\\*[^*]*\\*+(?:[^/*][^*]*\\*+)*/'\n r'))*((?:/(?![\\r\\n/*])[^/\\\\\\[\\r\\n]*(?:(?:\\\\[^\\r\\n]|(?:\\[[^\\\\\\]\\r\\n]*'\n r'(?:\\\\[^\\r\\n][^\\\\\\]\\r\\n]*)*\\]))[^/\\\\\\[\\r\\n]*)*/)[^\\047\"/\\000-\\040]*'\n r'))|(?:(?<=[\\000-#%-,./:-@\\[-^`{-~-]return)(?:[\\000-\\011\\013\\014\\01'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:If_L389_C0", "label": "if", "type": "if", "loc": [389, 391], "level": 0, "parent": null, "vector": [4, 0, 0.9974, 0.0077, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == '__main__':\n import sys as _sys\n _sys.stdout.write(jsmin(_sys.stdin.read()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Import_L390_C4", "label": "sys import _sys", "type": "import", "loc": [390, 390], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L389_C0", "vector": [1, 1, 0.9974, 0.0026, 1, 0.66, 0.0, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["_sys"], "rhs_call_name": "", "annotation": ""}, "snippet": " import sys as _sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L391_C4", "label": "write()", "type": "expression", "loc": [391, 391], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_505:If_L389_C0", "vector": [8, 1, 1.0, 0.0026, 1, 0.66, 1.0, 837, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " _sys.stdout.write(jsmin(_sys.stdin.read()))"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L68_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L89_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L89_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Try_L90_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:Try_L90_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Import_L91_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:Try_L90_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L95_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Try_L96_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:Try_L96_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L97_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:Try_L96_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L99_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L101_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L103_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L104_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L105_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L107_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L108_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L110_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L111_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L112_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L112_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L113_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L112_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L117_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L112_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L120_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L122_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L123_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L125_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L125_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L126_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L125_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L127_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L125_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L128_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L129_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L125_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L131_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L131_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L132_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L131_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L137_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L131_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:For_L138_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:For_L138_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L139_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L139_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L140_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L139_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L141_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L141_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L142_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L141_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L144_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L141_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L145_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L131_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L146_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L146_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L147_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L131_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L148_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L125_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L154_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L162_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L162_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L163_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L162_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L164_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L162_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L165_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L162_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L168_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L170_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L170_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L171_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L170_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L172_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L170_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L173_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L170_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L176_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L178_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L179_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L180_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L183_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L184_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L185_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L187_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L200_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L200_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L201_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L200_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L203_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L200_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L204_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L204_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L205_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L204_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L206_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L206_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L207_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L206_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L208_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L208_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L209_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L208_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L210_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L210_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L211_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L210_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L212_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L212_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L213_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L212_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L214_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L214_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L215_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L214_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L217_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L219_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L219_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L220_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L219_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L237_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L240_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L241_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L242_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L244_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L251_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L251_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L252_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L251_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L254_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L251_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L255_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L255_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L256_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L255_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L257_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L257_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L258_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L257_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L259_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L259_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L260_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L259_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:If_L261_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L261_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L262_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L264_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L270_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L270_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L271_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L270_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L272_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L270_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L273_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L275_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L282_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L282_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L283_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L282_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L284_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L282_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L285_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L287_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L287_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L288_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L287_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L312_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L318_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L332_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L353_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L353_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L354_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L353_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Assign_L355_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L353_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L356_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:FunctionDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Return_L366_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L389_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Import_L390_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_505:If_L389_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_505:Expr_L391_C4"}]
"""Simple AES cipher implementation in pure Python following PEP-272 API Homepage: https://bitbucket.org/intgr/pyaes/ The goal of this module is to be as fast as reasonable in Python while still being Pythonic and readable/understandable. It is licensed under the permissive MIT license. Hopefully the code is readable and commented enough that it can serve as an introduction to the AES cipher for Python coders. In fact, it should go along well with the Stick Figure Guide to AES: http://www.moserware.com/2009/09/stick-figure-guide-to-advanced.html Contrary to intuition, this implementation numbers the 4x4 matrices from top to bottom for efficiency reasons:: 0 4 8 12 1 5 9 13 2 6 10 14 3 7 11 15 Effectively it's the transposition of what you'd expect. This actually makes the code simpler -- except the ShiftRows step, but hopefully the explanation there clears it up. """ #### # Copyright (c) 2010 Marti Raudsepp <marti@juffo.org> # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell # copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in # all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN # THE SOFTWARE. #### from array import array # Globals mandated by PEP 272: # http://www.python.org/dev/peps/pep-0272/ MODE_ECB = 1 MODE_CBC = 2 #MODE_CTR = 6 block_size = 16 key_size = None def new(key, mode=MODE_CBC, IV=None): if mode == MODE_ECB: return ECBMode(AES(key)) elif mode == MODE_CBC: if IV is None: raise ValueError("CBC mode needs an IV value!") return CBCMode(AES(key), IV) else: raise NotImplementedError #### AES cipher implementation class AES(object): block_size = 16 def __init__(self, key): self.setkey(key) def setkey(self, key): """Sets the key and performs key expansion.""" self.key = key self.key_size = len(key) if self.key_size == 16: self.rounds = 10 elif self.key_size == 24: self.rounds = 12 elif self.key_size == 32: self.rounds = 14 else: raise ValueError("Key length must be 16, 24 or 32 bytes") self.expand_key() def expand_key(self): """Performs AES key expansion on self.key and stores in self.exkey""" # The key schedule specifies how parts of the key are fed into the # cipher's round functions. "Key expansion" means performing this # schedule in advance. Almost all implementations do this. # # Here's a description of AES key schedule: # http://en.wikipedia.org/wiki/Rijndael_key_schedule # The expanded key starts with the actual key itself exkey = array('B', self.key) # extra key expansion steps if self.key_size == 16: extra_cnt = 0 elif self.key_size == 24: extra_cnt = 2 else: extra_cnt = 3 # 4-byte temporary variable for key expansion word = exkey[-4:] # Each expansion cycle uses 'i' once for Rcon table lookup for i in xrange(1, 11): #### key schedule core: # left-rotate by 1 byte word = word[1:4] + word[0:1] # apply S-box to all bytes for j in xrange(4): word[j] = aes_sbox[word[j]] # apply the Rcon table to the leftmost byte word[0] = word[0] ^ aes_Rcon[i] #### end key schedule core for z in xrange(4): for j in xrange(4): # mix in bytes from the last subkey word[j] ^= exkey[-self.key_size + j] exkey.extend(word) # Last key expansion cycle always finishes here if len(exkey) >= (self.rounds+1) * self.block_size: break # Special substitution step for 256-bit key if self.key_size == 32: for j in xrange(4): # mix in bytes from the last subkey XORed with S-box of # current word bytes word[j] = aes_sbox[word[j]] ^ exkey[-self.key_size + j] exkey.extend(word) # Twice for 192-bit key, thrice for 256-bit key for z in xrange(extra_cnt): for j in xrange(4): # mix in bytes from the last subkey word[j] ^= exkey[-self.key_size + j] exkey.extend(word) self.exkey = exkey def add_round_key(self, block, round): """AddRoundKey step in AES. This is where the key is mixed into plaintext""" offset = round * 16 exkey = self.exkey for i in xrange(16): block[i] ^= exkey[offset + i] #print 'AddRoundKey:', block def sub_bytes(self, block, sbox): """SubBytes step, apply S-box to all bytes Depending on whether encrypting or decrypting, a different sbox array is passed in. """ for i in xrange(16): block[i] = sbox[block[i]] #print 'SubBytes :', block def shift_rows(self, b): """ShiftRows step. Shifts 2nd row to left by 1, 3rd row by 2, 4th row by 3 Since we're performing this on a transposed matrix, cells are numbered from top to bottom:: 0 4 8 12 -> 0 4 8 12 -- 1st row doesn't change 1 5 9 13 -> 5 9 13 1 -- row shifted to left by 1 (wraps around) 2 6 10 14 -> 10 14 2 6 -- shifted by 2 3 7 11 15 -> 15 3 7 11 -- shifted by 3 """ b[1], b[5], b[ 9], b[13] = b[ 5], b[ 9], b[13], b[ 1] b[2], b[6], b[10], b[14] = b[10], b[14], b[ 2], b[ 6] b[3], b[7], b[11], b[15] = b[15], b[ 3], b[ 7], b[11] #print 'ShiftRows :', b def shift_rows_inv(self, b): """Similar to shift_rows above, but performed in inverse for decryption.""" b[ 5], b[ 9], b[13], b[ 1] = b[1], b[5], b[ 9], b[13] b[10], b[14], b[ 2], b[ 6] = b[2], b[6], b[10], b[14] b[15], b[ 3], b[ 7], b[11] = b[3], b[7], b[11], b[15] #print 'ShiftRows :', b def mix_columns(self, block): """MixColumns step. Mixes the values in each column""" # Cache global multiplication tables (see below) mul_by_2 = gf_mul_by_2 mul_by_3 = gf_mul_by_3 # Since we're dealing with a transposed matrix, columns are already # sequential for i in xrange(4): col = i * 4 #v0, v1, v2, v3 = block[col : col+4] v0, v1, v2, v3 = (block[col], block[col + 1], block[col + 2], block[col + 3]) block[col ] = mul_by_2[v0] ^ v3 ^ v2 ^ mul_by_3[v1] block[col+1] = mul_by_2[v1] ^ v0 ^ v3 ^ mul_by_3[v2] block[col+2] = mul_by_2[v2] ^ v1 ^ v0 ^ mul_by_3[v3] block[col+3] = mul_by_2[v3] ^ v2 ^ v1 ^ mul_by_3[v0] #print 'MixColumns :', block def mix_columns_inv(self, block): """Similar to mix_columns above, but performed in inverse for decryption.""" # Cache global multiplication tables (see below) mul_9 = gf_mul_by_9 mul_11 = gf_mul_by_11 mul_13 = gf_mul_by_13 mul_14 = gf_mul_by_14 # Since we're dealing with a transposed matrix, columns are already # sequential for i in xrange(4): col = i * 4 v0, v1, v2, v3 = (block[col], block[col + 1], block[col + 2], block[col + 3]) #v0, v1, v2, v3 = block[col:col+4] block[col ] = mul_14[v0] ^ mul_9[v3] ^ mul_13[v2] ^ mul_11[v1] block[col+1] = mul_14[v1] ^ mul_9[v0] ^ mul_13[v3] ^ mul_11[v2] block[col+2] = mul_14[v2] ^ mul_9[v1] ^ mul_13[v0] ^ mul_11[v3] block[col+3] = mul_14[v3] ^ mul_9[v2] ^ mul_13[v1] ^ mul_11[v0] #print 'MixColumns :', block def encrypt_block(self, block): """Encrypts a single block. This is the main AES function""" # For efficiency reasons, the state between steps is transmitted via a # mutable array, not returned. self.add_round_key(block, 0) for round in xrange(1, self.rounds): self.sub_bytes(block, aes_sbox) self.shift_rows(block) self.mix_columns(block) self.add_round_key(block, round) self.sub_bytes(block, aes_sbox) self.shift_rows(block) # no mix_columns step in the last round self.add_round_key(block, self.rounds) def decrypt_block(self, block): """Decrypts a single block. This is the main AES decryption function""" # For efficiency reasons, the state between steps is transmitted via a # mutable array, not returned. self.add_round_key(block, self.rounds) # count rounds down from 15 ... 1 for round in xrange(self.rounds-1, 0, -1): self.shift_rows_inv(block) self.sub_bytes(block, aes_inv_sbox) self.add_round_key(block, round) self.mix_columns_inv(block) self.shift_rows_inv(block) self.sub_bytes(block, aes_inv_sbox) self.add_round_key(block, 0) # no mix_columns step in the last round #### ECB mode implementation class ECBMode(object): """Electronic CodeBook (ECB) mode encryption. Basically this mode applies the cipher function to each block individually; no feedback is done. NB! This is insecure for almost all purposes """ def __init__(self, cipher): self.cipher = cipher self.block_size = cipher.block_size def ecb(self, data, block_func): """Perform ECB mode with the given function""" if len(data) % self.block_size != 0: raise ValueError("Plaintext length must be multiple of 16") block_size = self.block_size data = array('B', data) for offset in xrange(0, len(data), block_size): block = data[offset : offset+block_size] block_func(block) data[offset : offset+block_size] = block return data.tostring() def encrypt(self, data): """Encrypt data in ECB mode""" return self.ecb(data, self.cipher.encrypt_block) def decrypt(self, data): """Decrypt data in ECB mode""" return self.ecb(data, self.cipher.decrypt_block) #### CBC mode class CBCMode(object): """Cipher Block Chaining (CBC) mode encryption. This mode avoids content leaks. In CBC encryption, each plaintext block is XORed with the ciphertext block preceding it; decryption is simply the inverse. """ # A better explanation of CBC can be found here: # http://en.wikipedia.org/wiki/Block_cipher_modes_of_operation#Cipher-block_chaining_.28CBC.29 def __init__(self, cipher, IV): self.cipher = cipher self.block_size = cipher.block_size self.IV = array('B', IV) def encrypt(self, data): """Encrypt data in CBC mode""" block_size = self.block_size if len(data) % block_size != 0: raise ValueError("Plaintext length must be multiple of 16") data = array('B', data) IV = self.IV for offset in xrange(0, len(data), block_size): block = data[offset : offset+block_size] # Perform CBC chaining for i in xrange(block_size): block[i] ^= IV[i] self.cipher.encrypt_block(block) data[offset : offset+block_size] = block IV = block self.IV = IV return data.tostring() def decrypt(self, data): """Decrypt data in CBC mode""" block_size = self.block_size if len(data) % block_size != 0: raise ValueError("Ciphertext length must be multiple of 16") data = array('B', data) IV = self.IV for offset in xrange(0, len(data), block_size): ctext = data[offset : offset+block_size] block = ctext[:] self.cipher.decrypt_block(block) # Perform CBC chaining #for i in xrange(block_size): # data[offset + i] ^= IV[i] for i in xrange(block_size): block[i] ^= IV[i] data[offset : offset+block_size] = block IV = ctext #data[offset : offset+block_size] = block self.IV = IV return data.tostring() #### def galois_multiply(a, b): """Galois Field multiplicaiton for AES""" p = 0 while b: if b & 1: p ^= a a <<= 1 if a & 0x100: a ^= 0x1b b >>= 1 return p & 0xff # Precompute the multiplication tables for encryption gf_mul_by_2 = array('B', [galois_multiply(x, 2) for x in range(256)]) gf_mul_by_3 = array('B', [galois_multiply(x, 3) for x in range(256)]) # ... for decryption gf_mul_by_9 = array('B', [galois_multiply(x, 9) for x in range(256)]) gf_mul_by_11 = array('B', [galois_multiply(x, 11) for x in range(256)]) gf_mul_by_13 = array('B', [galois_multiply(x, 13) for x in range(256)]) gf_mul_by_14 = array('B', [galois_multiply(x, 14) for x in range(256)]) #### # The S-box is a 256-element array, that maps a single byte value to another # byte value. Since it's designed to be reversible, each value occurs only once # in the S-box # # More information: http://en.wikipedia.org/wiki/Rijndael_S-box aes_sbox = array('B', '637c777bf26b6fc53001672bfed7ab76' 'ca82c97dfa5947f0add4a2af9ca472c0' 'b7fd9326363ff7cc34a5e5f171d83115' '04c723c31896059a071280e2eb27b275' '09832c1a1b6e5aa0523bd6b329e32f84' '53d100ed20fcb15b6acbbe394a4c58cf' 'd0efaafb434d338545f9027f503c9fa8' '51a3408f929d38f5bcb6da2110fff3d2' 'cd0c13ec5f974417c4a77e3d645d1973' '60814fdc222a908846eeb814de5e0bdb' 'e0323a0a4906245cc2d3ac629195e479' 'e7c8376d8dd54ea96c56f4ea657aae08' 'ba78252e1ca6b4c6e8dd741f4bbd8b8a' '703eb5664803f60e613557b986c11d9e' 'e1f8981169d98e949b1e87e9ce5528df' '8ca1890dbfe6426841992d0fb054bb16'.decode('hex') ) # This is the inverse of the above. In other words: # aes_inv_sbox[aes_sbox[val]] == val aes_inv_sbox = array('B', '52096ad53036a538bf40a39e81f3d7fb' '7ce339829b2fff87348e4344c4dee9cb' '547b9432a6c2233dee4c950b42fac34e' '082ea16628d924b2765ba2496d8bd125' '72f8f66486689816d4a45ccc5d65b692' '6c704850fdedb9da5e154657a78d9d84' '90d8ab008cbcd30af7e45805b8b34506' 'd02c1e8fca3f0f02c1afbd0301138a6b' '3a9111414f67dcea97f2cfcef0b4e673' '96ac7422e7ad3585e2f937e81c75df6e' '47f11a711d29c5896fb7620eaa18be1b' 'fc563e4bc6d279209adbc0fe78cd5af4' '1fdda8338807c731b11210592780ec5f' '60517fa919b54a0d2de57a9f93c99cef' 'a0e03b4dae2af5b0c8ebbb3c83539961' '172b047eba77d626e169146355210c7d'.decode('hex') ) # The Rcon table is used in AES's key schedule (key expansion) # It's a pre-computed table of exponentation of 2 in AES's finite field # # More information: http://en.wikipedia.org/wiki/Rijndael_key_schedule aes_Rcon = array('B', '8d01020408102040801b366cd8ab4d9a' '2f5ebc63c697356ad4b37dfaefc59139' '72e4d3bd61c29f254a943366cc831d3a' '74e8cb8d01020408102040801b366cd8' 'ab4d9a2f5ebc63c697356ad4b37dfaef' 'c5913972e4d3bd61c29f254a943366cc' '831d3a74e8cb8d01020408102040801b' '366cd8ab4d9a2f5ebc63c697356ad4b3' '7dfaefc5913972e4d3bd61c29f254a94' '3366cc831d3a74e8cb8d010204081020' '40801b366cd8ab4d9a2f5ebc63c69735' '6ad4b37dfaefc5913972e4d3bd61c29f' '254a943366cc831d3a74e8cb8d010204' '08102040801b366cd8ab4d9a2f5ebc63' 'c697356ad4b37dfaefc5913972e4d3bd' '61c29f254a943366cc831d3a74e8cb'.decode('hex') )
ajibawa-2023/Python-Code-Large/train/row_506
190
502
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 26], "level": 0, "parent": null, "vector": [8, 0, 0.0269, 0.0518, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"Simple AES cipher implementation in pure Python following PEP-272 API\n\nHomepage: https://bitbucket.org/intgr/pyaes/\n\nThe goal of this module is to be as fast as reasonable in Python while still\nbeing Pythonic and readable/understandable. It is licensed under the permissive\nMIT license.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:ImportFrom_L51_C0", "label": "from array import array", "type": "import", "loc": [51, 51], "level": 0, "parent": null, "vector": [1, 0, 0.1016, 0.002, 0, 0.66, 0.0526, 80, 0, 1, 0, 0, 80, 0, 0], "semantic": {"name": "array", "arg_names": [], "import_names": ["array"], "rhs_call_name": "", "annotation": ""}, "snippet": "from array import array"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L55_C0", "label": "MODE_ECB =", "type": "assigned_variable", "loc": [55, 55], "level": 0, "parent": null, "vector": [14, 0, 0.1096, 0.002, 0, 0.66, 0.1053, 451, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MODE_ECB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MODE_ECB = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L56_C0", "label": "MODE_CBC =", "type": "assigned_variable", "loc": [56, 56], "level": 0, "parent": null, "vector": [14, 0, 0.1116, 0.002, 0, 0.66, 0.1579, 44, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MODE_CBC", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MODE_CBC = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L59_C0", "label": "block_size =", "type": "assigned_variable", "loc": [59, 59], "level": 0, "parent": null, "vector": [14, 0, 0.1175, 0.002, 0, 0.66, 0.2105, 636, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "block_size", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "block_size = 16"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L60_C0", "label": "key_size =", "type": "assigned_variable", "loc": [60, 60], "level": 0, "parent": null, "vector": [14, 0, 0.1195, 0.002, 0, 0.66, 0.2632, 648, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "key_size", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "key_size = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L62_C0", "label": "new", "type": "function", "loc": [62, 71], "level": 0, "parent": null, "vector": [2, 0, 0.1325, 0.0199, 0, 0.66, 0.3158, 145, 0, 3, 1, 0, 0, 0, 5], "semantic": {"name": "new", "arg_names": ["key", "mode", "IV"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def new(key, mode=MODE_CBC, IV=None):\n if mode == MODE_ECB:\n return ECBMode(AES(key))\n elif mode == MODE_CBC:\n if IV is None:\n raise ValueError(\"CBC mode needs an IV value!\")\n\n return CBCMode(AES(key), IV)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L63_C4", "label": "if", "type": "if", "loc": [63, 71], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L62_C0", "vector": [4, 1, 0.1335, 0.0179, 1, 0.7, 0.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if mode == MODE_ECB:\n return ECBMode(AES(key))\n elif mode == MODE_CBC:\n if IV is None:\n raise ValueError(\"CBC mode needs an IV value!\")\n\n return CBCMode(AES(key), IV)\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L64_C8", "label": "return", "type": "return", "loc": [64, 64], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L63_C4", "vector": [13, 2, 0.1275, 0.002, 2, 0.74, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ECBMode(AES(key))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L65_C4", "label": "if", "type": "if", "loc": [65, 71], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L63_C4", "vector": [4, 2, 0.1355, 0.0139, 2, 0.74, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif mode == MODE_CBC:\n if IV is None:\n raise ValueError(\"CBC mode needs an IV value!\")\n\n return CBCMode(AES(key), IV)\n else:\n raise NotImplementedError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L66_C8", "label": "if", "type": "if", "loc": [66, 67], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L65_C4", "vector": [4, 3, 0.1325, 0.004, 3, 0.71, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if IV is None:\n raise ValueError(\"CBC mode needs an IV value!\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L69_C8", "label": "return", "type": "return", "loc": [69, 69], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L65_C4", "vector": [13, 3, 0.1375, 0.002, 3, 0.71, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return CBCMode(AES(key), IV)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "label": "AES", "type": "class", "loc": [75, 295], "level": 0, "parent": null, "vector": [3, 0, 0.3685, 0.4402, 0, 0.66, 0.3684, 859, 0, 11, 0, 0, 186, 0, 38], "semantic": {"name": "AES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class AES(object):\n block_size = 16\n\n def __init__(self, key):\n self.setkey(key)\n\n def setkey(self, key):\n \"\"\"Sets the key and performs key expansion.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L76_C4", "label": "block_size =", "type": "assigned_variable", "loc": [76, 76], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "vector": [14, 1, 0.1514, 0.002, 1, 0.56, 0.0, 636, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "block_size", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block_size = 16"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L78_C4", "label": "__init__", "type": "function", "loc": [78, 79], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "vector": [2, 1, 0.1564, 0.004, 1, 0.56, 0.0909, 555, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, key):\n self.setkey(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L79_C8", "label": "setkey()", "type": "expression", "loc": [79, 79], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L78_C4", "vector": [8, 2, 0.1574, 0.002, 2, 0.65, 0.0, 268, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "setkey", "arg_names": [], "import_names": [], "rhs_call_name": "setkey", "annotation": ""}, "snippet": " self.setkey(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L81_C4", "label": "setkey", "type": "function", "loc": [81, 96], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "vector": [2, 1, 0.1763, 0.0319, 1, 0.56, 0.1818, 268, 0, 2, 0, 0, 0, 0, 3], "semantic": {"name": "setkey", "arg_names": ["self", "key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def setkey(self, key):\n \"\"\"Sets the key and performs key expansion.\"\"\"\n\n self.key = key\n self.key_size = len(key)\n\n if self.key_size == 16:\n self.rounds = 10"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L82_C8", "label": "expression", "type": "expression", "loc": [82, 82], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L81_C4", "vector": [8, 2, 0.1633, 0.002, 2, 0.59, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Sets the key and performs key expansion.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L84_C8", "label": "self.key =", "type": "assigned_variable", "loc": [84, 84], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L81_C4", "vector": [14, 2, 0.1673, 0.002, 2, 0.59, 0.25, 605, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.key = key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L85_C8", "label": "self.key_size = len()", "type": "assigned_variable", "loc": [85, 85], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L81_C4", "vector": [14, 2, 0.1693, 0.002, 2, 0.59, 0.5, 943, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "self.key_size", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " self.key_size = len(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L87_C8", "label": "if", "type": "if", "loc": [87, 94], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L81_C4", "vector": [4, 2, 0.1803, 0.0159, 2, 0.59, 0.75, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.key_size == 16:\n self.rounds = 10\n elif self.key_size == 24:\n self.rounds = 12\n elif self.key_size == 32:\n self.rounds = 14\n else:\n raise ValueError(\"Key length must be 16, 24 or 32 bytes\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L88_C12", "label": "self.rounds =", "type": "assigned_variable", "loc": [88, 88], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L87_C8", "vector": [14, 3, 0.1753, 0.002, 3, 0.8, 0.0, 681, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.rounds", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.rounds = 10"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L89_C8", "label": "if", "type": "if", "loc": [89, 94], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L87_C8", "vector": [4, 3, 0.1823, 0.012, 3, 0.8, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif self.key_size == 24:\n self.rounds = 12\n elif self.key_size == 32:\n self.rounds = 14\n else:\n raise ValueError(\"Key length must be 16, 24 or 32 bytes\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L90_C12", "label": "self.rounds =", "type": "assigned_variable", "loc": [90, 90], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L89_C8", "vector": [14, 4, 0.1793, 0.002, 4, 0.3, 0.0, 681, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.rounds", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.rounds = 12"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L91_C8", "label": "if", "type": "if", "loc": [91, 94], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L89_C8", "vector": [4, 4, 0.1843, 0.008, 4, 0.3, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif self.key_size == 32:\n self.rounds = 14\n else:\n raise ValueError(\"Key length must be 16, 24 or 32 bytes\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L92_C12", "label": "self.rounds =", "type": "assigned_variable", "loc": [92, 92], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L91_C8", "vector": [14, 5, 0.1833, 0.002, 5, 0.66, 0.0, 681, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.rounds", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.rounds = 14"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L96_C8", "label": "expand_key()", "type": "expression", "loc": [96, 96], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L81_C4", "vector": [8, 2, 0.1912, 0.002, 2, 0.59, 1.0, 105, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "expand_key", "arg_names": [], "import_names": [], "rhs_call_name": "expand_key", "annotation": ""}, "snippet": " self.expand_key()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "label": "expand_key", "type": "function", "loc": [98, 161], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "vector": [2, 1, 0.258, 0.1275, 1, 0.56, 0.2727, 105, 0, 1, 0, 0, 0, 0, 12], "semantic": {"name": "expand_key", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def expand_key(self):\n \"\"\"Performs AES key expansion on self.key and stores in self.exkey\"\"\"\n\n # The key schedule specifies how parts of the key are fed into the\n # cipher's round functions. \"Key expansion\" means performing this\n # schedule in advance. Almost all implementations do this.\n #\n # Here's a description of AES key schedule:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L99_C8", "label": "expression", "type": "expression", "loc": [99, 99], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "vector": [8, 2, 0.1972, 0.002, 2, 0.3, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Performs AES key expansion on self.key and stores in self.exkey\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L109_C8", "label": "exkey = array()", "type": "assigned_variable", "loc": [109, 109], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "vector": [14, 2, 0.2171, 0.002, 2, 0.3, 0.2, 228, 3, 2, 0, 0, 80, 10, 1], "semantic": {"name": "exkey", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": " exkey = array('B', self.key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L112_C8", "label": "if", "type": "if", "loc": [112, 117], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "vector": [4, 2, 0.2281, 0.012, 2, 0.3, 0.4, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.key_size == 16:\n extra_cnt = 0\n elif self.key_size == 24:\n extra_cnt = 2\n else:\n extra_cnt = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L113_C12", "label": "extra_cnt =", "type": "assigned_variable", "loc": [113, 113], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L112_C8", "vector": [14, 3, 0.2251, 0.002, 3, 0.42, 0.0, 638, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "extra_cnt", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " extra_cnt = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L114_C8", "label": "if", "type": "if", "loc": [114, 117], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L112_C8", "vector": [4, 3, 0.2301, 0.008, 3, 0.42, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif self.key_size == 24:\n extra_cnt = 2\n else:\n extra_cnt = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L115_C12", "label": "extra_cnt =", "type": "assigned_variable", "loc": [115, 115], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L114_C8", "vector": [14, 4, 0.2291, 0.002, 4, 0.16, 0.0, 638, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "extra_cnt", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " extra_cnt = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L117_C12", "label": "extra_cnt =", "type": "assigned_variable", "loc": [117, 117], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L114_C8", "vector": [14, 4, 0.2331, 0.002, 4, 0.16, 1.0, 638, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "extra_cnt", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " extra_cnt = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L120_C8", "label": "word =", "type": "assigned_variable", "loc": [120, 120], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "vector": [14, 2, 0.239, 0.002, 2, 0.3, 0.6, 107, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "word", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " word = exkey[-4:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "label": "for i", "type": "for", "loc": [122, 159], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "vector": [6, 2, 0.2799, 0.0757, 2, 0.3, 0.8, 826, 3, 0, 0, 0, 0, 0, 11], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in xrange(1, 11):\n\n #### key schedule core:\n # left-rotate by 1 byte\n word = word[1:4] + word[0:1]\n\n # apply S-box to all bytes\n for j in xrange(4):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L126_C12", "label": "word =", "type": "assigned_variable", "loc": [126, 126], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "vector": [14, 3, 0.251, 0.002, 3, 0.95, 0.0, 107, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "word", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " word = word[1:4] + word[0:1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L129_C12", "label": "for j", "type": "for", "loc": [129, 130], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "vector": [6, 3, 0.258, 0.004, 3, 0.95, 0.1667, 100, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "j", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for j in xrange(4):\n word[j] = aes_sbox[word[j]]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L130_C16", "label": "assign", "type": "assigned_variable", "loc": [130, 130], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L129_C12", "vector": [14, 4, 0.259, 0.002, 4, 0.77, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " word[j] = aes_sbox[word[j]]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L133_C12", "label": "assign", "type": "assigned_variable", "loc": [133, 133], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "vector": [14, 3, 0.2649, 0.002, 3, 0.95, 0.3333, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " word[0] = word[0] ^ aes_Rcon[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L136_C12", "label": "for z", "type": "for", "loc": [136, 140], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "vector": [6, 3, 0.2749, 0.01, 3, 0.95, 0.5, 859, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "z", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for z in xrange(4):\n for j in xrange(4):\n # mix in bytes from the last subkey\n word[j] ^= exkey[-self.key_size + j]\n exkey.extend(word)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L137_C16", "label": "for j", "type": "for", "loc": [137, 139], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L136_C12", "vector": [6, 4, 0.2749, 0.006, 4, 0.29, 0.0, 100, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "j", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for j in xrange(4):\n # mix in bytes from the last subkey\n word[j] ^= exkey[-self.key_size + j]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L140_C16", "label": "extend()", "type": "expression", "loc": [140, 140], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L136_C12", "vector": [8, 4, 0.2789, 0.002, 4, 0.29, 1.0, 660, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "extend", "arg_names": [], "import_names": [], "rhs_call_name": "extend", "annotation": ""}, "snippet": " exkey.extend(word)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L143_C12", "label": "if", "type": "if", "loc": [143, 144], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "vector": [4, 3, 0.2859, 0.004, 3, 0.95, 0.6667, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(exkey) >= (self.rounds+1) * self.block_size:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L147_C12", "label": "if", "type": "if", "loc": [147, 152], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "vector": [4, 3, 0.2978, 0.012, 3, 0.95, 0.8333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.key_size == 32:\n for j in xrange(4):\n # mix in bytes from the last subkey XORed with S-box of\n # current word bytes\n word[j] = aes_sbox[word[j]] ^ exkey[-self.key_size + j]\n exkey.extend(word)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L148_C16", "label": "for j", "type": "for", "loc": [148, 151], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L147_C12", "vector": [6, 4, 0.2978, 0.008, 4, 0.5, 0.0, 100, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "j", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for j in xrange(4):\n # mix in bytes from the last subkey XORed with S-box of\n # current word bytes\n word[j] = aes_sbox[word[j]] ^ exkey[-self.key_size + j]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L151_C20", "label": "assign", "type": "assigned_variable", "loc": [151, 151], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L148_C16", "vector": [14, 5, 0.3008, 0.002, 5, 0.94, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " word[j] = aes_sbox[word[j]] ^ exkey[-self.key_size + j]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L152_C16", "label": "extend()", "type": "expression", "loc": [152, 152], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:If_L147_C12", "vector": [8, 4, 0.3028, 0.002, 4, 0.5, 1.0, 660, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "extend", "arg_names": [], "import_names": [], "rhs_call_name": "extend", "annotation": ""}, "snippet": " exkey.extend(word)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L155_C12", "label": "for z", "type": "for", "loc": [155, 159], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "vector": [6, 3, 0.3127, 0.01, 3, 0.95, 1.0, 859, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "z", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for z in xrange(extra_cnt):\n for j in xrange(4):\n # mix in bytes from the last subkey\n word[j] ^= exkey[-self.key_size + j]\n exkey.extend(word)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L156_C16", "label": "for j", "type": "for", "loc": [156, 158], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L155_C12", "vector": [6, 4, 0.3127, 0.006, 4, 0.97, 0.0, 100, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "j", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for j in xrange(4):\n # mix in bytes from the last subkey\n word[j] ^= exkey[-self.key_size + j]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L159_C16", "label": "extend()", "type": "expression", "loc": [159, 159], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L155_C12", "vector": [8, 4, 0.3167, 0.002, 4, 0.97, 1.0, 660, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "extend", "arg_names": [], "import_names": [], "rhs_call_name": "extend", "annotation": ""}, "snippet": " exkey.extend(word)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L161_C8", "label": "self.exkey =", "type": "assigned_variable", "loc": [161, 161], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "vector": [14, 2, 0.3207, 0.002, 2, 0.3, 1.0, 952, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.exkey", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.exkey = exkey"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L163_C4", "label": "add_round_key", "type": "function", "loc": [163, 170], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "vector": [2, 1, 0.3317, 0.0159, 1, 0.56, 0.3636, 788, 0, 3, 0, 0, 0, 0, 1], "semantic": {"name": "add_round_key", "arg_names": ["self", "block", "round"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def add_round_key(self, block, round):\n \"\"\"AddRoundKey step in AES. This is where the key is mixed into plaintext\"\"\"\n\n offset = round * 16\n exkey = self.exkey\n\n for i in xrange(16):\n block[i] ^= exkey[offset + i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L164_C8", "label": "expression", "type": "expression", "loc": [164, 164], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L163_C4", "vector": [8, 2, 0.3267, 0.002, 2, 0.22, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"AddRoundKey step in AES. This is where the key is mixed into plaintext\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L166_C8", "label": "offset =", "type": "assigned_variable", "loc": [166, 166], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L163_C4", "vector": [14, 2, 0.3307, 0.002, 2, 0.22, 0.3333, 132, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offset = round * 16"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L167_C8", "label": "exkey =", "type": "assigned_variable", "loc": [167, 167], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L163_C4", "vector": [14, 2, 0.3327, 0.002, 2, 0.22, 0.6667, 228, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "exkey", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " exkey = self.exkey"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L169_C8", "label": "for i", "type": "for", "loc": [169, 170], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L163_C4", "vector": [6, 2, 0.3376, 0.004, 2, 0.22, 1.0, 826, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in xrange(16):\n block[i] ^= exkey[offset + i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L174_C4", "label": "sub_bytes", "type": "function", "loc": [174, 182], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "vector": [2, 1, 0.3546, 0.0179, 1, 0.56, 0.4545, 178, 0, 3, 0, 0, 0, 0, 1], "semantic": {"name": "sub_bytes", "arg_names": ["self", "block", "sbox"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def sub_bytes(self, block, sbox):\n \"\"\"SubBytes step, apply S-box to all bytes\n\n Depending on whether encrypting or decrypting, a different sbox array\n is passed in.\n \"\"\"\n\n for i in xrange(16):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L175_C8", "label": "expression", "type": "expression", "loc": [175, 179], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L174_C4", "vector": [8, 2, 0.3526, 0.01, 2, 0.02, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"SubBytes step, apply S-box to all bytes\n\n Depending on whether encrypting or decrypting, a different sbox array\n is passed in.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L181_C8", "label": "for i", "type": "for", "loc": [181, 182], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L174_C4", "vector": [6, 2, 0.3616, 0.004, 2, 0.02, 1.0, 826, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in xrange(16):\n block[i] = sbox[block[i]]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L182_C12", "label": "assign", "type": "assigned_variable", "loc": [182, 182], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L181_C8", "vector": [14, 3, 0.3625, 0.002, 3, 0.98, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block[i] = sbox[block[i]]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L186_C4", "label": "shift_rows", "type": "function", "loc": [186, 200], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "vector": [2, 1, 0.3845, 0.0299, 1, 0.56, 0.5455, 780, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "shift_rows", "arg_names": ["self", "b"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def shift_rows(self, b):\n \"\"\"ShiftRows step. Shifts 2nd row to left by 1, 3rd row by 2, 4th row by 3\n\n Since we're performing this on a transposed matrix, cells are numbered\n from top to bottom::\n\n 0 4 8 12 -> 0 4 8 12 -- 1st row doesn't change\n 1 5 9 13 -> 5 9 13 1 -- row shifted to left by 1 (wraps around)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L187_C8", "label": "expression", "type": "expression", "loc": [187, 196], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L186_C4", "vector": [8, 2, 0.3815, 0.0199, 2, 0.47, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"ShiftRows step. Shifts 2nd row to left by 1, 3rd row by 2, 4th row by 3\n\n Since we're performing this on a transposed matrix, cells are numbered\n from top to bottom::\n\n 0 4 8 12 -> 0 4 8 12 -- 1st row doesn't change\n 1 5 9 13 -> 5 9 13 1 -- row shifted to left by 1 (wraps around)\n 2 6 10 14 -> 10 14 2 6 -- shifted by 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L198_C8", "label": "assign", "type": "assigned_variable", "loc": [198, 198], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L186_C4", "vector": [14, 2, 0.3944, 0.002, 2, 0.47, 0.3333, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " b[1], b[5], b[ 9], b[13] = b[ 5], b[ 9], b[13], b[ 1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L199_C8", "label": "assign", "type": "assigned_variable", "loc": [199, 199], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L186_C4", "vector": [14, 2, 0.3964, 0.002, 2, 0.47, 0.6667, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " b[2], b[6], b[10], b[14] = b[10], b[14], b[ 2], b[ 6]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L200_C8", "label": "assign", "type": "assigned_variable", "loc": [200, 200], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L186_C4", "vector": [14, 2, 0.3984, 0.002, 2, 0.47, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " b[3], b[7], b[11], b[15] = b[15], b[ 3], b[ 7], b[11]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L204_C4", "label": "shift_rows_inv", "type": "function", "loc": [204, 209], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "vector": [2, 1, 0.4114, 0.012, 1, 0.56, 0.6364, 402, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "shift_rows_inv", "arg_names": ["self", "b"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def shift_rows_inv(self, b):\n \"\"\"Similar to shift_rows above, but performed in inverse for decryption.\"\"\"\n\n b[ 5], b[ 9], b[13], b[ 1] = b[1], b[5], b[ 9], b[13]\n b[10], b[14], b[ 2], b[ 6] = b[2], b[6], b[10], b[14]\n b[15], b[ 3], b[ 7], b[11] = b[3], b[7], b[11], b[15]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L205_C8", "label": "expression", "type": "expression", "loc": [205, 205], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L204_C4", "vector": [8, 2, 0.4084, 0.002, 2, 0.28, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Similar to shift_rows above, but performed in inverse for decryption.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L207_C8", "label": "assign", "type": "assigned_variable", "loc": [207, 207], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L204_C4", "vector": [14, 2, 0.4124, 0.002, 2, 0.28, 0.3333, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " b[ 5], b[ 9], b[13], b[ 1] = b[1], b[5], b[ 9], b[13]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L208_C8", "label": "assign", "type": "assigned_variable", "loc": [208, 208], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L204_C4", "vector": [14, 2, 0.4143, 0.002, 2, 0.28, 0.6667, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " b[10], b[14], b[ 2], b[ 6] = b[2], b[6], b[10], b[14]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L209_C8", "label": "assign", "type": "assigned_variable", "loc": [209, 209], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L204_C4", "vector": [14, 2, 0.4163, 0.002, 2, 0.28, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " b[15], b[ 3], b[ 7], b[11] = b[3], b[7], b[11], b[15]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L213_C4", "label": "mix_columns", "type": "function", "loc": [213, 232], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "vector": [2, 1, 0.4432, 0.0398, 1, 0.56, 0.7273, 202, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "mix_columns", "arg_names": ["self", "block"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def mix_columns(self, block):\n \"\"\"MixColumns step. Mixes the values in each column\"\"\"\n\n # Cache global multiplication tables (see below)\n mul_by_2 = gf_mul_by_2\n mul_by_3 = gf_mul_by_3\n\n # Since we're dealing with a transposed matrix, columns are already"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L214_C8", "label": "expression", "type": "expression", "loc": [214, 214], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L213_C4", "vector": [8, 2, 0.4263, 0.002, 2, 0.5, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"MixColumns step. Mixes the values in each column\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L217_C8", "label": "mul_by_2 =", "type": "assigned_variable", "loc": [217, 217], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L213_C4", "vector": [14, 2, 0.4323, 0.002, 2, 0.5, 0.3333, 8, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "mul_by_2", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " mul_by_2 = gf_mul_by_2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L218_C8", "label": "mul_by_3 =", "type": "assigned_variable", "loc": [218, 218], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L213_C4", "vector": [14, 2, 0.4343, 0.002, 2, 0.5, 0.6667, 18, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "mul_by_3", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " mul_by_3 = gf_mul_by_3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "label": "for i", "type": "for", "loc": [222, 232], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L213_C4", "vector": [6, 2, 0.4522, 0.0219, 2, 0.5, 1.0, 826, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in xrange(4):\n col = i * 4\n\n #v0, v1, v2, v3 = block[col : col+4]\n v0, v1, v2, v3 = (block[col], block[col + 1], block[col + 2],\n block[col + 3])\n\n block[col ] = mul_by_2[v0] ^ v3 ^ v2 ^ mul_by_3[v1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L223_C12", "label": "col =", "type": "assigned_variable", "loc": [223, 223], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "vector": [14, 3, 0.4442, 0.002, 3, 0.74, 0.0, 157, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "col", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " col = i * 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L226_C12", "label": "v0, v1, v2, v3 =", "type": "assigned_variable", "loc": [226, 227], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "vector": [14, 3, 0.4512, 0.004, 3, 0.74, 0.2, 253, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "v0, v1, v2, v3", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " v0, v1, v2, v3 = (block[col], block[col + 1], block[col + 2],\n block[col + 3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L229_C12", "label": "assign", "type": "assigned_variable", "loc": [229, 229], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "vector": [14, 3, 0.4562, 0.002, 3, 0.74, 0.4, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block[col ] = mul_by_2[v0] ^ v3 ^ v2 ^ mul_by_3[v1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L230_C12", "label": "assign", "type": "assigned_variable", "loc": [230, 230], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "vector": [14, 3, 0.4582, 0.002, 3, 0.74, 0.6, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block[col+1] = mul_by_2[v1] ^ v0 ^ v3 ^ mul_by_3[v2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L231_C12", "label": "assign", "type": "assigned_variable", "loc": [231, 231], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "vector": [14, 3, 0.4602, 0.002, 3, 0.74, 0.8, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block[col+2] = mul_by_2[v2] ^ v1 ^ v0 ^ mul_by_3[v3]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L232_C12", "label": "assign", "type": "assigned_variable", "loc": [232, 232], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "vector": [14, 3, 0.4622, 0.002, 3, 0.74, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block[col+3] = mul_by_2[v3] ^ v2 ^ v1 ^ mul_by_3[v0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "label": "mix_columns_inv", "type": "function", "loc": [236, 257], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "vector": [2, 1, 0.491, 0.0438, 1, 0.56, 0.8182, 267, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "mix_columns_inv", "arg_names": ["self", "block"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def mix_columns_inv(self, block):\n \"\"\"Similar to mix_columns above, but performed in inverse for decryption.\"\"\"\n\n # Cache global multiplication tables (see below)\n mul_9 = gf_mul_by_9\n mul_11 = gf_mul_by_11\n mul_13 = gf_mul_by_13\n mul_14 = gf_mul_by_14"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L237_C8", "label": "expression", "type": "expression", "loc": [237, 237], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "vector": [8, 2, 0.4721, 0.002, 2, 0.22, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Similar to mix_columns above, but performed in inverse for decryption.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L240_C8", "label": "mul_9 =", "type": "assigned_variable", "loc": [240, 240], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "vector": [14, 2, 0.4781, 0.002, 2, 0.22, 0.2, 832, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "mul_9", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " mul_9 = gf_mul_by_9"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L241_C8", "label": "mul_11 =", "type": "assigned_variable", "loc": [241, 241], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "vector": [14, 2, 0.4801, 0.002, 2, 0.22, 0.4, 772, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "mul_11", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " mul_11 = gf_mul_by_11"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L242_C8", "label": "mul_13 =", "type": "assigned_variable", "loc": [242, 242], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "vector": [14, 2, 0.4821, 0.002, 2, 0.22, 0.6, 779, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "mul_13", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " mul_13 = gf_mul_by_13"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L243_C8", "label": "mul_14 =", "type": "assigned_variable", "loc": [243, 243], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "vector": [14, 2, 0.4841, 0.002, 2, 0.22, 0.8, 118, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "mul_14", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " mul_14 = gf_mul_by_14"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "label": "for i", "type": "for", "loc": [247, 257], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "vector": [6, 2, 0.502, 0.0219, 2, 0.22, 1.0, 826, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in xrange(4):\n col = i * 4\n\n v0, v1, v2, v3 = (block[col], block[col + 1], block[col + 2],\n block[col + 3])\n #v0, v1, v2, v3 = block[col:col+4]\n\n block[col ] = mul_14[v0] ^ mul_9[v3] ^ mul_13[v2] ^ mul_11[v1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L248_C12", "label": "col =", "type": "assigned_variable", "loc": [248, 248], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "vector": [14, 3, 0.494, 0.002, 3, 0.86, 0.0, 157, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "col", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " col = i * 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L250_C12", "label": "v0, v1, v2, v3 =", "type": "assigned_variable", "loc": [250, 251], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "vector": [14, 3, 0.499, 0.004, 3, 0.86, 0.2, 253, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "v0, v1, v2, v3", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " v0, v1, v2, v3 = (block[col], block[col + 1], block[col + 2],\n block[col + 3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L254_C12", "label": "assign", "type": "assigned_variable", "loc": [254, 254], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "vector": [14, 3, 0.506, 0.002, 3, 0.86, 0.4, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block[col ] = mul_14[v0] ^ mul_9[v3] ^ mul_13[v2] ^ mul_11[v1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L255_C12", "label": "assign", "type": "assigned_variable", "loc": [255, 255], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "vector": [14, 3, 0.508, 0.002, 3, 0.86, 0.6, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block[col+1] = mul_14[v1] ^ mul_9[v0] ^ mul_13[v3] ^ mul_11[v2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L256_C12", "label": "assign", "type": "assigned_variable", "loc": [256, 256], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "vector": [14, 3, 0.51, 0.002, 3, 0.86, 0.8, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block[col+2] = mul_14[v2] ^ mul_9[v1] ^ mul_13[v0] ^ mul_11[v3]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L257_C12", "label": "assign", "type": "assigned_variable", "loc": [257, 257], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "vector": [14, 3, 0.512, 0.002, 3, 0.86, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block[col+3] = mul_14[v3] ^ mul_9[v2] ^ mul_13[v1] ^ mul_11[v0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "label": "encrypt_block", "type": "function", "loc": [261, 277], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "vector": [2, 1, 0.5359, 0.0339, 1, 0.56, 0.9091, 796, 0, 2, 0, 0, 0, 0, 9], "semantic": {"name": "encrypt_block", "arg_names": ["self", "block"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def encrypt_block(self, block):\n \"\"\"Encrypts a single block. This is the main AES function\"\"\"\n\n # For efficiency reasons, the state between steps is transmitted via a\n # mutable array, not returned.\n self.add_round_key(block, 0)\n\n for round in xrange(1, self.rounds):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L262_C8", "label": "expression", "type": "expression", "loc": [262, 262], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "vector": [8, 2, 0.5219, 0.002, 2, 0.47, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Encrypts a single block. This is the main AES function\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L266_C8", "label": "add_round_key()", "type": "expression", "loc": [266, 266], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "vector": [8, 2, 0.5299, 0.002, 2, 0.47, 0.2, 788, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_round_key", "arg_names": [], "import_names": [], "rhs_call_name": "add_round_key", "annotation": ""}, "snippet": " self.add_round_key(block, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L268_C8", "label": "for round", "type": "for", "loc": [268, 272], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "vector": [6, 2, 0.5378, 0.01, 2, 0.47, 0.4, 19, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "round", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for round in xrange(1, self.rounds):\n self.sub_bytes(block, aes_sbox)\n self.shift_rows(block)\n self.mix_columns(block)\n self.add_round_key(block, round)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L269_C12", "label": "sub_bytes()", "type": "expression", "loc": [269, 269], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L268_C8", "vector": [8, 3, 0.5359, 0.002, 3, 0.94, 0.0, 178, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "sub_bytes", "arg_names": [], "import_names": [], "rhs_call_name": "sub_bytes", "annotation": ""}, "snippet": " self.sub_bytes(block, aes_sbox)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L270_C12", "label": "shift_rows()", "type": "expression", "loc": [270, 270], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L268_C8", "vector": [8, 3, 0.5378, 0.002, 3, 0.94, 0.3333, 780, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "shift_rows", "arg_names": [], "import_names": [], "rhs_call_name": "shift_rows", "annotation": ""}, "snippet": " self.shift_rows(block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L271_C12", "label": "mix_columns()", "type": "expression", "loc": [271, 271], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L268_C8", "vector": [8, 3, 0.5398, 0.002, 3, 0.94, 0.6667, 202, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "mix_columns", "arg_names": [], "import_names": [], "rhs_call_name": "mix_columns", "annotation": ""}, "snippet": " self.mix_columns(block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L272_C12", "label": "add_round_key()", "type": "expression", "loc": [272, 272], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L268_C8", "vector": [8, 3, 0.5418, 0.002, 3, 0.94, 1.0, 788, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_round_key", "arg_names": [], "import_names": [], "rhs_call_name": "add_round_key", "annotation": ""}, "snippet": " self.add_round_key(block, round)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L274_C8", "label": "sub_bytes()", "type": "expression", "loc": [274, 274], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "vector": [8, 2, 0.5458, 0.002, 2, 0.47, 0.6, 178, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "sub_bytes", "arg_names": [], "import_names": [], "rhs_call_name": "sub_bytes", "annotation": ""}, "snippet": " self.sub_bytes(block, aes_sbox)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L275_C8", "label": "shift_rows()", "type": "expression", "loc": [275, 275], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "vector": [8, 2, 0.5478, 0.002, 2, 0.47, 0.8, 780, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "shift_rows", "arg_names": [], "import_names": [], "rhs_call_name": "shift_rows", "annotation": ""}, "snippet": " self.shift_rows(block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L277_C8", "label": "add_round_key()", "type": "expression", "loc": [277, 277], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "vector": [8, 2, 0.5518, 0.002, 2, 0.47, 1.0, 788, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_round_key", "arg_names": [], "import_names": [], "rhs_call_name": "add_round_key", "annotation": ""}, "snippet": " self.add_round_key(block, self.rounds)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "label": "decrypt_block", "type": "function", "loc": [279, 295], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "vector": [2, 1, 0.5717, 0.0339, 1, 0.56, 1.0, 227, 0, 2, 0, 0, 0, 0, 9], "semantic": {"name": "decrypt_block", "arg_names": ["self", "block"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def decrypt_block(self, block):\n \"\"\"Decrypts a single block. This is the main AES decryption function\"\"\"\n\n # For efficiency reasons, the state between steps is transmitted via a\n # mutable array, not returned.\n self.add_round_key(block, self.rounds)\n\n # count rounds down from 15 ... 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L280_C8", "label": "expression", "type": "expression", "loc": [280, 280], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "vector": [8, 2, 0.5578, 0.002, 2, 0.12, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Decrypts a single block. This is the main AES decryption function\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L284_C8", "label": "add_round_key()", "type": "expression", "loc": [284, 284], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "vector": [8, 2, 0.5657, 0.002, 2, 0.12, 0.2, 788, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_round_key", "arg_names": [], "import_names": [], "rhs_call_name": "add_round_key", "annotation": ""}, "snippet": " self.add_round_key(block, self.rounds)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L287_C8", "label": "for round", "type": "for", "loc": [287, 291], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "vector": [6, 2, 0.5757, 0.01, 2, 0.12, 0.4, 19, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "round", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for round in xrange(self.rounds-1, 0, -1):\n self.shift_rows_inv(block)\n self.sub_bytes(block, aes_inv_sbox)\n self.add_round_key(block, round)\n self.mix_columns_inv(block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L288_C12", "label": "shift_rows_inv()", "type": "expression", "loc": [288, 288], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L287_C8", "vector": [8, 3, 0.5737, 0.002, 3, 0.57, 0.0, 402, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "shift_rows_inv", "arg_names": [], "import_names": [], "rhs_call_name": "shift_rows_inv", "annotation": ""}, "snippet": " self.shift_rows_inv(block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L289_C12", "label": "sub_bytes()", "type": "expression", "loc": [289, 289], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L287_C8", "vector": [8, 3, 0.5757, 0.002, 3, 0.57, 0.3333, 178, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "sub_bytes", "arg_names": [], "import_names": [], "rhs_call_name": "sub_bytes", "annotation": ""}, "snippet": " self.sub_bytes(block, aes_inv_sbox)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L290_C12", "label": "add_round_key()", "type": "expression", "loc": [290, 290], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L287_C8", "vector": [8, 3, 0.5777, 0.002, 3, 0.57, 0.6667, 788, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_round_key", "arg_names": [], "import_names": [], "rhs_call_name": "add_round_key", "annotation": ""}, "snippet": " self.add_round_key(block, round)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L291_C12", "label": "mix_columns_inv()", "type": "expression", "loc": [291, 291], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L287_C8", "vector": [8, 3, 0.5797, 0.002, 3, 0.57, 1.0, 267, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "mix_columns_inv", "arg_names": [], "import_names": [], "rhs_call_name": "mix_columns_inv", "annotation": ""}, "snippet": " self.mix_columns_inv(block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L293_C8", "label": "shift_rows_inv()", "type": "expression", "loc": [293, 293], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "vector": [8, 2, 0.5837, 0.002, 2, 0.12, 0.6, 402, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "shift_rows_inv", "arg_names": [], "import_names": [], "rhs_call_name": "shift_rows_inv", "annotation": ""}, "snippet": " self.shift_rows_inv(block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L294_C8", "label": "sub_bytes()", "type": "expression", "loc": [294, 294], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "vector": [8, 2, 0.5857, 0.002, 2, 0.12, 0.8, 178, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "sub_bytes", "arg_names": [], "import_names": [], "rhs_call_name": "sub_bytes", "annotation": ""}, "snippet": " self.sub_bytes(block, aes_inv_sbox)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L295_C8", "label": "add_round_key()", "type": "expression", "loc": [295, 295], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "vector": [8, 2, 0.5876, 0.002, 2, 0.12, 1.0, 788, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_round_key", "arg_names": [], "import_names": [], "rhs_call_name": "add_round_key", "annotation": ""}, "snippet": " self.add_round_key(block, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L301_C0", "label": "ECBMode", "type": "class", "loc": [301, 336], "level": 0, "parent": null, "vector": [3, 0, 0.6345, 0.0717, 0, 0.66, 0.4211, 545, 0, 4, 0, 0, 186, 0, 9], "semantic": {"name": "ECBMode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ECBMode(object):\n \"\"\"Electronic CodeBook (ECB) mode encryption.\n\n Basically this mode applies the cipher function to each block individually;\n no feedback is done. NB! This is insecure for almost all purposes\n \"\"\"\n\n def __init__(self, cipher):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L302_C4", "label": "expression", "type": "expression", "loc": [302, 306], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L301_C0", "vector": [8, 1, 0.6056, 0.01, 1, 0.43, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Electronic CodeBook (ECB) mode encryption.\n\n Basically this mode applies the cipher function to each block individually;\n no feedback is done. NB! This is insecure for almost all purposes\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L308_C4", "label": "__init__", "type": "function", "loc": [308, 310], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L301_C0", "vector": [2, 1, 0.6155, 0.006, 1, 0.43, 0.25, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "cipher"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, cipher):\n self.cipher = cipher\n self.block_size = cipher.block_size"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L309_C8", "label": "self.cipher =", "type": "assigned_variable", "loc": [309, 309], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L308_C4", "vector": [14, 2, 0.6155, 0.002, 2, 0.22, 0.0, 197, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.cipher", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.cipher = cipher"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L310_C8", "label": "self.block_size =", "type": "assigned_variable", "loc": [310, 310], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L308_C4", "vector": [14, 2, 0.6175, 0.002, 2, 0.22, 1.0, 789, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.block_size", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.block_size = cipher.block_size"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "label": "ecb", "type": "function", "loc": [312, 326], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L301_C0", "vector": [2, 1, 0.6355, 0.0299, 1, 0.43, 0.5, 756, 0, 3, 1, 0, 0, 0, 7], "semantic": {"name": "ecb", "arg_names": ["self", "data", "block_func"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def ecb(self, data, block_func):\n \"\"\"Perform ECB mode with the given function\"\"\"\n\n if len(data) % self.block_size != 0:\n raise ValueError(\"Plaintext length must be multiple of 16\")\n\n block_size = self.block_size\n data = array('B', data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L313_C8", "label": "expression", "type": "expression", "loc": [313, 313], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "vector": [8, 2, 0.6235, 0.002, 2, 0.53, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Perform ECB mode with the given function\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L315_C8", "label": "if", "type": "if", "loc": [315, 316], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "vector": [4, 2, 0.6285, 0.004, 2, 0.53, 0.2, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(data) % self.block_size != 0:\n raise ValueError(\"Plaintext length must be multiple of 16\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L318_C8", "label": "block_size =", "type": "assigned_variable", "loc": [318, 318], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "vector": [14, 2, 0.6335, 0.002, 2, 0.53, 0.4, 636, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "block_size", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block_size = self.block_size"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L319_C8", "label": "data = array()", "type": "assigned_variable", "loc": [319, 319], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "vector": [14, 2, 0.6355, 0.002, 2, 0.53, 0.6, 929, 3, 2, 0, 0, 80, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": " data = array('B', data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L321_C8", "label": "for offset", "type": "for", "loc": [321, 324], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "vector": [6, 2, 0.6424, 0.008, 2, 0.53, 0.8, 132, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for offset in xrange(0, len(data), block_size):\n block = data[offset : offset+block_size]\n block_func(block)\n data[offset : offset+block_size] = block"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L322_C12", "label": "block =", "type": "assigned_variable", "loc": [322, 322], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L321_C8", "vector": [14, 3, 0.6414, 0.002, 3, 0.8, 0.0, 506, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "block", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block = data[offset : offset+block_size]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L323_C12", "label": "block_func()", "type": "expression", "loc": [323, 323], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L321_C8", "vector": [8, 3, 0.6434, 0.002, 3, 0.8, 0.5, 394, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "block_func", "arg_names": [], "import_names": [], "rhs_call_name": "block_func", "annotation": ""}, "snippet": " block_func(block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L324_C12", "label": "assign", "type": "assigned_variable", "loc": [324, 324], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L321_C8", "vector": [14, 3, 0.6454, 0.002, 3, 0.8, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data[offset : offset+block_size] = block"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L326_C8", "label": "return", "type": "return", "loc": [326, 326], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "vector": [13, 2, 0.6494, 0.002, 2, 0.53, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return data.tostring()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L328_C4", "label": "encrypt", "type": "function", "loc": [328, 331], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L301_C0", "vector": [2, 1, 0.6564, 0.008, 1, 0.43, 0.75, 167, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "encrypt", "arg_names": ["self", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def encrypt(self, data):\n \"\"\"Encrypt data in ECB mode\"\"\"\n\n return self.ecb(data, self.cipher.encrypt_block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L329_C8", "label": "expression", "type": "expression", "loc": [329, 329], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L328_C4", "vector": [8, 2, 0.6554, 0.002, 2, 0.24, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Encrypt data in ECB mode\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L331_C8", "label": "return", "type": "return", "loc": [331, 331], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L328_C4", "vector": [13, 2, 0.6594, 0.002, 2, 0.24, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.ecb(data, self.cipher.encrypt_block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L333_C4", "label": "decrypt", "type": "function", "loc": [333, 336], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L301_C0", "vector": [2, 1, 0.6663, 0.008, 1, 0.43, 1.0, 846, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "decrypt", "arg_names": ["self", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def decrypt(self, data):\n \"\"\"Decrypt data in ECB mode\"\"\"\n\n return self.ecb(data, self.cipher.decrypt_block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L334_C8", "label": "expression", "type": "expression", "loc": [334, 334], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L333_C4", "vector": [8, 2, 0.6653, 0.002, 2, 0.38, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Decrypt data in ECB mode\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L336_C8", "label": "return", "type": "return", "loc": [336, 336], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L333_C4", "vector": [13, 2, 0.6693, 0.002, 2, 0.38, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.ecb(data, self.cipher.decrypt_block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L340_C0", "label": "CBCMode", "type": "class", "loc": [340, 405], "level": 0, "parent": null, "vector": [3, 0, 0.742, 0.1315, 0, 0.66, 0.4737, 387, 0, 3, 0, 0, 186, 0, 17], "semantic": {"name": "CBCMode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class CBCMode(object):\n \"\"\"Cipher Block Chaining (CBC) mode encryption. This mode avoids content leaks.\n\n In CBC encryption, each plaintext block is XORed with the ciphertext block\n preceding it; decryption is simply the inverse.\n \"\"\"\n\n # A better explanation of CBC can be found here:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L341_C4", "label": "expression", "type": "expression", "loc": [341, 345], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L340_C0", "vector": [8, 1, 0.6833, 0.01, 1, 0.31, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Cipher Block Chaining (CBC) mode encryption. This mode avoids content leaks.\n\n In CBC encryption, each plaintext block is XORed with the ciphertext block\n preceding it; decryption is simply the inverse.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L350_C4", "label": "__init__", "type": "function", "loc": [350, 353], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L340_C0", "vector": [2, 1, 0.7002, 0.008, 1, 0.31, 0.3333, 555, 0, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "cipher", "IV"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, cipher, IV):\n self.cipher = cipher\n self.block_size = cipher.block_size\n self.IV = array('B', IV)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L351_C8", "label": "self.cipher =", "type": "assigned_variable", "loc": [351, 351], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L350_C4", "vector": [14, 2, 0.6992, 0.002, 2, 0.92, 0.0, 197, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.cipher", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.cipher = cipher"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L352_C8", "label": "self.block_size =", "type": "assigned_variable", "loc": [352, 352], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L350_C4", "vector": [14, 2, 0.7012, 0.002, 2, 0.92, 0.5, 789, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.block_size", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.block_size = cipher.block_size"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L353_C8", "label": "self.IV = array()", "type": "assigned_variable", "loc": [353, 353], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L350_C4", "vector": [14, 2, 0.7032, 0.002, 2, 0.92, 1.0, 205, 3, 2, 0, 0, 80, 10, 1], "semantic": {"name": "self.IV", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": " self.IV = array('B', IV)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "label": "encrypt", "type": "function", "loc": [355, 377], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L340_C0", "vector": [2, 1, 0.7291, 0.0458, 1, 0.31, 0.6667, 167, 0, 2, 1, 0, 0, 0, 8], "semantic": {"name": "encrypt", "arg_names": ["self", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def encrypt(self, data):\n \"\"\"Encrypt data in CBC mode\"\"\"\n\n block_size = self.block_size\n if len(data) % block_size != 0:\n raise ValueError(\"Plaintext length must be multiple of 16\")\n\n data = array('B', data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L356_C8", "label": "expression", "type": "expression", "loc": [356, 356], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "vector": [8, 2, 0.7092, 0.002, 2, 0.82, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Encrypt data in CBC mode\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L358_C8", "label": "block_size =", "type": "assigned_variable", "loc": [358, 358], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "vector": [14, 2, 0.7131, 0.002, 2, 0.82, 0.1429, 636, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "block_size", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block_size = self.block_size"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L359_C8", "label": "if", "type": "if", "loc": [359, 360], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "vector": [4, 2, 0.7161, 0.004, 2, 0.82, 0.2857, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(data) % block_size != 0:\n raise ValueError(\"Plaintext length must be multiple of 16\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L362_C8", "label": "data = array()", "type": "assigned_variable", "loc": [362, 362], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "vector": [14, 2, 0.7211, 0.002, 2, 0.82, 0.4286, 929, 3, 2, 0, 0, 80, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": " data = array('B', data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L363_C8", "label": "IV =", "type": "assigned_variable", "loc": [363, 363], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "vector": [14, 2, 0.7231, 0.002, 2, 0.82, 0.5714, 44, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "IV", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " IV = self.IV"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L365_C8", "label": "for offset", "type": "for", "loc": [365, 374], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "vector": [6, 2, 0.7361, 0.0199, 2, 0.82, 0.7143, 132, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for offset in xrange(0, len(data), block_size):\n block = data[offset : offset+block_size]\n\n # Perform CBC chaining\n for i in xrange(block_size):\n block[i] ^= IV[i]\n\n self.cipher.encrypt_block(block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L366_C12", "label": "block =", "type": "assigned_variable", "loc": [366, 366], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L365_C8", "vector": [14, 3, 0.7291, 0.002, 3, 0.72, 0.0, 506, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "block", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block = data[offset : offset+block_size]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L369_C12", "label": "for i", "type": "for", "loc": [369, 370], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L365_C8", "vector": [6, 3, 0.7361, 0.004, 3, 0.72, 0.25, 826, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in xrange(block_size):\n block[i] ^= IV[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L372_C12", "label": "encrypt_block()", "type": "expression", "loc": [372, 372], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L365_C8", "vector": [8, 3, 0.741, 0.002, 3, 0.72, 0.5, 796, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "encrypt_block", "arg_names": [], "import_names": [], "rhs_call_name": "encrypt_block", "annotation": ""}, "snippet": " self.cipher.encrypt_block(block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L373_C12", "label": "assign", "type": "assigned_variable", "loc": [373, 373], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L365_C8", "vector": [14, 3, 0.743, 0.002, 3, 0.72, 0.75, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data[offset : offset+block_size] = block"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L374_C12", "label": "IV =", "type": "assigned_variable", "loc": [374, 374], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L365_C8", "vector": [14, 3, 0.745, 0.002, 3, 0.72, 1.0, 44, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "IV", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " IV = block"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L376_C8", "label": "self.IV =", "type": "assigned_variable", "loc": [376, 376], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "vector": [14, 2, 0.749, 0.002, 2, 0.82, 0.8571, 205, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.IV", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.IV = IV"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L377_C8", "label": "return", "type": "return", "loc": [377, 377], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "vector": [13, 2, 0.751, 0.002, 2, 0.82, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return data.tostring()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "label": "decrypt", "type": "function", "loc": [379, 405], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L340_C0", "vector": [2, 1, 0.7809, 0.0538, 1, 0.31, 1.0, 846, 0, 2, 1, 0, 0, 0, 8], "semantic": {"name": "decrypt", "arg_names": ["self", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def decrypt(self, data):\n \"\"\"Decrypt data in CBC mode\"\"\"\n\n block_size = self.block_size\n if len(data) % block_size != 0:\n raise ValueError(\"Ciphertext length must be multiple of 16\")\n\n data = array('B', data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L380_C8", "label": "expression", "type": "expression", "loc": [380, 380], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "vector": [8, 2, 0.757, 0.002, 2, 0.6, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Decrypt data in CBC mode\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L382_C8", "label": "block_size =", "type": "assigned_variable", "loc": [382, 382], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "vector": [14, 2, 0.761, 0.002, 2, 0.6, 0.1429, 636, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "block_size", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block_size = self.block_size"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L383_C8", "label": "if", "type": "if", "loc": [383, 384], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "vector": [4, 2, 0.7639, 0.004, 2, 0.6, 0.2857, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(data) % block_size != 0:\n raise ValueError(\"Ciphertext length must be multiple of 16\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L386_C8", "label": "data = array()", "type": "assigned_variable", "loc": [386, 386], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "vector": [14, 2, 0.7689, 0.002, 2, 0.6, 0.4286, 929, 3, 2, 0, 0, 80, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": " data = array('B', data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L387_C8", "label": "IV =", "type": "assigned_variable", "loc": [387, 387], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "vector": [14, 2, 0.7709, 0.002, 2, 0.6, 0.5714, 44, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "IV", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " IV = self.IV"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "label": "for offset", "type": "for", "loc": [389, 401], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "vector": [6, 2, 0.7869, 0.0259, 2, 0.6, 0.7143, 132, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for offset in xrange(0, len(data), block_size):\n ctext = data[offset : offset+block_size]\n block = ctext[:]\n self.cipher.decrypt_block(block)\n\n # Perform CBC chaining\n #for i in xrange(block_size):\n # data[offset + i] ^= IV[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L390_C12", "label": "ctext =", "type": "assigned_variable", "loc": [390, 390], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "vector": [14, 3, 0.7769, 0.002, 3, 0.83, 0.0, 259, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ctext", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ctext = data[offset : offset+block_size]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L391_C12", "label": "block =", "type": "assigned_variable", "loc": [391, 391], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "vector": [14, 3, 0.7789, 0.002, 3, 0.83, 0.2, 506, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "block", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " block = ctext[:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L392_C12", "label": "decrypt_block()", "type": "expression", "loc": [392, 392], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "vector": [8, 3, 0.7809, 0.002, 3, 0.83, 0.4, 227, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "decrypt_block", "arg_names": [], "import_names": [], "rhs_call_name": "decrypt_block", "annotation": ""}, "snippet": " self.cipher.decrypt_block(block)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:For_L397_C12", "label": "for i", "type": "for", "loc": [397, 398], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "vector": [6, 3, 0.7918, 0.004, 3, 0.83, 0.6, 826, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in xrange(block_size):\n block[i] ^= IV[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L399_C12", "label": "assign", "type": "assigned_variable", "loc": [399, 399], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "vector": [14, 3, 0.7948, 0.002, 3, 0.83, 0.8, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data[offset : offset+block_size] = block"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L401_C12", "label": "IV =", "type": "assigned_variable", "loc": [401, 401], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "vector": [14, 3, 0.7988, 0.002, 3, 0.83, 1.0, 44, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "IV", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " IV = ctext"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L404_C8", "label": "self.IV =", "type": "assigned_variable", "loc": [404, 404], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "vector": [14, 2, 0.8048, 0.002, 2, 0.6, 0.8571, 205, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.IV", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.IV = IV"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L405_C8", "label": "return", "type": "return", "loc": [405, 405], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "vector": [13, 2, 0.8068, 0.002, 2, 0.6, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return data.tostring()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L409_C0", "label": "galois_multiply", "type": "function", "loc": [409, 420], "level": 0, "parent": null, "vector": [2, 0, 0.8257, 0.0239, 0, 0.66, 0.5263, 203, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "galois_multiply", "arg_names": ["a", "b"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def galois_multiply(a, b):\n \"\"\"Galois Field multiplicaiton for AES\"\"\"\n p = 0\n while b:\n if b & 1:\n p ^= a\n a <<= 1\n if a & 0x100:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L410_C4", "label": "expression", "type": "expression", "loc": [410, 410], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L409_C0", "vector": [8, 1, 0.8167, 0.002, 1, 0.6, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Galois Field multiplicaiton for AES\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L411_C4", "label": "p =", "type": "assigned_variable", "loc": [411, 411], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L409_C0", "vector": [14, 1, 0.8187, 0.002, 1, 0.6, 0.3333, 491, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "p", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " p = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:While_L412_C4", "label": "while", "type": "while", "loc": [412, 418], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L409_C0", "vector": [5, 1, 0.8267, 0.0139, 1, 0.6, 0.6667, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while b:\n if b & 1:\n p ^= a\n a <<= 1\n if a & 0x100:\n a ^= 0x1b\n b >>= 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L413_C8", "label": "if", "type": "if", "loc": [413, 414], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:While_L412_C4", "vector": [4, 2, 0.8237, 0.004, 2, 0.49, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if b & 1:\n p ^= a"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:If_L416_C8", "label": "if", "type": "if", "loc": [416, 417], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:While_L412_C4", "vector": [4, 2, 0.8297, 0.004, 2, 0.49, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if a & 0x100:\n a ^= 0x1b"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L420_C4", "label": "return", "type": "return", "loc": [420, 420], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L409_C0", "vector": [13, 1, 0.8367, 0.002, 1, 0.6, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return p & 0xff"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L423_C0", "label": "gf_mul_by_2 = array()", "type": "assigned_variable", "loc": [423, 423], "level": 0, "parent": null, "vector": [14, 0, 0.8426, 0.002, 0, 0.66, 0.5789, 968, 3, 2, 0, 0, 80, 10, 3], "semantic": {"name": "gf_mul_by_2", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": "gf_mul_by_2 = array('B', [galois_multiply(x, 2) for x in range(256)])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L424_C0", "label": "gf_mul_by_3 = array()", "type": "assigned_variable", "loc": [424, 424], "level": 0, "parent": null, "vector": [14, 0, 0.8446, 0.002, 0, 0.66, 0.6316, 864, 3, 2, 0, 0, 80, 10, 3], "semantic": {"name": "gf_mul_by_3", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": "gf_mul_by_3 = array('B', [galois_multiply(x, 3) for x in range(256)])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L426_C0", "label": "gf_mul_by_9 = array()", "type": "assigned_variable", "loc": [426, 426], "level": 0, "parent": null, "vector": [14, 0, 0.8486, 0.002, 0, 0.66, 0.6842, 664, 3, 2, 0, 0, 80, 10, 3], "semantic": {"name": "gf_mul_by_9", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": "gf_mul_by_9 = array('B', [galois_multiply(x, 9) for x in range(256)])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L427_C0", "label": "gf_mul_by_11 = array()", "type": "assigned_variable", "loc": [427, 427], "level": 0, "parent": null, "vector": [14, 0, 0.8506, 0.002, 0, 0.66, 0.7368, 472, 3, 2, 0, 0, 80, 10, 3], "semantic": {"name": "gf_mul_by_11", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": "gf_mul_by_11 = array('B', [galois_multiply(x, 11) for x in range(256)])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L428_C0", "label": "gf_mul_by_13 = array()", "type": "assigned_variable", "loc": [428, 428], "level": 0, "parent": null, "vector": [14, 0, 0.8526, 0.002, 0, 0.66, 0.7895, 528, 3, 2, 0, 0, 80, 10, 3], "semantic": {"name": "gf_mul_by_13", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": "gf_mul_by_13 = array('B', [galois_multiply(x, 13) for x in range(256)])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L429_C0", "label": "gf_mul_by_14 = array()", "type": "assigned_variable", "loc": [429, 429], "level": 0, "parent": null, "vector": [14, 0, 0.8546, 0.002, 0, 0.66, 0.8421, 597, 3, 2, 0, 0, 80, 10, 3], "semantic": {"name": "gf_mul_by_14", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": "gf_mul_by_14 = array('B', [galois_multiply(x, 14) for x in range(256)])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L439_C0", "label": "aes_sbox = array()", "type": "assigned_variable", "loc": [439, 456], "level": 0, "parent": null, "vector": [14, 0, 0.8914, 0.0359, 0, 0.66, 0.8947, 128, 3, 2, 0, 0, 80, 10, 2], "semantic": {"name": "aes_sbox", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": "aes_sbox = array('B',\n '637c777bf26b6fc53001672bfed7ab76'\n 'ca82c97dfa5947f0add4a2af9ca472c0'\n 'b7fd9326363ff7cc34a5e5f171d83115'\n '04c723c31896059a071280e2eb27b275'\n '09832c1a1b6e5aa0523bd6b329e32f84'\n '53d100ed20fcb15b6acbbe394a4c58cf'\n 'd0efaafb434d338545f9027f503c9fa8'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L461_C0", "label": "aes_inv_sbox = array()", "type": "assigned_variable", "loc": [461, 478], "level": 0, "parent": null, "vector": [14, 0, 0.9353, 0.0359, 0, 0.66, 0.9474, 886, 3, 2, 0, 0, 80, 10, 2], "semantic": {"name": "aes_inv_sbox", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": "aes_inv_sbox = array('B',\n '52096ad53036a538bf40a39e81f3d7fb'\n '7ce339829b2fff87348e4344c4dee9cb'\n '547b9432a6c2233dee4c950b42fac34e'\n '082ea16628d924b2765ba2496d8bd125'\n '72f8f66486689816d4a45ccc5d65b692'\n '6c704850fdedb9da5e154657a78d9d84'\n '90d8ab008cbcd30af7e45805b8b34506'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L485_C0", "label": "aes_Rcon = array()", "type": "assigned_variable", "loc": [485, 502], "level": 0, "parent": null, "vector": [14, 0, 0.9831, 0.0359, 0, 0.66, 1.0, 341, 3, 2, 0, 0, 80, 10, 2], "semantic": {"name": "aes_Rcon", "arg_names": [], "import_names": [], "rhs_call_name": "array", "annotation": ""}, "snippet": "aes_Rcon = array('B',\n '8d01020408102040801b366cd8ab4d9a'\n '2f5ebc63c697356ad4b37dfaefc59139'\n '72e4d3bd61c29f254a943366cc831d3a'\n '74e8cb8d01020408102040801b366cd8'\n 'ab4d9a2f5ebc63c697356ad4b37dfaef'\n 'c5913972e4d3bd61c29f254a943366cc'\n '831d3a74e8cb8d01020408102040801b'"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L62_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L63_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L63_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L64_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L63_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L65_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L65_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L66_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L65_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L69_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L76_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L78_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L78_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L79_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L81_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L81_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L82_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L81_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L84_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L81_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L85_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L81_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L87_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L87_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L88_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L87_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L89_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L89_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L90_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L89_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L91_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L91_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L92_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L81_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L96_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L99_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L109_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L112_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L112_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L113_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L112_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L114_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L114_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L115_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L114_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L117_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L120_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L126_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L129_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L129_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L130_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L133_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L136_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L136_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L137_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L136_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L140_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L143_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L147_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L147_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L148_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L148_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L151_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:If_L147_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L152_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L122_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L155_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L155_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L156_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L155_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L159_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L161_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L163_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L163_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L164_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L163_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L166_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L163_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L167_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L163_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L169_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L174_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L174_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L175_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L174_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L181_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L181_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L182_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L186_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L187_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L198_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L199_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L200_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L204_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L204_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L205_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L204_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L207_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L204_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L208_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L204_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L209_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L213_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L213_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L214_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L213_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L217_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L213_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L218_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L213_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L223_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L226_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L229_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L230_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L231_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L222_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L232_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L237_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L240_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L241_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L242_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L243_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L236_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L248_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L250_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L254_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L255_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L256_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L257_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L262_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L266_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L268_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L268_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L269_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L268_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L270_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L268_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L271_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L268_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L272_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L274_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L275_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L277_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L280_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L284_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L287_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L287_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L288_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L287_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L289_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L287_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L290_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L287_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L291_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L293_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L294_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L279_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L295_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L301_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L302_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L301_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L308_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L308_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L309_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L308_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L310_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L301_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L313_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L315_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L318_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L319_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L321_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L321_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L322_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L321_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L323_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L321_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L324_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L312_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L326_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L301_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L328_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L328_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L329_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L328_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L331_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L301_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L333_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L334_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L336_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L340_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L341_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L340_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L350_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L350_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L351_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L350_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L352_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L350_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L353_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L340_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L356_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L358_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L359_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L362_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L363_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L365_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L365_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L366_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L365_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L369_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L365_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L372_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L365_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L373_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L365_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L374_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L376_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L355_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L377_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:ClassDef_L340_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L380_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L382_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L383_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L386_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L387_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L390_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L391_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L392_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:For_L397_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L399_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:For_L389_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L401_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L404_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L379_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L405_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L409_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Expr_L410_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L409_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Assign_L411_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L409_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:While_L412_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:While_L412_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L413_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:While_L412_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_506:If_L416_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_506:FunctionDef_L409_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_506:Return_L420_C4"}]
SMSCODES = { 'Aliant': '@chat.wirefree.ca', 'Alltel': '@message.alltel.com', 'Ameritech': '@paging.acswireless.com', 'AT&T': '@txt.att.net', 'AU by KDDI': '@ezweb.ne.jp', 'BeeLine GSM': '@sms.beemail.ru', 'Bell Mobility Canada': '@txt.bellmobility.ca', 'Bellsouth': '@bellsouth.cl', 'BellSouth Mobility': '@blsdcs.net', 'Blue Sky Frog': '@blueskyfrog.com', 'Boost': '@myboostmobile.com', 'Cellular South': '@csouth1.com', 'CellularOne': '@mobile.celloneusa.com', 'CellularOne West': '@mycellone.com', 'Cincinnati Bell': '@gocbw.com', 'Claro': '@clarotorpedo.com.br', 'Comviq': '@sms.comviq.se', 'Dutchtone/Orange-NL': '@sms.orange.nl', 'Edge Wireless': '@sms.edgewireless.com', 'EinsteinPCS / Airadigm Communications': '@einsteinsms.com', 'EPlus': '@smsmail.eplus.de', 'Fido Canada': '@fido.ca', 'Golden Telecom': '@sms.goldentele.com', 'Idea Cellular': '@ideacellular.net', 'Kyivstar': '@sms.kyivstar.net', 'LMT': '@sms.lmt.lv', 'Manitoba Telecom Systems': '@text.mtsmobility.com', 'Meteor': '@sms.mymeteor.ie', 'Metro PCS': '@mymetropcs.com', 'Metrocall Pager': '@page.metrocall.com', 'MobileOne': '@m1.com.sg', 'Mobilfone': '@page.mobilfone.com', 'Mobility Bermuda': '@ml.bm', 'Netcom': '@sms.netcom.no', 'Nextel': '@messaging.nextel.com', 'NPI Wireless': '@npiwireless.com', 'O2': '@o2.co.uk', 'O2 M-mail': '@mmail.co.uk', 'Optus': '@optusmobile.com.au', 'Orange': '@orange.net', 'Oskar': '@mujoskar.cz', 'Pagenet': '@pagenet.net', 'PCS Rogers': '@pcs.rogers.com', 'Personal Communication': '@pcom.ru', 'Plus GSM Poland': '@text.plusgsm.pl', 'Powertel': '@ptel.net', 'Primtel': '@sms.primtel.ru', 'PSC Wireless': '@sms.pscel.com', 'Qualcomm': '@pager.qualcomm.com', 'Qwest': '@qwestmp.com', 'Safaricom': '@safaricomsms.com', 'Satelindo GSM': '@satelindogsm.com', 'SCS-900': '@scs-900.ru', 'Simple Freedom': '@text.simplefreedom.net', 'Skytel - Alphanumeric': '@skytel.com', 'Smart Telecom': '@mysmart.mymobile.ph', 'Southern Linc': '@page.southernlinc.com', 'Sprint PCS': '@messaging.sprintpcs.com', 'Sprint PCS - Short Mail': '@sprintpcs.com', 'SunCom': '@tms.suncom.com', 'SureWest Communications': '@mobile.surewest.com', 'SwissCom Mobile': '@bluewin.ch', 'T-Mobile Germany': '@T-D1-SMS.de', 'T-Mobile Netherlands': '@gin.nl', 'T-Mobile UK': '@t-mobile.uk.net', 'T-Mobile USA (tmail)': '@tmail.com', 'T-Mobile USA (tmomail)': '@tmomail.net', 'Tele2 Latvia': '@sms.tele2.lv', 'Telefonica Movistar': '@movistar.net', 'Telenor': '@mobilpost.no', 'Telia Denmark': '@gsm1800.telia.dk', 'Telus Mobility': '@msg.telus.com', 'The Phone House': '@sms.phonehouse.de', 'TIM': '@timnet.com', 'UMC': '@sms.umc.com.ua', 'Unicel': '@utext.com', 'US Cellular': '@email.uscc.net', 'Verizon Wireless (vtext)': '@vtext.com', 'Verizon Wireless (airtouchpaging)': '@airtouchpaging.com', 'Verizon Wireless (myairmail)': '@myairmail.com', 'Vessotel': '@pager.irkutsk.ru', 'Virgin Mobile Canada': '@vmobile.ca', 'Virgin Mobile USA': '@vmobl.com', 'Vodafone Italy': '@sms.vodafone.it', 'Vodafone Japan (n)': '@n.vodafone.ne.jp', 'Vodafone Japan (d)': '@d.vodafone.ne.jp', 'Vodafone Japan (r)': '@r.vodafone.ne.jp', 'Vodafone Japan (k)': '@k.vodafone.ne.jp', 'Vodafone Japan (t)': '@t.vodafone.ne.jp', 'Vodafone Japan (q)': '@q.vodafone.ne.jp', 'Vodafone Japan (s)': '@s.vodafone.ne.jp', 'Vodafone Japan (h)': '@h.vodafone.ne.jp', 'Vodafone Japan (c)': '@c.vodafone.ne.jp', 'Vodafone Spain': '@vodafone.es', 'Vodafone UK': '@vodafone.net', 'Weblink Wireless': '@airmessage.net', 'WellCom': '@sms.welcome2well.com', 'WyndTell': '@wyndtell.com', } def sms_email(number, provider): """ >>> print sms_email('1 (312) 375-6536','T-Mobile USA (tmail)') print 13123756536@tmail.com """ import re if number[0] == '+1': number = number[1:] elif number[0] == '+': number = number[3:] elif number[:2] == '00': number = number[3:] number = re.sub('[^\d]', '', number) return number + SMSCODES[provider]
ajibawa-2023/Python-Code-Large/train/row_507
12
115
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_507:Assign_L1_C0", "label": "SMSCODES =", "type": "assigned_variable", "loc": [1, 100], "level": 0, "parent": null, "vector": [14, 0, 0.4391, 0.8696, 0, 0.66, 0.0, 606, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "SMSCODES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SMSCODES = {\n 'Aliant': '@chat.wirefree.ca',\n 'Alltel': '@message.alltel.com',\n 'Ameritech': '@paging.acswireless.com',\n 'AT&T': '@txt.att.net',\n 'AU by KDDI': '@ezweb.ne.jp',\n 'BeeLine GSM': '@sms.beemail.ru',\n 'Bell Mobility Canada': '@txt.bellmobility.ca',"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_507:FunctionDef_L103_C0", "label": "sms_email", "type": "function", "loc": [103, 115], "level": 0, "parent": null, "vector": [2, 0, 0.9478, 0.113, 0, 0.66, 1.0, 988, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "sms_email", "arg_names": ["number", "provider"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def sms_email(number, provider):\n \"\"\"\n >>> print sms_email('1 (312) 375-6536','T-Mobile USA (tmail)')\n print 13123756536@tmail.com\n \"\"\"\n import re\n if number[0] == '+1':\n number = number[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_507:Expr_L104_C4", "label": "expression", "type": "expression", "loc": [104, 107], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_507:FunctionDef_L103_C0", "vector": [8, 1, 0.9174, 0.0348, 1, 0.42, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n >>> print sms_email('1 (312) 375-6536','T-Mobile USA (tmail)')\n print 13123756536@tmail.com\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_507:Import_L108_C4", "label": "re import re", "type": "import", "loc": [108, 108], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_507:FunctionDef_L103_C0", "vector": [1, 1, 0.9391, 0.0087, 1, 0.42, 0.25, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": " import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_507:If_L109_C4", "label": "if", "type": "if", "loc": [109, 113], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_507:FunctionDef_L103_C0", "vector": [4, 1, 0.9652, 0.0435, 1, 0.42, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if number[0] == '+1':\n number = number[1:]\n elif number[0] == '+':\n number = number[3:]\n elif number[:2] == '00': number = number[3:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_507:Assign_L110_C8", "label": "number =", "type": "assigned_variable", "loc": [110, 110], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_507:If_L109_C4", "vector": [14, 2, 0.9565, 0.0087, 2, 0.68, 0.0, 408, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "number", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " number = number[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_507:If_L111_C4", "label": "if", "type": "if", "loc": [111, 113], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_507:If_L109_C4", "vector": [4, 2, 0.9739, 0.0261, 2, 0.68, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif number[0] == '+':\n number = number[3:]\n elif number[:2] == '00': number = number[3:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_507:Assign_L112_C8", "label": "number =", "type": "assigned_variable", "loc": [112, 112], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_507:If_L111_C4", "vector": [14, 3, 0.9739, 0.0087, 3, 0.76, 0.0, 408, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "number", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " number = number[3:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_507:If_L113_C4", "label": "if", "type": "if", "loc": [113, 113], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_507:If_L111_C4", "vector": [4, 3, 0.9826, 0.0087, 3, 0.76, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif number[:2] == '00': number = number[3:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_507:Assign_L113_C29", "label": "number =", "type": "assigned_variable", "loc": [113, 113], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_507:If_L113_C4", "vector": [14, 4, 0.9826, 0.0087, 4, 0.89, 0.0, 408, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "number", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif number[:2] == '00': number = number[3:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_507:Assign_L114_C4", "label": "number = sub()", "type": "assigned_variable", "loc": [114, 114], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_507:FunctionDef_L103_C0", "vector": [14, 1, 0.9913, 0.0087, 1, 0.42, 0.75, 408, 3, 3, 0, 0, 819, 10, 1], "semantic": {"name": "number", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " number = re.sub('[^\\d]', '', number)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_507:Return_L115_C4", "label": "return", "type": "return", "loc": [115, 115], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_507:FunctionDef_L103_C0", "vector": [13, 1, 1.0, 0.0087, 1, 0.42, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return number + SMSCODES[provider]"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_507:FunctionDef_L103_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_507:Expr_L104_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_507:FunctionDef_L103_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_507:Import_L108_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_507:FunctionDef_L103_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_507:If_L109_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_507:If_L109_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_507:Assign_L110_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_507:If_L109_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_507:If_L111_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_507:If_L111_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_507:Assign_L112_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_507:If_L111_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_507:If_L113_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_507:If_L113_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_507:Assign_L113_C29"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_507:FunctionDef_L103_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_507:Assign_L114_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_507:FunctionDef_L103_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_507:Return_L115_C4"}]
""" Developed by 616d41631bff906704951934ffe4015e Released under web2py license because includes gluon/cache.py source code """ import redis from redis.exceptions import ConnectionError from gluon import current from gluon.cache import CacheAbstract import cPickle as pickle import time import re import logging import thread logger = logging.getLogger("web2py.cache.redis") locker = thread.allocate_lock() def RedisCache(*args, **vars): """ Usage example: put in models from gluon.contrib.redis_cache import RedisCache cache.redis = RedisCache('localhost:6379',db=None, debug=True) cache.redis.stats() return a dictionary with statistics of Redis server with one additional key ('w2p_keys') showing all keys currently set from web2py with their TTL if debug=True additional tracking is activate and another key is added ('w2p_stats') showing total_hits and misses """ locker.acquire() try: if not hasattr(RedisCache, 'redis_instance'): RedisCache.redis_instance = RedisClient(*args, **vars) finally: locker.release() return RedisCache.redis_instance class RedisClient(object): meta_storage = {} MAX_RETRIES = 5 RETRIES = 0 def __init__(self, server='localhost:6379', db=None, debug=False): self.server = server self.db = db or 0 host, port = (self.server.split(':') + ['6379'])[:2] port = int(port) self.request = current.request self.debug = debug if self.request: app = self.request.application else: app = '' if not app in self.meta_storage: self.storage = self.meta_storage[app] = { CacheAbstract.cache_stats_name: { 'hit_total': 0, 'misses': 0, }} else: self.storage = self.meta_storage[app] self.r_server = redis.Redis(host=host, port=port, db=self.db) def __call__(self, key, f, time_expire=300): try: if time_expire is None: time_expire = 24 * 60 * 60 newKey = self.__keyFormat__(key) value = None obj = self.r_server.get(newKey) ttl = self.r_server.ttl(newKey) or 0 if ttl > time_expire: obj = None if obj: if self.debug: self.r_server.incr('web2py_cache_statistics:hit_total') value = pickle.loads(obj) elif f is None: self.r_server.delete(newKey) else: if self.debug: self.r_server.incr('web2py_cache_statistics:misses') value = f() if time_expire == 0: time_expire = 1 self.r_server.setex(newKey, pickle.dumps(value), time_expire) return value except ConnectionError: return self.retry_call(key, f, time_expire) def retry_call(self, key, f, time_expire): self.RETRIES += 1 if self.RETRIES <= self.MAX_RETRIES: logger.error("sleeping %s seconds before reconnecting" % (2 * self.RETRIES)) time.sleep(2 * self.RETRIES) self.__init__(self.server, self.db, self.debug) return self.__call__(key, f, time_expire) else: self.RETRIES = 0 raise ConnectionError('Redis instance is unavailable at %s' % ( self.server)) def increment(self, key, value=1, time_expire=300): try: newKey = self.__keyFormat__(key) obj = self.r_server.get(newKey) if obj: return self.r_server.incr(newKey, value) else: self.r_server.setex(newKey, value, time_expire) return value except ConnectionError: return self.retry_increment(key, value, time_expire) def retry_increment(self, key, value, time_expire): self.RETRIES += 1 if self.RETRIES <= self.MAX_RETRIES: logger.error("sleeping some seconds before reconnecting") time.sleep(2 * self.RETRIES) self.__init__(self.server, self.db, self.debug) return self.increment(key, value, time_expire) else: self.RETRIES = 0 raise ConnectionError('Redis instance is unavailable at %s' % ( self.server)) def clear(self, regex): """ Auxiliary function called by `clear` to search and clear cache entries """ r = re.compile(regex) prefix = "w2p:%s:" % (self.request.application) pipe = self.r_server.pipeline() for a in self.r_server.keys("%s*" % (prefix)): if r.match(str(a).replace(prefix, '', 1)): pipe.delete(a) pipe.execute() def stats(self): statscollector = self.r_server.info() if self.debug: statscollector['w2p_stats'] = dict( hit_total=self.r_server.get( 'web2py_cache_statistics:hit_total'), misses=self.r_server.get('web2py_cache_statistics:misses') ) statscollector['w2p_keys'] = dict() for a in self.r_server.keys("w2p:%s:*" % ( self.request.application)): statscollector['w2p_keys']["%s_expire_in_sec" % (a)] = \ self.r_server.ttl(a) return statscollector def __keyFormat__(self, key): return 'w2p:%s:%s' % (self.request.application, key.replace(' ', '_'))
ajibawa-2023/Python-Code-Large/train/row_508
104
170
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 4], "level": 0, "parent": null, "vector": [8, 0, 0.0147, 0.0235, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nDeveloped by 616d41631bff906704951934ffe4015e\nReleased under web2py license because includes gluon/cache.py source code\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Import_L6_C0", "label": "redis import redis", "type": "import", "loc": [6, 6], "level": 0, "parent": null, "vector": [1, 0, 0.0353, 0.0059, 0, 0.66, 0.0769, 977, 0, 1, 0, 0, 977, 0, 0], "semantic": {"name": "redis", "arg_names": [], "import_names": ["redis"], "rhs_call_name": "", "annotation": ""}, "snippet": "import redis"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:ImportFrom_L7_C0", "label": "from redis.exceptions import ConnectionError", "type": "import", "loc": [7, 7], "level": 0, "parent": null, "vector": [1, 0, 0.0412, 0.0059, 0, 0.66, 0.1538, 343, 0, 1, 0, 0, 343, 0, 0], "semantic": {"name": "redis.exceptions", "arg_names": [], "import_names": ["ConnectionError"], "rhs_call_name": "", "annotation": ""}, "snippet": "from redis.exceptions import ConnectionError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:ImportFrom_L8_C0", "label": "from gluon import current", "type": "import", "loc": [8, 8], "level": 0, "parent": null, "vector": [1, 0, 0.0471, 0.0059, 0, 0.66, 0.2308, 826, 0, 1, 0, 0, 826, 0, 0], "semantic": {"name": "gluon", "arg_names": [], "import_names": ["current"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon import current"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:ImportFrom_L9_C0", "label": "from gluon.cache import CacheAbstract", "type": "import", "loc": [9, 9], "level": 0, "parent": null, "vector": [1, 0, 0.0529, 0.0059, 0, 0.66, 0.3077, 38, 0, 1, 0, 0, 38, 0, 0], "semantic": {"name": "gluon.cache", "arg_names": [], "import_names": ["CacheAbstract"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon.cache import CacheAbstract"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Import_L10_C0", "label": "cPickle import pickle", "type": "import", "loc": [10, 10], "level": 0, "parent": null, "vector": [1, 0, 0.0588, 0.0059, 0, 0.66, 0.3846, 279, 0, 1, 0, 0, 279, 0, 0], "semantic": {"name": "cPickle", "arg_names": [], "import_names": ["pickle"], "rhs_call_name": "", "annotation": ""}, "snippet": "import cPickle as pickle"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Import_L11_C0", "label": "time import time", "type": "import", "loc": [11, 11], "level": 0, "parent": null, "vector": [1, 0, 0.0647, 0.0059, 0, 0.66, 0.4615, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["time"], "rhs_call_name": "", "annotation": ""}, "snippet": "import time"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Import_L12_C0", "label": "re import re", "type": "import", "loc": [12, 12], "level": 0, "parent": null, "vector": [1, 0, 0.0706, 0.0059, 0, 0.66, 0.5385, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Import_L13_C0", "label": "logging import logging", "type": "import", "loc": [13, 13], "level": 0, "parent": null, "vector": [1, 0, 0.0765, 0.0059, 0, 0.66, 0.6154, 715, 0, 1, 0, 0, 715, 0, 0], "semantic": {"name": "logging", "arg_names": [], "import_names": ["logging"], "rhs_call_name": "", "annotation": ""}, "snippet": "import logging"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Import_L14_C0", "label": "thread import thread", "type": "import", "loc": [14, 14], "level": 0, "parent": null, "vector": [1, 0, 0.0824, 0.0059, 0, 0.66, 0.6923, 260, 0, 1, 0, 0, 260, 0, 0], "semantic": {"name": "thread", "arg_names": [], "import_names": ["thread"], "rhs_call_name": "", "annotation": ""}, "snippet": "import thread"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L16_C0", "label": "logger = getLogger()", "type": "assigned_variable", "loc": [16, 16], "level": 0, "parent": null, "vector": [14, 0, 0.0941, 0.0059, 0, 0.66, 0.7692, 532, 3, 1, 0, 0, 71, 10, 1], "semantic": {"name": "logger", "arg_names": [], "import_names": [], "rhs_call_name": "getLogger", "annotation": ""}, "snippet": "logger = logging.getLogger(\"web2py.cache.redis\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L18_C0", "label": "locker = allocate_lock()", "type": "assigned_variable", "loc": [18, 18], "level": 0, "parent": null, "vector": [14, 0, 0.1059, 0.0059, 0, 0.66, 0.8462, 240, 3, 0, 0, 0, 538, 10, 1], "semantic": {"name": "locker", "arg_names": [], "import_names": [], "rhs_call_name": "allocate_lock", "annotation": ""}, "snippet": "locker = thread.allocate_lock()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L21_C0", "label": "RedisCache", "type": "function", "loc": [21, 43], "level": 0, "parent": null, "vector": [2, 0, 0.1882, 0.1353, 0, 0.66, 0.9231, 365, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "RedisCache", "arg_names": ["args", "vars"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def RedisCache(*args, **vars):\n \"\"\"\n Usage example: put in models\n\n from gluon.contrib.redis_cache import RedisCache\n cache.redis = RedisCache('localhost:6379',db=None, debug=True)\n\n cache.redis.stats()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L22_C4", "label": "expression", "type": "expression", "loc": [22, 35], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L21_C0", "vector": [8, 1, 0.1676, 0.0824, 1, 0.46, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Usage example: put in models\n\n from gluon.contrib.redis_cache import RedisCache\n cache.redis = RedisCache('localhost:6379',db=None, debug=True)\n\n cache.redis.stats()\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L37_C4", "label": "acquire()", "type": "expression", "loc": [37, 37], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L21_C0", "vector": [8, 1, 0.2176, 0.0059, 1, 0.46, 0.3333, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " locker.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L38_C4", "label": "try", "type": "try", "loc": [38, 42], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L21_C0", "vector": [7, 1, 0.2353, 0.0294, 1, 0.46, 0.6667, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n if not hasattr(RedisCache, 'redis_instance'):\n RedisCache.redis_instance = RedisClient(*args, **vars)\n finally:\n locker.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L39_C8", "label": "if", "type": "if", "loc": [39, 40], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L38_C4", "vector": [4, 2, 0.2324, 0.0118, 2, 0.63, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not hasattr(RedisCache, 'redis_instance'):\n RedisCache.redis_instance = RedisClient(*args, **vars)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L40_C12", "label": "RedisCache.redis_instance = RedisClient()", "type": "assigned_variable", "loc": [40, 40], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L39_C8", "vector": [14, 3, 0.2353, 0.0059, 3, 0.55, 0.0, 323, 3, 2, 0, 0, 654, 10, 1], "semantic": {"name": "RedisCache.redis_instance", "arg_names": [], "import_names": [], "rhs_call_name": "RedisClient", "annotation": ""}, "snippet": " RedisCache.redis_instance = RedisClient(*args, **vars)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L42_C8", "label": "release()", "type": "expression", "loc": [42, 42], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L38_C4", "vector": [8, 2, 0.2471, 0.0059, 2, 0.63, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " locker.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L43_C4", "label": "return", "type": "return", "loc": [43, 43], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L21_C0", "vector": [13, 1, 0.2529, 0.0059, 1, 0.46, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return RedisCache.redis_instance"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "label": "RedisClient", "type": "class", "loc": [46, 170], "level": 0, "parent": null, "vector": [3, 0, 0.6353, 0.7353, 0, 0.66, 1.0, 654, 0, 8, 0, 0, 186, 0, 45], "semantic": {"name": "RedisClient", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class RedisClient(object):\n\n meta_storage = {}\n MAX_RETRIES = 5\n RETRIES = 0\n\n def __init__(self, server='localhost:6379', db=None, debug=False):\n self.server = server"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L48_C4", "label": "meta_storage =", "type": "assigned_variable", "loc": [48, 48], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "vector": [14, 1, 0.2824, 0.0059, 1, 0.04, 0.0, 397, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "meta_storage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " meta_storage = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L49_C4", "label": "MAX_RETRIES =", "type": "assigned_variable", "loc": [49, 49], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "vector": [14, 1, 0.2882, 0.0059, 1, 0.04, 0.1, 371, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MAX_RETRIES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " MAX_RETRIES = 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L50_C4", "label": "RETRIES =", "type": "assigned_variable", "loc": [50, 50], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "vector": [14, 1, 0.2941, 0.0059, 1, 0.04, 0.2, 283, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "RETRIES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " RETRIES = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "label": "__init__", "type": "function", "loc": [52, 73], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "vector": [2, 1, 0.3676, 0.1294, 1, 0.04, 0.3, 555, 0, 4, 0, 0, 0, 0, 3], "semantic": {"name": "__init__", "arg_names": ["self", "server", "db", "debug"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, server='localhost:6379', db=None, debug=False):\n self.server = server\n self.db = db or 0\n host, port = (self.server.split(':') + ['6379'])[:2]\n port = int(port)\n self.request = current.request\n self.debug = debug\n if self.request:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L53_C8", "label": "self.server =", "type": "assigned_variable", "loc": [53, 53], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "vector": [14, 2, 0.3118, 0.0059, 2, 0.67, 0.0, 81, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.server", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.server = server"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L54_C8", "label": "self.db =", "type": "assigned_variable", "loc": [54, 54], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "vector": [14, 2, 0.3176, 0.0059, 2, 0.67, 0.125, 990, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.db", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.db = db or 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L55_C8", "label": "host, port =", "type": "assigned_variable", "loc": [55, 55], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "vector": [14, 2, 0.3235, 0.0059, 2, 0.67, 0.25, 364, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "host, port", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " host, port = (self.server.split(':') + ['6379'])[:2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L56_C8", "label": "port = int()", "type": "assigned_variable", "loc": [56, 56], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "vector": [14, 2, 0.3294, 0.0059, 2, 0.67, 0.375, 308, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "port", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " port = int(port)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L57_C8", "label": "self.request =", "type": "assigned_variable", "loc": [57, 57], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "vector": [14, 2, 0.3353, 0.0059, 2, 0.67, 0.5, 952, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.request", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.request = current.request"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L58_C8", "label": "self.debug =", "type": "assigned_variable", "loc": [58, 58], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "vector": [14, 2, 0.3412, 0.0059, 2, 0.67, 0.625, 168, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.debug", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.debug = debug"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L59_C8", "label": "if", "type": "if", "loc": [59, 62], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "vector": [4, 2, 0.3559, 0.0235, 2, 0.67, 0.75, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.request:\n app = self.request.application\n else:\n app = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L60_C12", "label": "app =", "type": "assigned_variable", "loc": [60, 60], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L59_C8", "vector": [14, 3, 0.3529, 0.0059, 3, 0.75, 0.0, 494, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "app", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " app = self.request.application"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L62_C12", "label": "app =", "type": "assigned_variable", "loc": [62, 62], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L59_C8", "vector": [14, 3, 0.3647, 0.0059, 3, 0.75, 1.0, 494, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "app", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " app = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L64_C8", "label": "if", "type": "if", "loc": [64, 71], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "vector": [4, 2, 0.3971, 0.0471, 2, 0.67, 0.875, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not app in self.meta_storage:\n self.storage = self.meta_storage[app] = {\n CacheAbstract.cache_stats_name: {\n 'hit_total': 0,\n 'misses': 0,\n }}\n else:\n self.storage = self.meta_storage[app]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L65_C12", "label": "self.storage =", "type": "assigned_variable", "loc": [65, 69], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L64_C8", "vector": [14, 3, 0.3941, 0.0294, 3, 0.14, 0.0, 956, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.storage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.storage = self.meta_storage[app] = {\n CacheAbstract.cache_stats_name: {\n 'hit_total': 0,\n 'misses': 0,\n }}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L71_C12", "label": "self.storage =", "type": "assigned_variable", "loc": [71, 71], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L64_C8", "vector": [14, 3, 0.4176, 0.0059, 3, 0.14, 1.0, 956, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.storage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.storage = self.meta_storage[app]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L73_C8", "label": "self.r_server = Redis()", "type": "assigned_variable", "loc": [73, 73], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "vector": [14, 2, 0.4294, 0.0059, 2, 0.67, 1.0, 612, 3, 3, 0, 0, 131, 10, 1], "semantic": {"name": "self.r_server", "arg_names": [], "import_names": [], "rhs_call_name": "Redis", "annotation": ""}, "snippet": " self.r_server = redis.Redis(host=host, port=port, db=self.db)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L75_C4", "label": "__call__", "type": "function", "loc": [75, 100], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "vector": [2, 1, 0.5147, 0.1529, 1, 0.04, 0.4, 319, 0, 4, 1, 0, 0, 0, 11], "semantic": {"name": "__call__", "arg_names": ["self", "key", "f", "time_expire"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __call__(self, key, f, time_expire=300):\n try:\n if time_expire is None:\n time_expire = 24 * 60 * 60\n newKey = self.__keyFormat__(key)\n value = None\n obj = self.r_server.get(newKey)\n ttl = self.r_server.ttl(newKey) or 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "label": "try", "type": "try", "loc": [76, 100], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L75_C4", "vector": [7, 2, 0.5176, 0.1471, 2, 0.99, 0.0, 0, 0, 1, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n if time_expire is None:\n time_expire = 24 * 60 * 60\n newKey = self.__keyFormat__(key)\n value = None\n obj = self.r_server.get(newKey)\n ttl = self.r_server.ttl(newKey) or 0\n if ttl > time_expire:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L77_C12", "label": "if", "type": "if", "loc": [77, 78], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "vector": [4, 3, 0.4559, 0.0118, 3, 0.64, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if time_expire is None:\n time_expire = 24 * 60 * 60"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L78_C16", "label": "time_expire =", "type": "assigned_variable", "loc": [78, 78], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L77_C12", "vector": [14, 4, 0.4588, 0.0059, 4, 0.9, 0.0, 468, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "time_expire", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " time_expire = 24 * 60 * 60"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L79_C12", "label": "newKey = __keyFormat__()", "type": "assigned_variable", "loc": [79, 79], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "vector": [14, 3, 0.4647, 0.0059, 3, 0.64, 0.1429, 204, 3, 1, 0, 0, 883, 10, 1], "semantic": {"name": "newKey", "arg_names": [], "import_names": [], "rhs_call_name": "__keyFormat__", "annotation": ""}, "snippet": " newKey = self.__keyFormat__(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L80_C12", "label": "value =", "type": "assigned_variable", "loc": [80, 80], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "vector": [14, 3, 0.4706, 0.0059, 3, 0.64, 0.2857, 441, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L81_C12", "label": "obj = get()", "type": "assigned_variable", "loc": [81, 81], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "vector": [14, 3, 0.4765, 0.0059, 3, 0.64, 0.4286, 505, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "obj", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " obj = self.r_server.get(newKey)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L82_C12", "label": "ttl =", "type": "assigned_variable", "loc": [82, 82], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "vector": [14, 3, 0.4824, 0.0059, 3, 0.64, 0.5714, 382, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "ttl", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ttl = self.r_server.ttl(newKey) or 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L83_C12", "label": "if", "type": "if", "loc": [83, 84], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "vector": [4, 3, 0.4912, 0.0118, 3, 0.64, 0.7143, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ttl > time_expire:\n obj = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L84_C16", "label": "obj =", "type": "assigned_variable", "loc": [84, 84], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L83_C12", "vector": [14, 4, 0.4941, 0.0059, 4, 0.36, 0.0, 505, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "obj", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " obj = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L85_C12", "label": "if", "type": "if", "loc": [85, 97], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "vector": [4, 3, 0.5353, 0.0765, 3, 0.64, 0.8571, 0, 2, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if obj:\n if self.debug:\n self.r_server.incr('web2py_cache_statistics:hit_total')\n value = pickle.loads(obj)\n elif f is None:\n self.r_server.delete(newKey)\n else:\n if self.debug:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L86_C16", "label": "if", "type": "if", "loc": [86, 87], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L85_C12", "vector": [4, 4, 0.5088, 0.0118, 4, 0.11, 0.0, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.debug:\n self.r_server.incr('web2py_cache_statistics:hit_total')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L87_C20", "label": "incr()", "type": "expression", "loc": [87, 87], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L86_C16", "vector": [8, 5, 0.5118, 0.0059, 5, 0.83, 0.0, 621, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "incr", "arg_names": [], "import_names": [], "rhs_call_name": "incr", "annotation": ""}, "snippet": " self.r_server.incr('web2py_cache_statistics:hit_total')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L88_C16", "label": "value = loads()", "type": "assigned_variable", "loc": [88, 88], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L85_C12", "vector": [14, 4, 0.5176, 0.0059, 4, 0.11, 0.5, 441, 3, 1, 0, 0, 88, 10, 1], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "loads", "annotation": ""}, "snippet": " value = pickle.loads(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L89_C12", "label": "if", "type": "if", "loc": [89, 97], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L85_C12", "vector": [4, 4, 0.5471, 0.0529, 4, 0.11, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif f is None:\n self.r_server.delete(newKey)\n else:\n if self.debug:\n self.r_server.incr('web2py_cache_statistics:misses')\n value = f()\n if time_expire == 0:\n time_expire = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L90_C16", "label": "delete()", "type": "expression", "loc": [90, 90], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L89_C12", "vector": [8, 5, 0.5294, 0.0059, 5, 0.23, 0.0, 266, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "delete", "arg_names": [], "import_names": [], "rhs_call_name": "delete", "annotation": ""}, "snippet": " self.r_server.delete(newKey)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L92_C16", "label": "if", "type": "if", "loc": [92, 93], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L89_C12", "vector": [4, 5, 0.5441, 0.0118, 5, 0.23, 0.25, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.debug:\n self.r_server.incr('web2py_cache_statistics:misses')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L93_C20", "label": "incr()", "type": "expression", "loc": [93, 93], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L92_C16", "vector": [8, 6, 0.5471, 0.0059, 6, 0.99, 0.0, 621, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "incr", "arg_names": [], "import_names": [], "rhs_call_name": "incr", "annotation": ""}, "snippet": " self.r_server.incr('web2py_cache_statistics:misses')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L94_C16", "label": "value = f()", "type": "assigned_variable", "loc": [94, 94], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L89_C12", "vector": [14, 5, 0.5529, 0.0059, 5, 0.23, 0.5, 441, 3, 0, 0, 0, 899, 10, 1], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "f", "annotation": ""}, "snippet": " value = f()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L95_C16", "label": "if", "type": "if", "loc": [95, 96], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L89_C12", "vector": [4, 5, 0.5618, 0.0118, 5, 0.23, 0.75, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if time_expire == 0:\n time_expire = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L96_C20", "label": "time_expire =", "type": "assigned_variable", "loc": [96, 96], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L95_C16", "vector": [14, 6, 0.5647, 0.0059, 6, 0.22, 0.0, 468, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "time_expire", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " time_expire = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L97_C16", "label": "setex()", "type": "expression", "loc": [97, 97], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L89_C12", "vector": [8, 5, 0.5706, 0.0059, 5, 0.23, 1.0, 285, 3, 3, 0, 0, 0, 0, 2], "semantic": {"name": "setex", "arg_names": [], "import_names": [], "rhs_call_name": "setex", "annotation": ""}, "snippet": " self.r_server.setex(newKey, pickle.dumps(value), time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L98_C12", "label": "return", "type": "return", "loc": [98, 98], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "vector": [13, 3, 0.5765, 0.0059, 3, 0.64, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L100_C12", "label": "return", "type": "return", "loc": [100, 100], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "vector": [13, 3, 0.5882, 0.0059, 3, 0.64, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.retry_call(key, f, time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L102_C4", "label": "retry_call", "type": "function", "loc": [102, 113], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "vector": [2, 1, 0.6324, 0.0706, 1, 0.04, 0.5, 170, 0, 4, 1, 0, 0, 0, 5], "semantic": {"name": "retry_call", "arg_names": ["self", "key", "f", "time_expire"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def retry_call(self, key, f, time_expire):\n self.RETRIES += 1\n if self.RETRIES <= self.MAX_RETRIES:\n logger.error(\"sleeping %s seconds before reconnecting\" %\n (2 * self.RETRIES))\n time.sleep(2 * self.RETRIES)\n self.__init__(self.server, self.db, self.debug)\n return self.__call__(key, f, time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L104_C8", "label": "if", "type": "if", "loc": [104, 113], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L102_C4", "vector": [4, 2, 0.6382, 0.0588, 2, 0.52, 0.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.RETRIES <= self.MAX_RETRIES:\n logger.error(\"sleeping %s seconds before reconnecting\" %\n (2 * self.RETRIES))\n time.sleep(2 * self.RETRIES)\n self.__init__(self.server, self.db, self.debug)\n return self.__call__(key, f, time_expire)\n else:\n self.RETRIES = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L105_C12", "label": "error()", "type": "expression", "loc": [105, 106], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L104_C8", "vector": [8, 3, 0.6206, 0.0118, 3, 0.72, 0.0, 771, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "error", "arg_names": [], "import_names": [], "rhs_call_name": "error", "annotation": ""}, "snippet": " logger.error(\"sleeping %s seconds before reconnecting\" %\n (2 * self.RETRIES))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L107_C12", "label": "sleep()", "type": "expression", "loc": [107, 107], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L104_C8", "vector": [8, 3, 0.6294, 0.0059, 3, 0.72, 0.25, 476, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "sleep", "arg_names": [], "import_names": [], "rhs_call_name": "sleep", "annotation": ""}, "snippet": " time.sleep(2 * self.RETRIES)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L108_C12", "label": "__init__()", "type": "expression", "loc": [108, 108], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L104_C8", "vector": [8, 3, 0.6353, 0.0059, 3, 0.72, 0.5, 555, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " self.__init__(self.server, self.db, self.debug)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L109_C12", "label": "return", "type": "return", "loc": [109, 109], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L104_C8", "vector": [13, 3, 0.6412, 0.0059, 3, 0.72, 0.75, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.__call__(key, f, time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L111_C12", "label": "self.RETRIES =", "type": "assigned_variable", "loc": [111, 111], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L104_C8", "vector": [14, 3, 0.6529, 0.0059, 3, 0.72, 1.0, 120, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.RETRIES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.RETRIES = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L115_C4", "label": "increment", "type": "function", "loc": [115, 125], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "vector": [2, 1, 0.7059, 0.0647, 1, 0.04, 0.6, 714, 0, 4, 1, 0, 0, 0, 5], "semantic": {"name": "increment", "arg_names": ["self", "key", "value", "time_expire"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def increment(self, key, value=1, time_expire=300):\n try:\n newKey = self.__keyFormat__(key)\n obj = self.r_server.get(newKey)\n if obj:\n return self.r_server.incr(newKey, value)\n else:\n self.r_server.setex(newKey, value, time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L116_C8", "label": "try", "type": "try", "loc": [116, 125], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L115_C4", "vector": [7, 2, 0.7088, 0.0588, 2, 0.43, 0.0, 0, 0, 1, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n newKey = self.__keyFormat__(key)\n obj = self.r_server.get(newKey)\n if obj:\n return self.r_server.incr(newKey, value)\n else:\n self.r_server.setex(newKey, value, time_expire)\n return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L117_C12", "label": "newKey = __keyFormat__()", "type": "assigned_variable", "loc": [117, 117], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L116_C8", "vector": [14, 3, 0.6882, 0.0059, 3, 0.45, 0.0, 204, 3, 1, 0, 0, 883, 10, 1], "semantic": {"name": "newKey", "arg_names": [], "import_names": [], "rhs_call_name": "__keyFormat__", "annotation": ""}, "snippet": " newKey = self.__keyFormat__(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L118_C12", "label": "obj = get()", "type": "assigned_variable", "loc": [118, 118], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L116_C8", "vector": [14, 3, 0.6941, 0.0059, 3, 0.45, 0.5, 505, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "obj", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " obj = self.r_server.get(newKey)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L119_C12", "label": "if", "type": "if", "loc": [119, 123], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L116_C8", "vector": [4, 3, 0.7118, 0.0294, 3, 0.45, 1.0, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if obj:\n return self.r_server.incr(newKey, value)\n else:\n self.r_server.setex(newKey, value, time_expire)\n return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L120_C16", "label": "return", "type": "return", "loc": [120, 120], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L119_C12", "vector": [13, 4, 0.7059, 0.0059, 4, 0.81, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.r_server.incr(newKey, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L122_C16", "label": "setex()", "type": "expression", "loc": [122, 122], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L119_C12", "vector": [8, 4, 0.7176, 0.0059, 4, 0.81, 0.5, 285, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "setex", "arg_names": [], "import_names": [], "rhs_call_name": "setex", "annotation": ""}, "snippet": " self.r_server.setex(newKey, value, time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L123_C16", "label": "return", "type": "return", "loc": [123, 123], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L119_C12", "vector": [13, 4, 0.7235, 0.0059, 4, 0.81, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L125_C12", "label": "return", "type": "return", "loc": [125, 125], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L116_C8", "vector": [13, 3, 0.7353, 0.0059, 3, 0.45, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.retry_increment(key, value, time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L127_C4", "label": "retry_increment", "type": "function", "loc": [127, 137], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "vector": [2, 1, 0.7765, 0.0647, 1, 0.04, 0.7, 377, 0, 4, 1, 0, 0, 0, 5], "semantic": {"name": "retry_increment", "arg_names": ["self", "key", "value", "time_expire"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def retry_increment(self, key, value, time_expire):\n self.RETRIES += 1\n if self.RETRIES <= self.MAX_RETRIES:\n logger.error(\"sleeping some seconds before reconnecting\")\n time.sleep(2 * self.RETRIES)\n self.__init__(self.server, self.db, self.debug)\n return self.increment(key, value, time_expire)\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L129_C8", "label": "if", "type": "if", "loc": [129, 137], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L127_C4", "vector": [4, 2, 0.7824, 0.0529, 2, 0.66, 0.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.RETRIES <= self.MAX_RETRIES:\n logger.error(\"sleeping some seconds before reconnecting\")\n time.sleep(2 * self.RETRIES)\n self.__init__(self.server, self.db, self.debug)\n return self.increment(key, value, time_expire)\n else:\n self.RETRIES = 0\n raise ConnectionError('Redis instance is unavailable at %s' % ("}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L130_C12", "label": "error()", "type": "expression", "loc": [130, 130], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L129_C8", "vector": [8, 3, 0.7647, 0.0059, 3, 0.77, 0.0, 771, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "error", "arg_names": [], "import_names": [], "rhs_call_name": "error", "annotation": ""}, "snippet": " logger.error(\"sleeping some seconds before reconnecting\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L131_C12", "label": "sleep()", "type": "expression", "loc": [131, 131], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L129_C8", "vector": [8, 3, 0.7706, 0.0059, 3, 0.77, 0.25, 476, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "sleep", "arg_names": [], "import_names": [], "rhs_call_name": "sleep", "annotation": ""}, "snippet": " time.sleep(2 * self.RETRIES)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L132_C12", "label": "__init__()", "type": "expression", "loc": [132, 132], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L129_C8", "vector": [8, 3, 0.7765, 0.0059, 3, 0.77, 0.5, 555, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " self.__init__(self.server, self.db, self.debug)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L133_C12", "label": "return", "type": "return", "loc": [133, 133], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L129_C8", "vector": [13, 3, 0.7824, 0.0059, 3, 0.77, 0.75, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.increment(key, value, time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L135_C12", "label": "self.RETRIES =", "type": "assigned_variable", "loc": [135, 135], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L129_C8", "vector": [14, 3, 0.7941, 0.0059, 3, 0.77, 1.0, 120, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.RETRIES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.RETRIES = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "label": "clear", "type": "function", "loc": [139, 151], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "vector": [2, 1, 0.8529, 0.0765, 1, 0.04, 0.8, 712, 0, 2, 0, 0, 0, 0, 8], "semantic": {"name": "clear", "arg_names": ["self", "regex"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def clear(self, regex):\n \"\"\"\n Auxiliary function called by `clear` to search and\n clear cache entries\n \"\"\"\n r = re.compile(regex)\n prefix = \"w2p:%s:\" % (self.request.application)\n pipe = self.r_server.pipeline()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L140_C8", "label": "expression", "type": "expression", "loc": [140, 143], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "vector": [8, 2, 0.8324, 0.0235, 2, 0.04, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Auxiliary function called by `clear` to search and\n clear cache entries\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L144_C8", "label": "r = compile()", "type": "assigned_variable", "loc": [144, 144], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "vector": [14, 2, 0.8471, 0.0059, 2, 0.04, 0.2, 436, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "r", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": " r = re.compile(regex)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L145_C8", "label": "prefix =", "type": "assigned_variable", "loc": [145, 145], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "vector": [14, 2, 0.8529, 0.0059, 2, 0.04, 0.4, 284, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prefix", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prefix = \"w2p:%s:\" % (self.request.application)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L146_C8", "label": "pipe = pipeline()", "type": "assigned_variable", "loc": [146, 146], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "vector": [14, 2, 0.8588, 0.0059, 2, 0.04, 0.6, 952, 3, 0, 0, 0, 515, 10, 1], "semantic": {"name": "pipe", "arg_names": [], "import_names": [], "rhs_call_name": "pipeline", "annotation": ""}, "snippet": " pipe = self.r_server.pipeline()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:For_L147_C8", "label": "for a", "type": "for", "loc": [147, 150], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "vector": [6, 2, 0.8735, 0.0235, 2, 0.04, 0.8, 475, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "a", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for a in self.r_server.keys(\"%s*\" %\n (prefix)):\n if r.match(str(a).replace(prefix, '', 1)):\n pipe.delete(a)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L149_C12", "label": "if", "type": "if", "loc": [149, 150], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:For_L147_C8", "vector": [4, 3, 0.8794, 0.0118, 3, 0.04, 0.0, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if r.match(str(a).replace(prefix, '', 1)):\n pipe.delete(a)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L150_C16", "label": "delete()", "type": "expression", "loc": [150, 150], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L149_C12", "vector": [8, 4, 0.8824, 0.0059, 4, 0.64, 0.0, 266, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "delete", "arg_names": [], "import_names": [], "rhs_call_name": "delete", "annotation": ""}, "snippet": " pipe.delete(a)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L151_C8", "label": "execute()", "type": "expression", "loc": [151, 151], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "vector": [8, 2, 0.8882, 0.0059, 2, 0.04, 1.0, 569, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "execute", "arg_names": [], "import_names": [], "rhs_call_name": "execute", "annotation": ""}, "snippet": " pipe.execute()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L153_C4", "label": "stats", "type": "function", "loc": [153, 166], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "vector": [2, 1, 0.9382, 0.0824, 1, 0.04, 0.9, 318, 0, 1, 1, 0, 0, 0, 7], "semantic": {"name": "stats", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def stats(self):\n statscollector = self.r_server.info()\n if self.debug:\n statscollector['w2p_stats'] = dict(\n hit_total=self.r_server.get(\n 'web2py_cache_statistics:hit_total'),\n misses=self.r_server.get('web2py_cache_statistics:misses')\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L154_C8", "label": "statscollector = info()", "type": "assigned_variable", "loc": [154, 154], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L153_C4", "vector": [14, 2, 0.9059, 0.0059, 2, 0.74, 0.0, 193, 3, 0, 0, 0, 730, 10, 1], "semantic": {"name": "statscollector", "arg_names": [], "import_names": [], "rhs_call_name": "info", "annotation": ""}, "snippet": " statscollector = self.r_server.info()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:If_L155_C8", "label": "if", "type": "if", "loc": [155, 160], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L153_C4", "vector": [4, 2, 0.9265, 0.0353, 2, 0.74, 0.25, 0, 7, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.debug:\n statscollector['w2p_stats'] = dict(\n hit_total=self.r_server.get(\n 'web2py_cache_statistics:hit_total'),\n misses=self.r_server.get('web2py_cache_statistics:misses')\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L156_C12", "label": " = dict()", "type": "assigned_variable", "loc": [156, 160], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:If_L155_C8", "vector": [14, 3, 0.9294, 0.0294, 3, 0.38, 0.0, 0, 3, 2, 0, 0, 827, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "dict", "annotation": ""}, "snippet": " statscollector['w2p_stats'] = dict(\n hit_total=self.r_server.get(\n 'web2py_cache_statistics:hit_total'),\n misses=self.r_server.get('web2py_cache_statistics:misses')\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L161_C8", "label": " = dict()", "type": "assigned_variable", "loc": [161, 161], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L153_C4", "vector": [14, 2, 0.9471, 0.0059, 2, 0.74, 0.5, 0, 3, 0, 0, 0, 827, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "dict", "annotation": ""}, "snippet": " statscollector['w2p_keys'] = dict()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:For_L162_C8", "label": "for a", "type": "for", "loc": [162, 165], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L153_C4", "vector": [6, 2, 0.9618, 0.0235, 2, 0.74, 0.75, 475, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "a", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for a in self.r_server.keys(\"w2p:%s:*\" % (\n self.request.application)):\n statscollector['w2p_keys'][\"%s_expire_in_sec\" % (a)] = \\\n self.r_server.ttl(a)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L164_C12", "label": " = ttl()", "type": "assigned_variable", "loc": [164, 165], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:For_L162_C8", "vector": [14, 3, 0.9676, 0.0118, 3, 0.08, 0.0, 0, 3, 1, 0, 0, 382, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "ttl", "annotation": ""}, "snippet": " statscollector['w2p_keys'][\"%s_expire_in_sec\" % (a)] = \\\n self.r_server.ttl(a)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L166_C8", "label": "return", "type": "return", "loc": [166, 166], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L153_C4", "vector": [13, 2, 0.9765, 0.0059, 2, 0.74, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return statscollector"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L168_C4", "label": "__keyFormat__", "type": "function", "loc": [168, 170], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "vector": [2, 1, 0.9941, 0.0176, 1, 0.04, 1.0, 883, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__keyFormat__", "arg_names": ["self", "key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __keyFormat__(self, key):\n return 'w2p:%s:%s' % (self.request.application,\n key.replace(' ', '_'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L169_C8", "label": "return", "type": "return", "loc": [169, 170], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L168_C4", "vector": [13, 2, 0.9971, 0.0118, 2, 0.3, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'w2p:%s:%s' % (self.request.application,\n key.replace(' ', '_'))"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L21_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L22_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L21_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L37_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L21_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L38_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L38_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L39_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L39_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L40_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L38_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L42_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L21_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L43_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L48_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L49_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L50_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L53_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L54_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L55_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L56_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L57_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L58_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L59_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L59_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L60_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L59_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L62_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L64_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L64_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L65_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L64_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L71_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L73_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L75_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L77_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L77_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L78_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L79_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L80_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L81_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L82_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L83_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L83_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L84_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L85_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L85_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L86_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L86_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L87_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L85_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L88_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L85_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L89_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L89_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L90_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L89_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L92_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L92_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L93_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L89_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L94_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L89_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L95_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L95_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L96_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L89_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L97_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L98_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L76_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L100_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L102_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L102_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L104_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L104_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L105_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L104_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L107_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L104_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L108_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L104_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L109_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L104_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L111_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L115_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L115_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L116_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L116_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L117_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L116_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L118_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L116_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L119_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L119_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L120_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L119_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L122_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L119_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L123_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:Try_L116_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L125_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L127_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L127_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L129_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L129_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L130_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L129_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L131_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L129_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L132_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L129_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L133_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L129_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L135_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L140_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L144_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L145_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L146_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:For_L147_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:For_L147_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L149_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L149_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L150_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L139_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Expr_L151_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L153_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L153_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L154_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L153_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:If_L155_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:If_L155_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L156_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L153_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L161_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L153_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:For_L162_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:For_L162_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Assign_L164_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L153_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L166_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L168_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_508:FunctionDef_L168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_508:Return_L169_C8"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- # # Creates a taskbar icon for web2py # # Author: Mark Larsen, mostly stolen from Mark Hammond's # # C:\Python25\Lib\site-packages\win32\Demos\win32gui_taskbar.py # # 11/7/08 # dual licensed under the web2py license (LGPL) and the Python license. import os import sys import base64 import win32con import win32api import win32gui class TaskBarIcon: def __init__(self, iconPath=None): self.iconPath = iconPath self.status = [] msg_TaskbarRestart = \ win32api.RegisterWindowMessage('TaskbarCreated') message_map = { msg_TaskbarRestart: self.OnRestart, win32con.WM_DESTROY: self.OnDestroy, win32con.WM_COMMAND: self.OnCommand, win32con.WM_USER + 20: self.OnTaskbarNotify, } # Register the Window class. wc = win32gui.WNDCLASS() hinst = wc.hInstance = win32api.GetModuleHandle(None) wc.lpszClassName = 'web2pyTaskbar' wc.style = win32con.CS_VREDRAW | win32con.CS_HREDRAW wc.hCursor = win32gui.LoadCursor(0, win32con.IDC_ARROW) wc.hbrBackground = win32con.COLOR_WINDOW wc.lpfnWndProc = message_map # could also specify a wndproc. classAtom = win32gui.RegisterClass(wc) # Create the Window. style = win32con.WS_OVERLAPPED | win32con.WS_SYSMENU self.hwnd = win32gui.CreateWindow( classAtom, 'web2pyTaskbar', style, 0, 0, win32con.CW_USEDEFAULT, win32con.CW_USEDEFAULT, 0, 0, hinst, None, ) win32gui.UpdateWindow(self.hwnd) self.SetServerStopped() def __createIcon(self): # try and use custom icon if self.iconPath and os.path.isfile(self.iconPath): hicon = self.__loadFromFile(self.iconPath) else: try: fp = 'tmp.ico' icFH = file(fp, 'wb') if self.serverState == self.EnumServerState.STOPPED: icFH.write(base64.b64decode(self.__getIconStopped())) elif self.serverState == self.EnumServerState.RUNNING: icFH.write(base64.b64decode(self.__getIconRunning())) icFH.close() hicon = self.__loadFromFile(fp) os.unlink(fp) except: print "Can't load web2py icons - using default" hicon = win32gui.LoadIcon(0, win32con.IDI_APPLICATION) flags = win32gui.NIF_ICON | win32gui.NIF_MESSAGE\ | win32gui.NIF_TIP nid = ( self.hwnd, 0, flags, win32con.WM_USER + 20, hicon, 'web2py Framework', ) try: win32gui.Shell_NotifyIcon(win32gui.NIM_MODIFY, nid) except: try: win32gui.Shell_NotifyIcon(win32gui.NIM_ADD, nid) except win32api.error: # This is common when windows is starting, and this code is hit # before the taskbar has been created. print 'Failed to add the taskbar icon - is explorer running?' # but keep running anyway - when explorer starts, we get the def OnRestart( self, hwnd, msg, wparam, lparam, ): self._DoCreateIcons() def OnDestroy( self, hwnd, msg, wparam, lparam, ): nid = (self.hwnd, 0) win32gui.Shell_NotifyIcon(win32gui.NIM_DELETE, nid) def OnTaskbarNotify( self, hwnd, msg, wparam, lparam, ): if lparam == win32con.WM_LBUTTONUP: pass elif lparam == win32con.WM_LBUTTONDBLCLK: pass elif lparam == win32con.WM_RBUTTONUP: menu = win32gui.CreatePopupMenu() win32gui.AppendMenu(menu, win32con.MF_STRING, 1023, 'Toggle Display') win32gui.AppendMenu(menu, win32con.MF_SEPARATOR, 0, '') if self.serverState == self.EnumServerState.STOPPED: win32gui.AppendMenu(menu, win32con.MF_STRING, 1024, 'Start Server') win32gui.AppendMenu(menu, win32con.MF_STRING | win32con.MF_GRAYED, 1025, 'Restart Server') win32gui.AppendMenu(menu, win32con.MF_STRING | win32con.MF_GRAYED, 1026, 'Stop Server') else: win32gui.AppendMenu(menu, win32con.MF_STRING | win32con.MF_GRAYED, 1024, 'Start Server') win32gui.AppendMenu(menu, win32con.MF_STRING, 1025, 'Restart Server') win32gui.AppendMenu(menu, win32con.MF_STRING, 1026, 'Stop Server') win32gui.AppendMenu(menu, win32con.MF_SEPARATOR, 0, '') win32gui.AppendMenu(menu, win32con.MF_STRING, 1027, 'Quit (pid:%i)' % os.getpid()) pos = win32gui.GetCursorPos() # See http://msdn.microsoft.com/library/default.asp?url=/library/en-us/winui/menus_0hdi.asp win32gui.SetForegroundWindow(self.hwnd) win32gui.TrackPopupMenu( menu, win32con.TPM_LEFTALIGN, pos[0], pos[1], 0, self.hwnd, None, ) win32api.PostMessage(self.hwnd, win32con.WM_NULL, 0, 0) return 1 def OnCommand( self, hwnd, msg, wparam, lparam, ): id = win32api.LOWORD(wparam) if id == 1023: self.status.append(self.EnumStatus.TOGGLE) elif id == 1024: self.status.append(self.EnumStatus.START) elif id == 1025: self.status.append(self.EnumStatus.RESTART) elif id == 1026: self.status.append(self.EnumStatus.STOP) elif id == 1027: self.status.append(self.EnumStatus.QUIT) self.Destroy() else: print 'Unknown command -', id def Destroy(self): win32gui.DestroyWindow(self.hwnd) def SetServerRunning(self): self.serverState = self.EnumServerState.RUNNING self.__createIcon() def SetServerStopped(self): self.serverState = self.EnumServerState.STOPPED self.__createIcon() def __getIconRunning(self): return 'AAABAAEAEBAQAAAAAAAoAQAAFgAAACgAAAAQAAAAIAAAAAEABAAAAAAAgAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAIXMGAABe/wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABERAgAAIAAAEAACAAAgAAABEAIiACIgAAABAgAgIAIAEAECACAgAgABEAIiACACAAAAAAAAAAAAICACIiAiIAICAgIAACACAgICAgAAIAICAgICIiAiIAICAgIAACACAgICAgAAIAICAgICIiAiIAAAAAAAAAAAD//wAAhe8AAL3vAADMYwAA9a0AALWtAADMbQAA//8AAKwjAABV7QAAVe0AAFQjAABV7QAAVe0AAFQjAAD//wAA' def __getIconStopped(self): return 'AAABAAEAEBAQAAEABAAoAQAAFgAAACgAAAAQAAAAIAAAAAEABAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAJCdIAIXMGAABe/wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAzMzMzMzMzAwERMjMzIzAzEDMyMzMjAzMxAzIiMyAjMzMwMjMjAzIzEzECMyAjMjMxEzAiAyMyMzMzMwAzMzMzIyMyACMiIzIyMjAzAyMyMjIyAjMwIzIyMjAyIiMCIzIyAjIzMyAyMjAyMjMzIwIyAjIyIiMiIDAzMzMzMzMzB//gAAhe0AAJ3rAADMYwAA9a0AALGNAADMLQAA/n8AAKwjAABVrQAAUc0AAFQjAABF5QAAVekAABQhAAB//gAA' def __loadFromFile(self, iconPath): hinst = win32api.GetModuleHandle(None) icon_flags = win32con.LR_LOADFROMFILE | win32con.LR_DEFAULTSIZE hicon = win32gui.LoadImage( hinst, iconPath, win32con.IMAGE_ICON, 0, 0, icon_flags, ) return hicon class EnumStatus: TOGGLE = 0 START = 1 STOP = 2 RESTART = 3 QUIT = 4 class EnumServerState: RUNNING = 0 STOPPED = 1
ajibawa-2023/Python-Code-Large/train/row_510
112
243
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_510:Import_L9_C0", "label": "os import os", "type": "import", "loc": [9, 9], "level": 0, "parent": null, "vector": [1, 0, 0.037, 0.0041, 0, 0.66, 0.0, 688, 0, 1, 0, 0, 688, 0, 0], "semantic": {"name": "os", "arg_names": [], "import_names": ["os"], "rhs_call_name": "", "annotation": ""}, "snippet": "import os"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Import_L10_C0", "label": "sys import sys", "type": "import", "loc": [10, 10], "level": 0, "parent": null, "vector": [1, 0, 0.0412, 0.0041, 0, 0.66, 0.1667, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Import_L11_C0", "label": "base64 import base64", "type": "import", "loc": [11, 11], "level": 0, "parent": null, "vector": [1, 0, 0.0453, 0.0041, 0, 0.66, 0.3333, 177, 0, 1, 0, 0, 177, 0, 0], "semantic": {"name": "base64", "arg_names": [], "import_names": ["base64"], "rhs_call_name": "", "annotation": ""}, "snippet": "import base64"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Import_L12_C0", "label": "win32con import win32con", "type": "import", "loc": [12, 12], "level": 0, "parent": null, "vector": [1, 0, 0.0494, 0.0041, 0, 0.66, 0.5, 507, 0, 1, 0, 0, 507, 0, 0], "semantic": {"name": "win32con", "arg_names": [], "import_names": ["win32con"], "rhs_call_name": "", "annotation": ""}, "snippet": "import win32con"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Import_L13_C0", "label": "win32api import win32api", "type": "import", "loc": [13, 13], "level": 0, "parent": null, "vector": [1, 0, 0.0535, 0.0041, 0, 0.66, 0.6667, 877, 0, 1, 0, 0, 877, 0, 0], "semantic": {"name": "win32api", "arg_names": [], "import_names": ["win32api"], "rhs_call_name": "", "annotation": ""}, "snippet": "import win32api"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Import_L14_C0", "label": "win32gui import win32gui", "type": "import", "loc": [14, 14], "level": 0, "parent": null, "vector": [1, 0, 0.0576, 0.0041, 0, 0.66, 0.8333, 615, 0, 1, 0, 0, 615, 0, 0], "semantic": {"name": "win32gui", "arg_names": [], "import_names": ["win32gui"], "rhs_call_name": "", "annotation": ""}, "snippet": "import win32gui"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "label": "TaskBarIcon", "type": "class", "loc": [17, 243], "level": 0, "parent": null, "vector": [3, 0, 0.535, 0.9342, 0, 0.66, 1.0, 309, 0, 12, 0, 0, 0, 0, 56], "semantic": {"name": "TaskBarIcon", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class TaskBarIcon:\n\n def __init__(self, iconPath=None):\n\n self.iconPath = iconPath\n self.status = []\n\n msg_TaskbarRestart = \\"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "label": "__init__", "type": "function", "loc": [19, 61], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [2, 1, 0.1646, 0.177, 1, 0.61, 0.0, 555, 0, 2, 0, 0, 0, 0, 8], "semantic": {"name": "__init__", "arg_names": ["self", "iconPath"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, iconPath=None):\n\n self.iconPath = iconPath\n self.status = []\n\n msg_TaskbarRestart = \\\n win32api.RegisterWindowMessage('TaskbarCreated')\n message_map = {"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L21_C8", "label": "self.iconPath =", "type": "assigned_variable", "loc": [21, 21], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.0864, 0.0041, 2, 0.14, 0.0, 524, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.iconPath", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.iconPath = iconPath"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L22_C8", "label": "self.status =", "type": "assigned_variable", "loc": [22, 22], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.0905, 0.0041, 2, 0.14, 0.0667, 651, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.status", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.status = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L24_C8", "label": "msg_TaskbarRestart = RegisterWindowMessage()", "type": "assigned_variable", "loc": [24, 25], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.1008, 0.0082, 2, 0.14, 0.1333, 510, 3, 1, 0, 0, 688, 10, 1], "semantic": {"name": "msg_TaskbarRestart", "arg_names": [], "import_names": [], "rhs_call_name": "RegisterWindowMessage", "annotation": ""}, "snippet": " msg_TaskbarRestart = \\\n win32api.RegisterWindowMessage('TaskbarCreated')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L26_C8", "label": "message_map =", "type": "assigned_variable", "loc": [26, 31], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.1173, 0.0247, 2, 0.14, 0.2, 636, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "message_map", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " message_map = {\n msg_TaskbarRestart: self.OnRestart,\n win32con.WM_DESTROY: self.OnDestroy,\n win32con.WM_COMMAND: self.OnCommand,\n win32con.WM_USER + 20: self.OnTaskbarNotify,\n }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L35_C8", "label": "wc = WNDCLASS()", "type": "assigned_variable", "loc": [35, 35], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.144, 0.0041, 2, 0.14, 0.2667, 422, 3, 0, 0, 0, 245, 10, 1], "semantic": {"name": "wc", "arg_names": [], "import_names": [], "rhs_call_name": "WNDCLASS", "annotation": ""}, "snippet": " wc = win32gui.WNDCLASS()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L36_C8", "label": "hinst = GetModuleHandle()", "type": "assigned_variable", "loc": [36, 36], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.1481, 0.0041, 2, 0.14, 0.3333, 957, 3, 1, 0, 0, 224, 10, 1], "semantic": {"name": "hinst", "arg_names": [], "import_names": [], "rhs_call_name": "GetModuleHandle", "annotation": ""}, "snippet": " hinst = wc.hInstance = win32api.GetModuleHandle(None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L37_C8", "label": "wc.lpszClassName =", "type": "assigned_variable", "loc": [37, 37], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.1523, 0.0041, 2, 0.14, 0.4, 36, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "wc.lpszClassName", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " wc.lpszClassName = 'web2pyTaskbar'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L38_C8", "label": "wc.style =", "type": "assigned_variable", "loc": [38, 38], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.1564, 0.0041, 2, 0.14, 0.4667, 232, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "wc.style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " wc.style = win32con.CS_VREDRAW | win32con.CS_HREDRAW"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L39_C8", "label": "wc.hCursor = LoadCursor()", "type": "assigned_variable", "loc": [39, 39], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.1605, 0.0041, 2, 0.14, 0.5333, 905, 3, 2, 0, 0, 905, 10, 1], "semantic": {"name": "wc.hCursor", "arg_names": [], "import_names": [], "rhs_call_name": "LoadCursor", "annotation": ""}, "snippet": " wc.hCursor = win32gui.LoadCursor(0, win32con.IDC_ARROW)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L40_C8", "label": "wc.hbrBackground =", "type": "assigned_variable", "loc": [40, 40], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.1646, 0.0041, 2, 0.14, 0.6, 730, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "wc.hbrBackground", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " wc.hbrBackground = win32con.COLOR_WINDOW"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L41_C8", "label": "wc.lpfnWndProc =", "type": "assigned_variable", "loc": [41, 41], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.1687, 0.0041, 2, 0.14, 0.6667, 380, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "wc.lpfnWndProc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " wc.lpfnWndProc = message_map # could also specify a wndproc."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L42_C8", "label": "classAtom = RegisterClass()", "type": "assigned_variable", "loc": [42, 42], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.1728, 0.0041, 2, 0.14, 0.7333, 871, 3, 1, 0, 0, 780, 10, 1], "semantic": {"name": "classAtom", "arg_names": [], "import_names": [], "rhs_call_name": "RegisterClass", "annotation": ""}, "snippet": " classAtom = win32gui.RegisterClass(wc)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L46_C8", "label": "style =", "type": "assigned_variable", "loc": [46, 46], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.1893, 0.0041, 2, 0.14, 0.8, 3, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " style = win32con.WS_OVERLAPPED | win32con.WS_SYSMENU"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L47_C8", "label": "self.hwnd = CreateWindow()", "type": "assigned_variable", "loc": [47, 59], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [14, 2, 0.2181, 0.0535, 2, 0.14, 0.8667, 543, 3, 11, 0, 0, 683, 10, 1], "semantic": {"name": "self.hwnd", "arg_names": [], "import_names": [], "rhs_call_name": "CreateWindow", "annotation": ""}, "snippet": " self.hwnd = win32gui.CreateWindow(\n classAtom,\n 'web2pyTaskbar',\n style,\n 0,\n 0,\n win32con.CW_USEDEFAULT,\n win32con.CW_USEDEFAULT,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L60_C8", "label": "UpdateWindow()", "type": "expression", "loc": [60, 60], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [8, 2, 0.2469, 0.0041, 2, 0.14, 0.9333, 430, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "UpdateWindow", "arg_names": [], "import_names": [], "rhs_call_name": "UpdateWindow", "annotation": ""}, "snippet": " win32gui.UpdateWindow(self.hwnd)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L61_C8", "label": "SetServerStopped()", "type": "expression", "loc": [61, 61], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "vector": [8, 2, 0.251, 0.0041, 2, 0.14, 1.0, 245, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "SetServerStopped", "arg_names": [], "import_names": [], "rhs_call_name": "SetServerStopped", "annotation": ""}, "snippet": " self.SetServerStopped()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L63_C4", "label": "__createIcon", "type": "function", "loc": [63, 104], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [2, 1, 0.3436, 0.1728, 1, 0.61, 0.0769, 241, 0, 1, 0, 0, 0, 0, 17], "semantic": {"name": "__createIcon", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __createIcon(self):\n\n # try and use custom icon\n\n if self.iconPath and os.path.isfile(self.iconPath):\n hicon = self.__loadFromFile(self.iconPath)\n else:\n try:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:If_L67_C8", "label": "if", "type": "if", "loc": [67, 82], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L63_C4", "vector": [4, 2, 0.3066, 0.0658, 2, 0.16, 0.0, 0, 0, 0, 0, 0, 0, 0, 14], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.iconPath and os.path.isfile(self.iconPath):\n hicon = self.__loadFromFile(self.iconPath)\n else:\n try:\n fp = 'tmp.ico'\n icFH = file(fp, 'wb')\n if self.serverState == self.EnumServerState.STOPPED:\n icFH.write(base64.b64decode(self.__getIconStopped()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L68_C12", "label": "hicon = __loadFromFile()", "type": "assigned_variable", "loc": [68, 68], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L67_C8", "vector": [14, 3, 0.2798, 0.0041, 3, 0.01, 0.0, 617, 3, 1, 0, 0, 989, 10, 1], "semantic": {"name": "hicon", "arg_names": [], "import_names": [], "rhs_call_name": "__loadFromFile", "annotation": ""}, "snippet": " hicon = self.__loadFromFile(self.iconPath)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "label": "try", "type": "try", "loc": [70, 82], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L67_C8", "vector": [7, 3, 0.3128, 0.0535, 3, 0.01, 1.0, 0, 0, 1, 0, 0, 0, 0, 12], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n fp = 'tmp.ico'\n icFH = file(fp, 'wb')\n if self.serverState == self.EnumServerState.STOPPED:\n icFH.write(base64.b64decode(self.__getIconStopped()))\n elif self.serverState == self.EnumServerState.RUNNING:\n icFH.write(base64.b64decode(self.__getIconRunning()))\n icFH.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L71_C16", "label": "fp =", "type": "assigned_variable", "loc": [71, 71], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "vector": [14, 4, 0.2922, 0.0041, 4, 0.45, 0.0, 392, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "fp", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fp = 'tmp.ico'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L72_C16", "label": "icFH = file()", "type": "assigned_variable", "loc": [72, 72], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "vector": [14, 4, 0.2963, 0.0041, 4, 0.45, 0.2, 783, 3, 2, 0, 0, 107, 10, 1], "semantic": {"name": "icFH", "arg_names": [], "import_names": [], "rhs_call_name": "file", "annotation": ""}, "snippet": " icFH = file(fp, 'wb')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:If_L73_C16", "label": "if", "type": "if", "loc": [73, 76], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "vector": [4, 4, 0.3066, 0.0165, 4, 0.45, 0.4, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.serverState == self.EnumServerState.STOPPED:\n icFH.write(base64.b64decode(self.__getIconStopped()))\n elif self.serverState == self.EnumServerState.RUNNING:\n icFH.write(base64.b64decode(self.__getIconRunning()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L74_C20", "label": "write()", "type": "expression", "loc": [74, 74], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L73_C16", "vector": [8, 5, 0.3045, 0.0041, 5, 0.09, 0.0, 837, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " icFH.write(base64.b64decode(self.__getIconStopped()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:If_L75_C16", "label": "if", "type": "if", "loc": [75, 76], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L73_C16", "vector": [4, 5, 0.3107, 0.0082, 5, 0.09, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif self.serverState == self.EnumServerState.RUNNING:\n icFH.write(base64.b64decode(self.__getIconRunning()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L76_C20", "label": "write()", "type": "expression", "loc": [76, 76], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L75_C16", "vector": [8, 6, 0.3128, 0.0041, 6, 0.74, 0.0, 837, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " icFH.write(base64.b64decode(self.__getIconRunning()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L77_C16", "label": "close()", "type": "expression", "loc": [77, 77], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "vector": [8, 4, 0.3169, 0.0041, 4, 0.45, 0.6, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " icFH.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L78_C16", "label": "hicon = __loadFromFile()", "type": "assigned_variable", "loc": [78, 78], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "vector": [14, 4, 0.321, 0.0041, 4, 0.45, 0.8, 617, 3, 1, 0, 0, 989, 10, 1], "semantic": {"name": "hicon", "arg_names": [], "import_names": [], "rhs_call_name": "__loadFromFile", "annotation": ""}, "snippet": " hicon = self.__loadFromFile(fp)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L79_C16", "label": "unlink()", "type": "expression", "loc": [79, 79], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "vector": [8, 4, 0.3251, 0.0041, 4, 0.45, 1.0, 701, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "unlink", "arg_names": [], "import_names": [], "rhs_call_name": "unlink", "annotation": ""}, "snippet": " os.unlink(fp)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L81_C16", "label": "print()", "type": "expression", "loc": [81, 81], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "vector": [8, 4, 0.3333, 0.0041, 4, 0.45, 0.0, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(\"Can't load web2py icons - using default\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L82_C16", "label": "hicon = LoadIcon()", "type": "assigned_variable", "loc": [82, 82], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "vector": [14, 4, 0.3374, 0.0041, 4, 0.45, 1.0, 617, 3, 2, 0, 0, 279, 10, 1], "semantic": {"name": "hicon", "arg_names": [], "import_names": [], "rhs_call_name": "LoadIcon", "annotation": ""}, "snippet": " hicon = win32gui.LoadIcon(0, win32con.IDI_APPLICATION)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L84_C8", "label": "flags =", "type": "assigned_variable", "loc": [84, 85], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L63_C4", "vector": [14, 2, 0.3477, 0.0082, 2, 0.16, 0.3333, 375, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "flags", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " flags = win32gui.NIF_ICON | win32gui.NIF_MESSAGE\\\n | win32gui.NIF_TIP"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L86_C8", "label": "nid =", "type": "assigned_variable", "loc": [86, 93], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L63_C4", "vector": [14, 2, 0.3683, 0.0329, 2, 0.16, 0.6667, 138, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "nid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " nid = (\n self.hwnd,\n 0,\n flags,\n win32con.WM_USER + 20,\n hicon,\n 'web2py Framework',\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L94_C8", "label": "try", "type": "try", "loc": [94, 104], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L63_C4", "vector": [7, 2, 0.4074, 0.0453, 2, 0.16, 1.0, 0, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n win32gui.Shell_NotifyIcon(win32gui.NIM_MODIFY, nid)\n except:\n try:\n win32gui.Shell_NotifyIcon(win32gui.NIM_ADD, nid)\n except win32api.error:\n\n # This is common when windows is starting, and this code is hit"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L95_C12", "label": "Shell_NotifyIcon()", "type": "expression", "loc": [95, 95], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L94_C8", "vector": [8, 3, 0.3909, 0.0041, 3, 0.65, 0.0, 554, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "Shell_NotifyIcon", "arg_names": [], "import_names": [], "rhs_call_name": "Shell_NotifyIcon", "annotation": ""}, "snippet": " win32gui.Shell_NotifyIcon(win32gui.NIM_MODIFY, nid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L97_C12", "label": "try", "type": "try", "loc": [97, 104], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L94_C8", "vector": [7, 3, 0.4136, 0.0329, 3, 0.65, 0.0, 0, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n win32gui.Shell_NotifyIcon(win32gui.NIM_ADD, nid)\n except win32api.error:\n\n # This is common when windows is starting, and this code is hit\n # before the taskbar has been created.\n\n print('Failed to add the taskbar icon - is explorer running?')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L98_C16", "label": "Shell_NotifyIcon()", "type": "expression", "loc": [98, 98], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L97_C12", "vector": [8, 4, 0.4033, 0.0041, 4, 0.63, 0.0, 554, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "Shell_NotifyIcon", "arg_names": [], "import_names": [], "rhs_call_name": "Shell_NotifyIcon", "annotation": ""}, "snippet": " win32gui.Shell_NotifyIcon(win32gui.NIM_ADD, nid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L104_C16", "label": "print()", "type": "expression", "loc": [104, 104], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L97_C12", "vector": [8, 4, 0.428, 0.0041, 4, 0.63, 0.0, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print('Failed to add the taskbar icon - is explorer running?')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L108_C4", "label": "OnRestart", "type": "function", "loc": [108, 115], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [2, 1, 0.4588, 0.0329, 1, 0.61, 0.1538, 641, 0, 5, 0, 0, 0, 0, 1], "semantic": {"name": "OnRestart", "arg_names": ["self", "hwnd", "msg", "wparam", "lparam"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def OnRestart(\n self,\n hwnd,\n msg,\n wparam,\n lparam,\n ):\n self._DoCreateIcons()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L115_C8", "label": "_DoCreateIcons()", "type": "expression", "loc": [115, 115], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L108_C4", "vector": [8, 2, 0.4733, 0.0041, 2, 0.8, 0.0, 238, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_DoCreateIcons", "arg_names": [], "import_names": [], "rhs_call_name": "_DoCreateIcons", "annotation": ""}, "snippet": " self._DoCreateIcons()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L117_C4", "label": "OnDestroy", "type": "function", "loc": [117, 125], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [2, 1, 0.4979, 0.037, 1, 0.61, 0.2308, 890, 0, 5, 0, 0, 0, 0, 1], "semantic": {"name": "OnDestroy", "arg_names": ["self", "hwnd", "msg", "wparam", "lparam"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def OnDestroy(\n self,\n hwnd,\n msg,\n wparam,\n lparam,\n ):\n nid = (self.hwnd, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L124_C8", "label": "nid =", "type": "assigned_variable", "loc": [124, 124], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L117_C4", "vector": [14, 2, 0.5103, 0.0041, 2, 0.06, 0.0, 138, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "nid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " nid = (self.hwnd, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L125_C8", "label": "Shell_NotifyIcon()", "type": "expression", "loc": [125, 125], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L117_C4", "vector": [8, 2, 0.5144, 0.0041, 2, 0.06, 1.0, 554, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "Shell_NotifyIcon", "arg_names": [], "import_names": [], "rhs_call_name": "Shell_NotifyIcon", "annotation": ""}, "snippet": " win32gui.Shell_NotifyIcon(win32gui.NIM_DELETE, nid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L127_C4", "label": "OnTaskbarNotify", "type": "function", "loc": [127, 178], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [2, 1, 0.6276, 0.214, 1, 0.61, 0.3077, 989, 0, 5, 1, 0, 0, 0, 16], "semantic": {"name": "OnTaskbarNotify", "arg_names": ["self", "hwnd", "msg", "wparam", "lparam"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def OnTaskbarNotify(\n self,\n hwnd,\n msg,\n wparam,\n lparam,\n ):\n if lparam == win32con.WM_LBUTTONUP:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:If_L134_C8", "label": "if", "type": "if", "loc": [134, 177], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L127_C4", "vector": [4, 2, 0.6399, 0.1811, 2, 0.11, 0.0, 0, 0, 0, 0, 0, 0, 0, 16], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lparam == win32con.WM_LBUTTONUP:\n pass\n elif lparam == win32con.WM_LBUTTONDBLCLK:\n pass\n elif lparam == win32con.WM_RBUTTONUP:\n menu = win32gui.CreatePopupMenu()\n win32gui.AppendMenu(menu, win32con.MF_STRING, 1023,\n 'Toggle Display')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:If_L136_C8", "label": "if", "type": "if", "loc": [136, 177], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L134_C8", "vector": [4, 3, 0.644, 0.1728, 3, 0.2, 0.0, 0, 0, 0, 0, 0, 0, 0, 16], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif lparam == win32con.WM_LBUTTONDBLCLK:\n pass\n elif lparam == win32con.WM_RBUTTONUP:\n menu = win32gui.CreatePopupMenu()\n win32gui.AppendMenu(menu, win32con.MF_STRING, 1023,\n 'Toggle Display')\n win32gui.AppendMenu(menu, win32con.MF_SEPARATOR, 0, '')\n if self.serverState == self.EnumServerState.STOPPED:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "label": "if", "type": "if", "loc": [138, 177], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L136_C8", "vector": [4, 4, 0.6481, 0.1646, 4, 0.78, 0.0, 0, 0, 0, 0, 0, 0, 0, 16], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif lparam == win32con.WM_RBUTTONUP:\n menu = win32gui.CreatePopupMenu()\n win32gui.AppendMenu(menu, win32con.MF_STRING, 1023,\n 'Toggle Display')\n win32gui.AppendMenu(menu, win32con.MF_SEPARATOR, 0, '')\n if self.serverState == self.EnumServerState.STOPPED:\n win32gui.AppendMenu(menu, win32con.MF_STRING, 1024,\n 'Start Server')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L139_C12", "label": "menu = CreatePopupMenu()", "type": "assigned_variable", "loc": [139, 139], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "vector": [14, 5, 0.572, 0.0041, 5, 0.69, 0.0, 671, 3, 0, 0, 0, 283, 10, 1], "semantic": {"name": "menu", "arg_names": [], "import_names": [], "rhs_call_name": "CreatePopupMenu", "annotation": ""}, "snippet": " menu = win32gui.CreatePopupMenu()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L140_C12", "label": "AppendMenu()", "type": "expression", "loc": [140, 141], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "vector": [8, 5, 0.5782, 0.0082, 5, 0.69, 0.1111, 495, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "AppendMenu", "arg_names": [], "import_names": [], "rhs_call_name": "AppendMenu", "annotation": ""}, "snippet": " win32gui.AppendMenu(menu, win32con.MF_STRING, 1023,\n 'Toggle Display')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L142_C12", "label": "AppendMenu()", "type": "expression", "loc": [142, 142], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "vector": [8, 5, 0.5844, 0.0041, 5, 0.69, 0.2222, 495, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "AppendMenu", "arg_names": [], "import_names": [], "rhs_call_name": "AppendMenu", "annotation": ""}, "snippet": " win32gui.AppendMenu(menu, win32con.MF_SEPARATOR, 0, '')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "label": "if", "type": "if", "loc": [143, 159], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "vector": [4, 5, 0.6214, 0.07, 5, 0.69, 0.3333, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.serverState == self.EnumServerState.STOPPED:\n win32gui.AppendMenu(menu, win32con.MF_STRING, 1024,\n 'Start Server')\n win32gui.AppendMenu(menu, win32con.MF_STRING\n | win32con.MF_GRAYED, 1025,\n 'Restart Server')\n win32gui.AppendMenu(menu, win32con.MF_STRING\n | win32con.MF_GRAYED, 1026,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L144_C16", "label": "AppendMenu()", "type": "expression", "loc": [144, 145], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "vector": [8, 6, 0.5947, 0.0082, 6, 0.26, 0.0, 495, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "AppendMenu", "arg_names": [], "import_names": [], "rhs_call_name": "AppendMenu", "annotation": ""}, "snippet": " win32gui.AppendMenu(menu, win32con.MF_STRING, 1024,\n 'Start Server')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L146_C16", "label": "AppendMenu()", "type": "expression", "loc": [146, 148], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "vector": [8, 6, 0.6049, 0.0123, 6, 0.26, 0.2, 495, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "AppendMenu", "arg_names": [], "import_names": [], "rhs_call_name": "AppendMenu", "annotation": ""}, "snippet": " win32gui.AppendMenu(menu, win32con.MF_STRING\n | win32con.MF_GRAYED, 1025,\n 'Restart Server')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L149_C16", "label": "AppendMenu()", "type": "expression", "loc": [149, 151], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "vector": [8, 6, 0.6173, 0.0123, 6, 0.26, 0.4, 495, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "AppendMenu", "arg_names": [], "import_names": [], "rhs_call_name": "AppendMenu", "annotation": ""}, "snippet": " win32gui.AppendMenu(menu, win32con.MF_STRING\n | win32con.MF_GRAYED, 1026,\n 'Stop Server')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L153_C16", "label": "AppendMenu()", "type": "expression", "loc": [153, 155], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "vector": [8, 6, 0.6337, 0.0123, 6, 0.26, 0.6, 495, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "AppendMenu", "arg_names": [], "import_names": [], "rhs_call_name": "AppendMenu", "annotation": ""}, "snippet": " win32gui.AppendMenu(menu, win32con.MF_STRING\n | win32con.MF_GRAYED, 1024,\n 'Start Server')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L156_C16", "label": "AppendMenu()", "type": "expression", "loc": [156, 157], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "vector": [8, 6, 0.644, 0.0082, 6, 0.26, 0.8, 495, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "AppendMenu", "arg_names": [], "import_names": [], "rhs_call_name": "AppendMenu", "annotation": ""}, "snippet": " win32gui.AppendMenu(menu, win32con.MF_STRING, 1025,\n 'Restart Server')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L158_C16", "label": "AppendMenu()", "type": "expression", "loc": [158, 159], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "vector": [8, 6, 0.6523, 0.0082, 6, 0.26, 1.0, 495, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "AppendMenu", "arg_names": [], "import_names": [], "rhs_call_name": "AppendMenu", "annotation": ""}, "snippet": " win32gui.AppendMenu(menu, win32con.MF_STRING, 1026,\n 'Stop Server')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L160_C12", "label": "AppendMenu()", "type": "expression", "loc": [160, 160], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "vector": [8, 5, 0.6584, 0.0041, 5, 0.69, 0.4444, 495, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "AppendMenu", "arg_names": [], "import_names": [], "rhs_call_name": "AppendMenu", "annotation": ""}, "snippet": " win32gui.AppendMenu(menu, win32con.MF_SEPARATOR, 0, '')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L161_C12", "label": "AppendMenu()", "type": "expression", "loc": [161, 162], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "vector": [8, 5, 0.6646, 0.0082, 5, 0.69, 0.5556, 495, 3, 4, 0, 0, 0, 0, 2], "semantic": {"name": "AppendMenu", "arg_names": [], "import_names": [], "rhs_call_name": "AppendMenu", "annotation": ""}, "snippet": " win32gui.AppendMenu(menu, win32con.MF_STRING, 1027,\n 'Quit (pid:%i)' % os.getpid())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L163_C12", "label": "pos = GetCursorPos()", "type": "assigned_variable", "loc": [163, 163], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "vector": [14, 5, 0.6708, 0.0041, 5, 0.69, 0.6667, 627, 3, 0, 0, 0, 709, 10, 1], "semantic": {"name": "pos", "arg_names": [], "import_names": [], "rhs_call_name": "GetCursorPos", "annotation": ""}, "snippet": " pos = win32gui.GetCursorPos()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L167_C12", "label": "SetForegroundWindow()", "type": "expression", "loc": [167, 167], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "vector": [8, 5, 0.6872, 0.0041, 5, 0.69, 0.7778, 292, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetForegroundWindow", "arg_names": [], "import_names": [], "rhs_call_name": "SetForegroundWindow", "annotation": ""}, "snippet": " win32gui.SetForegroundWindow(self.hwnd)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L168_C12", "label": "TrackPopupMenu()", "type": "expression", "loc": [168, 176], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "vector": [8, 5, 0.7078, 0.037, 5, 0.69, 0.8889, 781, 3, 7, 0, 0, 0, 0, 1], "semantic": {"name": "TrackPopupMenu", "arg_names": [], "import_names": [], "rhs_call_name": "TrackPopupMenu", "annotation": ""}, "snippet": " win32gui.TrackPopupMenu(\n menu,\n win32con.TPM_LEFTALIGN,\n pos[0],\n pos[1],\n 0,\n self.hwnd,\n None,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L177_C12", "label": "PostMessage()", "type": "expression", "loc": [177, 177], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "vector": [8, 5, 0.7284, 0.0041, 5, 0.69, 1.0, 214, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "PostMessage", "arg_names": [], "import_names": [], "rhs_call_name": "PostMessage", "annotation": ""}, "snippet": " win32api.PostMessage(self.hwnd, win32con.WM_NULL, 0, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Return_L178_C8", "label": "return", "type": "return", "loc": [178, 178], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L127_C4", "vector": [13, 2, 0.7325, 0.0041, 2, 0.11, 1.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L180_C4", "label": "OnCommand", "type": "function", "loc": [180, 200], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [2, 1, 0.7819, 0.0864, 1, 0.61, 0.3846, 61, 0, 5, 0, 0, 0, 0, 8], "semantic": {"name": "OnCommand", "arg_names": ["self", "hwnd", "msg", "wparam", "lparam"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def OnCommand(\n self,\n hwnd,\n msg,\n wparam,\n lparam,\n ):\n id = win32api.LOWORD(wparam)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L187_C8", "label": "id = LOWORD()", "type": "assigned_variable", "loc": [187, 187], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L180_C4", "vector": [14, 2, 0.7695, 0.0041, 2, 0.31, 0.0, 941, 3, 1, 0, 0, 955, 10, 1], "semantic": {"name": "id", "arg_names": [], "import_names": [], "rhs_call_name": "LOWORD", "annotation": ""}, "snippet": " id = win32api.LOWORD(wparam)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:If_L188_C8", "label": "if", "type": "if", "loc": [188, 200], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L180_C4", "vector": [4, 2, 0.7984, 0.0535, 2, 0.31, 1.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if id == 1023:\n self.status.append(self.EnumStatus.TOGGLE)\n elif id == 1024:\n self.status.append(self.EnumStatus.START)\n elif id == 1025:\n self.status.append(self.EnumStatus.RESTART)\n elif id == 1026:\n self.status.append(self.EnumStatus.STOP)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L189_C12", "label": "append()", "type": "expression", "loc": [189, 189], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L188_C8", "vector": [8, 3, 0.7778, 0.0041, 3, 0.14, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.status.append(self.EnumStatus.TOGGLE)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:If_L190_C8", "label": "if", "type": "if", "loc": [190, 200], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L188_C8", "vector": [4, 3, 0.8025, 0.0453, 3, 0.14, 1.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif id == 1024:\n self.status.append(self.EnumStatus.START)\n elif id == 1025:\n self.status.append(self.EnumStatus.RESTART)\n elif id == 1026:\n self.status.append(self.EnumStatus.STOP)\n elif id == 1027:\n self.status.append(self.EnumStatus.QUIT)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L191_C12", "label": "append()", "type": "expression", "loc": [191, 191], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L190_C8", "vector": [8, 4, 0.786, 0.0041, 4, 0.79, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.status.append(self.EnumStatus.START)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:If_L192_C8", "label": "if", "type": "if", "loc": [192, 200], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L190_C8", "vector": [4, 4, 0.8066, 0.037, 4, 0.79, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif id == 1025:\n self.status.append(self.EnumStatus.RESTART)\n elif id == 1026:\n self.status.append(self.EnumStatus.STOP)\n elif id == 1027:\n self.status.append(self.EnumStatus.QUIT)\n self.Destroy()\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L193_C12", "label": "append()", "type": "expression", "loc": [193, 193], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L192_C8", "vector": [8, 5, 0.7942, 0.0041, 5, 0.02, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.status.append(self.EnumStatus.RESTART)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:If_L194_C8", "label": "if", "type": "if", "loc": [194, 200], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L192_C8", "vector": [4, 5, 0.8107, 0.0288, 5, 0.02, 1.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif id == 1026:\n self.status.append(self.EnumStatus.STOP)\n elif id == 1027:\n self.status.append(self.EnumStatus.QUIT)\n self.Destroy()\n else:\n print('Unknown command -', id)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L195_C12", "label": "append()", "type": "expression", "loc": [195, 195], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L194_C8", "vector": [8, 6, 0.8025, 0.0041, 6, 0.66, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.status.append(self.EnumStatus.STOP)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:If_L196_C8", "label": "if", "type": "if", "loc": [196, 200], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L194_C8", "vector": [4, 6, 0.8148, 0.0206, 6, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif id == 1027:\n self.status.append(self.EnumStatus.QUIT)\n self.Destroy()\n else:\n print('Unknown command -', id)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L197_C12", "label": "append()", "type": "expression", "loc": [197, 197], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L196_C8", "vector": [8, 7, 0.8107, 0.0041, 7, 0.16, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.status.append(self.EnumStatus.QUIT)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L198_C12", "label": "Destroy()", "type": "expression", "loc": [198, 198], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L196_C8", "vector": [8, 7, 0.8148, 0.0041, 7, 0.16, 0.5, 521, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "Destroy", "arg_names": [], "import_names": [], "rhs_call_name": "Destroy", "annotation": ""}, "snippet": " self.Destroy()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L200_C12", "label": "print()", "type": "expression", "loc": [200, 200], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:If_L196_C8", "vector": [8, 7, 0.823, 0.0041, 7, 0.16, 1.0, 535, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print('Unknown command -', id)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L202_C4", "label": "Destroy", "type": "function", "loc": [202, 203], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [2, 1, 0.8333, 0.0082, 1, 0.61, 0.4615, 521, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "Destroy", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def Destroy(self):\n win32gui.DestroyWindow(self.hwnd)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L203_C8", "label": "DestroyWindow()", "type": "expression", "loc": [203, 203], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L202_C4", "vector": [8, 2, 0.8354, 0.0041, 2, 0.43, 0.0, 578, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "DestroyWindow", "arg_names": [], "import_names": [], "rhs_call_name": "DestroyWindow", "annotation": ""}, "snippet": " win32gui.DestroyWindow(self.hwnd)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L205_C4", "label": "SetServerRunning", "type": "function", "loc": [205, 207], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [2, 1, 0.8477, 0.0123, 1, 0.61, 0.5385, 11, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetServerRunning", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetServerRunning(self):\n self.serverState = self.EnumServerState.RUNNING\n self.__createIcon()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L206_C8", "label": "self.serverState =", "type": "assigned_variable", "loc": [206, 206], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L205_C4", "vector": [14, 2, 0.8477, 0.0041, 2, 0.52, 0.0, 557, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.serverState", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.serverState = self.EnumServerState.RUNNING"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L207_C8", "label": "__createIcon()", "type": "expression", "loc": [207, 207], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L205_C4", "vector": [8, 2, 0.8519, 0.0041, 2, 0.52, 1.0, 241, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "__createIcon", "arg_names": [], "import_names": [], "rhs_call_name": "__createIcon", "annotation": ""}, "snippet": " self.__createIcon()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L209_C4", "label": "SetServerStopped", "type": "function", "loc": [209, 211], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [2, 1, 0.8642, 0.0123, 1, 0.61, 0.6154, 245, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetServerStopped", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetServerStopped(self):\n self.serverState = self.EnumServerState.STOPPED\n self.__createIcon()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L210_C8", "label": "self.serverState =", "type": "assigned_variable", "loc": [210, 210], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L209_C4", "vector": [14, 2, 0.8642, 0.0041, 2, 0.84, 0.0, 557, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.serverState", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.serverState = self.EnumServerState.STOPPED"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L211_C8", "label": "__createIcon()", "type": "expression", "loc": [211, 211], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L209_C4", "vector": [8, 2, 0.8683, 0.0041, 2, 0.84, 1.0, 241, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "__createIcon", "arg_names": [], "import_names": [], "rhs_call_name": "__createIcon", "annotation": ""}, "snippet": " self.__createIcon()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L213_C4", "label": "__getIconRunning", "type": "function", "loc": [213, 214], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [2, 1, 0.8786, 0.0082, 1, 0.61, 0.6923, 771, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__getIconRunning", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __getIconRunning(self):\n return 'AAABAAEAEBAQAAAAAAAoAQAAFgAAACgAAAAQAAAAIAAAAAEABAAAAAAAgAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAIXMGAABe/wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABERAgAAIAAAEAACAAAgAAABEAIiACIgAAABAgAgIAIAEAECACAgAgABEAIiACACAAAAAAAAAAAAICACIiAiIAICAgIAACACAgICAgAAIAICAgICIiAiIAICAgIAACACAgICAgAAIAICAgICIiAiIAAAAAAAAAAAD//wAAhe8AAL3vAADMYwAA9a0AALWtAADMbQAA//8AAKwjAABV7QAAVe0AAFQjAABV7QAAVe0AAFQjAAD//wAA'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Return_L214_C8", "label": "return", "type": "return", "loc": [214, 214], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L213_C4", "vector": [13, 2, 0.8807, 0.0041, 2, 0.9, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'AAABAAEAEBAQAAAAAAAoAQAAFgAAACgAAAAQAAAAIAAAAAEABAAAAAAAgAAAAAAAAAAAAAAAEAAAAAAAAAAAAAAAIXMGAABe/wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAABERAgAAIAAAEAACAAAgAAABEAIiACIgAAABAgAgIAIAEAECACAgAgABEAIiACACAAAAAAAAAAAAICACIiAiIAICAgIAACACAgICAgAAIAICAgICIiAiIAICAgIAACACAgICAgAAIAICAgICIiAiIAAAAAAAAAAAD//wAAhe8AAL3vAADMYwAA9a0AALWtAADMbQAA//8AAKwjAABV7QAAVe0AAFQjAABV7QAAVe0AAFQjAAD//wAA'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L216_C4", "label": "__getIconStopped", "type": "function", "loc": [216, 217], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [2, 1, 0.8909, 0.0082, 1, 0.61, 0.7692, 654, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__getIconStopped", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __getIconStopped(self):\n return 'AAABAAEAEBAQAAEABAAoAQAAFgAAACgAAAAQAAAAIAAAAAEABAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAJCdIAIXMGAABe/wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAzMzMzMzMzAwERMjMzIzAzEDMyMzMjAzMxAzIiMyAjMzMwMjMjAzIzEzECMyAjMjMxEzAiAyMyMzMzMwAzMzMzIyMyACMiIzIyMjAzAyMyMjIyAjMwIzIyMjAyIiMCIzIyAjIzMyAyMjAyMjMzIwIyAjIyIiMiIDAzMzMzMzMzB//gAAhe0AAJ3rAADMYwAA9a0AALGNAADMLQAA/n8AAKwjAABVrQAAUc0AAFQjAABF5QAAVekAABQhAAB//gAA'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Return_L217_C8", "label": "return", "type": "return", "loc": [217, 217], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L216_C4", "vector": [13, 2, 0.893, 0.0041, 2, 0.44, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'AAABAAEAEBAQAAEABAAoAQAAFgAAACgAAAAQAAAAIAAAAAEABAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAJCdIAIXMGAABe/wAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAzMzMzMzMzAwERMjMzIzAzEDMyMzMjAzMxAzIiMyAjMzMwMjMjAzIzEzECMyAjMjMxEzAiAyMyMzMzMwAzMzMzIyMyACMiIzIyMjAzAyMyMjIyAjMwIzIyMjAyIiMCIzIyAjIzMyAyMjAyMjMzIwIyAjIyIiMiIDAzMzMzMzMzB//gAAhe0AAJ3rAADMYwAA9a0AALGNAADMLQAA/n8AAKwjAABVrQAAUc0AAFQjAABF5QAAVekAABQhAAB//gAA'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L219_C4", "label": "__loadFromFile", "type": "function", "loc": [219, 230], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [2, 1, 0.9239, 0.0494, 1, 0.61, 0.8462, 989, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "__loadFromFile", "arg_names": ["self", "iconPath"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __loadFromFile(self, iconPath):\n hinst = win32api.GetModuleHandle(None)\n icon_flags = win32con.LR_LOADFROMFILE | win32con.LR_DEFAULTSIZE\n hicon = win32gui.LoadImage(\n hinst,\n iconPath,\n win32con.IMAGE_ICON,\n 0,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L220_C8", "label": "hinst = GetModuleHandle()", "type": "assigned_variable", "loc": [220, 220], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L219_C4", "vector": [14, 2, 0.9053, 0.0041, 2, 0.99, 0.0, 957, 3, 1, 0, 0, 224, 10, 1], "semantic": {"name": "hinst", "arg_names": [], "import_names": [], "rhs_call_name": "GetModuleHandle", "annotation": ""}, "snippet": " hinst = win32api.GetModuleHandle(None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L221_C8", "label": "icon_flags =", "type": "assigned_variable", "loc": [221, 221], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L219_C4", "vector": [14, 2, 0.9095, 0.0041, 2, 0.99, 0.3333, 884, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "icon_flags", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " icon_flags = win32con.LR_LOADFROMFILE | win32con.LR_DEFAULTSIZE"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L222_C8", "label": "hicon = LoadImage()", "type": "assigned_variable", "loc": [222, 229], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L219_C4", "vector": [14, 2, 0.928, 0.0329, 2, 0.99, 0.6667, 617, 3, 6, 0, 0, 512, 10, 1], "semantic": {"name": "hicon", "arg_names": [], "import_names": [], "rhs_call_name": "LoadImage", "annotation": ""}, "snippet": " hicon = win32gui.LoadImage(\n hinst,\n iconPath,\n win32con.IMAGE_ICON,\n 0,\n 0,\n icon_flags,\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Return_L230_C8", "label": "return", "type": "return", "loc": [230, 230], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L219_C4", "vector": [13, 2, 0.9465, 0.0041, 2, 0.99, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return hicon"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L232_C4", "label": "EnumStatus", "type": "class", "loc": [232, 238], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [3, 1, 0.9671, 0.0288, 1, 0.61, 0.9231, 447, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "EnumStatus", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " class EnumStatus:\n\n TOGGLE = 0\n START = 1\n STOP = 2\n RESTART = 3\n QUIT = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L234_C8", "label": "TOGGLE =", "type": "assigned_variable", "loc": [234, 234], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L232_C4", "vector": [14, 2, 0.963, 0.0041, 2, 0.64, 0.0, 920, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOGGLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " TOGGLE = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L235_C8", "label": "START =", "type": "assigned_variable", "loc": [235, 235], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L232_C4", "vector": [14, 2, 0.9671, 0.0041, 2, 0.64, 0.25, 589, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "START", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " START = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L236_C8", "label": "STOP =", "type": "assigned_variable", "loc": [236, 236], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L232_C4", "vector": [14, 2, 0.9712, 0.0041, 2, 0.64, 0.5, 346, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "STOP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " STOP = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L237_C8", "label": "RESTART =", "type": "assigned_variable", "loc": [237, 237], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L232_C4", "vector": [14, 2, 0.9753, 0.0041, 2, 0.64, 0.75, 71, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "RESTART", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " RESTART = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L238_C8", "label": "QUIT =", "type": "assigned_variable", "loc": [238, 238], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L232_C4", "vector": [14, 2, 0.9794, 0.0041, 2, 0.64, 1.0, 455, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "QUIT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " QUIT = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L240_C4", "label": "EnumServerState", "type": "class", "loc": [240, 243], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "vector": [3, 1, 0.9938, 0.0165, 1, 0.61, 1.0, 873, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "EnumServerState", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " class EnumServerState:\n\n RUNNING = 0\n STOPPED = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L242_C8", "label": "RUNNING =", "type": "assigned_variable", "loc": [242, 242], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L240_C4", "vector": [14, 2, 0.9959, 0.0041, 2, 0.04, 0.0, 83, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "RUNNING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " RUNNING = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L243_C8", "label": "STOPPED =", "type": "assigned_variable", "loc": [243, 243], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L240_C4", "vector": [14, 2, 1.0, 0.0041, 2, 0.04, 1.0, 225, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "STOPPED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " STOPPED = 1"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L21_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L22_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L24_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L26_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L35_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L36_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L37_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L38_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L39_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L40_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L41_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L42_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L46_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L47_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L60_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L61_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L63_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L63_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:If_L67_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L67_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L68_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L67_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L71_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L72_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:If_L73_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L73_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L74_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L73_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_510:If_L75_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L75_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L76_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L77_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L78_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L79_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L81_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L70_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L82_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L63_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L84_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L63_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L86_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L63_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L94_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L94_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L95_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L94_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L97_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L97_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L98_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:Try_L97_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L104_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L108_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L108_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L115_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L117_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L117_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L124_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L117_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L125_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L127_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L127_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:If_L134_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L134_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:If_L136_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L136_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L139_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L140_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L142_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L144_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L146_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L149_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L153_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L156_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L143_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L158_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L160_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L161_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L163_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L167_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L168_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L138_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L177_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L127_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Return_L178_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L180_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L180_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L187_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L180_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:If_L188_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L188_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L189_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L188_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:If_L190_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L190_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L191_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L190_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:If_L192_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L192_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L193_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L192_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:If_L194_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L194_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L195_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L194_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:If_L196_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L196_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L197_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L196_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L198_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:If_L196_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L200_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L202_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L202_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L203_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L205_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L205_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L206_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L205_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L207_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L209_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L209_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L210_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L209_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Expr_L211_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L213_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L213_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Return_L214_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L216_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L216_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Return_L217_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L219_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L219_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L220_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L219_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L221_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L219_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L222_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:FunctionDef_L219_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Return_L230_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L232_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L232_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L234_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L232_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L235_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L232_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L236_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L232_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L237_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L232_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L238_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L240_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L240_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L242_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_510:ClassDef_L240_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_510:Assign_L243_C8"}]
""" PyRSS2Gen - A Python library for generating RSS 2.0 feeds. (This is the BSD license, based on the template at http://www.opensource.org/licenses/bsd-license.php ) Copyright (c) 2003, Dalke Scientific Software, LLC All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of the Dalke Scientific Softare, LLC, Andrew Dalke, nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. """ __name__ = "PyRSS2Gen" __version__ = (1, 1, 0) __author__ = "Andrew Dalke <dalke@dalkescientific.com>" _generator_name = __name__ + "-" + ".".join(map(str, __version__)) import datetime import sys if sys.version_info[0] == 3: # Python 3 basestring = str from io import StringIO else: # Python 2 try: from cStringIO import StringIO except ImportError: # Very old (or memory constrained) systems might # have left out the compiled C version. Fall back # to the pure Python one. Haven't seen this sort # of system since the early 2000s. from StringIO import StringIO # Could make this the base class; will need to add 'publish' class WriteXmlMixin: def write_xml(self, outfile, encoding="iso-8859-1"): from xml.sax import saxutils handler = saxutils.XMLGenerator(outfile, encoding) handler.startDocument() self.publish(handler) handler.endDocument() def to_xml(self, encoding="iso-8859-1"): f = StringIO() self.write_xml(f, encoding) return f.getvalue() def _element(handler, name, obj, d={}): if isinstance(obj, basestring) or obj is None: # special-case handling to make the API easier # to use for the common case. handler.startElement(name, d) if obj is not None: handler.characters(obj) handler.endElement(name) else: # It better know how to emit the correct XML. obj.publish(handler) def _opt_element(handler, name, obj): if obj is None: return _element(handler, name, obj) def _format_date(dt): """convert a datetime into an RFC 822 formatted date Input date must be in GMT. """ # Looks like: # Sat, 07 Sep 2002 00:00:01 GMT # Can't use strftime because that's locale dependent # # Isn't there a standard way to do this for Python? The # rfc822 and email.Utils modules assume a timestamp. The # following is based on the rfc822 module. return "%s, %02d %s %04d %02d:%02d:%02d GMT" % ( ["Mon", "Tue", "Wed", "Thu", "Fri", "Sat", "Sun"][dt.weekday()], dt.day, ["Jan", "Feb", "Mar", "Apr", "May", "Jun", "Jul", "Aug", "Sep", "Oct", "Nov", "Dec"][dt.month - 1], dt.year, dt.hour, dt.minute, dt.second) ## # A couple simple wrapper objects for the fields which # take a simple value other than a string. class IntElement: """implements the 'publish' API for integers Takes the tag name and the integer value to publish. (Could be used for anything which uses str() to be published to text for XML.) """ element_attrs = {} def __init__(self, name, val): self.name = name self.val = val def publish(self, handler): handler.startElement(self.name, self.element_attrs) handler.characters(str(self.val)) handler.endElement(self.name) class DateElement: """implements the 'publish' API for a datetime.datetime Takes the tag name and the datetime to publish. Converts the datetime to RFC 2822 timestamp (4-digit year). """ def __init__(self, name, dt): self.name = name self.dt = dt def publish(self, handler): _element(handler, self.name, _format_date(self.dt)) #### class Category: """Publish a category element""" def __init__(self, category, domain=None): self.category = category self.domain = domain def publish(self, handler): d = {} if self.domain is not None: d["domain"] = self.domain _element(handler, "category", self.category, d) class Cloud: """Publish a cloud""" def __init__(self, domain, port, path, registerProcedure, protocol): self.domain = domain self.port = port self.path = path self.registerProcedure = registerProcedure self.protocol = protocol def publish(self, handler): _element(handler, "cloud", None, { "domain": self.domain, "port": str(self.port), "path": self.path, "registerProcedure": self.registerProcedure, "protocol": self.protocol}) class Image: """Publish a channel Image""" element_attrs = {} def __init__(self, url, title, link, width=None, height=None, description=None): self.url = url self.title = title self.link = link self.width = width self.height = height self.description = description def publish(self, handler): handler.startElement("image", self.element_attrs) _element(handler, "url", self.url) _element(handler, "title", self.title) _element(handler, "link", self.link) width = self.width if isinstance(width, int): width = IntElement("width", width) _opt_element(handler, "width", width) height = self.height if isinstance(height, int): height = IntElement("height", height) _opt_element(handler, "height", height) _opt_element(handler, "description", self.description) handler.endElement("image") class Guid: """Publish a guid Defaults to being a permalink, which is the assumption if it's omitted. Hence strings are always permalinks. """ def __init__(self, guid, isPermaLink=1): self.guid = guid self.isPermaLink = isPermaLink def publish(self, handler): d = {} if self.isPermaLink: d["isPermaLink"] = "true" else: d["isPermaLink"] = "false" _element(handler, "guid", self.guid, d) class TextInput: """Publish a textInput Apparently this is rarely used. """ element_attrs = {} def __init__(self, title, description, name, link): self.title = title self.description = description self.name = name self.link = link def publish(self, handler): handler.startElement("textInput", self.element_attrs) _element(handler, "title", self.title) _element(handler, "description", self.description) _element(handler, "name", self.name) _element(handler, "link", self.link) handler.endElement("textInput") class Enclosure: """Publish an enclosure""" def __init__(self, url, length, type): self.url = url self.length = length self.type = type def publish(self, handler): _element(handler, "enclosure", None, {"url": self.url, "length": str(self.length), "type": self.type, }) class Source: """Publish the item's original source, used by aggregators""" def __init__(self, name, url): self.name = name self.url = url def publish(self, handler): _element(handler, "source", self.name, {"url": self.url}) class SkipHours: """Publish the skipHours This takes a list of hours, as integers. """ element_attrs = {} def __init__(self, hours): self.hours = hours def publish(self, handler): if self.hours: handler.startElement("skipHours", self.element_attrs) for hour in self.hours: _element(handler, "hour", str(hour)) handler.endElement("skipHours") class SkipDays: """Publish the skipDays This takes a list of days as strings. """ element_attrs = {} def __init__(self, days): self.days = days def publish(self, handler): if self.days: handler.startElement("skipDays", self.element_attrs) for day in self.days: _element(handler, "day", day) handler.endElement("skipDays") class RSS2(WriteXmlMixin): """The main RSS class. Stores the channel attributes, with the "category" elements under ".categories" and the RSS items under ".items". """ rss_attrs = {"version": "2.0"} element_attrs = {} def __init__(self, title, link, description, language=None, copyright=None, managingEditor=None, webMaster=None, pubDate=None, # a datetime, *in* *GMT* lastBuildDate=None, # a datetime categories=None, # list of strings or Category generator=_generator_name, docs="http://blogs.law.harvard.edu/tech/rss", cloud=None, # a Cloud ttl=None, # integer number of minutes image=None, # an Image rating=None, # a string; I don't know how it's used textInput=None, # a TextInput skipHours=None, # a SkipHours with a list of integers skipDays=None, # a SkipDays with a list of strings items=None, # list of RSSItems ): self.title = title self.link = link self.description = description self.language = language self.copyright = copyright self.managingEditor = managingEditor self.webMaster = webMaster self.pubDate = pubDate self.lastBuildDate = lastBuildDate if categories is None: categories = [] self.categories = categories self.generator = generator self.docs = docs self.cloud = cloud self.ttl = ttl self.image = image self.rating = rating self.textInput = textInput self.skipHours = skipHours self.skipDays = skipDays if items is None: items = [] self.items = items def publish(self, handler): handler.startElement("rss", self.rss_attrs) handler.startElement("channel", self.element_attrs) _element(handler, "title", self.title) _element(handler, "link", self.link) _element(handler, "description", self.description) self.publish_extensions(handler) _opt_element(handler, "language", self.language) _opt_element(handler, "copyright", self.copyright) _opt_element(handler, "managingEditor", self.managingEditor) _opt_element(handler, "webMaster", self.webMaster) pubDate = self.pubDate if isinstance(pubDate, datetime.datetime): pubDate = DateElement("pubDate", pubDate) _opt_element(handler, "pubDate", pubDate) lastBuildDate = self.lastBuildDate if isinstance(lastBuildDate, datetime.datetime): lastBuildDate = DateElement("lastBuildDate", lastBuildDate) _opt_element(handler, "lastBuildDate", lastBuildDate) for category in self.categories: if isinstance(category, basestring): category = Category(category) category.publish(handler) _opt_element(handler, "generator", self.generator) _opt_element(handler, "docs", self.docs) if self.cloud is not None: self.cloud.publish(handler) ttl = self.ttl if isinstance(self.ttl, int): ttl = IntElement("ttl", ttl) _opt_element(handler, "ttl", ttl) if self.image is not None: self.image.publish(handler) _opt_element(handler, "rating", self.rating) if self.textInput is not None: self.textInput.publish(handler) if self.skipHours is not None: self.skipHours.publish(handler) if self.skipDays is not None: self.skipDays.publish(handler) for item in self.items: item.publish(handler) handler.endElement("channel") handler.endElement("rss") def publish_extensions(self, handler): # Derived classes can hook into this to insert # output after the three required fields. pass class RSSItem(WriteXmlMixin): """Publish an RSS Item""" element_attrs = {} def __init__(self, title=None, # string link=None, # url as string description=None, # string author=None, # email address as string categories=None, # list of string or Category comments=None, # url as string enclosure=None, # an Enclosure guid=None, # a unique string pubDate=None, # a datetime source=None, # a Source ): if title is None and description is None: raise TypeError( "must define at least one of 'title' or 'description'") self.title = title self.link = link self.description = description self.author = author if categories is None: categories = [] self.categories = categories self.comments = comments self.enclosure = enclosure self.guid = guid self.pubDate = pubDate self.source = source # It sure does get tedious typing these names three times... def publish(self, handler): handler.startElement("item", self.element_attrs) _opt_element(handler, "title", self.title) _opt_element(handler, "link", self.link) self.publish_extensions(handler) _opt_element(handler, "description", self.description) _opt_element(handler, "author", self.author) for category in self.categories: if isinstance(category, basestring): category = Category(category) category.publish(handler) _opt_element(handler, "comments", self.comments) if self.enclosure is not None: self.enclosure.publish(handler) _opt_element(handler, "guid", self.guid) pubDate = self.pubDate if isinstance(pubDate, datetime.datetime): pubDate = DateElement("pubDate", pubDate) _opt_element(handler, "pubDate", pubDate) if self.source is not None: self.source.publish(handler) handler.endElement("item") def publish_extensions(self, handler): # Derived classes can hook into this to insert # output after the title and link elements pass
ajibawa-2023/Python-Code-Large/train/row_512
277
522
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 39], "level": 0, "parent": null, "vector": [8, 0, 0.0383, 0.0747, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nPyRSS2Gen - A Python library for generating RSS 2.0 feeds.\n\n(This is the BSD license, based on the template at\n http://www.opensource.org/licenses/bsd-license.php )\n\nCopyright (c) 2003, Dalke Scientific Software, LLC\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L41_C0", "label": "__name__ =", "type": "assigned_variable", "loc": [41, 41], "level": 0, "parent": null, "vector": [14, 0, 0.0785, 0.0019, 0, 0.66, 0.0417, 136, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__name__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__name__ = \"PyRSS2Gen\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L42_C0", "label": "__version__ =", "type": "assigned_variable", "loc": [42, 42], "level": 0, "parent": null, "vector": [14, 0, 0.0805, 0.0019, 0, 0.66, 0.0833, 162, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "__version__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__version__ = (1, 1, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L43_C0", "label": "__author__ =", "type": "assigned_variable", "loc": [43, 43], "level": 0, "parent": null, "vector": [14, 0, 0.0824, 0.0019, 0, 0.66, 0.125, 777, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__author__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__author__ = \"Andrew Dalke <dalke@dalkescientific.com>\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L45_C0", "label": "_generator_name =", "type": "assigned_variable", "loc": [45, 45], "level": 0, "parent": null, "vector": [14, 0, 0.0862, 0.0019, 0, 0.66, 0.1667, 129, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "_generator_name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "_generator_name = __name__ + \"-\" + \".\".join(map(str, __version__))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Import_L47_C0", "label": "datetime import datetime", "type": "import", "loc": [47, 47], "level": 0, "parent": null, "vector": [1, 0, 0.09, 0.0019, 0, 0.66, 0.2083, 426, 0, 1, 0, 0, 426, 0, 0], "semantic": {"name": "datetime", "arg_names": [], "import_names": ["datetime"], "rhs_call_name": "", "annotation": ""}, "snippet": "import datetime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Import_L49_C0", "label": "sys import sys", "type": "import", "loc": [49, 49], "level": 0, "parent": null, "vector": [1, 0, 0.0939, 0.0019, 0, 0.66, 0.25, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L51_C0", "label": "if", "type": "if", "loc": [51, 64], "level": 0, "parent": null, "vector": [4, 0, 0.1102, 0.0268, 0, 0.66, 0.2917, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if sys.version_info[0] == 3:\n # Python 3\n basestring = str\n from io import StringIO\nelse:\n # Python 2\n try:\n from cStringIO import StringIO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L53_C4", "label": "basestring =", "type": "assigned_variable", "loc": [53, 53], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L51_C0", "vector": [14, 1, 0.1015, 0.0019, 1, 0.07, 0.0, 599, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "basestring", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " basestring = str"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ImportFrom_L54_C4", "label": "from io import StringIO", "type": "import", "loc": [54, 54], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L51_C0", "vector": [1, 1, 0.1034, 0.0019, 1, 0.07, 0.5, 518, 0, 1, 0, 0, 518, 0, 0], "semantic": {"name": "io", "arg_names": [], "import_names": ["StringIO"], "rhs_call_name": "", "annotation": ""}, "snippet": " from io import StringIO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Try_L57_C4", "label": "try", "type": "try", "loc": [57, 64], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L51_C0", "vector": [7, 1, 0.1159, 0.0153, 1, 0.07, 1.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n from cStringIO import StringIO\n except ImportError:\n # Very old (or memory constrained) systems might\n # have left out the compiled C version. Fall back\n # to the pure Python one. Haven't seen this sort\n # of system since the early 2000s.\n from StringIO import StringIO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ImportFrom_L58_C8", "label": "from cStringIO import StringIO", "type": "import", "loc": [58, 58], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:Try_L57_C4", "vector": [1, 2, 0.1111, 0.0019, 2, 0.73, 0.0, 764, 0, 1, 0, 0, 764, 0, 0], "semantic": {"name": "cStringIO", "arg_names": [], "import_names": ["StringIO"], "rhs_call_name": "", "annotation": ""}, "snippet": " from cStringIO import StringIO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ImportFrom_L64_C8", "label": "from StringIO import StringIO", "type": "import", "loc": [64, 64], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:Try_L57_C4", "vector": [1, 2, 0.1226, 0.0019, 2, 0.73, 0.0, 609, 0, 1, 0, 0, 609, 0, 0], "semantic": {"name": "StringIO", "arg_names": [], "import_names": ["StringIO"], "rhs_call_name": "", "annotation": ""}, "snippet": " from StringIO import StringIO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L69_C0", "label": "WriteXmlMixin", "type": "class", "loc": [69, 80], "level": 0, "parent": null, "vector": [3, 0, 0.1427, 0.023, 0, 0.66, 0.3333, 318, 0, 2, 0, 0, 0, 0, 7], "semantic": {"name": "WriteXmlMixin", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class WriteXmlMixin:\n def write_xml(self, outfile, encoding=\"iso-8859-1\"):\n from xml.sax import saxutils\n handler = saxutils.XMLGenerator(outfile, encoding)\n handler.startDocument()\n self.publish(handler)\n handler.endDocument()\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L70_C4", "label": "write_xml", "type": "function", "loc": [70, 75], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L69_C0", "vector": [2, 1, 0.1389, 0.0115, 1, 0.64, 0.0, 760, 0, 3, 0, 0, 0, 0, 4], "semantic": {"name": "write_xml", "arg_names": ["self", "outfile", "encoding"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def write_xml(self, outfile, encoding=\"iso-8859-1\"):\n from xml.sax import saxutils\n handler = saxutils.XMLGenerator(outfile, encoding)\n handler.startDocument()\n self.publish(handler)\n handler.endDocument()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ImportFrom_L71_C8", "label": "from xml.sax import saxutils", "type": "import", "loc": [71, 71], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L70_C4", "vector": [1, 2, 0.136, 0.0019, 2, 0.91, 0.0, 587, 0, 1, 0, 0, 587, 0, 0], "semantic": {"name": "xml.sax", "arg_names": [], "import_names": ["saxutils"], "rhs_call_name": "", "annotation": ""}, "snippet": " from xml.sax import saxutils"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L72_C8", "label": "handler = XMLGenerator()", "type": "assigned_variable", "loc": [72, 72], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L70_C4", "vector": [14, 2, 0.1379, 0.0019, 2, 0.91, 0.25, 388, 3, 2, 0, 0, 259, 10, 1], "semantic": {"name": "handler", "arg_names": [], "import_names": [], "rhs_call_name": "XMLGenerator", "annotation": ""}, "snippet": " handler = saxutils.XMLGenerator(outfile, encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L73_C8", "label": "startDocument()", "type": "expression", "loc": [73, 73], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L70_C4", "vector": [8, 2, 0.1398, 0.0019, 2, 0.91, 0.5, 326, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "startDocument", "arg_names": [], "import_names": [], "rhs_call_name": "startDocument", "annotation": ""}, "snippet": " handler.startDocument()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L74_C8", "label": "publish()", "type": "expression", "loc": [74, 74], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L70_C4", "vector": [8, 2, 0.1418, 0.0019, 2, 0.91, 0.75, 102, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": [], "import_names": [], "rhs_call_name": "publish", "annotation": ""}, "snippet": " self.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L75_C8", "label": "endDocument()", "type": "expression", "loc": [75, 75], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L70_C4", "vector": [8, 2, 0.1437, 0.0019, 2, 0.91, 1.0, 761, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "endDocument", "arg_names": [], "import_names": [], "rhs_call_name": "endDocument", "annotation": ""}, "snippet": " handler.endDocument()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L77_C4", "label": "to_xml", "type": "function", "loc": [77, 80], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L69_C0", "vector": [2, 1, 0.1504, 0.0077, 1, 0.64, 1.0, 966, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "to_xml", "arg_names": ["self", "encoding"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def to_xml(self, encoding=\"iso-8859-1\"):\n f = StringIO()\n self.write_xml(f, encoding)\n return f.getvalue()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L78_C8", "label": "f = StringIO()", "type": "assigned_variable", "loc": [78, 78], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L77_C4", "vector": [14, 2, 0.1494, 0.0019, 2, 0.62, 0.0, 899, 3, 0, 0, 0, 609, 10, 1], "semantic": {"name": "f", "arg_names": [], "import_names": [], "rhs_call_name": "StringIO", "annotation": ""}, "snippet": " f = StringIO()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L79_C8", "label": "write_xml()", "type": "expression", "loc": [79, 79], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L77_C4", "vector": [8, 2, 0.1513, 0.0019, 2, 0.62, 0.5, 760, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "write_xml", "arg_names": [], "import_names": [], "rhs_call_name": "write_xml", "annotation": ""}, "snippet": " self.write_xml(f, encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Return_L80_C8", "label": "return", "type": "return", "loc": [80, 80], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L77_C4", "vector": [13, 2, 0.1533, 0.0019, 2, 0.62, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return f.getvalue()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L83_C0", "label": "_element", "type": "function", "loc": [83, 93], "level": 0, "parent": null, "vector": [2, 0, 0.1686, 0.0211, 0, 0.66, 0.375, 241, 0, 4, 0, 0, 0, 0, 5], "semantic": {"name": "_element", "arg_names": ["handler", "name", "obj", "d"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _element(handler, name, obj, d={}):\n if isinstance(obj, basestring) or obj is None:\n # special-case handling to make the API easier\n # to use for the common case.\n handler.startElement(name, d)\n if obj is not None:\n handler.characters(obj)\n handler.endElement(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L84_C4", "label": "if", "type": "if", "loc": [84, 93], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L83_C0", "vector": [4, 1, 0.1695, 0.0192, 1, 0.08, 0.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(obj, basestring) or obj is None:\n # special-case handling to make the API easier\n # to use for the common case.\n handler.startElement(name, d)\n if obj is not None:\n handler.characters(obj)\n handler.endElement(name)\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L87_C8", "label": "startElement()", "type": "expression", "loc": [87, 87], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L84_C4", "vector": [8, 2, 0.1667, 0.0019, 2, 0.37, 0.0, 862, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "startElement", "arg_names": [], "import_names": [], "rhs_call_name": "startElement", "annotation": ""}, "snippet": " handler.startElement(name, d)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L88_C8", "label": "if", "type": "if", "loc": [88, 89], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L84_C4", "vector": [4, 2, 0.1695, 0.0038, 2, 0.37, 0.3333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if obj is not None:\n handler.characters(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L89_C12", "label": "characters()", "type": "expression", "loc": [89, 89], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L88_C8", "vector": [8, 3, 0.1705, 0.0019, 3, 0.74, 0.0, 731, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "characters", "arg_names": [], "import_names": [], "rhs_call_name": "characters", "annotation": ""}, "snippet": " handler.characters(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L90_C8", "label": "endElement()", "type": "expression", "loc": [90, 90], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L84_C4", "vector": [8, 2, 0.1724, 0.0019, 2, 0.37, 0.6667, 563, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "endElement", "arg_names": [], "import_names": [], "rhs_call_name": "endElement", "annotation": ""}, "snippet": " handler.endElement(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L93_C8", "label": "publish()", "type": "expression", "loc": [93, 93], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L84_C4", "vector": [8, 2, 0.1782, 0.0019, 2, 0.37, 1.0, 102, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": [], "import_names": [], "rhs_call_name": "publish", "annotation": ""}, "snippet": " obj.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L96_C0", "label": "_opt_element", "type": "function", "loc": [96, 99], "level": 0, "parent": null, "vector": [2, 0, 0.1868, 0.0077, 0, 0.66, 0.4167, 393, 0, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": ["handler", "name", "obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _opt_element(handler, name, obj):\n if obj is None:\n return\n _element(handler, name, obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L97_C4", "label": "if", "type": "if", "loc": [97, 98], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L96_C0", "vector": [4, 1, 0.1868, 0.0038, 1, 0.89, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if obj is None:\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Return_L98_C8", "label": "return", "type": "return", "loc": [98, 98], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L97_C4", "vector": [13, 2, 0.1877, 0.0019, 2, 0.12, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L99_C4", "label": "_element()", "type": "expression", "loc": [99, 99], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L96_C0", "vector": [8, 1, 0.1897, 0.0019, 1, 0.89, 1.0, 241, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, name, obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L102_C0", "label": "_format_date", "type": "function", "loc": [102, 119], "level": 0, "parent": null, "vector": [2, 0, 0.2117, 0.0345, 0, 0.66, 0.4583, 870, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "_format_date", "arg_names": ["dt"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _format_date(dt):\n \"\"\"convert a datetime into an RFC 822 formatted date\n\n Input date must be in GMT.\n \"\"\"\n # Looks like:\n # Sat, 07 Sep 2002 00:00:01 GMT\n # Can't use strftime because that's locale dependent"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L103_C4", "label": "expression", "type": "expression", "loc": [103, 106], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L102_C0", "vector": [8, 1, 0.2002, 0.0077, 1, 0.59, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"convert a datetime into an RFC 822 formatted date\n\n Input date must be in GMT.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Return_L114_C4", "label": "return", "type": "return", "loc": [114, 119], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L102_C0", "vector": [13, 1, 0.2232, 0.0115, 1, 0.59, 1.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"%s, %02d %s %04d %02d:%02d:%02d GMT\" % (\n [\"Mon\", \"Tue\", \"Wed\", \"Thu\", \"Fri\", \"Sat\", \"Sun\"][dt.weekday()],\n dt.day,\n [\"Jan\", \"Feb\", \"Mar\", \"Apr\", \"May\", \"Jun\",\n \"Jul\", \"Aug\", \"Sep\", \"Oct\", \"Nov\", \"Dec\"][dt.month - 1],\n dt.year, dt.hour, dt.minute, dt.second)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L125_C0", "label": "IntElement", "type": "class", "loc": [125, 142], "level": 0, "parent": null, "vector": [3, 0, 0.2557, 0.0345, 0, 0.66, 0.5, 973, 0, 2, 0, 0, 0, 0, 4], "semantic": {"name": "IntElement", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class IntElement:\n \"\"\"implements the 'publish' API for integers\n\n Takes the tag name and the integer value to publish.\n\n (Could be used for anything which uses str() to be published\n to text for XML.)\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L126_C4", "label": "expression", "type": "expression", "loc": [126, 132], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L125_C0", "vector": [8, 1, 0.2471, 0.0134, 1, 0.03, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"implements the 'publish' API for integers\n\n Takes the tag name and the integer value to publish.\n\n (Could be used for anything which uses str() to be published\n to text for XML.)\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L133_C4", "label": "element_attrs =", "type": "assigned_variable", "loc": [133, 133], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L125_C0", "vector": [14, 1, 0.2548, 0.0019, 1, 0.03, 0.3333, 498, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "element_attrs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " element_attrs = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L135_C4", "label": "__init__", "type": "function", "loc": [135, 137], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L125_C0", "vector": [2, 1, 0.2605, 0.0057, 1, 0.03, 0.6667, 555, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "name", "val"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, name, val):\n self.name = name\n self.val = val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L136_C8", "label": "self.name =", "type": "assigned_variable", "loc": [136, 136], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L135_C4", "vector": [14, 2, 0.2605, 0.0019, 2, 0.77, 0.0, 689, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.name = name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L137_C8", "label": "self.val =", "type": "assigned_variable", "loc": [137, 137], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L135_C4", "vector": [14, 2, 0.2625, 0.0019, 2, 0.77, 1.0, 305, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.val = val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L139_C4", "label": "publish", "type": "function", "loc": [139, 142], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L125_C0", "vector": [2, 1, 0.2692, 0.0077, 1, 0.03, 1.0, 102, 0, 2, 0, 0, 0, 0, 4], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n handler.startElement(self.name, self.element_attrs)\n handler.characters(str(self.val))\n handler.endElement(self.name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L140_C8", "label": "startElement()", "type": "expression", "loc": [140, 140], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L139_C4", "vector": [8, 2, 0.2682, 0.0019, 2, 0.27, 0.0, 862, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "startElement", "arg_names": [], "import_names": [], "rhs_call_name": "startElement", "annotation": ""}, "snippet": " handler.startElement(self.name, self.element_attrs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L141_C8", "label": "characters()", "type": "expression", "loc": [141, 141], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L139_C4", "vector": [8, 2, 0.2701, 0.0019, 2, 0.27, 0.5, 731, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "characters", "arg_names": [], "import_names": [], "rhs_call_name": "characters", "annotation": ""}, "snippet": " handler.characters(str(self.val))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L142_C8", "label": "endElement()", "type": "expression", "loc": [142, 142], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L139_C4", "vector": [8, 2, 0.272, 0.0019, 2, 0.27, 1.0, 563, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "endElement", "arg_names": [], "import_names": [], "rhs_call_name": "endElement", "annotation": ""}, "snippet": " handler.endElement(self.name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L145_C0", "label": "DateElement", "type": "class", "loc": [145, 157], "level": 0, "parent": null, "vector": [3, 0, 0.2893, 0.0249, 0, 0.66, 0.5417, 431, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "DateElement", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class DateElement:\n \"\"\"implements the 'publish' API for a datetime.datetime\n\n Takes the tag name and the datetime to publish.\n\n Converts the datetime to RFC 2822 timestamp (4-digit year).\n \"\"\"\n def __init__(self, name, dt):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L146_C4", "label": "expression", "type": "expression", "loc": [146, 151], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L145_C0", "vector": [8, 1, 0.2845, 0.0115, 1, 0.28, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"implements the 'publish' API for a datetime.datetime\n\n Takes the tag name and the datetime to publish.\n\n Converts the datetime to RFC 2822 timestamp (4-digit year).\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L152_C4", "label": "__init__", "type": "function", "loc": [152, 154], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L145_C0", "vector": [2, 1, 0.2931, 0.0057, 1, 0.28, 0.5, 555, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "name", "dt"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, name, dt):\n self.name = name\n self.dt = dt"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L153_C8", "label": "self.name =", "type": "assigned_variable", "loc": [153, 153], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L152_C4", "vector": [14, 2, 0.2931, 0.0019, 2, 0.95, 0.0, 689, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.name = name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L154_C8", "label": "self.dt =", "type": "assigned_variable", "loc": [154, 154], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L152_C4", "vector": [14, 2, 0.295, 0.0019, 2, 0.95, 1.0, 517, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.dt", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.dt = dt"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L156_C4", "label": "publish", "type": "function", "loc": [156, 157], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L145_C0", "vector": [2, 1, 0.2998, 0.0038, 1, 0.28, 1.0, 102, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n _element(handler, self.name, _format_date(self.dt))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L157_C8", "label": "_element()", "type": "expression", "loc": [157, 157], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L156_C4", "vector": [8, 2, 0.3008, 0.0019, 2, 0.29, 0.0, 241, 3, 3, 0, 0, 0, 0, 2], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, self.name, _format_date(self.dt))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L161_C0", "label": "Category", "type": "class", "loc": [161, 171], "level": 0, "parent": null, "vector": [3, 0, 0.318, 0.0211, 0, 0.66, 0.5833, 404, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "Category", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Category:\n \"\"\"Publish a category element\"\"\"\n def __init__(self, category, domain=None):\n self.category = category\n self.domain = domain\n\n def publish(self, handler):\n d = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L162_C4", "label": "expression", "type": "expression", "loc": [162, 162], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L161_C0", "vector": [8, 1, 0.3103, 0.0019, 1, 0.03, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Publish a category element\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L163_C4", "label": "__init__", "type": "function", "loc": [163, 165], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L161_C0", "vector": [2, 1, 0.3142, 0.0057, 1, 0.03, 0.5, 555, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "category", "domain"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, category, domain=None):\n self.category = category\n self.domain = domain"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L164_C8", "label": "self.category =", "type": "assigned_variable", "loc": [164, 164], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L163_C4", "vector": [14, 2, 0.3142, 0.0019, 2, 0.04, 0.0, 843, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.category", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.category = category"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L165_C8", "label": "self.domain =", "type": "assigned_variable", "loc": [165, 165], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L163_C4", "vector": [14, 2, 0.3161, 0.0019, 2, 0.04, 1.0, 208, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.domain", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.domain = domain"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L167_C4", "label": "publish", "type": "function", "loc": [167, 171], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L161_C0", "vector": [2, 1, 0.3238, 0.0096, 1, 0.03, 1.0, 102, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n d = {}\n if self.domain is not None:\n d[\"domain\"] = self.domain\n _element(handler, \"category\", self.category, d)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L168_C8", "label": "d =", "type": "assigned_variable", "loc": [168, 168], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L167_C4", "vector": [14, 2, 0.3218, 0.0019, 2, 0.02, 0.0, 355, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "d", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " d = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L169_C8", "label": "if", "type": "if", "loc": [169, 170], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L167_C4", "vector": [4, 2, 0.3247, 0.0038, 2, 0.02, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.domain is not None:\n d[\"domain\"] = self.domain"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L170_C12", "label": "assign", "type": "assigned_variable", "loc": [170, 170], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L169_C8", "vector": [14, 3, 0.3257, 0.0019, 3, 0.66, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " d[\"domain\"] = self.domain"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L171_C8", "label": "_element()", "type": "expression", "loc": [171, 171], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L167_C4", "vector": [8, 2, 0.3276, 0.0019, 2, 0.02, 1.0, 241, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"category\", self.category, d)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L174_C0", "label": "Cloud", "type": "class", "loc": [174, 190], "level": 0, "parent": null, "vector": [3, 0, 0.3487, 0.0326, 0, 0.66, 0.625, 475, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "Cloud", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Cloud:\n \"\"\"Publish a cloud\"\"\"\n def __init__(self, domain, port, path,\n registerProcedure, protocol):\n self.domain = domain\n self.port = port\n self.path = path\n self.registerProcedure = registerProcedure"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L175_C4", "label": "expression", "type": "expression", "loc": [175, 175], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L174_C0", "vector": [8, 1, 0.3352, 0.0019, 1, 0.05, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Publish a cloud\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L176_C4", "label": "__init__", "type": "function", "loc": [176, 182], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L174_C0", "vector": [2, 1, 0.3429, 0.0134, 1, 0.05, 0.5, 555, 0, 6, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "domain", "port", "path", "registerProcedure", "protocol"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, domain, port, path,\n registerProcedure, protocol):\n self.domain = domain\n self.port = port\n self.path = path\n self.registerProcedure = registerProcedure\n self.protocol = protocol"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L178_C8", "label": "self.domain =", "type": "assigned_variable", "loc": [178, 178], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L176_C4", "vector": [14, 2, 0.341, 0.0019, 2, 0.5, 0.0, 208, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.domain", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.domain = domain"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L179_C8", "label": "self.port =", "type": "assigned_variable", "loc": [179, 179], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L176_C4", "vector": [14, 2, 0.3429, 0.0019, 2, 0.5, 0.25, 435, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.port", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.port = port"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L180_C8", "label": "self.path =", "type": "assigned_variable", "loc": [180, 180], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L176_C4", "vector": [14, 2, 0.3448, 0.0019, 2, 0.5, 0.5, 425, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.path", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.path = path"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L181_C8", "label": "self.registerProcedure =", "type": "assigned_variable", "loc": [181, 181], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L176_C4", "vector": [14, 2, 0.3467, 0.0019, 2, 0.5, 0.75, 120, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.registerProcedure", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.registerProcedure = registerProcedure"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L182_C8", "label": "self.protocol =", "type": "assigned_variable", "loc": [182, 182], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L176_C4", "vector": [14, 2, 0.3487, 0.0019, 2, 0.5, 1.0, 581, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.protocol", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.protocol = protocol"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L184_C4", "label": "publish", "type": "function", "loc": [184, 190], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L174_C0", "vector": [2, 1, 0.3582, 0.0134, 1, 0.05, 1.0, 102, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n _element(handler, \"cloud\", None, {\n \"domain\": self.domain,\n \"port\": str(self.port),\n \"path\": self.path,\n \"registerProcedure\": self.registerProcedure,\n \"protocol\": self.protocol})"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L185_C8", "label": "_element()", "type": "expression", "loc": [185, 190], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L184_C4", "vector": [8, 2, 0.3592, 0.0115, 2, 0.6, 0.0, 241, 3, 4, 0, 0, 0, 0, 2], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"cloud\", None, {\n \"domain\": self.domain,\n \"port\": str(self.port),\n \"path\": self.path,\n \"registerProcedure\": self.registerProcedure,\n \"protocol\": self.protocol})"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L193_C0", "label": "Image", "type": "class", "loc": [193, 225], "level": 0, "parent": null, "vector": [3, 0, 0.4004, 0.0632, 0, 0.66, 0.6667, 721, 0, 2, 0, 0, 0, 0, 12], "semantic": {"name": "Image", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Image:\n \"\"\"Publish a channel Image\"\"\"\n element_attrs = {}\n\n def __init__(self, url, title, link,\n width=None, height=None, description=None):\n self.url = url\n self.title = title"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L194_C4", "label": "expression", "type": "expression", "loc": [194, 194], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L193_C0", "vector": [8, 1, 0.3716, 0.0019, 1, 0.37, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Publish a channel Image\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L195_C4", "label": "element_attrs =", "type": "assigned_variable", "loc": [195, 195], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L193_C0", "vector": [14, 1, 0.3736, 0.0019, 1, 0.37, 0.3333, 498, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "element_attrs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " element_attrs = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "label": "__init__", "type": "function", "loc": [197, 204], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L193_C0", "vector": [2, 1, 0.3841, 0.0153, 1, 0.37, 0.6667, 555, 0, 7, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "url", "title", "link", "width", "height", "description"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, url, title, link,\n width=None, height=None, description=None):\n self.url = url\n self.title = title\n self.link = link\n self.width = width\n self.height = height\n self.description = description"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L199_C8", "label": "self.url =", "type": "assigned_variable", "loc": [199, 199], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "vector": [14, 2, 0.3812, 0.0019, 2, 0.15, 0.0, 720, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.url", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.url = url"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L200_C8", "label": "self.title =", "type": "assigned_variable", "loc": [200, 200], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "vector": [14, 2, 0.3831, 0.0019, 2, 0.15, 0.2, 629, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.title", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.title = title"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L201_C8", "label": "self.link =", "type": "assigned_variable", "loc": [201, 201], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "vector": [14, 2, 0.3851, 0.0019, 2, 0.15, 0.4, 427, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.link", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.link = link"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L202_C8", "label": "self.width =", "type": "assigned_variable", "loc": [202, 202], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "vector": [14, 2, 0.387, 0.0019, 2, 0.15, 0.6, 901, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.width", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.width = width"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L203_C8", "label": "self.height =", "type": "assigned_variable", "loc": [203, 203], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "vector": [14, 2, 0.3889, 0.0019, 2, 0.15, 0.8, 466, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.height", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.height = height"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L204_C8", "label": "self.description =", "type": "assigned_variable", "loc": [204, 204], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "vector": [14, 2, 0.3908, 0.0019, 2, 0.15, 1.0, 171, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.description", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.description = description"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "label": "publish", "type": "function", "loc": [206, 225], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L193_C0", "vector": [2, 1, 0.4128, 0.0383, 1, 0.37, 1.0, 102, 0, 2, 0, 0, 0, 0, 12], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n handler.startElement(\"image\", self.element_attrs)\n\n _element(handler, \"url\", self.url)\n _element(handler, \"title\", self.title)\n _element(handler, \"link\", self.link)\n\n width = self.width"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L207_C8", "label": "startElement()", "type": "expression", "loc": [207, 207], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "vector": [8, 2, 0.3966, 0.0019, 2, 0.76, 0.0, 862, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "startElement", "arg_names": [], "import_names": [], "rhs_call_name": "startElement", "annotation": ""}, "snippet": " handler.startElement(\"image\", self.element_attrs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L209_C8", "label": "_element()", "type": "expression", "loc": [209, 209], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "vector": [8, 2, 0.4004, 0.0019, 2, 0.76, 0.0909, 241, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"url\", self.url)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L210_C8", "label": "_element()", "type": "expression", "loc": [210, 210], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "vector": [8, 2, 0.4023, 0.0019, 2, 0.76, 0.1818, 241, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"title\", self.title)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L211_C8", "label": "_element()", "type": "expression", "loc": [211, 211], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "vector": [8, 2, 0.4042, 0.0019, 2, 0.76, 0.2727, 241, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"link\", self.link)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L213_C8", "label": "width =", "type": "assigned_variable", "loc": [213, 213], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "vector": [14, 2, 0.408, 0.0019, 2, 0.76, 0.3636, 989, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "width", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " width = self.width"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L214_C8", "label": "if", "type": "if", "loc": [214, 215], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "vector": [4, 2, 0.4109, 0.0038, 2, 0.76, 0.4545, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(width, int):\n width = IntElement(\"width\", width)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L215_C12", "label": "width = IntElement()", "type": "assigned_variable", "loc": [215, 215], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L214_C8", "vector": [14, 3, 0.4119, 0.0019, 3, 0.49, 0.0, 989, 3, 2, 0, 0, 973, 10, 1], "semantic": {"name": "width", "arg_names": [], "import_names": [], "rhs_call_name": "IntElement", "annotation": ""}, "snippet": " width = IntElement(\"width\", width)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L216_C8", "label": "_opt_element()", "type": "expression", "loc": [216, 216], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "vector": [8, 2, 0.4138, 0.0019, 2, 0.76, 0.5455, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"width\", width)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L218_C8", "label": "height =", "type": "assigned_variable", "loc": [218, 218], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "vector": [14, 2, 0.4176, 0.0019, 2, 0.76, 0.6364, 751, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "height", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " height = self.height"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L219_C8", "label": "if", "type": "if", "loc": [219, 220], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "vector": [4, 2, 0.4205, 0.0038, 2, 0.76, 0.7273, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(height, int):\n height = IntElement(\"height\", height)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L220_C12", "label": "height = IntElement()", "type": "assigned_variable", "loc": [220, 220], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L219_C8", "vector": [14, 3, 0.4215, 0.0019, 3, 0.46, 0.0, 751, 3, 2, 0, 0, 973, 10, 1], "semantic": {"name": "height", "arg_names": [], "import_names": [], "rhs_call_name": "IntElement", "annotation": ""}, "snippet": " height = IntElement(\"height\", height)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L221_C8", "label": "_opt_element()", "type": "expression", "loc": [221, 221], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "vector": [8, 2, 0.4234, 0.0019, 2, 0.76, 0.8182, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"height\", height)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L223_C8", "label": "_opt_element()", "type": "expression", "loc": [223, 223], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "vector": [8, 2, 0.4272, 0.0019, 2, 0.76, 0.9091, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"description\", self.description)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L225_C8", "label": "endElement()", "type": "expression", "loc": [225, 225], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "vector": [8, 2, 0.431, 0.0019, 2, 0.76, 1.0, 563, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "endElement", "arg_names": [], "import_names": [], "rhs_call_name": "endElement", "annotation": ""}, "snippet": " handler.endElement(\"image\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L228_C0", "label": "Guid", "type": "class", "loc": [228, 244], "level": 0, "parent": null, "vector": [3, 0, 0.4521, 0.0326, 0, 0.66, 0.7083, 263, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "Guid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Guid:\n \"\"\"Publish a guid\n\n Defaults to being a permalink, which is the assumption if it's\n omitted. Hence strings are always permalinks.\n \"\"\"\n def __init__(self, guid, isPermaLink=1):\n self.guid = guid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L229_C4", "label": "expression", "type": "expression", "loc": [229, 233], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L228_C0", "vector": [8, 1, 0.4425, 0.0096, 1, 0.69, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Publish a guid\n\n Defaults to being a permalink, which is the assumption if it's\n omitted. Hence strings are always permalinks.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L234_C4", "label": "__init__", "type": "function", "loc": [234, 236], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L228_C0", "vector": [2, 1, 0.4502, 0.0057, 1, 0.69, 0.5, 555, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "guid", "isPermaLink"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, guid, isPermaLink=1):\n self.guid = guid\n self.isPermaLink = isPermaLink"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L235_C8", "label": "self.guid =", "type": "assigned_variable", "loc": [235, 235], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L234_C4", "vector": [14, 2, 0.4502, 0.0019, 2, 0.46, 0.0, 418, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.guid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.guid = guid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L236_C8", "label": "self.isPermaLink =", "type": "assigned_variable", "loc": [236, 236], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L234_C4", "vector": [14, 2, 0.4521, 0.0019, 2, 0.46, 1.0, 416, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.isPermaLink", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.isPermaLink = isPermaLink"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L238_C4", "label": "publish", "type": "function", "loc": [238, 244], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L228_C0", "vector": [2, 1, 0.4617, 0.0134, 1, 0.69, 1.0, 102, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n d = {}\n if self.isPermaLink:\n d[\"isPermaLink\"] = \"true\"\n else:\n d[\"isPermaLink\"] = \"false\"\n _element(handler, \"guid\", self.guid, d)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L239_C8", "label": "d =", "type": "assigned_variable", "loc": [239, 239], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L238_C4", "vector": [14, 2, 0.4579, 0.0019, 2, 0.64, 0.0, 355, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "d", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " d = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L240_C8", "label": "if", "type": "if", "loc": [240, 243], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L238_C4", "vector": [4, 2, 0.4626, 0.0077, 2, 0.64, 0.5, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.isPermaLink:\n d[\"isPermaLink\"] = \"true\"\n else:\n d[\"isPermaLink\"] = \"false\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L241_C12", "label": "assign", "type": "assigned_variable", "loc": [241, 241], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L240_C8", "vector": [14, 3, 0.4617, 0.0019, 3, 0.4, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " d[\"isPermaLink\"] = \"true\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L243_C12", "label": "assign", "type": "assigned_variable", "loc": [243, 243], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L240_C8", "vector": [14, 3, 0.4655, 0.0019, 3, 0.4, 1.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " d[\"isPermaLink\"] = \"false\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L244_C8", "label": "_element()", "type": "expression", "loc": [244, 244], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L238_C4", "vector": [8, 2, 0.4674, 0.0019, 2, 0.64, 1.0, 241, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"guid\", self.guid, d)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L247_C0", "label": "TextInput", "type": "class", "loc": [247, 266], "level": 0, "parent": null, "vector": [3, 0, 0.4914, 0.0383, 0, 0.66, 0.75, 438, 0, 2, 0, 0, 0, 0, 6], "semantic": {"name": "TextInput", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class TextInput:\n \"\"\"Publish a textInput\n\n Apparently this is rarely used.\n \"\"\"\n element_attrs = {}\n\n def __init__(self, title, description, name, link):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L248_C4", "label": "expression", "type": "expression", "loc": [248, 251], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L247_C0", "vector": [8, 1, 0.478, 0.0077, 1, 0.77, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Publish a textInput\n\n Apparently this is rarely used.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L252_C4", "label": "element_attrs =", "type": "assigned_variable", "loc": [252, 252], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L247_C0", "vector": [14, 1, 0.4828, 0.0019, 1, 0.77, 0.3333, 498, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "element_attrs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " element_attrs = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L254_C4", "label": "__init__", "type": "function", "loc": [254, 258], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L247_C0", "vector": [2, 1, 0.4904, 0.0096, 1, 0.77, 0.6667, 555, 0, 5, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "title", "description", "name", "link"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, title, description, name, link):\n self.title = title\n self.description = description\n self.name = name\n self.link = link"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L255_C8", "label": "self.title =", "type": "assigned_variable", "loc": [255, 255], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L254_C4", "vector": [14, 2, 0.4885, 0.0019, 2, 0.92, 0.0, 629, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.title", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.title = title"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L256_C8", "label": "self.description =", "type": "assigned_variable", "loc": [256, 256], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L254_C4", "vector": [14, 2, 0.4904, 0.0019, 2, 0.92, 0.3333, 171, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.description", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.description = description"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L257_C8", "label": "self.name =", "type": "assigned_variable", "loc": [257, 257], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L254_C4", "vector": [14, 2, 0.4923, 0.0019, 2, 0.92, 0.6667, 689, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.name = name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L258_C8", "label": "self.link =", "type": "assigned_variable", "loc": [258, 258], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L254_C4", "vector": [14, 2, 0.4943, 0.0019, 2, 0.92, 1.0, 427, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.link", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.link = link"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "label": "publish", "type": "function", "loc": [260, 266], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L247_C0", "vector": [2, 1, 0.5038, 0.0134, 1, 0.77, 1.0, 102, 0, 2, 0, 0, 0, 0, 6], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n handler.startElement(\"textInput\", self.element_attrs)\n _element(handler, \"title\", self.title)\n _element(handler, \"description\", self.description)\n _element(handler, \"name\", self.name)\n _element(handler, \"link\", self.link)\n handler.endElement(\"textInput\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L261_C8", "label": "startElement()", "type": "expression", "loc": [261, 261], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "vector": [8, 2, 0.5, 0.0019, 2, 0.8, 0.0, 862, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "startElement", "arg_names": [], "import_names": [], "rhs_call_name": "startElement", "annotation": ""}, "snippet": " handler.startElement(\"textInput\", self.element_attrs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L262_C8", "label": "_element()", "type": "expression", "loc": [262, 262], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "vector": [8, 2, 0.5019, 0.0019, 2, 0.8, 0.2, 241, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"title\", self.title)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L263_C8", "label": "_element()", "type": "expression", "loc": [263, 263], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "vector": [8, 2, 0.5038, 0.0019, 2, 0.8, 0.4, 241, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"description\", self.description)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L264_C8", "label": "_element()", "type": "expression", "loc": [264, 264], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "vector": [8, 2, 0.5057, 0.0019, 2, 0.8, 0.6, 241, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"name\", self.name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L265_C8", "label": "_element()", "type": "expression", "loc": [265, 265], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "vector": [8, 2, 0.5077, 0.0019, 2, 0.8, 0.8, 241, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"link\", self.link)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L266_C8", "label": "endElement()", "type": "expression", "loc": [266, 266], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "vector": [8, 2, 0.5096, 0.0019, 2, 0.8, 1.0, 563, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "endElement", "arg_names": [], "import_names": [], "rhs_call_name": "endElement", "annotation": ""}, "snippet": " handler.endElement(\"textInput\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L269_C0", "label": "Enclosure", "type": "class", "loc": [269, 281], "level": 0, "parent": null, "vector": [3, 0, 0.5268, 0.0249, 0, 0.66, 0.7917, 30, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "Enclosure", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Enclosure:\n \"\"\"Publish an enclosure\"\"\"\n def __init__(self, url, length, type):\n self.url = url\n self.length = length\n self.type = type\n\n def publish(self, handler):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L270_C4", "label": "expression", "type": "expression", "loc": [270, 270], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L269_C0", "vector": [8, 1, 0.5172, 0.0019, 1, 0.69, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Publish an enclosure\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L271_C4", "label": "__init__", "type": "function", "loc": [271, 274], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L269_C0", "vector": [2, 1, 0.522, 0.0077, 1, 0.69, 0.5, 555, 0, 4, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "url", "length", "type"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, url, length, type):\n self.url = url\n self.length = length\n self.type = type"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L272_C8", "label": "self.url =", "type": "assigned_variable", "loc": [272, 272], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L271_C4", "vector": [14, 2, 0.5211, 0.0019, 2, 0.93, 0.0, 720, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.url", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.url = url"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L273_C8", "label": "self.length =", "type": "assigned_variable", "loc": [273, 273], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L271_C4", "vector": [14, 2, 0.523, 0.0019, 2, 0.93, 0.5, 879, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.length", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.length = length"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L274_C8", "label": "self.type =", "type": "assigned_variable", "loc": [274, 274], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L271_C4", "vector": [14, 2, 0.5249, 0.0019, 2, 0.93, 1.0, 398, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.type", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.type = type"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L276_C4", "label": "publish", "type": "function", "loc": [276, 281], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L269_C0", "vector": [2, 1, 0.5335, 0.0115, 1, 0.69, 1.0, 102, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n _element(handler, \"enclosure\", None,\n {\"url\": self.url,\n \"length\": str(self.length),\n \"type\": self.type,\n })"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L277_C8", "label": "_element()", "type": "expression", "loc": [277, 281], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L276_C4", "vector": [8, 2, 0.5345, 0.0096, 2, 0.58, 0.0, 241, 3, 4, 0, 0, 0, 0, 2], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"enclosure\", None,\n {\"url\": self.url,\n \"length\": str(self.length),\n \"type\": self.type,\n })"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L284_C0", "label": "Source", "type": "class", "loc": [284, 291], "level": 0, "parent": null, "vector": [3, 0, 0.5508, 0.0153, 0, 0.66, 0.8333, 235, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "Source", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Source:\n \"\"\"Publish the item's original source, used by aggregators\"\"\"\n def __init__(self, name, url):\n self.name = name\n self.url = url\n\n def publish(self, handler):\n _element(handler, \"source\", self.name, {\"url\": self.url})"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L285_C4", "label": "expression", "type": "expression", "loc": [285, 285], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L284_C0", "vector": [8, 1, 0.546, 0.0019, 1, 0.68, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Publish the item's original source, used by aggregators\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L286_C4", "label": "__init__", "type": "function", "loc": [286, 288], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L284_C0", "vector": [2, 1, 0.5498, 0.0057, 1, 0.68, 0.5, 555, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "name", "url"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, name, url):\n self.name = name\n self.url = url"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L287_C8", "label": "self.name =", "type": "assigned_variable", "loc": [287, 287], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L286_C4", "vector": [14, 2, 0.5498, 0.0019, 2, 0.25, 0.0, 689, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.name = name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L288_C8", "label": "self.url =", "type": "assigned_variable", "loc": [288, 288], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L286_C4", "vector": [14, 2, 0.5517, 0.0019, 2, 0.25, 1.0, 720, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.url", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.url = url"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L290_C4", "label": "publish", "type": "function", "loc": [290, 291], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L284_C0", "vector": [2, 1, 0.5565, 0.0038, 1, 0.68, 1.0, 102, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n _element(handler, \"source\", self.name, {\"url\": self.url})"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L291_C8", "label": "_element()", "type": "expression", "loc": [291, 291], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L290_C4", "vector": [8, 2, 0.5575, 0.0019, 2, 0.97, 0.0, 241, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"source\", self.name, {\"url\": self.url})"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L294_C0", "label": "SkipHours", "type": "class", "loc": [294, 309], "level": 0, "parent": null, "vector": [3, 0, 0.5776, 0.0307, 0, 0.66, 0.875, 922, 0, 2, 0, 0, 0, 0, 4], "semantic": {"name": "SkipHours", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class SkipHours:\n \"\"\"Publish the skipHours\n\n This takes a list of hours, as integers.\n \"\"\"\n element_attrs = {}\n\n def __init__(self, hours):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L295_C4", "label": "expression", "type": "expression", "loc": [295, 298], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L294_C0", "vector": [8, 1, 0.568, 0.0077, 1, 0.44, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Publish the skipHours\n\n This takes a list of hours, as integers.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L299_C4", "label": "element_attrs =", "type": "assigned_variable", "loc": [299, 299], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L294_C0", "vector": [14, 1, 0.5728, 0.0019, 1, 0.44, 0.3333, 498, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "element_attrs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " element_attrs = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L301_C4", "label": "__init__", "type": "function", "loc": [301, 302], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L294_C0", "vector": [2, 1, 0.5776, 0.0038, 1, 0.44, 0.6667, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "hours"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, hours):\n self.hours = hours"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L302_C8", "label": "self.hours =", "type": "assigned_variable", "loc": [302, 302], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L301_C4", "vector": [14, 2, 0.5785, 0.0019, 2, 0.14, 0.0, 636, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.hours", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.hours = hours"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L304_C4", "label": "publish", "type": "function", "loc": [304, 309], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L294_C0", "vector": [2, 1, 0.5872, 0.0115, 1, 0.44, 1.0, 102, 0, 2, 0, 0, 0, 0, 4], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n if self.hours:\n handler.startElement(\"skipHours\", self.element_attrs)\n for hour in self.hours:\n _element(handler, \"hour\", str(hour))\n handler.endElement(\"skipHours\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L305_C8", "label": "if", "type": "if", "loc": [305, 309], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L304_C4", "vector": [4, 2, 0.5881, 0.0096, 2, 0.42, 0.0, 0, 7, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.hours:\n handler.startElement(\"skipHours\", self.element_attrs)\n for hour in self.hours:\n _element(handler, \"hour\", str(hour))\n handler.endElement(\"skipHours\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L306_C12", "label": "startElement()", "type": "expression", "loc": [306, 306], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L305_C8", "vector": [8, 3, 0.5862, 0.0019, 3, 0.9, 0.0, 862, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "startElement", "arg_names": [], "import_names": [], "rhs_call_name": "startElement", "annotation": ""}, "snippet": " handler.startElement(\"skipHours\", self.element_attrs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:For_L307_C12", "label": "for hour", "type": "for", "loc": [307, 308], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L305_C8", "vector": [6, 3, 0.5891, 0.0038, 3, 0.9, 0.5, 781, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "hour", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for hour in self.hours:\n _element(handler, \"hour\", str(hour))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L308_C16", "label": "_element()", "type": "expression", "loc": [308, 308], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:For_L307_C12", "vector": [8, 4, 0.59, 0.0019, 4, 0.91, 0.0, 241, 3, 3, 0, 0, 0, 0, 2], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"hour\", str(hour))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L309_C12", "label": "endElement()", "type": "expression", "loc": [309, 309], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L305_C8", "vector": [8, 3, 0.592, 0.0019, 3, 0.9, 1.0, 563, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "endElement", "arg_names": [], "import_names": [], "rhs_call_name": "endElement", "annotation": ""}, "snippet": " handler.endElement(\"skipHours\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L312_C0", "label": "SkipDays", "type": "class", "loc": [312, 327], "level": 0, "parent": null, "vector": [3, 0, 0.6121, 0.0307, 0, 0.66, 0.9167, 453, 0, 2, 0, 0, 0, 0, 3], "semantic": {"name": "SkipDays", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class SkipDays:\n \"\"\"Publish the skipDays\n\n This takes a list of days as strings.\n \"\"\"\n element_attrs = {}\n\n def __init__(self, days):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L313_C4", "label": "expression", "type": "expression", "loc": [313, 316], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L312_C0", "vector": [8, 1, 0.6025, 0.0077, 1, 0.39, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Publish the skipDays\n\n This takes a list of days as strings.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L317_C4", "label": "element_attrs =", "type": "assigned_variable", "loc": [317, 317], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L312_C0", "vector": [14, 1, 0.6073, 0.0019, 1, 0.39, 0.3333, 498, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "element_attrs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " element_attrs = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L319_C4", "label": "__init__", "type": "function", "loc": [319, 320], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L312_C0", "vector": [2, 1, 0.6121, 0.0038, 1, 0.39, 0.6667, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "days"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, days):\n self.days = days"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L320_C8", "label": "self.days =", "type": "assigned_variable", "loc": [320, 320], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L319_C4", "vector": [14, 2, 0.613, 0.0019, 2, 0.33, 0.0, 705, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.days", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.days = days"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L322_C4", "label": "publish", "type": "function", "loc": [322, 327], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L312_C0", "vector": [2, 1, 0.6216, 0.0115, 1, 0.39, 1.0, 102, 0, 2, 0, 0, 0, 0, 3], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n if self.days:\n handler.startElement(\"skipDays\", self.element_attrs)\n for day in self.days:\n _element(handler, \"day\", day)\n handler.endElement(\"skipDays\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L323_C8", "label": "if", "type": "if", "loc": [323, 327], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L322_C4", "vector": [4, 2, 0.6226, 0.0096, 2, 0.21, 0.0, 0, 7, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.days:\n handler.startElement(\"skipDays\", self.element_attrs)\n for day in self.days:\n _element(handler, \"day\", day)\n handler.endElement(\"skipDays\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L324_C12", "label": "startElement()", "type": "expression", "loc": [324, 324], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L323_C8", "vector": [8, 3, 0.6207, 0.0019, 3, 0.78, 0.0, 862, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "startElement", "arg_names": [], "import_names": [], "rhs_call_name": "startElement", "annotation": ""}, "snippet": " handler.startElement(\"skipDays\", self.element_attrs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:For_L325_C12", "label": "for day", "type": "for", "loc": [325, 326], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L323_C8", "vector": [6, 3, 0.6236, 0.0038, 3, 0.78, 0.5, 878, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "day", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for day in self.days:\n _element(handler, \"day\", day)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L326_C16", "label": "_element()", "type": "expression", "loc": [326, 326], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:For_L325_C12", "vector": [8, 4, 0.6245, 0.0019, 4, 0.06, 0.0, 241, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"day\", day)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L327_C12", "label": "endElement()", "type": "expression", "loc": [327, 327], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L323_C8", "vector": [8, 3, 0.6264, 0.0019, 3, 0.78, 1.0, 563, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "endElement", "arg_names": [], "import_names": [], "rhs_call_name": "endElement", "annotation": ""}, "snippet": " handler.endElement(\"skipDays\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "label": "RSS2", "type": "class", "loc": [330, 454], "level": 0, "parent": null, "vector": [3, 0, 0.751, 0.2395, 0, 0.66, 0.9583, 726, 0, 3, 0, 0, 318, 0, 33], "semantic": {"name": "RSS2", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class RSS2(WriteXmlMixin):\n \"\"\"The main RSS class.\n\n Stores the channel attributes, with the \"category\" elements under\n \".categories\" and the RSS items under \".items\".\n \"\"\"\n\n rss_attrs = {\"version\": \"2.0\"}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L331_C4", "label": "expression", "type": "expression", "loc": [331, 335], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "vector": [8, 1, 0.6379, 0.0096, 1, 0.2, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"The main RSS class.\n\n Stores the channel attributes, with the \"category\" elements under\n \".categories\" and the RSS items under \".items\".\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L337_C4", "label": "rss_attrs =", "type": "assigned_variable", "loc": [337, 337], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "vector": [14, 1, 0.6456, 0.0019, 1, 0.2, 0.2, 278, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "rss_attrs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " rss_attrs = {\"version\": \"2.0\"}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L338_C4", "label": "element_attrs =", "type": "assigned_variable", "loc": [338, 338], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "vector": [14, 1, 0.6475, 0.0019, 1, 0.2, 0.4, 498, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "element_attrs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " element_attrs = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "label": "__init__", "type": "function", "loc": [340, 392], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "vector": [2, 1, 0.7011, 0.1015, 1, 0.2, 0.6, 555, 0, 21, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "title", "link", "description", "language", "copyright", "managingEditor", "webMaster", "pubDate", "lastBuildDate", "categories", "generator", "docs", "cloud", "ttl", "image", "rating", "textInput", "skipHours", "skipDays", "items"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self,\n title,\n link,\n description,\n\n language=None,\n copyright=None,\n managingEditor=None,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L366_C8", "label": "self.title =", "type": "assigned_variable", "loc": [366, 366], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7011, 0.0019, 2, 0.48, 0.0, 629, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.title", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.title = title"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L367_C8", "label": "self.link =", "type": "assigned_variable", "loc": [367, 367], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7031, 0.0019, 2, 0.48, 0.0476, 427, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.link", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.link = link"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L368_C8", "label": "self.description =", "type": "assigned_variable", "loc": [368, 368], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.705, 0.0019, 2, 0.48, 0.0952, 171, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.description", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.description = description"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L369_C8", "label": "self.language =", "type": "assigned_variable", "loc": [369, 369], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7069, 0.0019, 2, 0.48, 0.1429, 164, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.language", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.language = language"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L370_C8", "label": "self.copyright =", "type": "assigned_variable", "loc": [370, 370], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7088, 0.0019, 2, 0.48, 0.1905, 393, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.copyright", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.copyright = copyright"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L371_C8", "label": "self.managingEditor =", "type": "assigned_variable", "loc": [371, 371], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7107, 0.0019, 2, 0.48, 0.2381, 475, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.managingEditor", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.managingEditor = managingEditor"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L373_C8", "label": "self.webMaster =", "type": "assigned_variable", "loc": [373, 373], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7146, 0.0019, 2, 0.48, 0.2857, 675, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.webMaster", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.webMaster = webMaster"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L374_C8", "label": "self.pubDate =", "type": "assigned_variable", "loc": [374, 374], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7165, 0.0019, 2, 0.48, 0.3333, 77, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.pubDate", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.pubDate = pubDate"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L375_C8", "label": "self.lastBuildDate =", "type": "assigned_variable", "loc": [375, 375], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7184, 0.0019, 2, 0.48, 0.381, 394, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.lastBuildDate", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.lastBuildDate = lastBuildDate"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L377_C8", "label": "if", "type": "if", "loc": [377, 378], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [4, 2, 0.7232, 0.0038, 2, 0.48, 0.4286, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if categories is None:\n categories = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L378_C12", "label": "categories =", "type": "assigned_variable", "loc": [378, 378], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L377_C8", "vector": [14, 3, 0.7241, 0.0019, 3, 0.36, 0.0, 662, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "categories", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " categories = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L379_C8", "label": "self.categories =", "type": "assigned_variable", "loc": [379, 379], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7261, 0.0019, 2, 0.48, 0.4762, 602, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.categories", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.categories = categories"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L380_C8", "label": "self.generator =", "type": "assigned_variable", "loc": [380, 380], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.728, 0.0019, 2, 0.48, 0.5238, 277, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.generator", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.generator = generator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L381_C8", "label": "self.docs =", "type": "assigned_variable", "loc": [381, 381], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7299, 0.0019, 2, 0.48, 0.5714, 106, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.docs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.docs = docs"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L382_C8", "label": "self.cloud =", "type": "assigned_variable", "loc": [382, 382], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7318, 0.0019, 2, 0.48, 0.619, 789, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.cloud", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.cloud = cloud"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L383_C8", "label": "self.ttl =", "type": "assigned_variable", "loc": [383, 383], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7337, 0.0019, 2, 0.48, 0.6667, 659, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.ttl", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ttl = ttl"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L384_C8", "label": "self.image =", "type": "assigned_variable", "loc": [384, 384], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7356, 0.0019, 2, 0.48, 0.7143, 219, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.image", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.image = image"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L385_C8", "label": "self.rating =", "type": "assigned_variable", "loc": [385, 385], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7375, 0.0019, 2, 0.48, 0.7619, 264, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.rating", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.rating = rating"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L386_C8", "label": "self.textInput =", "type": "assigned_variable", "loc": [386, 386], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7395, 0.0019, 2, 0.48, 0.8095, 170, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.textInput", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.textInput = textInput"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L387_C8", "label": "self.skipHours =", "type": "assigned_variable", "loc": [387, 387], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7414, 0.0019, 2, 0.48, 0.8571, 461, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.skipHours", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.skipHours = skipHours"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L388_C8", "label": "self.skipDays =", "type": "assigned_variable", "loc": [388, 388], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.7433, 0.0019, 2, 0.48, 0.9048, 278, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.skipDays", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.skipDays = skipDays"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L390_C8", "label": "if", "type": "if", "loc": [390, 391], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [4, 2, 0.7481, 0.0038, 2, 0.48, 0.9524, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if items is None:\n items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L391_C12", "label": "items =", "type": "assigned_variable", "loc": [391, 391], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L390_C8", "vector": [14, 3, 0.749, 0.0019, 3, 0.9, 0.0, 339, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L392_C8", "label": "self.items =", "type": "assigned_variable", "loc": [392, 392], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "vector": [14, 2, 0.751, 0.0019, 2, 0.48, 1.0, 11, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.items = items"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "label": "publish", "type": "function", "loc": [394, 449], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "vector": [2, 1, 0.8075, 0.1073, 1, 0.2, 0.8, 102, 0, 2, 0, 0, 0, 0, 33], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n handler.startElement(\"rss\", self.rss_attrs)\n handler.startElement(\"channel\", self.element_attrs)\n _element(handler, \"title\", self.title)\n _element(handler, \"link\", self.link)\n _element(handler, \"description\", self.description)\n\n self.publish_extensions(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L395_C8", "label": "startElement()", "type": "expression", "loc": [395, 395], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.7567, 0.0019, 2, 0.04, 0.0, 862, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "startElement", "arg_names": [], "import_names": [], "rhs_call_name": "startElement", "annotation": ""}, "snippet": " handler.startElement(\"rss\", self.rss_attrs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L396_C8", "label": "startElement()", "type": "expression", "loc": [396, 396], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.7586, 0.0019, 2, 0.04, 0.0333, 862, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "startElement", "arg_names": [], "import_names": [], "rhs_call_name": "startElement", "annotation": ""}, "snippet": " handler.startElement(\"channel\", self.element_attrs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L397_C8", "label": "_element()", "type": "expression", "loc": [397, 397], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.7605, 0.0019, 2, 0.04, 0.0667, 241, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"title\", self.title)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L398_C8", "label": "_element()", "type": "expression", "loc": [398, 398], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.7625, 0.0019, 2, 0.04, 0.1, 241, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"link\", self.link)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L399_C8", "label": "_element()", "type": "expression", "loc": [399, 399], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.7644, 0.0019, 2, 0.04, 0.1333, 241, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_element", "arg_names": [], "import_names": [], "rhs_call_name": "_element", "annotation": ""}, "snippet": " _element(handler, \"description\", self.description)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L401_C8", "label": "publish_extensions()", "type": "expression", "loc": [401, 401], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.7682, 0.0019, 2, 0.04, 0.1667, 639, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish_extensions", "arg_names": [], "import_names": [], "rhs_call_name": "publish_extensions", "annotation": ""}, "snippet": " self.publish_extensions(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L403_C8", "label": "_opt_element()", "type": "expression", "loc": [403, 403], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.772, 0.0019, 2, 0.04, 0.2, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"language\", self.language)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L404_C8", "label": "_opt_element()", "type": "expression", "loc": [404, 404], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.7739, 0.0019, 2, 0.04, 0.2333, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"copyright\", self.copyright)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L405_C8", "label": "_opt_element()", "type": "expression", "loc": [405, 405], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.7759, 0.0019, 2, 0.04, 0.2667, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"managingEditor\", self.managingEditor)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L406_C8", "label": "_opt_element()", "type": "expression", "loc": [406, 406], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.7778, 0.0019, 2, 0.04, 0.3, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"webMaster\", self.webMaster)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L408_C8", "label": "pubDate =", "type": "assigned_variable", "loc": [408, 408], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [14, 2, 0.7816, 0.0019, 2, 0.04, 0.3333, 835, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pubDate", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pubDate = self.pubDate"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L409_C8", "label": "if", "type": "if", "loc": [409, 410], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [4, 2, 0.7845, 0.0038, 2, 0.04, 0.3667, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(pubDate, datetime.datetime):\n pubDate = DateElement(\"pubDate\", pubDate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L410_C12", "label": "pubDate = DateElement()", "type": "assigned_variable", "loc": [410, 410], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L409_C8", "vector": [14, 3, 0.7854, 0.0019, 3, 0.82, 0.0, 835, 3, 2, 0, 0, 431, 10, 1], "semantic": {"name": "pubDate", "arg_names": [], "import_names": [], "rhs_call_name": "DateElement", "annotation": ""}, "snippet": " pubDate = DateElement(\"pubDate\", pubDate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L411_C8", "label": "_opt_element()", "type": "expression", "loc": [411, 411], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.7874, 0.0019, 2, 0.04, 0.4, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"pubDate\", pubDate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L413_C8", "label": "lastBuildDate =", "type": "assigned_variable", "loc": [413, 413], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [14, 2, 0.7912, 0.0019, 2, 0.04, 0.4333, 550, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lastBuildDate", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lastBuildDate = self.lastBuildDate"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L414_C8", "label": "if", "type": "if", "loc": [414, 415], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [4, 2, 0.7941, 0.0038, 2, 0.04, 0.4667, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(lastBuildDate, datetime.datetime):\n lastBuildDate = DateElement(\"lastBuildDate\", lastBuildDate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L415_C12", "label": "lastBuildDate = DateElement()", "type": "assigned_variable", "loc": [415, 415], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L414_C8", "vector": [14, 3, 0.795, 0.0019, 3, 0.32, 0.0, 550, 3, 2, 0, 0, 431, 10, 1], "semantic": {"name": "lastBuildDate", "arg_names": [], "import_names": [], "rhs_call_name": "DateElement", "annotation": ""}, "snippet": " lastBuildDate = DateElement(\"lastBuildDate\", lastBuildDate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L416_C8", "label": "_opt_element()", "type": "expression", "loc": [416, 416], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.7969, 0.0019, 2, 0.04, 0.5, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"lastBuildDate\", lastBuildDate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:For_L418_C8", "label": "for category", "type": "for", "loc": [418, 421], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [6, 2, 0.8036, 0.0077, 2, 0.04, 0.5333, 74, 7, 0, 0, 0, 0, 0, 3], "semantic": {"name": "category", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for category in self.categories:\n if isinstance(category, basestring):\n category = Category(category)\n category.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L419_C12", "label": "if", "type": "if", "loc": [419, 420], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:For_L418_C8", "vector": [4, 3, 0.8036, 0.0038, 3, 0.14, 0.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(category, basestring):\n category = Category(category)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L420_C16", "label": "category = Category()", "type": "assigned_variable", "loc": [420, 420], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L419_C12", "vector": [14, 4, 0.8046, 0.0019, 4, 0.99, 0.0, 74, 3, 1, 0, 0, 404, 10, 1], "semantic": {"name": "category", "arg_names": [], "import_names": [], "rhs_call_name": "Category", "annotation": ""}, "snippet": " category = Category(category)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L421_C12", "label": "publish()", "type": "expression", "loc": [421, 421], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:For_L418_C8", "vector": [8, 3, 0.8065, 0.0019, 3, 0.14, 1.0, 102, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": [], "import_names": [], "rhs_call_name": "publish", "annotation": ""}, "snippet": " category.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L423_C8", "label": "_opt_element()", "type": "expression", "loc": [423, 423], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.8103, 0.0019, 2, 0.04, 0.5667, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"generator\", self.generator)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L424_C8", "label": "_opt_element()", "type": "expression", "loc": [424, 424], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.8123, 0.0019, 2, 0.04, 0.6, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"docs\", self.docs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L426_C8", "label": "if", "type": "if", "loc": [426, 427], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [4, 2, 0.817, 0.0038, 2, 0.04, 0.6333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.cloud is not None:\n self.cloud.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L427_C12", "label": "publish()", "type": "expression", "loc": [427, 427], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L426_C8", "vector": [8, 3, 0.818, 0.0019, 3, 0.07, 0.0, 102, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": [], "import_names": [], "rhs_call_name": "publish", "annotation": ""}, "snippet": " self.cloud.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L429_C8", "label": "ttl =", "type": "assigned_variable", "loc": [429, 429], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [14, 2, 0.8218, 0.0019, 2, 0.04, 0.6667, 382, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ttl", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ttl = self.ttl"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L430_C8", "label": "if", "type": "if", "loc": [430, 431], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [4, 2, 0.8247, 0.0038, 2, 0.04, 0.7, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(self.ttl, int):\n ttl = IntElement(\"ttl\", ttl)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L431_C12", "label": "ttl = IntElement()", "type": "assigned_variable", "loc": [431, 431], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L430_C8", "vector": [14, 3, 0.8257, 0.0019, 3, 0.84, 0.0, 382, 3, 2, 0, 0, 973, 10, 1], "semantic": {"name": "ttl", "arg_names": [], "import_names": [], "rhs_call_name": "IntElement", "annotation": ""}, "snippet": " ttl = IntElement(\"ttl\", ttl)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L432_C8", "label": "_opt_element()", "type": "expression", "loc": [432, 432], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.8276, 0.0019, 2, 0.04, 0.7333, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"ttl\", ttl)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L434_C8", "label": "if", "type": "if", "loc": [434, 435], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [4, 2, 0.8324, 0.0038, 2, 0.04, 0.7667, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.image is not None:\n self.image.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L435_C12", "label": "publish()", "type": "expression", "loc": [435, 435], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L434_C8", "vector": [8, 3, 0.8333, 0.0019, 3, 0.6, 0.0, 102, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": [], "import_names": [], "rhs_call_name": "publish", "annotation": ""}, "snippet": " self.image.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L437_C8", "label": "_opt_element()", "type": "expression", "loc": [437, 437], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.8372, 0.0019, 2, 0.04, 0.8, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"rating\", self.rating)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L438_C8", "label": "if", "type": "if", "loc": [438, 439], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [4, 2, 0.84, 0.0038, 2, 0.04, 0.8333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.textInput is not None:\n self.textInput.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L439_C12", "label": "publish()", "type": "expression", "loc": [439, 439], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L438_C8", "vector": [8, 3, 0.841, 0.0019, 3, 0.19, 0.0, 102, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": [], "import_names": [], "rhs_call_name": "publish", "annotation": ""}, "snippet": " self.textInput.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L440_C8", "label": "if", "type": "if", "loc": [440, 441], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [4, 2, 0.8439, 0.0038, 2, 0.04, 0.8667, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.skipHours is not None:\n self.skipHours.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L441_C12", "label": "publish()", "type": "expression", "loc": [441, 441], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L440_C8", "vector": [8, 3, 0.8448, 0.0019, 3, 0.15, 0.0, 102, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": [], "import_names": [], "rhs_call_name": "publish", "annotation": ""}, "snippet": " self.skipHours.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L442_C8", "label": "if", "type": "if", "loc": [442, 443], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [4, 2, 0.8477, 0.0038, 2, 0.04, 0.9, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.skipDays is not None:\n self.skipDays.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L443_C12", "label": "publish()", "type": "expression", "loc": [443, 443], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L442_C8", "vector": [8, 3, 0.8487, 0.0019, 3, 0.15, 0.0, 102, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": [], "import_names": [], "rhs_call_name": "publish", "annotation": ""}, "snippet": " self.skipDays.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:For_L445_C8", "label": "for item", "type": "for", "loc": [445, 446], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [6, 2, 0.8534, 0.0038, 2, 0.04, 0.9333, 434, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "item", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for item in self.items:\n item.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L446_C12", "label": "publish()", "type": "expression", "loc": [446, 446], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:For_L445_C8", "vector": [8, 3, 0.8544, 0.0019, 3, 0.41, 0.0, 102, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": [], "import_names": [], "rhs_call_name": "publish", "annotation": ""}, "snippet": " item.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L448_C8", "label": "endElement()", "type": "expression", "loc": [448, 448], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.8582, 0.0019, 2, 0.04, 0.9667, 563, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "endElement", "arg_names": [], "import_names": [], "rhs_call_name": "endElement", "annotation": ""}, "snippet": " handler.endElement(\"channel\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L449_C8", "label": "endElement()", "type": "expression", "loc": [449, 449], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "vector": [8, 2, 0.8602, 0.0019, 2, 0.04, 1.0, 563, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "endElement", "arg_names": [], "import_names": [], "rhs_call_name": "endElement", "annotation": ""}, "snippet": " handler.endElement(\"rss\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L451_C4", "label": "publish_extensions", "type": "function", "loc": [451, 454], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "vector": [2, 1, 0.8669, 0.0077, 1, 0.2, 1.0, 639, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "publish_extensions", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish_extensions(self, handler):\n # Derived classes can hook into this to insert\n # output after the three required fields.\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L457_C0", "label": "RSSItem", "type": "class", "loc": [457, 522], "level": 0, "parent": null, "vector": [3, 0, 0.9377, 0.1264, 0, 0.66, 1.0, 562, 0, 3, 0, 0, 318, 0, 18], "semantic": {"name": "RSSItem", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class RSSItem(WriteXmlMixin):\n \"\"\"Publish an RSS Item\"\"\"\n element_attrs = {}\n\n def __init__(self,\n title=None, # string\n link=None, # url as string\n description=None, # string"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L458_C4", "label": "expression", "type": "expression", "loc": [458, 458], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L457_C0", "vector": [8, 1, 0.8774, 0.0019, 1, 0.35, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Publish an RSS Item\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L459_C4", "label": "element_attrs =", "type": "assigned_variable", "loc": [459, 459], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L457_C0", "vector": [14, 1, 0.8793, 0.0019, 1, 0.35, 0.25, 498, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "element_attrs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " element_attrs = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "label": "__init__", "type": "function", "loc": [461, 488], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L457_C0", "vector": [2, 1, 0.909, 0.0536, 1, 0.35, 0.5, 555, 0, 11, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "title", "link", "description", "author", "categories", "comments", "enclosure", "guid", "pubDate", "source"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self,\n title=None, # string\n link=None, # url as string\n description=None, # string\n author=None, # email address as string\n categories=None, # list of string or Category\n comments=None, # url as string\n enclosure=None, # an Enclosure"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L474_C8", "label": "if", "type": "if", "loc": [474, 476], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "vector": [4, 2, 0.91, 0.0057, 2, 0.29, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if title is None and description is None:\n raise TypeError(\n \"must define at least one of 'title' or 'description'\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L477_C8", "label": "self.title =", "type": "assigned_variable", "loc": [477, 477], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "vector": [14, 2, 0.9138, 0.0019, 2, 0.29, 0.0909, 629, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.title", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.title = title"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L478_C8", "label": "self.link =", "type": "assigned_variable", "loc": [478, 478], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "vector": [14, 2, 0.9157, 0.0019, 2, 0.29, 0.1818, 427, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.link", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.link = link"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L479_C8", "label": "self.description =", "type": "assigned_variable", "loc": [479, 479], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "vector": [14, 2, 0.9176, 0.0019, 2, 0.29, 0.2727, 171, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.description", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.description = description"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L480_C8", "label": "self.author =", "type": "assigned_variable", "loc": [480, 480], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "vector": [14, 2, 0.9195, 0.0019, 2, 0.29, 0.3636, 41, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.author", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.author = author"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L481_C8", "label": "if", "type": "if", "loc": [481, 482], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "vector": [4, 2, 0.9224, 0.0038, 2, 0.29, 0.4545, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if categories is None:\n categories = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L482_C12", "label": "categories =", "type": "assigned_variable", "loc": [482, 482], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L481_C8", "vector": [14, 3, 0.9234, 0.0019, 3, 0.46, 0.0, 662, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "categories", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " categories = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L483_C8", "label": "self.categories =", "type": "assigned_variable", "loc": [483, 483], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "vector": [14, 2, 0.9253, 0.0019, 2, 0.29, 0.5455, 602, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.categories", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.categories = categories"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L484_C8", "label": "self.comments =", "type": "assigned_variable", "loc": [484, 484], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "vector": [14, 2, 0.9272, 0.0019, 2, 0.29, 0.6364, 384, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.comments", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.comments = comments"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L485_C8", "label": "self.enclosure =", "type": "assigned_variable", "loc": [485, 485], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "vector": [14, 2, 0.9291, 0.0019, 2, 0.29, 0.7273, 880, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.enclosure", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.enclosure = enclosure"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L486_C8", "label": "self.guid =", "type": "assigned_variable", "loc": [486, 486], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "vector": [14, 2, 0.931, 0.0019, 2, 0.29, 0.8182, 418, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.guid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.guid = guid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L487_C8", "label": "self.pubDate =", "type": "assigned_variable", "loc": [487, 487], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "vector": [14, 2, 0.933, 0.0019, 2, 0.29, 0.9091, 77, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.pubDate", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.pubDate = pubDate"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L488_C8", "label": "self.source =", "type": "assigned_variable", "loc": [488, 488], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "vector": [14, 2, 0.9349, 0.0019, 2, 0.29, 1.0, 848, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.source", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.source = source"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "label": "publish", "type": "function", "loc": [491, 517], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L457_C0", "vector": [2, 1, 0.9655, 0.0517, 1, 0.35, 0.75, 102, 0, 2, 0, 0, 0, 0, 17], "semantic": {"name": "publish", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish(self, handler):\n handler.startElement(\"item\", self.element_attrs)\n _opt_element(handler, \"title\", self.title)\n _opt_element(handler, \"link\", self.link)\n self.publish_extensions(handler)\n _opt_element(handler, \"description\", self.description)\n _opt_element(handler, \"author\", self.author)\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L492_C8", "label": "startElement()", "type": "expression", "loc": [492, 492], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [8, 2, 0.9425, 0.0019, 2, 0.17, 0.0, 862, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "startElement", "arg_names": [], "import_names": [], "rhs_call_name": "startElement", "annotation": ""}, "snippet": " handler.startElement(\"item\", self.element_attrs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L493_C8", "label": "_opt_element()", "type": "expression", "loc": [493, 493], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [8, 2, 0.9444, 0.0019, 2, 0.17, 0.0714, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"title\", self.title)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L494_C8", "label": "_opt_element()", "type": "expression", "loc": [494, 494], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [8, 2, 0.9464, 0.0019, 2, 0.17, 0.1429, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"link\", self.link)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L495_C8", "label": "publish_extensions()", "type": "expression", "loc": [495, 495], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [8, 2, 0.9483, 0.0019, 2, 0.17, 0.2143, 639, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish_extensions", "arg_names": [], "import_names": [], "rhs_call_name": "publish_extensions", "annotation": ""}, "snippet": " self.publish_extensions(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L496_C8", "label": "_opt_element()", "type": "expression", "loc": [496, 496], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [8, 2, 0.9502, 0.0019, 2, 0.17, 0.2857, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"description\", self.description)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L497_C8", "label": "_opt_element()", "type": "expression", "loc": [497, 497], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [8, 2, 0.9521, 0.0019, 2, 0.17, 0.3571, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"author\", self.author)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:For_L499_C8", "label": "for category", "type": "for", "loc": [499, 502], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [6, 2, 0.9588, 0.0077, 2, 0.17, 0.4286, 74, 7, 0, 0, 0, 0, 0, 3], "semantic": {"name": "category", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for category in self.categories:\n if isinstance(category, basestring):\n category = Category(category)\n category.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L500_C12", "label": "if", "type": "if", "loc": [500, 501], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:For_L499_C8", "vector": [4, 3, 0.9588, 0.0038, 3, 0.69, 0.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(category, basestring):\n category = Category(category)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L501_C16", "label": "category = Category()", "type": "assigned_variable", "loc": [501, 501], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L500_C12", "vector": [14, 4, 0.9598, 0.0019, 4, 0.14, 0.0, 74, 3, 1, 0, 0, 404, 10, 1], "semantic": {"name": "category", "arg_names": [], "import_names": [], "rhs_call_name": "Category", "annotation": ""}, "snippet": " category = Category(category)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L502_C12", "label": "publish()", "type": "expression", "loc": [502, 502], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:For_L499_C8", "vector": [8, 3, 0.9617, 0.0019, 3, 0.69, 1.0, 102, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": [], "import_names": [], "rhs_call_name": "publish", "annotation": ""}, "snippet": " category.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L504_C8", "label": "_opt_element()", "type": "expression", "loc": [504, 504], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [8, 2, 0.9655, 0.0019, 2, 0.17, 0.5, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"comments\", self.comments)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L505_C8", "label": "if", "type": "if", "loc": [505, 506], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [4, 2, 0.9684, 0.0038, 2, 0.17, 0.5714, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.enclosure is not None:\n self.enclosure.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L506_C12", "label": "publish()", "type": "expression", "loc": [506, 506], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L505_C8", "vector": [8, 3, 0.9693, 0.0019, 3, 0.08, 0.0, 102, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": [], "import_names": [], "rhs_call_name": "publish", "annotation": ""}, "snippet": " self.enclosure.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L507_C8", "label": "_opt_element()", "type": "expression", "loc": [507, 507], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [8, 2, 0.9713, 0.0019, 2, 0.17, 0.6429, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"guid\", self.guid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L509_C8", "label": "pubDate =", "type": "assigned_variable", "loc": [509, 509], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [14, 2, 0.9751, 0.0019, 2, 0.17, 0.7143, 835, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pubDate", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pubDate = self.pubDate"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L510_C8", "label": "if", "type": "if", "loc": [510, 511], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [4, 2, 0.978, 0.0038, 2, 0.17, 0.7857, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(pubDate, datetime.datetime):\n pubDate = DateElement(\"pubDate\", pubDate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L511_C12", "label": "pubDate = DateElement()", "type": "assigned_variable", "loc": [511, 511], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L510_C8", "vector": [14, 3, 0.9789, 0.0019, 3, 0.88, 0.0, 835, 3, 2, 0, 0, 431, 10, 1], "semantic": {"name": "pubDate", "arg_names": [], "import_names": [], "rhs_call_name": "DateElement", "annotation": ""}, "snippet": " pubDate = DateElement(\"pubDate\", pubDate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L512_C8", "label": "_opt_element()", "type": "expression", "loc": [512, 512], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [8, 2, 0.9808, 0.0019, 2, 0.17, 0.8571, 393, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_opt_element", "arg_names": [], "import_names": [], "rhs_call_name": "_opt_element", "annotation": ""}, "snippet": " _opt_element(handler, \"pubDate\", pubDate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:If_L514_C8", "label": "if", "type": "if", "loc": [514, 515], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [4, 2, 0.9856, 0.0038, 2, 0.17, 0.9286, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.source is not None:\n self.source.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L515_C12", "label": "publish()", "type": "expression", "loc": [515, 515], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:If_L514_C8", "vector": [8, 3, 0.9866, 0.0019, 3, 0.08, 0.0, 102, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "publish", "arg_names": [], "import_names": [], "rhs_call_name": "publish", "annotation": ""}, "snippet": " self.source.publish(handler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L517_C8", "label": "endElement()", "type": "expression", "loc": [517, 517], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "vector": [8, 2, 0.9904, 0.0019, 2, 0.17, 1.0, 563, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "endElement", "arg_names": [], "import_names": [], "rhs_call_name": "endElement", "annotation": ""}, "snippet": " handler.endElement(\"item\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L519_C4", "label": "publish_extensions", "type": "function", "loc": [519, 522], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L457_C0", "vector": [2, 1, 0.9971, 0.0077, 1, 0.35, 1.0, 639, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "publish_extensions", "arg_names": ["self", "handler"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def publish_extensions(self, handler):\n # Derived classes can hook into this to insert\n # output after the title and link elements\n pass"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L51_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L53_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L51_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:ImportFrom_L54_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L51_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Try_L57_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:Try_L57_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:ImportFrom_L58_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:Try_L57_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:ImportFrom_L64_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L69_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L70_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:ImportFrom_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L72_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L73_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L74_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L75_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L69_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L77_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L77_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L78_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L77_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L79_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L77_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Return_L80_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L83_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L84_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L84_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L87_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L84_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L88_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L88_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L89_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L84_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L90_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L84_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L93_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L96_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L97_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L97_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Return_L98_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L96_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L99_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L102_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L103_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L102_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Return_L114_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L125_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L126_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L125_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L133_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L125_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L135_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L135_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L136_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L135_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L137_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L125_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L139_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L139_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L140_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L139_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L141_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L139_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L142_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L145_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L146_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L145_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L152_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L152_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L153_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L152_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L154_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L145_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L156_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L156_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L157_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L161_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L162_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L161_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L163_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L163_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L164_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L163_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L165_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L161_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L167_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L167_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L168_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L167_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L169_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L169_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L170_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L167_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L171_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L174_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L175_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L174_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L176_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L176_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L178_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L176_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L179_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L176_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L180_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L176_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L181_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L176_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L182_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L174_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L184_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L184_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L185_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L194_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L195_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L199_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L200_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L201_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L202_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L203_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L204_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L207_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L209_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L210_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L211_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L213_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L214_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L214_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L215_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L216_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L218_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L219_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L219_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L220_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L221_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L223_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L225_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L228_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L229_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L228_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L234_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L234_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L235_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L234_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L236_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L228_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L238_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L238_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L239_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L238_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L240_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L240_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L241_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L240_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L243_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L238_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L244_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L248_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L252_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L254_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L254_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L255_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L254_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L256_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L254_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L257_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L254_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L258_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L261_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L262_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L263_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L264_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L265_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L260_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L266_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L269_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L270_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L269_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L271_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L271_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L272_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L271_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L273_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L271_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L274_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L269_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L276_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L276_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L277_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L284_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L285_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L284_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L286_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L287_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L288_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L284_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L290_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L290_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L291_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L294_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L295_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L294_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L299_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L294_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L301_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L301_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L302_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L294_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L304_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L304_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L305_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L305_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L306_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L305_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:For_L307_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:For_L307_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L308_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L305_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L309_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L312_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L313_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L312_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L317_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L312_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L319_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L319_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L320_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L312_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L322_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L322_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L323_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L323_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L324_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L323_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:For_L325_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:For_L325_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L326_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L323_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L327_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L331_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L337_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L338_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L366_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L367_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L368_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L369_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L370_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L371_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L373_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L374_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L375_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L377_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L377_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L378_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L379_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L380_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L381_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L382_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L383_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L384_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L385_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L386_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L387_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L388_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L390_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L390_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L391_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L392_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L395_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L396_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L397_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L398_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L399_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L401_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L403_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L404_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L405_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L406_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L408_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L409_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L409_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L410_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L411_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L413_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L414_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L414_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L415_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L416_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:For_L418_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:For_L418_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L419_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L419_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L420_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:For_L418_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L421_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L423_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L424_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L426_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L426_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L427_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L429_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L430_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L430_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L431_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L432_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L434_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L434_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L435_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L437_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L438_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L438_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L439_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L440_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L440_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L441_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L442_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L442_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L443_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:For_L445_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:For_L445_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L446_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L448_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L394_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L449_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L330_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L451_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L457_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L458_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L457_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L459_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L457_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L474_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L477_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L478_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L479_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L480_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L481_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L481_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L482_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L483_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L484_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L485_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L486_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L487_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L488_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L457_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L492_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L493_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L494_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L495_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L496_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L497_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:For_L499_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:For_L499_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L500_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L500_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L501_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:For_L499_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L502_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L504_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L505_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L505_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L506_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L507_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L509_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L510_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L510_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Assign_L511_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L512_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:If_L514_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:If_L514_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L515_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_512:Expr_L517_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_512:ClassDef_L457_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_512:FunctionDef_L519_C4"}]
#!/usr/bin/env python # -*- coding: latin-1 -*- # This program is free software; you can redistribute it and/or modify # it under the terms of the GNU Lesser General Public License as published by the # Free Software Foundation; either version 3, or (at your option) any later # version. # # This program is distributed in the hope that it will be useful, but # WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTIBILITY # or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License # for more details. "Simple SOAP Server implementation" __author__ = "Mariano Reingart (reingart@gmail.com)" __copyright__ = "Copyright (C) 2010 Mariano Reingart" __license__ = "LGPL 3.0" __version__ = "1.03c" import logging import re import traceback from simplexml import SimpleXMLElement, TYPE_MAP, Date, Decimal log = logging.getLogger(__name__) # Deprecated DEBUG = False NS_RX=re.compile(r'xmlns:(\w+)="(.+?)"') class SoapDispatcher(object): "Simple Dispatcher for SOAP Server" def __init__(self, name, documentation='', action='', location='', namespace=None, prefix=False, soap_uri="http://schemas.xmlsoap.org/soap/envelope/", soap_ns='soap', namespaces={}, pretty=False, debug=False, **kwargs): """ :param namespace: Target namespace; xmlns=targetNamespace :param prefix: Prefix for target namespace; xmlns:prefix=targetNamespace :param namespaces: Specify additional namespaces; example: {'external': 'http://external.mt.moboperator'} :param pretty: Prettifies generated xmls :param debug: Use to add tracebacks in generated xmls. Multiple namespaces =================== It is possible to support multiple namespaces. You need to specify additional namespaces by passing `namespace` parameter. >>> dispatcher = SoapDispatcher( ... name = "MTClientWS", ... location = "http://localhost:8008/ws/MTClientWS", ... action = 'http://localhost:8008/ws/MTClientWS', # SOAPAction ... namespace = "http://external.mt.moboperator", prefix="external", ... documentation = 'moboperator MTClientWS', ... namespaces = { ... 'external': 'http://external.mt.moboperator', ... 'model': 'http://model.common.mt.moboperator' ... }, ... ns = True) Now the registered method must return node names with namespaces' prefixes. >>> def _multi_ns_func(self, serviceMsisdn): ... ret = { ... 'external:activateSubscriptionsReturn': [ ... {'model:code': '0'}, ... {'model:description': 'desc'}, ... ]} ... return ret Our prefixes will be changed to those used by the client. """ self.methods = {} self.name = name self.documentation = documentation self.action = action # base SoapAction self.location = location self.namespace = namespace # targetNamespace self.prefix = prefix self.soap_ns = soap_ns self.soap_uri = soap_uri self.namespaces = namespaces self.pretty = pretty self.debug = debug @staticmethod def _extra_namespaces(xml, ns): """Extends xml with extra namespaces. :param ns: dict with namespaceUrl:prefix pairs :param xml: XML node to modify """ if ns: _tpl = 'xmlns:%s="%s"' _ns_str = " ".join([_tpl % (prefix, uri) for uri, prefix in ns.items() if uri not in xml]) xml = xml.replace('/>', ' '+_ns_str+'/>') return xml def register_function(self, name, fn, returns=None, args=None, doc=None): self.methods[name] = fn, returns, args, doc or getattr(fn, "__doc__", "") def dispatch(self, xml, action=None): "Receive and proccess SOAP call" # default values: prefix = self.prefix ret = fault = None soap_ns, soap_uri = self.soap_ns, self.soap_uri soap_fault_code = 'VersionMismatch' name = None # namespaces = [('model', 'http://model.common.mt.moboperator'), ('external', 'http://external.mt.moboperator')] _ns_reversed = dict(((v,k) for k,v in self.namespaces.iteritems())) # Switch keys-values # _ns_reversed = {'http://external.mt.moboperator': 'external', 'http://model.common.mt.moboperator': 'model'} try: request = SimpleXMLElement(xml, namespace=self.namespace) # detect soap prefix and uri (xmlns attributes of Envelope) for k, v in request[:]: if v in ("http://schemas.xmlsoap.org/soap/envelope/", "http://www.w3.org/2003/05/soap-env",): soap_ns = request.attributes()[k].localName soap_uri = request.attributes()[k].value # If the value from attributes on Envelope is in additional namespaces elif v in self.namespaces.values(): _ns = request.attributes()[k].localName _uri = request.attributes()[k].value _ns_reversed[_uri] = _ns # update with received alias # Now we change 'external' and 'model' to the received forms i.e. 'ext' and 'mod' # After that we know how the client has prefixed additional namespaces ns = NS_RX.findall(xml) for k, v in ns: if v in self.namespaces.values(): _ns_reversed[v] = k soap_fault_code = 'Client' # parse request message and get local method method = request('Body', ns=soap_uri).children()(0) if action: # method name = action name = action[len(self.action)+1:-1] prefix = self.prefix if not action or not name: # method name = input message name name = method.get_local_name() prefix = method.get_prefix() log.debug('dispatch method: %s', name) function, returns_types, args_types, doc = self.methods[name] log.debug('returns_types %s', returns_types) # de-serialize parameters (if type definitions given) if args_types: args = method.children().unmarshall(args_types) elif args_types is None: args = {'request': method} # send raw request else: args = {} # no parameters soap_fault_code = 'Server' # execute function ret = function(**args) log.debug('dispathed method returns: %s', ret) except Exception: # This shouldn't be one huge try/except import sys etype, evalue, etb = sys.exc_info() log.error(traceback.format_exc()) if self.debug: detail = ''.join(traceback.format_exception(etype, evalue, etb)) detail += '\n\nXML REQUEST\n\n' + xml else: detail = None fault = {'faultcode': "%s.%s" % (soap_fault_code, etype.__name__), 'faultstring': unicode(evalue), 'detail': detail} # build response message if not prefix: xml = """<%(soap_ns)s:Envelope xmlns:%(soap_ns)s="%(soap_uri)s"/>""" else: xml = """<%(soap_ns)s:Envelope xmlns:%(soap_ns)s="%(soap_uri)s" xmlns:%(prefix)s="%(namespace)s"/>""" xml %= { # a %= {} is a shortcut for a = a % {} 'namespace': self.namespace, 'prefix': prefix, 'soap_ns': soap_ns, 'soap_uri': soap_uri } # Now we add extra namespaces xml = SoapDispatcher._extra_namespaces(xml, _ns_reversed) # Change our namespace alias to that given by the client. # We put [('model', 'http://model.common.mt.moboperator'), ('external', 'http://external.mt.moboperator')] # mix it with {'http://external.mt.moboperator': 'ext', 'http://model.common.mt.moboperator': 'mod'} mapping = dict(((k, _ns_reversed[v]) for k,v in self.namespaces.iteritems())) # Switch keys-values and change value # and get {'model': u'mod', 'external': u'ext'} response = SimpleXMLElement(xml, namespace=self.namespace, namespaces_map = mapping, prefix=prefix) response['xmlns:xsi'] = "http://www.w3.org/2001/XMLSchema-instance" response['xmlns:xsd'] = "http://www.w3.org/2001/XMLSchema" body = response.add_child("%s:Body" % soap_ns, ns=False) if fault: # generate a Soap Fault (with the python exception) body.marshall("%s:Fault" % soap_ns, fault, ns=False) else: # return normal value res = body.add_child("%sResponse" % name, ns=prefix) if not prefix: res['xmlns'] = self.namespace # add target namespace # serialize returned values (response) if type definition available if returns_types: if not isinstance(ret, dict): res.marshall(returns_types.keys()[0], ret, ) else: for k,v in ret.items(): res.marshall(k, v) elif returns_types is None: # merge xmlelement returned res.import_node(ret) elif returns_types == {}: log.warning('Given returns_types is an empty dict.') return response.as_xml(pretty=self.pretty) # Introspection functions: def list_methods(self): "Return a list of aregistered operations" return [(method, doc) for method, (function, returns, args, doc) in self.methods.items()] def help(self, method=None): "Generate sample request and response messages" (function, returns, args, doc) = self.methods[method] xml = """ <soap:Envelope xmlns:soap="http://schemas.xmlsoap.org/soap/envelope/"> <soap:Body><%(method)s xmlns="%(namespace)s"/></soap:Body> </soap:Envelope>""" % {'method':method, 'namespace':self.namespace} request = SimpleXMLElement(xml, namespace=self.namespace, prefix=self.prefix) if args: items = args.items() elif args is None: items = [('value', None)] else: items = [] for k,v in items: request(method).marshall(k, v, add_comments=True, ns=False) xml = """ <soap:Envelope xmlns:soap="http://schemas.xmlsoap.org/soap/envelope/"> <soap:Body><%(method)sResponse xmlns="%(namespace)s"/></soap:Body> </soap:Envelope>""" % {'method':method, 'namespace':self.namespace} response = SimpleXMLElement(xml, namespace=self.namespace, prefix=self.prefix) if returns: items = returns.items() elif args is None: items = [('value', None)] else: items = [] for k,v in items: response('%sResponse'%method).marshall(k, v, add_comments=True, ns=False) return request.as_xml(pretty=True), response.as_xml(pretty=True), doc def wsdl(self): "Generate Web Service Description v1.1" xml = """<?xml version="1.0"?> <wsdl:definitions name="%(name)s" targetNamespace="%(namespace)s" xmlns:tns="%(namespace)s" xmlns:soap="http://schemas.xmlsoap.org/wsdl/soap/" xmlns:wsdl="http://schemas.xmlsoap.org/wsdl/" xmlns:xsd="http://www.w3.org/2001/XMLSchema"> <wsdl:documentation xmlns:wsdl="http://schemas.xmlsoap.org/wsdl/">%(documentation)s</wsdl:documentation> <wsdl:types> <xsd:schema targetNamespace="%(namespace)s" elementFormDefault="qualified" xmlns:xsd="http://www.w3.org/2001/XMLSchema"> </xsd:schema> </wsdl:types> </wsdl:definitions> """ % {'namespace': self.namespace, 'name': self.name, 'documentation': self.documentation} wsdl = SimpleXMLElement(xml) for method, (function, returns, args, doc) in self.methods.items(): # create elements: def parse_element(name, values, array=False, complex=False): if not complex: element = wsdl('wsdl:types')('xsd:schema').add_child('xsd:element') complex = element.add_child("xsd:complexType") else: complex = wsdl('wsdl:types')('xsd:schema').add_child('xsd:complexType') element = complex element['name'] = name if values: items = values elif values is None: items = [('value', None)] else: items = [] if not array and items: all = complex.add_child("xsd:all") elif items: all = complex.add_child("xsd:sequence") for k,v in items: e = all.add_child("xsd:element") e['name'] = k if array: e[:]={'minOccurs': "0", 'maxOccurs': "unbounded"} if v in TYPE_MAP.keys(): t='xsd:%s' % TYPE_MAP[v] elif v is None: t='xsd:anyType' elif isinstance(v, list): n="ArrayOf%s%s" % (name, k) l = [] for d in v: l.extend(d.items()) parse_element(n, l, array=True, complex=True) t = "tns:%s" % n elif isinstance(v, dict): n="%s%s" % (name, k) parse_element(n, v.items(), complex=True) t = "tns:%s" % n e.add_attribute('type', t) parse_element("%s" % method, args and args.items()) parse_element("%sResponse" % method, returns and returns.items()) # create messages: for m,e in ('Input',''), ('Output','Response'): message = wsdl.add_child('wsdl:message') message['name'] = "%s%s" % (method, m) part = message.add_child("wsdl:part") part[:] = {'name': 'parameters', 'element': 'tns:%s%s' % (method,e)} # create ports portType = wsdl.add_child('wsdl:portType') portType['name'] = "%sPortType" % self.name for method, (function, returns, args, doc) in self.methods.items(): op = portType.add_child('wsdl:operation') op['name'] = method if doc: op.add_child("wsdl:documentation", doc) input = op.add_child("wsdl:input") input['message'] = "tns:%sInput" % method output = op.add_child("wsdl:output") output['message'] = "tns:%sOutput" % method # create bindings binding = wsdl.add_child('wsdl:binding') binding['name'] = "%sBinding" % self.name binding['type'] = "tns:%sPortType" % self.name soapbinding = binding.add_child('soap:binding') soapbinding['style'] = "document" soapbinding['transport'] = "http://schemas.xmlsoap.org/soap/http" for method in self.methods.keys(): op = binding.add_child('wsdl:operation') op['name'] = method soapop = op.add_child('soap:operation') soapop['soapAction'] = self.action + method soapop['style'] = 'document' input = op.add_child("wsdl:input") ##input.add_attribute('name', "%sInput" % method) soapbody = input.add_child("soap:body") soapbody["use"] = "literal" output = op.add_child("wsdl:output") ##output.add_attribute('name', "%sOutput" % method) soapbody = output.add_child("soap:body") soapbody["use"] = "literal" service = wsdl.add_child('wsdl:service') service["name"] = "%sService" % self.name service.add_child('wsdl:documentation', text=self.documentation) port=service.add_child('wsdl:port') port["name"] = "%s" % self.name port["binding"] = "tns:%sBinding" % self.name soapaddress = port.add_child('soap:address') soapaddress["location"] = self.location return wsdl.as_xml(pretty=True) from BaseHTTPServer import BaseHTTPRequestHandler, HTTPServer class SOAPHandler(BaseHTTPRequestHandler): def do_GET(self): "User viewable help information and wsdl" args = self.path[1:].split("?") if self.path != "/" and args[0] not in self.server.dispatcher.methods.keys(): self.send_error(404, "Method not found: %s" % args[0]) else: if self.path == "/": # return wsdl if no method supplied response = self.server.dispatcher.wsdl() else: # return supplied method help (?request or ?response messages) req, res, doc = self.server.dispatcher.help(args[0]) if len(args)==1 or args[1]=="request": response = req else: response = res self.send_response(200) self.send_header("Content-type", "text/xml") self.end_headers() self.wfile.write(response) def do_POST(self): "SOAP POST gateway" self.send_response(200) self.send_header("Content-type", "text/xml") self.end_headers() request = self.rfile.read(int(self.headers.getheader('content-length'))) response = self.server.dispatcher.dispatch(request) self.wfile.write(response) if __name__=="__main__": import sys dispatcher = SoapDispatcher( name = "PySimpleSoapSample", location = "http://localhost:8008/", action = 'http://localhost:8008/', # SOAPAction namespace = "http://example.com/pysimplesoapsamle/", prefix="ns0", documentation = 'Example soap service using PySimpleSoap', trace = True, ns = True) def adder(p,c, dt=None): "Add several values" print c[0]['d'],c[1]['d'], import datetime dt = dt + datetime.timedelta(365) return {'ab': p['a']+p['b'], 'dd': c[0]['d']+c[1]['d'], 'dt': dt} def dummy(in0): "Just return input" return in0 def echo(request): "Copy request->response (generic, any type)" return request.value dispatcher.register_function('Adder', adder, returns={'AddResult': {'ab': int, 'dd': str } }, args={'p': {'a': int,'b': int}, 'dt': Date, 'c': [{'d': Decimal}]}) dispatcher.register_function('Dummy', dummy, returns={'out0': str}, args={'in0': str}) dispatcher.register_function('Echo', echo) if '--local' in sys.argv: wsdl=dispatcher.wsdl() print wsdl # Commented because path is platform dependent # Looks that it doesnt matter. # open("C:/test.wsdl","w").write(wsdl) for method, doc in dispatcher.list_methods(): request, response, doc = dispatcher.help(method) ##print request ##print response if '--serve' in sys.argv: print "Starting server..." httpd = HTTPServer(("", 8008), SOAPHandler) httpd.dispatcher = dispatcher httpd.serve_forever() if '--consume' in sys.argv: from client import SoapClient client = SoapClient( location = "http://localhost:8008/", action = 'http://localhost:8008/', # SOAPAction namespace = "http://example.com/sample.wsdl", soap_ns='soap', trace = True, ns = False) response = client.Adder(p={'a':1,'b':2},dt='20100724',c=[{'d':'1.20'},{'d':'2.01'}]) result = response.AddResult print int(result.ab) print str(result.dd)
ajibawa-2023/Python-Code-Large/train/row_514
281
510
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L13_C0", "label": "expression", "type": "expression", "loc": [13, 13], "level": 0, "parent": null, "vector": [8, 0, 0.0255, 0.002, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"Simple SOAP Server implementation\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L15_C0", "label": "__author__ =", "type": "assigned_variable", "loc": [15, 15], "level": 0, "parent": null, "vector": [14, 0, 0.0294, 0.002, 0, 0.66, 0.0667, 777, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__author__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__author__ = \"Mariano Reingart (reingart@gmail.com)\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L16_C0", "label": "__copyright__ =", "type": "assigned_variable", "loc": [16, 16], "level": 0, "parent": null, "vector": [14, 0, 0.0314, 0.002, 0, 0.66, 0.1333, 200, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__copyright__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__copyright__ = \"Copyright (C) 2010 Mariano Reingart\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L17_C0", "label": "__license__ =", "type": "assigned_variable", "loc": [17, 17], "level": 0, "parent": null, "vector": [14, 0, 0.0333, 0.002, 0, 0.66, 0.2, 11, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__license__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__license__ = \"LGPL 3.0\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L18_C0", "label": "__version__ =", "type": "assigned_variable", "loc": [18, 18], "level": 0, "parent": null, "vector": [14, 0, 0.0353, 0.002, 0, 0.66, 0.2667, 162, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__version__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__version__ = \"1.03c\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Import_L20_C0", "label": "logging import logging", "type": "import", "loc": [20, 20], "level": 0, "parent": null, "vector": [1, 0, 0.0392, 0.002, 0, 0.66, 0.3333, 715, 0, 1, 0, 0, 715, 0, 0], "semantic": {"name": "logging", "arg_names": [], "import_names": ["logging"], "rhs_call_name": "", "annotation": ""}, "snippet": "import logging"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Import_L21_C0", "label": "re import re", "type": "import", "loc": [21, 21], "level": 0, "parent": null, "vector": [1, 0, 0.0412, 0.002, 0, 0.66, 0.4, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Import_L22_C0", "label": "traceback import traceback", "type": "import", "loc": [22, 22], "level": 0, "parent": null, "vector": [1, 0, 0.0431, 0.002, 0, 0.66, 0.4667, 423, 0, 1, 0, 0, 423, 0, 0], "semantic": {"name": "traceback", "arg_names": [], "import_names": ["traceback"], "rhs_call_name": "", "annotation": ""}, "snippet": "import traceback"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:ImportFrom_L23_C0", "label": "from simplexml import SimpleXMLElement, TYPE_MAP, Date\u2026", "type": "import", "loc": [23, 23], "level": 0, "parent": null, "vector": [1, 0, 0.0451, 0.002, 0, 0.66, 0.5333, 346, 0, 4, 0, 0, 346, 0, 0], "semantic": {"name": "simplexml", "arg_names": [], "import_names": ["SimpleXMLElement", "TYPE_MAP", "Date", "Decimal"], "rhs_call_name": "", "annotation": ""}, "snippet": "from simplexml import SimpleXMLElement, TYPE_MAP, Date, Decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L25_C0", "label": "log = getLogger()", "type": "assigned_variable", "loc": [25, 25], "level": 0, "parent": null, "vector": [14, 0, 0.049, 0.002, 0, 0.66, 0.6, 432, 3, 1, 0, 0, 71, 10, 1], "semantic": {"name": "log", "arg_names": [], "import_names": [], "rhs_call_name": "getLogger", "annotation": ""}, "snippet": "log = logging.getLogger(__name__)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L28_C0", "label": "DEBUG =", "type": "assigned_variable", "loc": [28, 28], "level": 0, "parent": null, "vector": [14, 0, 0.0549, 0.002, 0, 0.66, 0.6667, 309, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "DEBUG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DEBUG = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L29_C0", "label": "NS_RX = compile()", "type": "assigned_variable", "loc": [29, 29], "level": 0, "parent": null, "vector": [14, 0, 0.0569, 0.002, 0, 0.66, 0.7333, 757, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "NS_RX", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "NS_RX=re.compile(r'xmlns:(\\w+)=\"(.+?)\"')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "label": "SoapDispatcher", "type": "class", "loc": [31, 405], "level": 0, "parent": null, "vector": [3, 0, 0.4275, 0.7353, 0, 0.66, 0.8, 148, 0, 8, 0, 0, 186, 0, 99], "semantic": {"name": "SoapDispatcher", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class SoapDispatcher(object):\n \"Simple Dispatcher for SOAP Server\"\n \n def __init__(self, name, documentation='', action='', location='', \n namespace=None, prefix=False, \n soap_uri=\"http://schemas.xmlsoap.org/soap/envelope/\", \n soap_ns='soap',\n namespaces={},"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L32_C4", "label": "expression", "type": "expression", "loc": [32, 32], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "vector": [8, 1, 0.0627, 0.002, 1, 0.63, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Simple Dispatcher for SOAP Server\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "label": "__init__", "type": "function", "loc": [34, 90], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "vector": [2, 1, 0.1216, 0.1118, 1, 0.63, 0.1429, 555, 0, 13, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "name", "documentation", "action", "location", "namespace", "prefix", "soap_uri", "soap_ns", "namespaces", "pretty", "debug", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, name, documentation='', action='', location='', \n namespace=None, prefix=False, \n soap_uri=\"http://schemas.xmlsoap.org/soap/envelope/\", \n soap_ns='soap',\n namespaces={},\n pretty=False,\n debug=False,\n **kwargs):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L42_C8", "label": "expression", "type": "expression", "loc": [42, 78], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [8, 2, 0.1176, 0.0725, 2, 0.12, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n :param namespace: Target namespace; xmlns=targetNamespace\n :param prefix: Prefix for target namespace; xmlns:prefix=targetNamespace\n :param namespaces: Specify additional namespaces; example: {'external': 'http://external.mt.moboperator'}\n :param pretty: Prettifies generated xmls\n :param debug: Use to add tracebacks in generated xmls.\n \n Multiple namespaces"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L79_C8", "label": "self.methods =", "type": "assigned_variable", "loc": [79, 79], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [14, 2, 0.1549, 0.002, 2, 0.12, 0.0833, 45, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.methods", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.methods = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L80_C8", "label": "self.name =", "type": "assigned_variable", "loc": [80, 80], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [14, 2, 0.1569, 0.002, 2, 0.12, 0.1667, 689, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.name = name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L81_C8", "label": "self.documentation =", "type": "assigned_variable", "loc": [81, 81], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [14, 2, 0.1588, 0.002, 2, 0.12, 0.25, 877, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.documentation", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.documentation = documentation"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L82_C8", "label": "self.action =", "type": "assigned_variable", "loc": [82, 82], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [14, 2, 0.1608, 0.002, 2, 0.12, 0.3333, 222, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.action", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.action = action # base SoapAction"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L83_C8", "label": "self.location =", "type": "assigned_variable", "loc": [83, 83], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [14, 2, 0.1627, 0.002, 2, 0.12, 0.4167, 840, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.location", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.location = location"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L84_C8", "label": "self.namespace =", "type": "assigned_variable", "loc": [84, 84], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [14, 2, 0.1647, 0.002, 2, 0.12, 0.5, 313, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.namespace", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.namespace = namespace # targetNamespace"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L85_C8", "label": "self.prefix =", "type": "assigned_variable", "loc": [85, 85], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [14, 2, 0.1667, 0.002, 2, 0.12, 0.5833, 495, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.prefix", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.prefix = prefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L86_C8", "label": "self.soap_ns =", "type": "assigned_variable", "loc": [86, 86], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [14, 2, 0.1686, 0.002, 2, 0.12, 0.6667, 524, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.soap_ns", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.soap_ns = soap_ns"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L87_C8", "label": "self.soap_uri =", "type": "assigned_variable", "loc": [87, 87], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [14, 2, 0.1706, 0.002, 2, 0.12, 0.75, 78, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.soap_uri", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.soap_uri = soap_uri"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L88_C8", "label": "self.namespaces =", "type": "assigned_variable", "loc": [88, 88], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [14, 2, 0.1725, 0.002, 2, 0.12, 0.8333, 605, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.namespaces", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.namespaces = namespaces"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L89_C8", "label": "self.pretty =", "type": "assigned_variable", "loc": [89, 89], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [14, 2, 0.1745, 0.002, 2, 0.12, 0.9167, 608, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.pretty", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.pretty = pretty"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L90_C8", "label": "self.debug =", "type": "assigned_variable", "loc": [90, 90], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "vector": [14, 2, 0.1765, 0.002, 2, 0.12, 1.0, 168, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.debug", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.debug = debug"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L94_C4", "label": "_extra_namespaces", "type": "function", "loc": [94, 103], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "vector": [2, 1, 0.1931, 0.0196, 1, 0.63, 0.2857, 470, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "_extra_namespaces", "arg_names": ["xml", "ns"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _extra_namespaces(xml, ns):\n \"\"\"Extends xml with extra namespaces.\n :param ns: dict with namespaceUrl:prefix pairs\n :param xml: XML node to modify\n \"\"\"\n if ns:\n _tpl = 'xmlns:%s=\"%s\"'\n _ns_str = \" \".join([_tpl % (prefix, uri) for uri, prefix in ns.items() if uri not in xml])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L95_C8", "label": "expression", "type": "expression", "loc": [95, 98], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L94_C4", "vector": [8, 2, 0.1892, 0.0078, 2, 0.08, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Extends xml with extra namespaces.\n :param ns: dict with namespaceUrl:prefix pairs\n :param xml: XML node to modify\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L99_C8", "label": "if", "type": "if", "loc": [99, 102], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L94_C4", "vector": [4, 2, 0.1971, 0.0078, 2, 0.08, 0.5, 0, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ns:\n _tpl = 'xmlns:%s=\"%s\"'\n _ns_str = \" \".join([_tpl % (prefix, uri) for uri, prefix in ns.items() if uri not in xml])\n xml = xml.replace('/>', ' '+_ns_str+'/>')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L100_C12", "label": "_tpl =", "type": "assigned_variable", "loc": [100, 100], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L99_C8", "vector": [14, 3, 0.1961, 0.002, 3, 0.69, 0.0, 871, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "_tpl", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _tpl = 'xmlns:%s=\"%s\"'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L101_C12", "label": "_ns_str = join()", "type": "assigned_variable", "loc": [101, 101], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L99_C8", "vector": [14, 3, 0.198, 0.002, 3, 0.69, 0.5, 210, 3, 1, 0, 0, 933, 10, 2], "semantic": {"name": "_ns_str", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " _ns_str = \" \".join([_tpl % (prefix, uri) for uri, prefix in ns.items() if uri not in xml])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L102_C12", "label": "xml = replace()", "type": "assigned_variable", "loc": [102, 102], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L99_C8", "vector": [14, 3, 0.2, 0.002, 3, 0.69, 1.0, 324, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "xml", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " xml = xml.replace('/>', ' '+_ns_str+'/>')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L103_C8", "label": "return", "type": "return", "loc": [103, 103], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L94_C4", "vector": [13, 2, 0.202, 0.002, 2, 0.08, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return xml"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L106_C4", "label": "register_function", "type": "function", "loc": [106, 107], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "vector": [2, 1, 0.2088, 0.0039, 1, 0.63, 0.4286, 885, 0, 6, 0, 0, 0, 0, 1], "semantic": {"name": "register_function", "arg_names": ["self", "name", "fn", "returns", "args", "doc"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def register_function(self, name, fn, returns=None, args=None, doc=None):\n self.methods[name] = fn, returns, args, doc or getattr(fn, \"__doc__\", \"\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L107_C8", "label": "assign", "type": "assigned_variable", "loc": [107, 107], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L106_C4", "vector": [14, 2, 0.2098, 0.002, 2, 0.74, 0.0, 0, 0, 0, 0, 0, 0, 8, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.methods[name] = fn, returns, args, doc or getattr(fn, \"__doc__\", \"\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "label": "dispatch", "type": "function", "loc": [110, 244], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "vector": [2, 1, 0.3471, 0.2647, 1, 0.63, 0.5714, 416, 0, 3, 1, 0, 0, 0, 43], "semantic": {"name": "dispatch", "arg_names": ["self", "xml", "action"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def dispatch(self, xml, action=None):\n \"Receive and proccess SOAP call\"\n # default values:\n prefix = self.prefix\n ret = fault = None\n soap_ns, soap_uri = self.soap_ns, self.soap_uri\n soap_fault_code = 'VersionMismatch'\n name = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L111_C8", "label": "expression", "type": "expression", "loc": [111, 111], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [8, 2, 0.2176, 0.002, 2, 0.14, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Receive and proccess SOAP call\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L113_C8", "label": "prefix =", "type": "assigned_variable", "loc": [113, 113], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [14, 2, 0.2216, 0.002, 2, 0.14, 0.0625, 284, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prefix", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prefix = self.prefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L114_C8", "label": "ret =", "type": "assigned_variable", "loc": [114, 114], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [14, 2, 0.2235, 0.002, 2, 0.14, 0.125, 501, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "ret", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ret = fault = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L115_C8", "label": "soap_ns, soap_uri =", "type": "assigned_variable", "loc": [115, 115], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [14, 2, 0.2255, 0.002, 2, 0.14, 0.1875, 140, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "soap_ns, soap_uri", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soap_ns, soap_uri = self.soap_ns, self.soap_uri"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L116_C8", "label": "soap_fault_code =", "type": "assigned_variable", "loc": [116, 116], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [14, 2, 0.2275, 0.002, 2, 0.14, 0.25, 179, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "soap_fault_code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soap_fault_code = 'VersionMismatch'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L117_C8", "label": "name =", "type": "assigned_variable", "loc": [117, 117], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [14, 2, 0.2294, 0.002, 2, 0.14, 0.3125, 57, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " name = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L120_C8", "label": "_ns_reversed = dict()", "type": "assigned_variable", "loc": [120, 120], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [14, 2, 0.2353, 0.002, 2, 0.14, 0.375, 101, 3, 1, 0, 0, 827, 10, 2], "semantic": {"name": "_ns_reversed", "arg_names": [], "import_names": [], "rhs_call_name": "dict", "annotation": ""}, "snippet": " _ns_reversed = dict(((v,k) for k,v in self.namespaces.iteritems())) # Switch keys-values"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "label": "try", "type": "try", "loc": [123, 187], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [7, 2, 0.3039, 0.1275, 2, 0.14, 0.4375, 0, 0, 1, 0, 0, 0, 0, 26], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n request = SimpleXMLElement(xml, namespace=self.namespace)\n \n # detect soap prefix and uri (xmlns attributes of Envelope)\n for k, v in request[:]:\n if v in (\"http://schemas.xmlsoap.org/soap/envelope/\",\n \"http://www.w3.org/2003/05/soap-env\",):\n soap_ns = request.attributes()[k].localName"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L124_C12", "label": "request = SimpleXMLElement()", "type": "assigned_variable", "loc": [124, 124], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [14, 3, 0.2431, 0.002, 3, 0.42, 0.0, 50, 3, 2, 0, 0, 315, 10, 1], "semantic": {"name": "request", "arg_names": [], "import_names": [], "rhs_call_name": "SimpleXMLElement", "annotation": ""}, "snippet": " request = SimpleXMLElement(xml, namespace=self.namespace)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:For_L127_C12", "label": "for k, v", "type": "for", "loc": [127, 137], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [6, 3, 0.2588, 0.0216, 3, 0.42, 0.0714, 867, 6, 0, 0, 0, 0, 0, 5], "semantic": {"name": "k, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k, v in request[:]:\n if v in (\"http://schemas.xmlsoap.org/soap/envelope/\",\n \"http://www.w3.org/2003/05/soap-env\",):\n soap_ns = request.attributes()[k].localName\n soap_uri = request.attributes()[k].value\n \n # If the value from attributes on Envelope is in additional namespaces\n elif v in self.namespaces.values():"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L128_C16", "label": "if", "type": "if", "loc": [128, 137], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L127_C12", "vector": [4, 4, 0.2598, 0.0196, 4, 0.61, 0.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if v in (\"http://schemas.xmlsoap.org/soap/envelope/\",\n \"http://www.w3.org/2003/05/soap-env\",):\n soap_ns = request.attributes()[k].localName\n soap_uri = request.attributes()[k].value\n \n # If the value from attributes on Envelope is in additional namespaces\n elif v in self.namespaces.values():\n _ns = request.attributes()[k].localName"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L130_C20", "label": "soap_ns =", "type": "assigned_variable", "loc": [130, 130], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L128_C16", "vector": [14, 5, 0.2549, 0.002, 5, 0.59, 0.0, 441, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "soap_ns", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soap_ns = request.attributes()[k].localName"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L131_C20", "label": "soap_uri =", "type": "assigned_variable", "loc": [131, 131], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L128_C16", "vector": [14, 5, 0.2569, 0.002, 5, 0.59, 0.5, 283, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "soap_uri", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soap_uri = request.attributes()[k].value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L134_C16", "label": "if", "type": "if", "loc": [134, 137], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L128_C16", "vector": [4, 5, 0.2657, 0.0078, 5, 0.59, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif v in self.namespaces.values():\n _ns = request.attributes()[k].localName\n _uri = request.attributes()[k].value\n _ns_reversed[_uri] = _ns # update with received alias"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L135_C20", "label": "_ns =", "type": "assigned_variable", "loc": [135, 135], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L134_C16", "vector": [14, 6, 0.2647, 0.002, 6, 0.09, 0.0, 492, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_ns", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _ns = request.attributes()[k].localName"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L136_C20", "label": "_uri =", "type": "assigned_variable", "loc": [136, 136], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L134_C16", "vector": [14, 6, 0.2667, 0.002, 6, 0.09, 0.5, 126, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_uri", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _uri = request.attributes()[k].value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L137_C20", "label": "assign", "type": "assigned_variable", "loc": [137, 137], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L134_C16", "vector": [14, 6, 0.2686, 0.002, 6, 0.09, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _ns_reversed[_uri] = _ns # update with received alias"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L141_C12", "label": "ns = findall()", "type": "assigned_variable", "loc": [141, 141], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [14, 3, 0.2765, 0.002, 3, 0.42, 0.1429, 638, 3, 1, 0, 0, 737, 10, 1], "semantic": {"name": "ns", "arg_names": [], "import_names": [], "rhs_call_name": "findall", "annotation": ""}, "snippet": " ns = NS_RX.findall(xml)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:For_L142_C12", "label": "for k, v", "type": "for", "loc": [142, 144], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [6, 3, 0.2804, 0.0059, 3, 0.42, 0.2143, 867, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "k, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k, v in ns:\n if v in self.namespaces.values():\n _ns_reversed[v] = k"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L143_C16", "label": "if", "type": "if", "loc": [143, 144], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L142_C12", "vector": [4, 4, 0.2814, 0.0039, 4, 0.24, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if v in self.namespaces.values():\n _ns_reversed[v] = k"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L144_C20", "label": "assign", "type": "assigned_variable", "loc": [144, 144], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L143_C16", "vector": [14, 5, 0.2824, 0.002, 5, 0.04, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _ns_reversed[v] = k"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L146_C12", "label": "soap_fault_code =", "type": "assigned_variable", "loc": [146, 146], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [14, 3, 0.2863, 0.002, 3, 0.42, 0.2857, 179, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "soap_fault_code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soap_fault_code = 'Client'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L149_C12", "label": "method =", "type": "assigned_variable", "loc": [149, 149], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [14, 3, 0.2922, 0.002, 3, 0.42, 0.3571, 445, 3, 1, 0, 0, 0, 10, 3], "semantic": {"name": "method", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " method = request('Body', ns=soap_uri).children()(0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L150_C12", "label": "if", "type": "if", "loc": [150, 153], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [4, 3, 0.2971, 0.0078, 3, 0.42, 0.4286, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if action:\n # method name = action \n name = action[len(self.action)+1:-1]\n prefix = self.prefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L152_C16", "label": "name =", "type": "assigned_variable", "loc": [152, 152], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L150_C12", "vector": [14, 4, 0.298, 0.002, 4, 0.79, 0.0, 57, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " name = action[len(self.action)+1:-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L153_C16", "label": "prefix =", "type": "assigned_variable", "loc": [153, 153], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L150_C12", "vector": [14, 4, 0.3, 0.002, 4, 0.79, 1.0, 284, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prefix", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prefix = self.prefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L154_C12", "label": "if", "type": "if", "loc": [154, 157], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [4, 3, 0.3049, 0.0078, 3, 0.42, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not action or not name:\n # method name = input message name\n name = method.get_local_name()\n prefix = method.get_prefix()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L156_C16", "label": "name = get_local_name()", "type": "assigned_variable", "loc": [156, 156], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L154_C12", "vector": [14, 4, 0.3059, 0.002, 4, 0.68, 0.0, 57, 3, 0, 0, 0, 996, 10, 1], "semantic": {"name": "name", "arg_names": [], "import_names": [], "rhs_call_name": "get_local_name", "annotation": ""}, "snippet": " name = method.get_local_name()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L157_C16", "label": "prefix = get_prefix()", "type": "assigned_variable", "loc": [157, 157], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L154_C12", "vector": [14, 4, 0.3078, 0.002, 4, 0.68, 1.0, 284, 3, 0, 0, 0, 730, 10, 1], "semantic": {"name": "prefix", "arg_names": [], "import_names": [], "rhs_call_name": "get_prefix", "annotation": ""}, "snippet": " prefix = method.get_prefix()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L159_C12", "label": "debug()", "type": "expression", "loc": [159, 159], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [8, 3, 0.3118, 0.002, 3, 0.42, 0.5714, 924, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "debug", "arg_names": [], "import_names": [], "rhs_call_name": "debug", "annotation": ""}, "snippet": " log.debug('dispatch method: %s', name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L160_C12", "label": "function, returns_types, args_types, doc =", "type": "assigned_variable", "loc": [160, 160], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [14, 3, 0.3137, 0.002, 3, 0.42, 0.6429, 12, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "function, returns_types, args_types, doc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " function, returns_types, args_types, doc = self.methods[name]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L161_C12", "label": "debug()", "type": "expression", "loc": [161, 161], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [8, 3, 0.3157, 0.002, 3, 0.42, 0.7143, 924, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "debug", "arg_names": [], "import_names": [], "rhs_call_name": "debug", "annotation": ""}, "snippet": " log.debug('returns_types %s', returns_types)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L164_C12", "label": "if", "type": "if", "loc": [164, 169], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [4, 3, 0.3265, 0.0118, 3, 0.42, 0.7857, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if args_types:\n args = method.children().unmarshall(args_types)\n elif args_types is None:\n args = {'request': method} # send raw request\n else:\n args = {} # no parameters"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L165_C16", "label": "args = unmarshall()", "type": "assigned_variable", "loc": [165, 165], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L164_C12", "vector": [14, 4, 0.3235, 0.002, 4, 0.32, 0.0, 805, 3, 1, 0, 0, 833, 10, 2], "semantic": {"name": "args", "arg_names": [], "import_names": [], "rhs_call_name": "unmarshall", "annotation": ""}, "snippet": " args = method.children().unmarshall(args_types)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L166_C12", "label": "if", "type": "if", "loc": [166, 169], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L164_C12", "vector": [4, 4, 0.3284, 0.0078, 4, 0.32, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif args_types is None:\n args = {'request': method} # send raw request\n else:\n args = {} # no parameters"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L167_C16", "label": "args =", "type": "assigned_variable", "loc": [167, 167], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L166_C12", "vector": [14, 5, 0.3275, 0.002, 5, 0.7, 0.0, 805, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "args", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " args = {'request': method} # send raw request"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L169_C16", "label": "args =", "type": "assigned_variable", "loc": [169, 169], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L166_C12", "vector": [14, 5, 0.3314, 0.002, 5, 0.7, 1.0, 805, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "args", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " args = {} # no parameters"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L171_C12", "label": "soap_fault_code =", "type": "assigned_variable", "loc": [171, 171], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [14, 3, 0.3353, 0.002, 3, 0.42, 0.8571, 179, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "soap_fault_code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soap_fault_code = 'Server'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L173_C12", "label": "ret = function()", "type": "assigned_variable", "loc": [173, 173], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [14, 3, 0.3392, 0.002, 3, 0.42, 0.9286, 501, 3, 1, 0, 0, 275, 10, 1], "semantic": {"name": "ret", "arg_names": [], "import_names": [], "rhs_call_name": "function", "annotation": ""}, "snippet": " ret = function(**args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L174_C12", "label": "debug()", "type": "expression", "loc": [174, 174], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [8, 3, 0.3412, 0.002, 3, 0.42, 1.0, 924, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "debug", "arg_names": [], "import_names": [], "rhs_call_name": "debug", "annotation": ""}, "snippet": " log.debug('dispathed method returns: %s', ret)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Import_L177_C12", "label": "sys import sys", "type": "import", "loc": [177, 177], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [1, 3, 0.3471, 0.002, 3, 0.42, 0.0, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": " import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L178_C12", "label": "etype, evalue, etb = exc_info()", "type": "assigned_variable", "loc": [178, 178], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [14, 3, 0.349, 0.002, 3, 0.42, 0.25, 118, 3, 0, 0, 0, 289, 10, 1], "semantic": {"name": "etype, evalue, etb", "arg_names": [], "import_names": [], "rhs_call_name": "exc_info", "annotation": ""}, "snippet": " etype, evalue, etb = sys.exc_info()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L179_C12", "label": "error()", "type": "expression", "loc": [179, 179], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [8, 3, 0.351, 0.002, 3, 0.42, 0.5, 771, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "error", "arg_names": [], "import_names": [], "rhs_call_name": "error", "annotation": ""}, "snippet": " log.error(traceback.format_exc())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L180_C12", "label": "if", "type": "if", "loc": [180, 184], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [4, 3, 0.3569, 0.0098, 3, 0.42, 0.75, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.debug:\n detail = ''.join(traceback.format_exception(etype, evalue, etb))\n detail += '\\n\\nXML REQUEST\\n\\n' + xml\n else:\n detail = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L181_C16", "label": "detail = join()", "type": "assigned_variable", "loc": [181, 181], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L180_C12", "vector": [14, 4, 0.3549, 0.002, 4, 0.92, 0.0, 199, 3, 1, 0, 0, 933, 10, 2], "semantic": {"name": "detail", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " detail = ''.join(traceback.format_exception(etype, evalue, etb))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L184_C16", "label": "detail =", "type": "assigned_variable", "loc": [184, 184], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L180_C12", "vector": [14, 4, 0.3608, 0.002, 4, 0.92, 1.0, 199, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "detail", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " detail = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L185_C12", "label": "fault =", "type": "assigned_variable", "loc": [185, 187], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "vector": [14, 3, 0.3647, 0.0059, 3, 0.42, 1.0, 898, 0, 0, 0, 0, 0, 6, 1], "semantic": {"name": "fault", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fault = {'faultcode': \"%s.%s\" % (soap_fault_code, etype.__name__), \n 'faultstring': unicode(evalue), \n 'detail': detail}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L190_C8", "label": "if", "type": "if", "loc": [190, 194], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [4, 2, 0.3765, 0.0098, 2, 0.14, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not prefix:\n xml = \"\"\"<%(soap_ns)s:Envelope xmlns:%(soap_ns)s=\"%(soap_uri)s\"/>\"\"\" \n else:\n xml = \"\"\"<%(soap_ns)s:Envelope xmlns:%(soap_ns)s=\"%(soap_uri)s\"\n xmlns:%(prefix)s=\"%(namespace)s\"/>\"\"\" "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L191_C12", "label": "xml =", "type": "assigned_variable", "loc": [191, 191], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L190_C8", "vector": [14, 3, 0.3745, 0.002, 3, 0.8, 0.0, 324, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "xml", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xml = \"\"\"<%(soap_ns)s:Envelope xmlns:%(soap_ns)s=\"%(soap_uri)s\"/>\"\"\" "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L193_C12", "label": "xml =", "type": "assigned_variable", "loc": [193, 194], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L190_C8", "vector": [14, 3, 0.3794, 0.0039, 3, 0.8, 1.0, 324, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "xml", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xml = \"\"\"<%(soap_ns)s:Envelope xmlns:%(soap_ns)s=\"%(soap_uri)s\"\n xmlns:%(prefix)s=\"%(namespace)s\"/>\"\"\" "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L204_C8", "label": "xml = _extra_namespaces()", "type": "assigned_variable", "loc": [204, 204], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [14, 2, 0.4, 0.002, 2, 0.14, 0.5625, 324, 3, 2, 0, 0, 470, 10, 1], "semantic": {"name": "xml", "arg_names": [], "import_names": [], "rhs_call_name": "_extra_namespaces", "annotation": ""}, "snippet": " xml = SoapDispatcher._extra_namespaces(xml, _ns_reversed)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L209_C8", "label": "mapping = dict()", "type": "assigned_variable", "loc": [209, 209], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [14, 2, 0.4098, 0.002, 2, 0.14, 0.625, 351, 3, 1, 0, 0, 827, 10, 2], "semantic": {"name": "mapping", "arg_names": [], "import_names": [], "rhs_call_name": "dict", "annotation": ""}, "snippet": " mapping = dict(((k, _ns_reversed[v]) for k,v in self.namespaces.iteritems())) # Switch keys-values and change value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L212_C8", "label": "response = SimpleXMLElement()", "type": "assigned_variable", "loc": [212, 215], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [14, 2, 0.4186, 0.0078, 2, 0.14, 0.6875, 511, 3, 4, 0, 0, 315, 10, 1], "semantic": {"name": "response", "arg_names": [], "import_names": [], "rhs_call_name": "SimpleXMLElement", "annotation": ""}, "snippet": " response = SimpleXMLElement(xml, \n namespace=self.namespace,\n namespaces_map = mapping,\n prefix=prefix)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L217_C8", "label": "assign", "type": "assigned_variable", "loc": [217, 217], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [14, 2, 0.4255, 0.002, 2, 0.14, 0.75, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " response['xmlns:xsi'] = \"http://www.w3.org/2001/XMLSchema-instance\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L218_C8", "label": "assign", "type": "assigned_variable", "loc": [218, 218], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [14, 2, 0.4275, 0.002, 2, 0.14, 0.8125, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " response['xmlns:xsd'] = \"http://www.w3.org/2001/XMLSchema\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L220_C8", "label": "body = add_child()", "type": "assigned_variable", "loc": [220, 220], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [14, 2, 0.4314, 0.002, 2, 0.14, 0.875, 477, 3, 2, 0, 0, 279, 10, 1], "semantic": {"name": "body", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " body = response.add_child(\"%s:Body\" % soap_ns, ns=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L222_C8", "label": "if", "type": "if", "loc": [222, 242], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [4, 2, 0.4549, 0.0412, 2, 0.14, 0.9375, 0, 2, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if fault:\n # generate a Soap Fault (with the python exception)\n body.marshall(\"%s:Fault\" % soap_ns, fault, ns=False)\n else:\n # return normal value\n res = body.add_child(\"%sResponse\" % name, ns=prefix)\n if not prefix:\n res['xmlns'] = self.namespace # add target namespace"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L224_C12", "label": "marshall()", "type": "expression", "loc": [224, 224], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L222_C8", "vector": [8, 3, 0.4392, 0.002, 3, 0.75, 0.0, 279, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "marshall", "arg_names": [], "import_names": [], "rhs_call_name": "marshall", "annotation": ""}, "snippet": " body.marshall(\"%s:Fault\" % soap_ns, fault, ns=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L227_C12", "label": "res = add_child()", "type": "assigned_variable", "loc": [227, 227], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L222_C8", "vector": [14, 3, 0.4451, 0.002, 3, 0.75, 0.3333, 413, 3, 2, 0, 0, 279, 10, 1], "semantic": {"name": "res", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " res = body.add_child(\"%sResponse\" % name, ns=prefix)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L228_C12", "label": "if", "type": "if", "loc": [228, 229], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L222_C8", "vector": [4, 3, 0.448, 0.0039, 3, 0.75, 0.6667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not prefix:\n res['xmlns'] = self.namespace # add target namespace"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L229_C16", "label": "assign", "type": "assigned_variable", "loc": [229, 229], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L228_C12", "vector": [14, 4, 0.449, 0.002, 4, 0.7, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " res['xmlns'] = self.namespace # add target namespace"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L232_C12", "label": "if", "type": "if", "loc": [232, 242], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L222_C8", "vector": [4, 3, 0.4647, 0.0216, 3, 0.75, 1.0, 0, 2, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if returns_types:\n if not isinstance(ret, dict):\n res.marshall(returns_types.keys()[0], ret, )\n else:\n for k,v in ret.items():\n res.marshall(k, v)\n elif returns_types is None:\n # merge xmlelement returned"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L233_C16", "label": "if", "type": "if", "loc": [233, 237], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L232_C12", "vector": [4, 4, 0.4608, 0.0098, 4, 0.56, 0.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(ret, dict):\n res.marshall(returns_types.keys()[0], ret, )\n else:\n for k,v in ret.items():\n res.marshall(k, v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L234_C20", "label": "marshall()", "type": "expression", "loc": [234, 234], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L233_C16", "vector": [8, 5, 0.4588, 0.002, 5, 0.41, 0.0, 279, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "marshall", "arg_names": [], "import_names": [], "rhs_call_name": "marshall", "annotation": ""}, "snippet": " res.marshall(returns_types.keys()[0], ret, )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:For_L236_C20", "label": "for k, v", "type": "for", "loc": [236, 237], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L233_C16", "vector": [6, 5, 0.4637, 0.0039, 5, 0.41, 1.0, 867, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "k, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k,v in ret.items():\n res.marshall(k, v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L237_C24", "label": "marshall()", "type": "expression", "loc": [237, 237], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L236_C20", "vector": [8, 6, 0.4647, 0.002, 6, 0.13, 0.0, 279, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "marshall", "arg_names": [], "import_names": [], "rhs_call_name": "marshall", "annotation": ""}, "snippet": " res.marshall(k, v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L238_C12", "label": "if", "type": "if", "loc": [238, 242], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L232_C12", "vector": [4, 4, 0.4706, 0.0098, 4, 0.56, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif returns_types is None:\n # merge xmlelement returned\n res.import_node(ret)\n elif returns_types == {}:\n log.warning('Given returns_types is an empty dict.')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L240_C16", "label": "import_node()", "type": "expression", "loc": [240, 240], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L238_C12", "vector": [8, 5, 0.4706, 0.002, 5, 0.77, 0.0, 938, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "import_node", "arg_names": [], "import_names": [], "rhs_call_name": "import_node", "annotation": ""}, "snippet": " res.import_node(ret)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L241_C12", "label": "if", "type": "if", "loc": [241, 242], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L238_C12", "vector": [4, 5, 0.4735, 0.0039, 5, 0.77, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif returns_types == {}:\n log.warning('Given returns_types is an empty dict.')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L242_C16", "label": "warning()", "type": "expression", "loc": [242, 242], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L241_C12", "vector": [8, 6, 0.4745, 0.002, 6, 0.48, 0.0, 320, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "warning", "arg_names": [], "import_names": [], "rhs_call_name": "warning", "annotation": ""}, "snippet": " log.warning('Given returns_types is an empty dict.')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L244_C8", "label": "return", "type": "return", "loc": [244, 244], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "vector": [13, 2, 0.4784, 0.002, 2, 0.14, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return response.as_xml(pretty=self.pretty)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L248_C4", "label": "list_methods", "type": "function", "loc": [248, 250], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "vector": [2, 1, 0.4882, 0.0059, 1, 0.63, 0.7143, 102, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "list_methods", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def list_methods(self):\n \"Return a list of aregistered operations\"\n return [(method, doc) for method, (function, returns, args, doc) in self.methods.items()] "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L249_C8", "label": "expression", "type": "expression", "loc": [249, 249], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L248_C4", "vector": [8, 2, 0.4882, 0.002, 2, 0.91, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Return a list of aregistered operations\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L250_C8", "label": "return", "type": "return", "loc": [250, 250], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L248_C4", "vector": [13, 2, 0.4902, 0.002, 2, 0.91, 1.0, 0, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return [(method, doc) for method, (function, returns, args, doc) in self.methods.items()] "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "label": "help", "type": "function", "loc": [252, 283], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "vector": [2, 1, 0.5245, 0.0627, 1, 0.63, 0.8571, 868, 0, 2, 1, 0, 0, 0, 10], "semantic": {"name": "help", "arg_names": ["self", "method"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def help(self, method=None):\n \"Generate sample request and response messages\"\n (function, returns, args, doc) = self.methods[method]\n xml = \"\"\"\n<soap:Envelope xmlns:soap=\"http://schemas.xmlsoap.org/soap/envelope/\">\n<soap:Body><%(method)s xmlns=\"%(namespace)s\"/></soap:Body>\n</soap:Envelope>\"\"\" % {'method':method, 'namespace':self.namespace}\n request = SimpleXMLElement(xml, namespace=self.namespace, prefix=self.prefix)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L253_C8", "label": "expression", "type": "expression", "loc": [253, 253], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "vector": [8, 2, 0.4961, 0.002, 2, 0.25, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Generate sample request and response messages\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L254_C8", "label": "function, returns, args, doc =", "type": "assigned_variable", "loc": [254, 254], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "vector": [14, 2, 0.498, 0.002, 2, 0.25, 0.1, 775, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "function, returns, args, doc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " (function, returns, args, doc) = self.methods[method]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L255_C8", "label": "xml =", "type": "assigned_variable", "loc": [255, 258], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "vector": [14, 2, 0.5029, 0.0078, 2, 0.25, 0.2, 324, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "xml", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xml = \"\"\"\n<soap:Envelope xmlns:soap=\"http://schemas.xmlsoap.org/soap/envelope/\">\n<soap:Body><%(method)s xmlns=\"%(namespace)s\"/></soap:Body>\n</soap:Envelope>\"\"\" % {'method':method, 'namespace':self.namespace}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L259_C8", "label": "request = SimpleXMLElement()", "type": "assigned_variable", "loc": [259, 259], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "vector": [14, 2, 0.5078, 0.002, 2, 0.25, 0.3, 50, 3, 3, 0, 0, 315, 10, 1], "semantic": {"name": "request", "arg_names": [], "import_names": [], "rhs_call_name": "SimpleXMLElement", "annotation": ""}, "snippet": " request = SimpleXMLElement(xml, namespace=self.namespace, prefix=self.prefix)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L260_C8", "label": "if", "type": "if", "loc": [260, 265], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "vector": [4, 2, 0.5147, 0.0118, 2, 0.25, 0.4, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if args:\n items = args.items()\n elif args is None:\n items = [('value', None)]\n else:\n items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L261_C12", "label": "items = items()", "type": "assigned_variable", "loc": [261, 261], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L260_C8", "vector": [14, 3, 0.5118, 0.002, 3, 0.84, 0.0, 339, 3, 0, 0, 0, 339, 10, 1], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "items", "annotation": ""}, "snippet": " items = args.items()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L262_C8", "label": "if", "type": "if", "loc": [262, 265], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L260_C8", "vector": [4, 3, 0.5167, 0.0078, 3, 0.84, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif args is None:\n items = [('value', None)]\n else:\n items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L263_C12", "label": "items =", "type": "assigned_variable", "loc": [263, 263], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L262_C8", "vector": [14, 4, 0.5157, 0.002, 4, 0.34, 0.0, 339, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " items = [('value', None)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L265_C12", "label": "items =", "type": "assigned_variable", "loc": [265, 265], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L262_C8", "vector": [14, 4, 0.5196, 0.002, 4, 0.34, 1.0, 339, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:For_L266_C8", "label": "for k, v", "type": "for", "loc": [266, 267], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "vector": [6, 2, 0.5225, 0.0039, 2, 0.25, 0.5, 867, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "k, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k,v in items:\n request(method).marshall(k, v, add_comments=True, ns=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L267_C12", "label": "marshall()", "type": "expression", "loc": [267, 267], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L266_C8", "vector": [8, 3, 0.5235, 0.002, 3, 0.08, 0.0, 279, 3, 4, 0, 0, 0, 0, 2], "semantic": {"name": "marshall", "arg_names": [], "import_names": [], "rhs_call_name": "marshall", "annotation": ""}, "snippet": " request(method).marshall(k, v, add_comments=True, ns=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L269_C8", "label": "xml =", "type": "assigned_variable", "loc": [269, 272], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "vector": [14, 2, 0.5304, 0.0078, 2, 0.25, 0.6, 324, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "xml", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xml = \"\"\"\n<soap:Envelope xmlns:soap=\"http://schemas.xmlsoap.org/soap/envelope/\">\n<soap:Body><%(method)sResponse xmlns=\"%(namespace)s\"/></soap:Body>\n</soap:Envelope>\"\"\" % {'method':method, 'namespace':self.namespace}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L273_C8", "label": "response = SimpleXMLElement()", "type": "assigned_variable", "loc": [273, 273], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "vector": [14, 2, 0.5353, 0.002, 2, 0.25, 0.7, 511, 3, 3, 0, 0, 315, 10, 1], "semantic": {"name": "response", "arg_names": [], "import_names": [], "rhs_call_name": "SimpleXMLElement", "annotation": ""}, "snippet": " response = SimpleXMLElement(xml, namespace=self.namespace, prefix=self.prefix)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L274_C8", "label": "if", "type": "if", "loc": [274, 279], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "vector": [4, 2, 0.5422, 0.0118, 2, 0.25, 0.8, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if returns:\n items = returns.items()\n elif args is None:\n items = [('value', None)]\n else:\n items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L275_C12", "label": "items = items()", "type": "assigned_variable", "loc": [275, 275], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L274_C8", "vector": [14, 3, 0.5392, 0.002, 3, 0.16, 0.0, 339, 3, 0, 0, 0, 339, 10, 1], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "items", "annotation": ""}, "snippet": " items = returns.items()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L276_C8", "label": "if", "type": "if", "loc": [276, 279], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L274_C8", "vector": [4, 3, 0.5441, 0.0078, 3, 0.16, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif args is None:\n items = [('value', None)]\n else:\n items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L277_C12", "label": "items =", "type": "assigned_variable", "loc": [277, 277], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L276_C8", "vector": [14, 4, 0.5431, 0.002, 4, 0.49, 0.0, 339, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " items = [('value', None)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L279_C12", "label": "items =", "type": "assigned_variable", "loc": [279, 279], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L276_C8", "vector": [14, 4, 0.5471, 0.002, 4, 0.49, 1.0, 339, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:For_L280_C8", "label": "for k, v", "type": "for", "loc": [280, 281], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "vector": [6, 2, 0.55, 0.0039, 2, 0.25, 0.9, 867, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "k, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k,v in items:\n response('%sResponse'%method).marshall(k, v, add_comments=True, ns=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L281_C12", "label": "marshall()", "type": "expression", "loc": [281, 281], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L280_C8", "vector": [8, 3, 0.551, 0.002, 3, 0.3, 0.0, 279, 3, 4, 0, 0, 0, 0, 2], "semantic": {"name": "marshall", "arg_names": [], "import_names": [], "rhs_call_name": "marshall", "annotation": ""}, "snippet": " response('%sResponse'%method).marshall(k, v, add_comments=True, ns=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L283_C8", "label": "return", "type": "return", "loc": [283, 283], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "vector": [13, 2, 0.5549, 0.002, 2, 0.25, 1.0, 0, 0, 0, 0, 0, 0, 8, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return request.as_xml(pretty=True), response.as_xml(pretty=True), doc"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "label": "wsdl", "type": "function", "loc": [286, 405], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "vector": [2, 1, 0.6775, 0.2353, 1, 0.63, 1.0, 811, 0, 1, 1, 0, 0, 0, 47], "semantic": {"name": "wsdl", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def wsdl(self):\n \"Generate Web Service Description v1.1\"\n xml = \"\"\"<?xml version=\"1.0\"?>\n<wsdl:definitions name=\"%(name)s\" \n targetNamespace=\"%(namespace)s\"\n xmlns:tns=\"%(namespace)s\"\n xmlns:soap=\"http://schemas.xmlsoap.org/wsdl/soap/\"\n xmlns:wsdl=\"http://schemas.xmlsoap.org/wsdl/\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L287_C8", "label": "expression", "type": "expression", "loc": [287, 287], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [8, 2, 0.5627, 0.002, 2, 0.52, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Generate Web Service Description v1.1\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L288_C8", "label": "xml =", "type": "assigned_variable", "loc": [288, 305], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.5814, 0.0353, 2, 0.52, 0.0455, 324, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "xml", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xml = \"\"\"<?xml version=\"1.0\"?>\n<wsdl:definitions name=\"%(name)s\" \n targetNamespace=\"%(namespace)s\"\n xmlns:tns=\"%(namespace)s\"\n xmlns:soap=\"http://schemas.xmlsoap.org/wsdl/soap/\"\n xmlns:wsdl=\"http://schemas.xmlsoap.org/wsdl/\"\n xmlns:xsd=\"http://www.w3.org/2001/XMLSchema\">\n <wsdl:documentation xmlns:wsdl=\"http://schemas.xmlsoap.org/wsdl/\">%(documentation)s</wsdl:documentation>"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L306_C8", "label": "wsdl = SimpleXMLElement()", "type": "assigned_variable", "loc": [306, 306], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.6, 0.002, 2, 0.52, 0.0909, 811, 3, 1, 0, 0, 315, 10, 1], "semantic": {"name": "wsdl", "arg_names": [], "import_names": [], "rhs_call_name": "SimpleXMLElement", "annotation": ""}, "snippet": " wsdl = SimpleXMLElement(xml)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:For_L308_C8", "label": "for method", "type": "for", "loc": [308, 360], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [6, 2, 0.6549, 0.1039, 2, 0.52, 0.1364, 445, 3, 0, 0, 0, 0, 0, 26], "semantic": {"name": "method", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for method, (function, returns, args, doc) in self.methods.items():\n # create elements:\n \n def parse_element(name, values, array=False, complex=False):\n if not complex:\n element = wsdl('wsdl:types')('xsd:schema').add_child('xsd:element')\n complex = element.add_child(\"xsd:complexType\")\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L311_C12", "label": "parse_element", "type": "function", "loc": [311, 349], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L308_C8", "vector": [2, 3, 0.6471, 0.0765, 3, 0.6, 0.0, 879, 0, 4, 0, 0, 0, 0, 19], "semantic": {"name": "parse_element", "arg_names": ["name", "values", "array", "complex"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def parse_element(name, values, array=False, complex=False):\n if not complex:\n element = wsdl('wsdl:types')('xsd:schema').add_child('xsd:element')\n complex = element.add_child(\"xsd:complexType\")\n else:\n complex = wsdl('wsdl:types')('xsd:schema').add_child('xsd:complexType')\n element = complex\n element['name'] = name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L312_C16", "label": "if", "type": "if", "loc": [312, 317], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L311_C12", "vector": [4, 4, 0.6167, 0.0118, 4, 0.96, 0.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not complex:\n element = wsdl('wsdl:types')('xsd:schema').add_child('xsd:element')\n complex = element.add_child(\"xsd:complexType\")\n else:\n complex = wsdl('wsdl:types')('xsd:schema').add_child('xsd:complexType')\n element = complex"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L313_C20", "label": "element = add_child()", "type": "assigned_variable", "loc": [313, 313], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L312_C16", "vector": [14, 5, 0.6137, 0.002, 5, 0.26, 0.0, 736, 3, 1, 0, 0, 279, 10, 3], "semantic": {"name": "element", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " element = wsdl('wsdl:types')('xsd:schema').add_child('xsd:element')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L314_C20", "label": "complex = add_child()", "type": "assigned_variable", "loc": [314, 314], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L312_C16", "vector": [14, 5, 0.6157, 0.002, 5, 0.26, 0.3333, 334, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "complex", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " complex = element.add_child(\"xsd:complexType\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L316_C20", "label": "complex = add_child()", "type": "assigned_variable", "loc": [316, 316], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L312_C16", "vector": [14, 5, 0.6196, 0.002, 5, 0.26, 0.6667, 334, 3, 1, 0, 0, 279, 10, 3], "semantic": {"name": "complex", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " complex = wsdl('wsdl:types')('xsd:schema').add_child('xsd:complexType')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L317_C20", "label": "element =", "type": "assigned_variable", "loc": [317, 317], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L312_C16", "vector": [14, 5, 0.6216, 0.002, 5, 0.26, 1.0, 736, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "element", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " element = complex"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L318_C16", "label": "assign", "type": "assigned_variable", "loc": [318, 318], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L311_C12", "vector": [14, 4, 0.6235, 0.002, 4, 0.96, 0.25, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " element['name'] = name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L319_C16", "label": "if", "type": "if", "loc": [319, 324], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L311_C12", "vector": [4, 4, 0.6304, 0.0118, 4, 0.96, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if values:\n items = values\n elif values is None:\n items = [('value', None)]\n else:\n items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L320_C20", "label": "items =", "type": "assigned_variable", "loc": [320, 320], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L319_C16", "vector": [14, 5, 0.6275, 0.002, 5, 0.48, 0.0, 339, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " items = values"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L321_C16", "label": "if", "type": "if", "loc": [321, 324], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L319_C16", "vector": [4, 5, 0.6324, 0.0078, 5, 0.48, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif values is None:\n items = [('value', None)]\n else:\n items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L322_C20", "label": "items =", "type": "assigned_variable", "loc": [322, 322], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L321_C16", "vector": [14, 6, 0.6314, 0.002, 6, 0.96, 0.0, 339, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " items = [('value', None)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L324_C20", "label": "items =", "type": "assigned_variable", "loc": [324, 324], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L321_C16", "vector": [14, 6, 0.6353, 0.002, 6, 0.96, 1.0, 339, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L325_C16", "label": "if", "type": "if", "loc": [325, 328], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L311_C12", "vector": [4, 4, 0.6402, 0.0078, 4, 0.96, 0.75, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not array and items:\n all = complex.add_child(\"xsd:all\")\n elif items:\n all = complex.add_child(\"xsd:sequence\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L326_C20", "label": "all = add_child()", "type": "assigned_variable", "loc": [326, 326], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L325_C16", "vector": [14, 5, 0.6392, 0.002, 5, 0.29, 0.0, 895, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "all", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " all = complex.add_child(\"xsd:all\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L327_C16", "label": "if", "type": "if", "loc": [327, 328], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L325_C16", "vector": [4, 5, 0.6422, 0.0039, 5, 0.29, 1.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif items:\n all = complex.add_child(\"xsd:sequence\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L328_C20", "label": "all = add_child()", "type": "assigned_variable", "loc": [328, 328], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L327_C16", "vector": [14, 6, 0.6431, 0.002, 6, 0.54, 0.0, 895, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "all", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " all = complex.add_child(\"xsd:sequence\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:For_L329_C16", "label": "for k, v", "type": "for", "loc": [329, 349], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L311_C12", "vector": [6, 4, 0.6647, 0.0412, 4, 0.96, 1.0, 867, 2, 0, 0, 0, 0, 0, 10], "semantic": {"name": "k, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k,v in items:\n e = all.add_child(\"xsd:element\")\n e['name'] = k\n if array:\n e[:]={'minOccurs': \"0\", 'maxOccurs': \"unbounded\"}\n if v in TYPE_MAP.keys():\n t='xsd:%s' % TYPE_MAP[v]\n elif v is None:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L330_C20", "label": "e = add_child()", "type": "assigned_variable", "loc": [330, 330], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L329_C16", "vector": [14, 5, 0.6471, 0.002, 5, 0.78, 0.0, 175, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "e", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " e = all.add_child(\"xsd:element\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L331_C20", "label": "assign", "type": "assigned_variable", "loc": [331, 331], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L329_C16", "vector": [14, 5, 0.649, 0.002, 5, 0.78, 0.25, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " e['name'] = k"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L332_C20", "label": "if", "type": "if", "loc": [332, 333], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L329_C16", "vector": [4, 5, 0.652, 0.0039, 5, 0.78, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if array:\n e[:]={'minOccurs': \"0\", 'maxOccurs': \"unbounded\"}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L333_C24", "label": "assign", "type": "assigned_variable", "loc": [333, 333], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L332_C20", "vector": [14, 6, 0.6529, 0.002, 6, 0.8, 0.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " e[:]={'minOccurs': \"0\", 'maxOccurs': \"unbounded\"}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L334_C20", "label": "if", "type": "if", "loc": [334, 348], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L329_C16", "vector": [4, 5, 0.6686, 0.0294, 5, 0.78, 0.75, 0, 0, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if v in TYPE_MAP.keys():\n t='xsd:%s' % TYPE_MAP[v]\n elif v is None:\n t='xsd:anyType'\n elif isinstance(v, list):\n n=\"ArrayOf%s%s\" % (name, k)\n l = []\n for d in v:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L335_C24", "label": "t =", "type": "assigned_variable", "loc": [335, 335], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L334_C20", "vector": [14, 6, 0.6569, 0.002, 6, 0.18, 0.0, 15, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "t", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " t='xsd:%s' % TYPE_MAP[v]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L336_C20", "label": "if", "type": "if", "loc": [336, 348], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L334_C20", "vector": [4, 6, 0.6706, 0.0255, 6, 0.18, 1.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif v is None:\n t='xsd:anyType'\n elif isinstance(v, list):\n n=\"ArrayOf%s%s\" % (name, k)\n l = []\n for d in v:\n l.extend(d.items())\n parse_element(n, l, array=True, complex=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L337_C24", "label": "t =", "type": "assigned_variable", "loc": [337, 337], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L336_C20", "vector": [14, 7, 0.6608, 0.002, 7, 0.42, 0.0, 15, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "t", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " t='xsd:anyType'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "label": "if", "type": "if", "loc": [338, 348], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L336_C20", "vector": [4, 7, 0.6725, 0.0216, 7, 0.42, 1.0, 0, 3, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(v, list):\n n=\"ArrayOf%s%s\" % (name, k)\n l = []\n for d in v:\n l.extend(d.items())\n parse_element(n, l, array=True, complex=True)\n t = \"tns:%s\" % n\n elif isinstance(v, dict): "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L339_C24", "label": "n =", "type": "assigned_variable", "loc": [339, 339], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "vector": [14, 8, 0.6647, 0.002, 8, 0.83, 0.0, 773, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " n=\"ArrayOf%s%s\" % (name, k)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L340_C24", "label": "l =", "type": "assigned_variable", "loc": [340, 340], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "vector": [14, 8, 0.6667, 0.002, 8, 0.83, 0.2, 810, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "l", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " l = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:For_L341_C24", "label": "for d", "type": "for", "loc": [341, 342], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "vector": [6, 8, 0.6696, 0.0039, 8, 0.83, 0.4, 355, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "d", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for d in v:\n l.extend(d.items())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L342_C28", "label": "extend()", "type": "expression", "loc": [342, 342], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L341_C24", "vector": [8, 9, 0.6706, 0.002, 9, 0.16, 0.0, 660, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "extend", "arg_names": [], "import_names": [], "rhs_call_name": "extend", "annotation": ""}, "snippet": " l.extend(d.items())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L343_C24", "label": "parse_element()", "type": "expression", "loc": [343, 343], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "vector": [8, 8, 0.6725, 0.002, 8, 0.83, 0.6, 879, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "parse_element", "arg_names": [], "import_names": [], "rhs_call_name": "parse_element", "annotation": ""}, "snippet": " parse_element(n, l, array=True, complex=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L344_C24", "label": "t =", "type": "assigned_variable", "loc": [344, 344], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "vector": [14, 8, 0.6745, 0.002, 8, 0.83, 0.8, 15, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "t", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " t = \"tns:%s\" % n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L345_C20", "label": "if", "type": "if", "loc": [345, 348], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "vector": [4, 8, 0.6794, 0.0078, 8, 0.83, 1.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(v, dict): \n n=\"%s%s\" % (name, k)\n parse_element(n, v.items(), complex=True)\n t = \"tns:%s\" % n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L346_C24", "label": "n =", "type": "assigned_variable", "loc": [346, 346], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L345_C20", "vector": [14, 9, 0.6784, 0.002, 9, 0.48, 0.0, 773, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " n=\"%s%s\" % (name, k)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L347_C24", "label": "parse_element()", "type": "expression", "loc": [347, 347], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L345_C20", "vector": [8, 9, 0.6804, 0.002, 9, 0.48, 0.5, 879, 3, 3, 0, 0, 0, 0, 2], "semantic": {"name": "parse_element", "arg_names": [], "import_names": [], "rhs_call_name": "parse_element", "annotation": ""}, "snippet": " parse_element(n, v.items(), complex=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L348_C24", "label": "t =", "type": "assigned_variable", "loc": [348, 348], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L345_C20", "vector": [14, 9, 0.6824, 0.002, 9, 0.48, 1.0, 15, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "t", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " t = \"tns:%s\" % n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L349_C20", "label": "add_attribute()", "type": "expression", "loc": [349, 349], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L329_C16", "vector": [8, 5, 0.6843, 0.002, 5, 0.78, 1.0, 114, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_attribute", "arg_names": [], "import_names": [], "rhs_call_name": "add_attribute", "annotation": ""}, "snippet": " e.add_attribute('type', t)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L351_C12", "label": "parse_element()", "type": "expression", "loc": [351, 351], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L308_C8", "vector": [8, 3, 0.6882, 0.002, 3, 0.6, 0.3333, 879, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "parse_element", "arg_names": [], "import_names": [], "rhs_call_name": "parse_element", "annotation": ""}, "snippet": " parse_element(\"%s\" % method, args and args.items())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L352_C12", "label": "parse_element()", "type": "expression", "loc": [352, 352], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L308_C8", "vector": [8, 3, 0.6902, 0.002, 3, 0.6, 0.6667, 879, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "parse_element", "arg_names": [], "import_names": [], "rhs_call_name": "parse_element", "annotation": ""}, "snippet": " parse_element(\"%sResponse\" % method, returns and returns.items())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:For_L355_C12", "label": "for m, e", "type": "for", "loc": [355, 360], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L308_C8", "vector": [6, 3, 0.701, 0.0118, 3, 0.6, 1.0, 957, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "m, e", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for m,e in ('Input',''), ('Output','Response'):\n message = wsdl.add_child('wsdl:message')\n message['name'] = \"%s%s\" % (method, m)\n part = message.add_child(\"wsdl:part\")\n part[:] = {'name': 'parameters', \n 'element': 'tns:%s%s' % (method,e)}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L356_C16", "label": "message = add_child()", "type": "assigned_variable", "loc": [356, 356], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L355_C12", "vector": [14, 4, 0.698, 0.002, 4, 0.04, 0.0, 635, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "message", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " message = wsdl.add_child('wsdl:message')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L357_C16", "label": "assign", "type": "assigned_variable", "loc": [357, 357], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L355_C12", "vector": [14, 4, 0.7, 0.002, 4, 0.04, 0.3333, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " message['name'] = \"%s%s\" % (method, m)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L358_C16", "label": "part = add_child()", "type": "assigned_variable", "loc": [358, 358], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L355_C12", "vector": [14, 4, 0.702, 0.002, 4, 0.04, 0.6667, 374, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "part", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " part = message.add_child(\"wsdl:part\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L359_C16", "label": "assign", "type": "assigned_variable", "loc": [359, 360], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L355_C12", "vector": [14, 4, 0.7049, 0.0039, 4, 0.04, 1.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " part[:] = {'name': 'parameters', \n 'element': 'tns:%s%s' % (method,e)}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L363_C8", "label": "portType = add_child()", "type": "assigned_variable", "loc": [363, 363], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7118, 0.002, 2, 0.52, 0.1818, 505, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "portType", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " portType = wsdl.add_child('wsdl:portType')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L364_C8", "label": "assign", "type": "assigned_variable", "loc": [364, 364], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7137, 0.002, 2, 0.52, 0.2273, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " portType['name'] = \"%sPortType\" % self.name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "label": "for method", "type": "for", "loc": [365, 373], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [6, 2, 0.7235, 0.0176, 2, 0.52, 0.2727, 445, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "method", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for method, (function, returns, args, doc) in self.methods.items():\n op = portType.add_child('wsdl:operation')\n op['name'] = method\n if doc:\n op.add_child(\"wsdl:documentation\", doc)\n input = op.add_child(\"wsdl:input\")\n input['message'] = \"tns:%sInput\" % method\n output = op.add_child(\"wsdl:output\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L366_C12", "label": "op = add_child()", "type": "assigned_variable", "loc": [366, 366], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "vector": [14, 3, 0.7176, 0.002, 3, 0.17, 0.0, 316, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "op", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " op = portType.add_child('wsdl:operation')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L367_C12", "label": "assign", "type": "assigned_variable", "loc": [367, 367], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "vector": [14, 3, 0.7196, 0.002, 3, 0.17, 0.1667, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " op['name'] = method"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L368_C12", "label": "if", "type": "if", "loc": [368, 369], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "vector": [4, 3, 0.7225, 0.0039, 3, 0.17, 0.3333, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if doc:\n op.add_child(\"wsdl:documentation\", doc)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L369_C16", "label": "add_child()", "type": "expression", "loc": [369, 369], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L368_C12", "vector": [8, 4, 0.7235, 0.002, 4, 0.95, 0.0, 279, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_child", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " op.add_child(\"wsdl:documentation\", doc)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L370_C12", "label": "input = add_child()", "type": "assigned_variable", "loc": [370, 370], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "vector": [14, 3, 0.7255, 0.002, 3, 0.17, 0.5, 930, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "input", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " input = op.add_child(\"wsdl:input\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L371_C12", "label": "assign", "type": "assigned_variable", "loc": [371, 371], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "vector": [14, 3, 0.7275, 0.002, 3, 0.17, 0.6667, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " input['message'] = \"tns:%sInput\" % method"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L372_C12", "label": "output = add_child()", "type": "assigned_variable", "loc": [372, 372], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "vector": [14, 3, 0.7294, 0.002, 3, 0.17, 0.8333, 886, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "output", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " output = op.add_child(\"wsdl:output\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L373_C12", "label": "assign", "type": "assigned_variable", "loc": [373, 373], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "vector": [14, 3, 0.7314, 0.002, 3, 0.17, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " output['message'] = \"tns:%sOutput\" % method"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L376_C8", "label": "binding = add_child()", "type": "assigned_variable", "loc": [376, 376], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7373, 0.002, 2, 0.52, 0.3182, 705, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "binding", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " binding = wsdl.add_child('wsdl:binding')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L377_C8", "label": "assign", "type": "assigned_variable", "loc": [377, 377], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7392, 0.002, 2, 0.52, 0.3636, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " binding['name'] = \"%sBinding\" % self.name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L378_C8", "label": "assign", "type": "assigned_variable", "loc": [378, 378], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7412, 0.002, 2, 0.52, 0.4091, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " binding['type'] = \"tns:%sPortType\" % self.name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L379_C8", "label": "soapbinding = add_child()", "type": "assigned_variable", "loc": [379, 379], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7431, 0.002, 2, 0.52, 0.4545, 712, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "soapbinding", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " soapbinding = binding.add_child('soap:binding')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L380_C8", "label": "assign", "type": "assigned_variable", "loc": [380, 380], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7451, 0.002, 2, 0.52, 0.5, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soapbinding['style'] = \"document\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L381_C8", "label": "assign", "type": "assigned_variable", "loc": [381, 381], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7471, 0.002, 2, 0.52, 0.5455, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soapbinding['transport'] = \"http://schemas.xmlsoap.org/soap/http\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "label": "for method", "type": "for", "loc": [382, 395], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [6, 2, 0.7618, 0.0275, 2, 0.52, 0.5909, 445, 3, 0, 0, 0, 0, 0, 7], "semantic": {"name": "method", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for method in self.methods.keys():\n op = binding.add_child('wsdl:operation')\n op['name'] = method\n soapop = op.add_child('soap:operation')\n soapop['soapAction'] = self.action + method\n soapop['style'] = 'document'\n input = op.add_child(\"wsdl:input\")\n ##input.add_attribute('name', \"%sInput\" % method)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L383_C12", "label": "op = add_child()", "type": "assigned_variable", "loc": [383, 383], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "vector": [14, 3, 0.751, 0.002, 3, 0.08, 0.0, 316, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "op", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " op = binding.add_child('wsdl:operation')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L384_C12", "label": "assign", "type": "assigned_variable", "loc": [384, 384], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "vector": [14, 3, 0.7529, 0.002, 3, 0.08, 0.1, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " op['name'] = method"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L385_C12", "label": "soapop = add_child()", "type": "assigned_variable", "loc": [385, 385], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "vector": [14, 3, 0.7549, 0.002, 3, 0.08, 0.2, 318, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "soapop", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " soapop = op.add_child('soap:operation')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L386_C12", "label": "assign", "type": "assigned_variable", "loc": [386, 386], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "vector": [14, 3, 0.7569, 0.002, 3, 0.08, 0.3, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soapop['soapAction'] = self.action + method"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L387_C12", "label": "assign", "type": "assigned_variable", "loc": [387, 387], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "vector": [14, 3, 0.7588, 0.002, 3, 0.08, 0.4, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soapop['style'] = 'document'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L388_C12", "label": "input = add_child()", "type": "assigned_variable", "loc": [388, 388], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "vector": [14, 3, 0.7608, 0.002, 3, 0.08, 0.5, 930, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "input", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " input = op.add_child(\"wsdl:input\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L390_C12", "label": "soapbody = add_child()", "type": "assigned_variable", "loc": [390, 390], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "vector": [14, 3, 0.7647, 0.002, 3, 0.08, 0.6, 881, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "soapbody", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " soapbody = input.add_child(\"soap:body\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L391_C12", "label": "assign", "type": "assigned_variable", "loc": [391, 391], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "vector": [14, 3, 0.7667, 0.002, 3, 0.08, 0.7, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soapbody[\"use\"] = \"literal\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L392_C12", "label": "output = add_child()", "type": "assigned_variable", "loc": [392, 392], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "vector": [14, 3, 0.7686, 0.002, 3, 0.08, 0.8, 886, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "output", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " output = op.add_child(\"wsdl:output\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L394_C12", "label": "soapbody = add_child()", "type": "assigned_variable", "loc": [394, 394], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "vector": [14, 3, 0.7725, 0.002, 3, 0.08, 0.9, 881, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "soapbody", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " soapbody = output.add_child(\"soap:body\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L395_C12", "label": "assign", "type": "assigned_variable", "loc": [395, 395], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "vector": [14, 3, 0.7745, 0.002, 3, 0.08, 1.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soapbody[\"use\"] = \"literal\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L397_C8", "label": "service = add_child()", "type": "assigned_variable", "loc": [397, 397], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7784, 0.002, 2, 0.52, 0.6364, 314, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "service", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " service = wsdl.add_child('wsdl:service')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L398_C8", "label": "assign", "type": "assigned_variable", "loc": [398, 398], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7804, 0.002, 2, 0.52, 0.6818, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " service[\"name\"] = \"%sService\" % self.name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L399_C8", "label": "add_child()", "type": "expression", "loc": [399, 399], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [8, 2, 0.7824, 0.002, 2, 0.52, 0.7273, 279, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_child", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " service.add_child('wsdl:documentation', text=self.documentation)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L400_C8", "label": "port = add_child()", "type": "assigned_variable", "loc": [400, 400], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7843, 0.002, 2, 0.52, 0.7727, 308, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "port", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " port=service.add_child('wsdl:port')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L401_C8", "label": "assign", "type": "assigned_variable", "loc": [401, 401], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7863, 0.002, 2, 0.52, 0.8182, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " port[\"name\"] = \"%s\" % self.name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L402_C8", "label": "assign", "type": "assigned_variable", "loc": [402, 402], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7882, 0.002, 2, 0.52, 0.8636, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " port[\"binding\"] = \"tns:%sBinding\" % self.name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L403_C8", "label": "soapaddress = add_child()", "type": "assigned_variable", "loc": [403, 403], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7902, 0.002, 2, 0.52, 0.9091, 18, 3, 1, 0, 0, 279, 10, 1], "semantic": {"name": "soapaddress", "arg_names": [], "import_names": [], "rhs_call_name": "add_child", "annotation": ""}, "snippet": " soapaddress = port.add_child('soap:address')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L404_C8", "label": "assign", "type": "assigned_variable", "loc": [404, 404], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [14, 2, 0.7922, 0.002, 2, 0.52, 0.9545, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " soapaddress[\"location\"] = self.location"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L405_C8", "label": "return", "type": "return", "loc": [405, 405], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "vector": [13, 2, 0.7941, 0.002, 2, 0.52, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return wsdl.as_xml(pretty=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:ImportFrom_L408_C0", "label": "from BaseHTTPServer import BaseHTTPRequestHandler, HTTPServer", "type": "import", "loc": [408, 408], "level": 0, "parent": null, "vector": [1, 0, 0.8, 0.002, 0, 0.66, 0.8667, 801, 0, 2, 0, 0, 801, 0, 0], "semantic": {"name": "BaseHTTPServer", "arg_names": [], "import_names": ["BaseHTTPRequestHandler", "HTTPServer"], "rhs_call_name": "", "annotation": ""}, "snippet": "from BaseHTTPServer import BaseHTTPRequestHandler, HTTPServer"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L409_C0", "label": "SOAPHandler", "type": "class", "loc": [409, 438], "level": 0, "parent": null, "vector": [3, 0, 0.8304, 0.0588, 0, 0.66, 0.9333, 855, 0, 2, 0, 0, 152, 0, 18], "semantic": {"name": "SOAPHandler", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class SOAPHandler(BaseHTTPRequestHandler):\n def do_GET(self):\n \"User viewable help information and wsdl\"\n args = self.path[1:].split(\"?\")\n if self.path != \"/\" and args[0] not in self.server.dispatcher.methods.keys():\n self.send_error(404, \"Method not found: %s\" % args[0])\n else:\n if self.path == \"/\":"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L410_C4", "label": "do_GET", "type": "function", "loc": [410, 429], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L409_C0", "vector": [2, 1, 0.8225, 0.0392, 1, 0.52, 0.0, 269, 0, 1, 0, 0, 0, 0, 10], "semantic": {"name": "do_GET", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def do_GET(self):\n \"User viewable help information and wsdl\"\n args = self.path[1:].split(\"?\")\n if self.path != \"/\" and args[0] not in self.server.dispatcher.methods.keys():\n self.send_error(404, \"Method not found: %s\" % args[0])\n else:\n if self.path == \"/\":\n # return wsdl if no method supplied"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L411_C8", "label": "expression", "type": "expression", "loc": [411, 411], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L410_C4", "vector": [8, 2, 0.8059, 0.002, 2, 0.02, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"User viewable help information and wsdl\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L412_C8", "label": "args = split()", "type": "assigned_variable", "loc": [412, 412], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L410_C4", "vector": [14, 2, 0.8078, 0.002, 2, 0.02, 0.5, 805, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "args", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " args = self.path[1:].split(\"?\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "label": "if", "type": "if", "loc": [413, 429], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L410_C4", "vector": [4, 2, 0.8255, 0.0333, 2, 0.02, 1.0, 0, 0, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.path != \"/\" and args[0] not in self.server.dispatcher.methods.keys():\n self.send_error(404, \"Method not found: %s\" % args[0])\n else:\n if self.path == \"/\":\n # return wsdl if no method supplied\n response = self.server.dispatcher.wsdl()\n else:\n # return supplied method help (?request or ?response messages)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L414_C12", "label": "send_error()", "type": "expression", "loc": [414, 414], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "vector": [8, 3, 0.8118, 0.002, 3, 0.85, 0.0, 886, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "send_error", "arg_names": [], "import_names": [], "rhs_call_name": "send_error", "annotation": ""}, "snippet": " self.send_error(404, \"Method not found: %s\" % args[0])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L416_C12", "label": "if", "type": "if", "loc": [416, 425], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "vector": [4, 3, 0.8245, 0.0196, 3, 0.85, 0.2, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.path == \"/\":\n # return wsdl if no method supplied\n response = self.server.dispatcher.wsdl()\n else:\n # return supplied method help (?request or ?response messages)\n req, res, doc = self.server.dispatcher.help(args[0])\n if len(args)==1 or args[1]==\"request\":\n response = req"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L418_C16", "label": "response = wsdl()", "type": "assigned_variable", "loc": [418, 418], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L416_C12", "vector": [14, 4, 0.8196, 0.002, 4, 0.27, 0.0, 511, 3, 0, 0, 0, 811, 10, 1], "semantic": {"name": "response", "arg_names": [], "import_names": [], "rhs_call_name": "wsdl", "annotation": ""}, "snippet": " response = self.server.dispatcher.wsdl()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L421_C16", "label": "req, res, doc = help()", "type": "assigned_variable", "loc": [421, 421], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L416_C12", "vector": [14, 4, 0.8255, 0.002, 4, 0.27, 0.5, 638, 3, 1, 0, 0, 868, 10, 1], "semantic": {"name": "req, res, doc", "arg_names": [], "import_names": [], "rhs_call_name": "help", "annotation": ""}, "snippet": " req, res, doc = self.server.dispatcher.help(args[0])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L422_C16", "label": "if", "type": "if", "loc": [422, 425], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L416_C12", "vector": [4, 4, 0.8304, 0.0078, 4, 0.27, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(args)==1 or args[1]==\"request\":\n response = req\n else:\n response = res "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L423_C20", "label": "response =", "type": "assigned_variable", "loc": [423, 423], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L422_C16", "vector": [14, 5, 0.8294, 0.002, 5, 0.37, 0.0, 511, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "response", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " response = req"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L425_C20", "label": "response =", "type": "assigned_variable", "loc": [425, 425], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L422_C16", "vector": [14, 5, 0.8333, 0.002, 5, 0.37, 1.0, 511, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "response", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " response = res "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L426_C12", "label": "send_response()", "type": "expression", "loc": [426, 426], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "vector": [8, 3, 0.8353, 0.002, 3, 0.85, 0.4, 844, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "send_response", "arg_names": [], "import_names": [], "rhs_call_name": "send_response", "annotation": ""}, "snippet": " self.send_response(200)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L427_C12", "label": "send_header()", "type": "expression", "loc": [427, 427], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "vector": [8, 3, 0.8373, 0.002, 3, 0.85, 0.6, 81, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "send_header", "arg_names": [], "import_names": [], "rhs_call_name": "send_header", "annotation": ""}, "snippet": " self.send_header(\"Content-type\", \"text/xml\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L428_C12", "label": "end_headers()", "type": "expression", "loc": [428, 428], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "vector": [8, 3, 0.8392, 0.002, 3, 0.85, 0.8, 683, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "end_headers", "arg_names": [], "import_names": [], "rhs_call_name": "end_headers", "annotation": ""}, "snippet": " self.end_headers()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L429_C12", "label": "write()", "type": "expression", "loc": [429, 429], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "vector": [8, 3, 0.8412, 0.002, 3, 0.85, 1.0, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " self.wfile.write(response)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "label": "do_POST", "type": "function", "loc": [431, 438], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L409_C0", "vector": [2, 1, 0.852, 0.0157, 1, 0.52, 1.0, 67, 0, 1, 0, 0, 0, 0, 8], "semantic": {"name": "do_POST", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def do_POST(self):\n \"SOAP POST gateway\"\n self.send_response(200)\n self.send_header(\"Content-type\", \"text/xml\")\n self.end_headers()\n request = self.rfile.read(int(self.headers.getheader('content-length')))\n response = self.server.dispatcher.dispatch(request)\n self.wfile.write(response)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L432_C8", "label": "expression", "type": "expression", "loc": [432, 432], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "vector": [8, 2, 0.8471, 0.002, 2, 0.49, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"SOAP POST gateway\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L433_C8", "label": "send_response()", "type": "expression", "loc": [433, 433], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "vector": [8, 2, 0.849, 0.002, 2, 0.49, 0.1667, 844, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "send_response", "arg_names": [], "import_names": [], "rhs_call_name": "send_response", "annotation": ""}, "snippet": " self.send_response(200)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L434_C8", "label": "send_header()", "type": "expression", "loc": [434, 434], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "vector": [8, 2, 0.851, 0.002, 2, 0.49, 0.3333, 81, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "send_header", "arg_names": [], "import_names": [], "rhs_call_name": "send_header", "annotation": ""}, "snippet": " self.send_header(\"Content-type\", \"text/xml\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L435_C8", "label": "end_headers()", "type": "expression", "loc": [435, 435], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "vector": [8, 2, 0.8529, 0.002, 2, 0.49, 0.5, 683, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "end_headers", "arg_names": [], "import_names": [], "rhs_call_name": "end_headers", "annotation": ""}, "snippet": " self.end_headers()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L436_C8", "label": "request = read()", "type": "assigned_variable", "loc": [436, 436], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "vector": [14, 2, 0.8549, 0.002, 2, 0.49, 0.6667, 50, 3, 1, 0, 0, 453, 10, 3], "semantic": {"name": "request", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " request = self.rfile.read(int(self.headers.getheader('content-length')))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L437_C8", "label": "response = dispatch()", "type": "assigned_variable", "loc": [437, 437], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "vector": [14, 2, 0.8569, 0.002, 2, 0.49, 0.8333, 511, 3, 1, 0, 0, 416, 10, 1], "semantic": {"name": "response", "arg_names": [], "import_names": [], "rhs_call_name": "dispatch", "annotation": ""}, "snippet": " response = self.server.dispatcher.dispatch(request)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L438_C8", "label": "write()", "type": "expression", "loc": [438, 438], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "vector": [8, 2, 0.8588, 0.002, 2, 0.49, 1.0, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " self.wfile.write(response)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "label": "if", "type": "if", "loc": [441, 510], "level": 0, "parent": null, "vector": [4, 0, 0.9324, 0.1373, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 19], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__==\"__main__\":\n import sys\n\n dispatcher = SoapDispatcher(\n name = \"PySimpleSoapSample\",\n location = \"http://localhost:8008/\",\n action = 'http://localhost:8008/', # SOAPAction\n namespace = \"http://example.com/pysimplesoapsamle/\", prefix=\"ns0\","}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Import_L442_C4", "label": "sys import sys", "type": "import", "loc": [442, 442], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "vector": [1, 1, 0.8667, 0.002, 1, 0.02, 0.0, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": " import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L444_C4", "label": "dispatcher = SoapDispatcher()", "type": "assigned_variable", "loc": [444, 451], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "vector": [14, 1, 0.8775, 0.0157, 1, 0.02, 0.1, 350, 3, 8, 0, 0, 148, 10, 1], "semantic": {"name": "dispatcher", "arg_names": [], "import_names": [], "rhs_call_name": "SoapDispatcher", "annotation": ""}, "snippet": " dispatcher = SoapDispatcher(\n name = \"PySimpleSoapSample\",\n location = \"http://localhost:8008/\",\n action = 'http://localhost:8008/', # SOAPAction\n namespace = \"http://example.com/pysimplesoapsamle/\", prefix=\"ns0\",\n documentation = 'Example soap service using PySimpleSoap',\n trace = True,\n ns = True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L453_C4", "label": "adder", "type": "function", "loc": [453, 458], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "vector": [2, 1, 0.8931, 0.0118, 1, 0.02, 0.2, 681, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "adder", "arg_names": ["p", "c", "dt"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def adder(p,c, dt=None):\n \"Add several values\"\n print(c[0]['d'],c[1]['d'],)\n import datetime\n dt = dt + datetime.timedelta(365)\n return {'ab': p['a']+p['b'], 'dd': c[0]['d']+c[1]['d'], 'dt': dt}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L454_C8", "label": "expression", "type": "expression", "loc": [454, 454], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L453_C4", "vector": [8, 2, 0.8902, 0.002, 2, 0.37, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Add several values\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L455_C8", "label": "print()", "type": "expression", "loc": [455, 455], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L453_C4", "vector": [8, 2, 0.8922, 0.002, 2, 0.37, 0.25, 535, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(c[0]['d'],c[1]['d'],)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Import_L456_C8", "label": "datetime import datetime", "type": "import", "loc": [456, 456], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L453_C4", "vector": [1, 2, 0.8941, 0.002, 2, 0.37, 0.5, 426, 0, 1, 0, 0, 426, 0, 0], "semantic": {"name": "datetime", "arg_names": [], "import_names": ["datetime"], "rhs_call_name": "", "annotation": ""}, "snippet": " import datetime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L457_C8", "label": "dt =", "type": "assigned_variable", "loc": [457, 457], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L453_C4", "vector": [14, 2, 0.8961, 0.002, 2, 0.37, 0.75, 455, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "dt", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " dt = dt + datetime.timedelta(365)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L458_C8", "label": "return", "type": "return", "loc": [458, 458], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L453_C4", "vector": [13, 2, 0.898, 0.002, 2, 0.37, 1.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return {'ab': p['a']+p['b'], 'dd': c[0]['d']+c[1]['d'], 'dt': dt}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L460_C4", "label": "dummy", "type": "function", "loc": [460, 462], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "vector": [2, 1, 0.9039, 0.0059, 1, 0.02, 0.3, 974, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "dummy", "arg_names": ["in0"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def dummy(in0):\n \"Just return input\"\n return in0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L461_C8", "label": "expression", "type": "expression", "loc": [461, 461], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L460_C4", "vector": [8, 2, 0.9039, 0.002, 2, 0.35, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Just return input\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L462_C8", "label": "return", "type": "return", "loc": [462, 462], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L460_C4", "vector": [13, 2, 0.9059, 0.002, 2, 0.35, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return in0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L464_C4", "label": "echo", "type": "function", "loc": [464, 466], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "vector": [2, 1, 0.9118, 0.0059, 1, 0.02, 0.4, 807, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "echo", "arg_names": ["request"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def echo(request):\n \"Copy request->response (generic, any type)\"\n return request.value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L465_C8", "label": "expression", "type": "expression", "loc": [465, 465], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L464_C4", "vector": [8, 2, 0.9118, 0.002, 2, 0.06, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Copy request->response (generic, any type)\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L466_C8", "label": "return", "type": "return", "loc": [466, 466], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L464_C4", "vector": [13, 2, 0.9137, 0.002, 2, 0.06, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return request.value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L468_C4", "label": "register_function()", "type": "expression", "loc": [468, 470], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "vector": [8, 1, 0.9196, 0.0059, 1, 0.02, 0.5, 885, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "register_function", "arg_names": [], "import_names": [], "rhs_call_name": "register_function", "annotation": ""}, "snippet": " dispatcher.register_function('Adder', adder,\n returns={'AddResult': {'ab': int, 'dd': str } }, \n args={'p': {'a': int,'b': int}, 'dt': Date, 'c': [{'d': Decimal}]})"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L472_C4", "label": "register_function()", "type": "expression", "loc": [472, 474], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "vector": [8, 1, 0.9275, 0.0059, 1, 0.02, 0.6, 885, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "register_function", "arg_names": [], "import_names": [], "rhs_call_name": "register_function", "annotation": ""}, "snippet": " dispatcher.register_function('Dummy', dummy,\n returns={'out0': str}, \n args={'in0': str})"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L476_C4", "label": "register_function()", "type": "expression", "loc": [476, 476], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "vector": [8, 1, 0.9333, 0.002, 1, 0.02, 0.7, 885, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "register_function", "arg_names": [], "import_names": [], "rhs_call_name": "register_function", "annotation": ""}, "snippet": " dispatcher.register_function('Echo', echo)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L478_C4", "label": "if", "type": "if", "loc": [478, 488], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "vector": [4, 1, 0.9471, 0.0216, 1, 0.02, 0.8, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if '--local' in sys.argv:\n\n wsdl=dispatcher.wsdl()\n print(wsdl)\n \n # Commented because path is platform dependent\n # Looks that it doesnt matter.\n # open(\"C:/test.wsdl\",\"w\").write(wsdl) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L480_C8", "label": "wsdl = wsdl()", "type": "assigned_variable", "loc": [480, 480], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L478_C4", "vector": [14, 2, 0.9412, 0.002, 2, 0.34, 0.0, 811, 3, 0, 0, 0, 811, 10, 1], "semantic": {"name": "wsdl", "arg_names": [], "import_names": [], "rhs_call_name": "wsdl", "annotation": ""}, "snippet": " wsdl=dispatcher.wsdl()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L481_C8", "label": "print()", "type": "expression", "loc": [481, 481], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L478_C4", "vector": [8, 2, 0.9431, 0.002, 2, 0.34, 0.5, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(wsdl)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:For_L487_C8", "label": "for method, doc", "type": "for", "loc": [487, 488], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L478_C4", "vector": [6, 2, 0.9559, 0.0039, 2, 0.34, 1.0, 282, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "method, doc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for method, doc in dispatcher.list_methods():\n request, response, doc = dispatcher.help(method)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L488_C12", "label": "request, response, doc = help()", "type": "assigned_variable", "loc": [488, 488], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:For_L487_C8", "vector": [14, 3, 0.9569, 0.002, 3, 0.89, 0.0, 312, 3, 1, 0, 0, 868, 10, 1], "semantic": {"name": "request, response, doc", "arg_names": [], "import_names": [], "rhs_call_name": "help", "annotation": ""}, "snippet": " request, response, doc = dispatcher.help(method)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L492_C4", "label": "if", "type": "if", "loc": [492, 496], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "vector": [4, 1, 0.9686, 0.0098, 1, 0.02, 0.9, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if '--serve' in sys.argv:\n print(\"Starting server...\")\n httpd = HTTPServer((\"\", 8008), SOAPHandler)\n httpd.dispatcher = dispatcher\n httpd.serve_forever()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L493_C8", "label": "print()", "type": "expression", "loc": [493, 493], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L492_C4", "vector": [8, 2, 0.9667, 0.002, 2, 0.79, 0.0, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(\"Starting server...\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L494_C8", "label": "httpd = HTTPServer()", "type": "assigned_variable", "loc": [494, 494], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L492_C4", "vector": [14, 2, 0.9686, 0.002, 2, 0.79, 0.3333, 471, 3, 2, 0, 0, 258, 10, 1], "semantic": {"name": "httpd", "arg_names": [], "import_names": [], "rhs_call_name": "HTTPServer", "annotation": ""}, "snippet": " httpd = HTTPServer((\"\", 8008), SOAPHandler)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L495_C8", "label": "httpd.dispatcher =", "type": "assigned_variable", "loc": [495, 495], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L492_C4", "vector": [14, 2, 0.9706, 0.002, 2, 0.79, 0.6667, 826, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "httpd.dispatcher", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " httpd.dispatcher = dispatcher"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L496_C8", "label": "serve_forever()", "type": "expression", "loc": [496, 496], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L492_C4", "vector": [8, 2, 0.9725, 0.002, 2, 0.79, 1.0, 993, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "serve_forever", "arg_names": [], "import_names": [], "rhs_call_name": "serve_forever", "annotation": ""}, "snippet": " httpd.serve_forever()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "label": "if", "type": "if", "loc": [498, 510], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "vector": [4, 1, 0.9882, 0.0255, 1, 0.02, 1.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if '--consume' in sys.argv:\n from client import SoapClient\n client = SoapClient(\n location = \"http://localhost:8008/\",\n action = 'http://localhost:8008/', # SOAPAction\n namespace = \"http://example.com/sample.wsdl\", \n soap_ns='soap',\n trace = True,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:ImportFrom_L499_C8", "label": "from client import SoapClient", "type": "import", "loc": [499, 499], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "vector": [1, 2, 0.9784, 0.002, 2, 0.3, 0.0, 608, 0, 1, 0, 0, 608, 0, 0], "semantic": {"name": "client", "arg_names": [], "import_names": ["SoapClient"], "rhs_call_name": "", "annotation": ""}, "snippet": " from client import SoapClient"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L500_C8", "label": "client = SoapClient()", "type": "assigned_variable", "loc": [500, 506], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "vector": [14, 2, 0.9863, 0.0137, 2, 0.3, 0.2, 608, 3, 6, 0, 0, 411, 10, 1], "semantic": {"name": "client", "arg_names": [], "import_names": [], "rhs_call_name": "SoapClient", "annotation": ""}, "snippet": " client = SoapClient(\n location = \"http://localhost:8008/\",\n action = 'http://localhost:8008/', # SOAPAction\n namespace = \"http://example.com/sample.wsdl\", \n soap_ns='soap',\n trace = True,\n ns = False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L507_C8", "label": "response = Adder()", "type": "assigned_variable", "loc": [507, 507], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "vector": [14, 2, 0.9941, 0.002, 2, 0.3, 0.4, 511, 3, 3, 0, 0, 303, 10, 1], "semantic": {"name": "response", "arg_names": [], "import_names": [], "rhs_call_name": "Adder", "annotation": ""}, "snippet": " response = client.Adder(p={'a':1,'b':2},dt='20100724',c=[{'d':'1.20'},{'d':'2.01'}])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L508_C8", "label": "result =", "type": "assigned_variable", "loc": [508, 508], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "vector": [14, 2, 0.9961, 0.002, 2, 0.3, 0.6, 51, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result = response.AddResult"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L509_C8", "label": "print()", "type": "expression", "loc": [509, 509], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "vector": [8, 2, 0.998, 0.002, 2, 0.3, 0.8, 535, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(int(result.ab))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L510_C8", "label": "print()", "type": "expression", "loc": [510, 510], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "vector": [8, 2, 1.0, 0.002, 2, 0.3, 1.0, 535, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(str(result.dd))"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L32_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L42_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L79_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L80_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L81_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L82_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L83_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L84_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L85_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L86_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L87_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L88_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L89_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L34_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L90_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L94_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L95_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L99_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L99_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L100_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L99_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L101_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L99_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L102_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L103_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L106_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L106_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L107_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L111_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L113_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L114_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L115_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L116_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L117_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L120_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L124_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:For_L127_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L127_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L128_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L128_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L130_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L128_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L131_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L128_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L134_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L134_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L135_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L134_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L136_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L134_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L137_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L141_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:For_L142_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L142_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L143_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L143_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L144_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L146_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L149_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L150_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L150_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L152_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L150_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L153_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L154_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L154_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L156_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L154_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L157_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L159_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L160_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L161_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L164_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L164_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L165_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L164_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L166_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L166_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L167_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L166_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L169_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L171_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L173_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L174_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Import_L177_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L178_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L179_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L180_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L180_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L181_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L180_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L184_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:Try_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L185_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L190_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L190_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L191_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L190_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L193_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L204_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L209_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L212_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L217_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L218_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L220_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L222_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L222_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L224_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L222_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L227_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L222_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L228_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L228_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L229_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L222_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L232_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L232_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L233_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L233_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L234_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L233_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:For_L236_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L236_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L237_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L232_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L238_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L238_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L240_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L238_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L241_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L241_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L242_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L110_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L244_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L248_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L248_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L249_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L248_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L250_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L253_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L254_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L255_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L259_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L260_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L260_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L261_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L260_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L262_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L262_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L263_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L262_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L265_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:For_L266_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L266_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L267_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L269_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L273_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L274_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L274_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L275_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L274_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L276_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L276_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L277_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L276_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L279_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:For_L280_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L280_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L281_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L283_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L31_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L287_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L288_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L306_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:For_L308_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L308_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L311_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L311_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L312_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L312_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L313_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L312_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L314_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L312_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L316_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L312_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L317_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L311_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L318_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L311_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L319_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L319_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L320_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L319_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L321_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L321_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L322_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L321_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L324_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L311_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L325_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L325_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L326_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L325_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L327_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L327_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L328_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L311_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:For_L329_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L329_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L330_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L329_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L331_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L329_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L332_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L332_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L333_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L329_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L334_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L334_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L335_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L334_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L336_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L336_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L337_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L336_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L339_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L340_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:For_L341_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L341_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L342_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L343_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L344_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L338_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L345_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L345_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L346_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L345_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L347_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L345_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L348_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L329_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L349_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L308_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L351_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L308_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L352_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L308_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:For_L355_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L355_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L356_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L355_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L357_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L355_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L358_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L355_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L359_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L363_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L364_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L366_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L367_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L368_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L368_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L369_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L370_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L371_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L372_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L365_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L373_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L376_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L377_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L378_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L379_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L380_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L381_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L383_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L384_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L385_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L386_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L387_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L388_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L390_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L391_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L392_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L394_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L395_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L397_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L398_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L399_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L400_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L401_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L402_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L403_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L404_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L405_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L409_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L410_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L410_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L411_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L410_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L412_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L410_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L414_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L416_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L416_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L418_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L416_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L421_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L416_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L422_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L422_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L423_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L422_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L425_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L426_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L427_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L428_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L413_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L429_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:ClassDef_L409_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L432_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L433_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L434_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L435_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L436_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L437_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L431_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L438_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Import_L442_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L444_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L453_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L453_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L454_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L453_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L455_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L453_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Import_L456_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L453_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L457_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L453_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L458_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L460_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L460_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L461_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L460_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L462_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L464_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L464_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L465_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:FunctionDef_L464_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Return_L466_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L468_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L472_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L476_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L478_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L478_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L480_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L478_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L481_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L478_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:For_L487_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:For_L487_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L488_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L492_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L492_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L493_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L492_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L494_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L492_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L495_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L492_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L496_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L441_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:ImportFrom_L499_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L500_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L507_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Assign_L508_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L509_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_514:If_L498_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_514:Expr_L510_C8"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- "PySimpleSOAP" import client import server import simplexml import transport
ajibawa-2023/Python-Code-Large/train/row_516
5
7
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_516:Expr_L3_C0", "label": "expression", "type": "expression", "loc": [3, 3], "level": 0, "parent": null, "vector": [8, 0, 0.4286, 0.1429, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"PySimpleSOAP\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_516:Import_L4_C0", "label": "client import client", "type": "import", "loc": [4, 4], "level": 0, "parent": null, "vector": [1, 0, 0.5714, 0.1429, 0, 0.66, 0.25, 608, 0, 1, 0, 0, 608, 0, 0], "semantic": {"name": "client", "arg_names": [], "import_names": ["client"], "rhs_call_name": "", "annotation": ""}, "snippet": "import client"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_516:Import_L5_C0", "label": "server import server", "type": "import", "loc": [5, 5], "level": 0, "parent": null, "vector": [1, 0, 0.7143, 0.1429, 0, 0.66, 0.5, 268, 0, 1, 0, 0, 268, 0, 0], "semantic": {"name": "server", "arg_names": [], "import_names": ["server"], "rhs_call_name": "", "annotation": ""}, "snippet": "import server"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_516:Import_L6_C0", "label": "simplexml import simplexml", "type": "import", "loc": [6, 6], "level": 0, "parent": null, "vector": [1, 0, 0.8571, 0.1429, 0, 0.66, 0.75, 346, 0, 1, 0, 0, 346, 0, 0], "semantic": {"name": "simplexml", "arg_names": [], "import_names": ["simplexml"], "rhs_call_name": "", "annotation": ""}, "snippet": "import simplexml"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_516:Import_L7_C0", "label": "transport import transport", "type": "import", "loc": [7, 7], "level": 0, "parent": null, "vector": [1, 0, 1.0, 0.1429, 0, 0.66, 1.0, 124, 0, 1, 0, 0, 124, 0, 0], "semantic": {"name": "transport", "arg_names": [], "import_names": ["transport"], "rhs_call_name": "", "annotation": ""}, "snippet": "import transport"}]
[]
#!/usr/bin/env python # created my Massimo Di Pierro # license MIT/BSD/GPL import re import cgi import sys import doctest from optparse import OptionParser __all__ = ['render','markmin2latex'] META = 'META' regex_newlines = re.compile('(\n\r)|(\r\n)') regex_dd=re.compile('\$\$(?P<latex>.*?)\$\$') regex_code = re.compile('('+META+')|(``(?P<t>.*?)``(:(?P<c>\w+))?)',re.S) regex_title = re.compile('^#{1} (?P<t>[^\n]+)',re.M) regex_maps = [ (re.compile('[ \t\r]+\n'),'\n'), (re.compile('[ \t\r]+\n'),'\n'), (re.compile('\*\*(?P<t>[^\s\*]+( +[^\s\*]+)*)\*\*'),'{\\\\bf \g<t>}'), (re.compile("''(?P<t>[^\s']+( +[^\s']+)*)''"),'{\\it \g<t>}'), (re.compile('^#{6} (?P<t>[^\n]+)',re.M),'\n\n{\\\\bf \g<t>}\n'), (re.compile('^#{5} (?P<t>[^\n]+)',re.M),'\n\n{\\\\bf \g<t>}\n'), (re.compile('^#{4} (?P<t>[^\n]+)',re.M),'\n\n\\\\goodbreak\\subsubsection{\g<t>}\n'), (re.compile('^#{3} (?P<t>[^\n]+)',re.M),'\n\n\\\\goodbreak\\subsection{\g<t>}\n'), (re.compile('^#{2} (?P<t>[^\n]+)',re.M),'\n\n\\\\goodbreak\\section{\g<t>}\n'), (re.compile('^#{1} (?P<t>[^\n]+)',re.M),''), (re.compile('^\- +(?P<t>.*)',re.M),'\\\\begin{itemize}\n\\item \g<t>\n\\end{itemize}'), (re.compile('^\+ +(?P<t>.*)',re.M),'\\\\begin{itemize}\n\\item \g<t>\n\\end{itemize}'), (re.compile('\\\\end\{itemize\}\s+\\\\begin\{itemize\}'),'\n'), (re.compile('\n\s+\n'),'\n\n')] regex_table = re.compile('^\-{4,}\n(?P<t>.*?)\n\-{4,}(:(?P<c>\w+))?\n',re.M|re.S) regex_anchor = re.compile('\[\[(?P<t>\S+)\]\]') regex_bibitem = re.compile('\-\s*\[\[(?P<t>\S+)\]\]') regex_image_width = re.compile('\[\[(?P<t>[^\]]*?) +(?P<k>\S+) +(?P<p>left|right|center) +(?P<w>\d+px)\]\]') regex_image = re.compile('\[\[(?P<t>[^\]]*?) +(?P<k>\S+) +(?P<p>left|right|center)\]\]') #regex_video = re.compile('\[\[(?P<t>[^\]]*?) +(?P<k>\S+) +video\]\]') #regex_audio = re.compile('\[\[(?P<t>[^\]]*?) +(?P<k>\S+) +audio\]\]') regex_link = re.compile('\[\[(?P<t>[^\]]*?) +(?P<k>\S+)\]\]') regex_auto = re.compile('(?<!["\w])(?P<k>\w+://[\w\.\-\?&%\:]+)',re.M) regex_commas = re.compile('[ ]+(?P<t>[,;\.])') regex_noindent = re.compile('\n\n(?P<t>[a-z])') #regex_quote_left = re.compile('"(?=\w)') #regex_quote_right = re.compile('(?=\w\.)"') def latex_escape(text,pound=True): text=text.replace('\\','{\\textbackslash}') for c in '^_&$%{}': text=text.replace(c,'\\'+c) text=text.replace('\\{\\textbackslash\\}','{\\textbackslash}') if pound: text=text.replace('#','\\#') return text def render(text, extra={}, allowed={}, sep='p', image_mapper=lambda x:x, chapters=False): ############################################################# # replace all blocks marked with ``...``:class with META # store them into segments they will be treated as code ############################################################# text = str(text or '') segments, i = [], 0 text = regex_dd.sub('``\g<latex>``:latex ',text) text = regex_newlines.sub('\n',text) while True: item = regex_code.search(text,i) if not item: break if item.group()==META: segments.append((None,None)) text = text[:item.start()]+META+text[item.end():] else: c = item.group('c') or '' if 'code' in allowed and not c in allowed['code']: c = '' code = item.group('t').replace('!`!','`') segments.append((code,c)) text = text[:item.start()]+META+text[item.end():] i=item.start()+3 ############################################################# # do h1,h2,h3,h4,h5,h6,b,i,ol,ul and normalize spaces ############################################################# title = regex_title.search(text) if not title: title='Title' else: title=title.group('t') text = latex_escape(text,pound=False) texts = text.split('## References',1) text = regex_anchor.sub('\\label{\g<t>}', texts[0]) if len(texts)==2: text += '\n\\begin{thebibliography}{999}\n' text += regex_bibitem.sub('\n\\\\bibitem{\g<t>}', texts[1]) text += '\n\\end{thebibliography}\n' text = '\n'.join(t.strip() for t in text.split('\n')) for regex, sub in regex_maps: text = regex.sub(sub,text) text=text.replace('#','\\#') text=text.replace('`',"'") ############################################################# # process tables and blockquotes ############################################################# while True: item = regex_table.search(text) if not item: break c = item.group('c') or '' if 'table' in allowed and not c in allowed['table']: c = '' content = item.group('t') if ' | ' in content: rows = content.replace('\n','\\\\\n').replace(' | ',' & ') row0,row2 = rows.split('\\\\\n',1) cols=row0.count(' & ')+1 cal='{'+''.join('l' for j in range(cols))+'}' tabular = '\\begin{center}\n{\\begin{tabular}'+cal+'\\hline\n' + row0+'\\\\ \\hline\n'+row2 + ' \\\\ \\hline\n\\end{tabular}}\n\\end{center}' if row2.count('\n')>20: tabular='\\newpage\n'+tabular text = text[:item.start()] + tabular + text[item.end():] else: text = text[:item.start()] + '\\begin{quote}' + content + '\\end{quote}' + text[item.end():] ############################################################# # deal with images, videos, audios and links ############################################################# def sub(x): f=image_mapper(x.group('k')) if not f: return None return '\n\\begin{center}\\includegraphics[width=8cm]{%s}\\end{center}\n' % (f) text = regex_image_width.sub(sub,text) text = regex_image.sub(sub,text) text = regex_link.sub('{\\\\footnotesize\\href{\g<k>}{\g<t>}}', text) text = regex_commas.sub('\g<t>',text) text = regex_noindent.sub('\n\\\\noindent \g<t>',text) ### fix paths in images regex=re.compile('\\\\_\w*\.(eps|png|jpg|gif)') while True: match=regex.search(text) if not match: break text=text[:match.start()]+text[match.start()+1:] #text = regex_quote_left.sub('``',text) #text = regex_quote_right.sub("''",text) if chapters: text=text.replace(r'\section*{',r'\chapter*{') text=text.replace(r'\section{',r'\chapter{') text=text.replace(r'subsection{',r'section{') ############################################################# # process all code text ############################################################# parts = text.split(META) text = parts[0] authors = [] for i,(code,b) in enumerate(segments): if code==None: html = META else: if b=='hidden': html='' elif b=='author': author = latex_escape(code.strip()) authors.append(author) html='' elif b=='inxx': html='\inxx{%s}' % latex_escape(code) elif b=='cite': html='~\cite{%s}' % latex_escape(code.strip()) elif b=='ref': html='~\ref{%s}' % latex_escape(code.strip()) elif b=='latex': if '\n' in code: html='\n\\begin{equation}\n%s\n\\end{equation}\n' % code.strip() else: html='$%s$' % code.strip() elif b=='latex_eqnarray': code=code.strip() code='\\\\'.join(x.replace('=','&=&',1) for x in code.split('\\\\')) html='\n\\begin{eqnarray}\n%s\n\\end{eqnarray}\n' % code elif b.startswith('latex_'): key=b[6:] html='\\begin{%s}%s\\end{%s}' % (key,code,key) elif b in extra: if code[:1]=='\n': code=code[1:] if code[-1:]=='\n': code=code[:-1] html = extra[b](code) elif code[:1]=='\n' or code[:-1]=='\n': if code[:1]=='\n': code=code[1:] if code[-1:]=='\n': code=code[:-1] if code.startswith('<') or code.startswith('{{') or code.startswith('http'): html = '\\begin{lstlisting}[keywords={}]\n%s\n\\end{lstlisting}' % code else: html = '\\begin{lstlisting}\n%s\n\\end{lstlisting}' % code else: if code[:1]=='\n': code=code[1:] if code[-1:]=='\n': code=code[:-1] html = '{\\ft %s}' % latex_escape(code) try: text = text+html+parts[i+1] except: text = text + '... WIKI PROCESSING ERROR ...' break text = text.replace(' ~\\cite','~\\cite') return text, title, authors WRAPPER = """ \\documentclass[12pt]{article} \\usepackage{hyperref} \\usepackage{listings} \\usepackage{upquote} \\usepackage{color} \\usepackage{graphicx} \\usepackage{grffile} \\usepackage[utf8x]{inputenc} \\definecolor{lg}{rgb}{0.9,0.9,0.9} \\definecolor{dg}{rgb}{0.3,0.3,0.3} \\def\\ft{\\small\\tt} \\lstset{ basicstyle=\\footnotesize, breaklines=true, basicstyle=\\ttfamily\\color{black}\\footnotesize, keywordstyle=\\bf\\ttfamily, commentstyle=\\it\\ttfamily, stringstyle=\\color{dg}\\it\\ttfamily, numbers=left, numberstyle=\\color{dg}\\tiny, stepnumber=1, numbersep=5pt, backgroundcolor=\\color{lg}, tabsize=4, showspaces=false, showstringspaces=false } \\title{%(title)s} \\author{%(author)s} \\begin{document} \\maketitle \\tableofcontents \\newpage %(body)s \\end{document} """ def markmin2latex(data, image_mapper=lambda x:x, extra={}, wrapper=WRAPPER): body, title, authors = render(data, extra=extra, image_mapper=image_mapper) author = '\n\\and\n'.join(a.replace('\n','\\\\\n\\footnotesize ') for a in authors) return wrapper % dict(title=title, author=author, body=body) if __name__ == '__main__': parser = OptionParser() parser.add_option("-i", "--info", dest="info", help="markmin help") parser.add_option("-t", "--test", dest="test", action="store_true", default=False) parser.add_option("-n", "--no_wrapper", dest="no_wrapper", action="store_true",default=False) parser.add_option("-c", "--chapters", dest="chapters",action="store_true", default=False,help="switch section for chapter") parser.add_option("-w", "--wrapper", dest="wrapper", default=False, help="latex file containing header and footer") (options, args) = parser.parse_args() if options.info: import markmin2html markmin2latex(markmin2html.__doc__) elif options.test: doctest.testmod() else: if options.wrapper: fwrapper = open(options.wrapper,'rb') try: wrapper = fwrapper.read() finally: fwrapper.close() elif options.no_wrapper: wrapper = '%(body)s' else: wrapper = WRAPPER for f in args: fargs = open(f,'r') content_data = [] try: content_data.append(fargs.read()) finally: fargs.close() content = '\n'.join(content_data) output= markmin2latex(content, wrapper=wrapper, chapters=options.chapters) print output
ajibawa-2023/Python-Code-Large/train/row_519
184
293
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_519:Import_L4_C0", "label": "re import re", "type": "import", "loc": [4, 4], "level": 0, "parent": null, "vector": [1, 0, 0.0137, 0.0034, 0, 0.66, 0.0, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Import_L5_C0", "label": "cgi import cgi", "type": "import", "loc": [5, 5], "level": 0, "parent": null, "vector": [1, 0, 0.0171, 0.0034, 0, 0.66, 0.04, 934, 0, 1, 0, 0, 934, 0, 0], "semantic": {"name": "cgi", "arg_names": [], "import_names": ["cgi"], "rhs_call_name": "", "annotation": ""}, "snippet": "import cgi"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Import_L6_C0", "label": "sys import sys", "type": "import", "loc": [6, 6], "level": 0, "parent": null, "vector": [1, 0, 0.0205, 0.0034, 0, 0.66, 0.08, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Import_L7_C0", "label": "doctest import doctest", "type": "import", "loc": [7, 7], "level": 0, "parent": null, "vector": [1, 0, 0.0239, 0.0034, 0, 0.66, 0.12, 614, 0, 1, 0, 0, 614, 0, 0], "semantic": {"name": "doctest", "arg_names": [], "import_names": ["doctest"], "rhs_call_name": "", "annotation": ""}, "snippet": "import doctest"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:ImportFrom_L8_C0", "label": "from optparse import OptionParser", "type": "import", "loc": [8, 8], "level": 0, "parent": null, "vector": [1, 0, 0.0273, 0.0034, 0, 0.66, 0.16, 323, 0, 1, 0, 0, 323, 0, 0], "semantic": {"name": "optparse", "arg_names": [], "import_names": ["OptionParser"], "rhs_call_name": "", "annotation": ""}, "snippet": "from optparse import OptionParser"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L10_C0", "label": "__all__ =", "type": "assigned_variable", "loc": [10, 10], "level": 0, "parent": null, "vector": [14, 0, 0.0341, 0.0034, 0, 0.66, 0.2, 272, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "__all__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__all__ = ['render','markmin2latex']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L12_C0", "label": "META =", "type": "assigned_variable", "loc": [12, 12], "level": 0, "parent": null, "vector": [14, 0, 0.041, 0.0034, 0, 0.66, 0.24, 315, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "META", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "META = 'META'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L13_C0", "label": "regex_newlines = compile()", "type": "assigned_variable", "loc": [13, 13], "level": 0, "parent": null, "vector": [14, 0, 0.0444, 0.0034, 0, 0.66, 0.28, 957, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_newlines", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_newlines = re.compile('(\\n\\r)|(\\r\\n)')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L14_C0", "label": "regex_dd = compile()", "type": "assigned_variable", "loc": [14, 14], "level": 0, "parent": null, "vector": [14, 0, 0.0478, 0.0034, 0, 0.66, 0.32, 870, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_dd", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_dd=re.compile('\\$\\$(?P<latex>.*?)\\$\\$')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L15_C0", "label": "regex_code = compile()", "type": "assigned_variable", "loc": [15, 15], "level": 0, "parent": null, "vector": [14, 0, 0.0512, 0.0034, 0, 0.66, 0.36, 732, 3, 2, 0, 0, 821, 10, 1], "semantic": {"name": "regex_code", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_code = re.compile('('+META+')|(``(?P<t>.*?)``(:(?P<c>\\w+))?)',re.S)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L16_C0", "label": "regex_title = compile()", "type": "assigned_variable", "loc": [16, 16], "level": 0, "parent": null, "vector": [14, 0, 0.0546, 0.0034, 0, 0.66, 0.4, 892, 3, 2, 0, 0, 821, 10, 1], "semantic": {"name": "regex_title", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_title = re.compile('^#{1} (?P<t>[^\\n]+)',re.M)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L17_C0", "label": "regex_maps =", "type": "assigned_variable", "loc": [17, 31], "level": 0, "parent": null, "vector": [14, 0, 0.0819, 0.0512, 0, 0.66, 0.44, 976, 0, 0, 0, 0, 0, 5, 14], "semantic": {"name": "regex_maps", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "regex_maps = [\n (re.compile('[ \\t\\r]+\\n'),'\\n'),\n (re.compile('[ \\t\\r]+\\n'),'\\n'),\n (re.compile('\\*\\*(?P<t>[^\\s\\*]+( +[^\\s\\*]+)*)\\*\\*'),'{\\\\\\\\bf \\g<t>}'),\n (re.compile(\"''(?P<t>[^\\s']+( +[^\\s']+)*)''\"),'{\\\\it \\g<t>}'),\n (re.compile('^#{6} (?P<t>[^\\n]+)',re.M),'\\n\\n{\\\\\\\\bf \\g<t>}\\n'),\n (re.compile('^#{5} (?P<t>[^\\n]+)',re.M),'\\n\\n{\\\\\\\\bf \\g<t>}\\n'),\n (re.compile('^#{4} (?P<t>[^\\n]+)',re.M),'\\n\\n\\\\\\\\goodbreak\\\\subsubsection{\\g<t>}\\n'),"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L32_C0", "label": "regex_table = compile()", "type": "assigned_variable", "loc": [32, 32], "level": 0, "parent": null, "vector": [14, 0, 0.1092, 0.0034, 0, 0.66, 0.48, 100, 3, 2, 0, 0, 821, 10, 1], "semantic": {"name": "regex_table", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_table = re.compile('^\\-{4,}\\n(?P<t>.*?)\\n\\-{4,}(:(?P<c>\\w+))?\\n',re.M|re.S)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L34_C0", "label": "regex_anchor = compile()", "type": "assigned_variable", "loc": [34, 34], "level": 0, "parent": null, "vector": [14, 0, 0.116, 0.0034, 0, 0.66, 0.52, 482, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_anchor", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_anchor = re.compile('\\[\\[(?P<t>\\S+)\\]\\]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L35_C0", "label": "regex_bibitem = compile()", "type": "assigned_variable", "loc": [35, 35], "level": 0, "parent": null, "vector": [14, 0, 0.1195, 0.0034, 0, 0.66, 0.56, 775, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_bibitem", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_bibitem = re.compile('\\-\\s*\\[\\[(?P<t>\\S+)\\]\\]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L36_C0", "label": "regex_image_width = compile()", "type": "assigned_variable", "loc": [36, 36], "level": 0, "parent": null, "vector": [14, 0, 0.1229, 0.0034, 0, 0.66, 0.6, 728, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_image_width", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_image_width = re.compile('\\[\\[(?P<t>[^\\]]*?) +(?P<k>\\S+) +(?P<p>left|right|center) +(?P<w>\\d+px)\\]\\]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L37_C0", "label": "regex_image = compile()", "type": "assigned_variable", "loc": [37, 37], "level": 0, "parent": null, "vector": [14, 0, 0.1263, 0.0034, 0, 0.66, 0.64, 161, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_image", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_image = re.compile('\\[\\[(?P<t>[^\\]]*?) +(?P<k>\\S+) +(?P<p>left|right|center)\\]\\]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L40_C0", "label": "regex_link = compile()", "type": "assigned_variable", "loc": [40, 40], "level": 0, "parent": null, "vector": [14, 0, 0.1365, 0.0034, 0, 0.66, 0.68, 625, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_link", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_link = re.compile('\\[\\[(?P<t>[^\\]]*?) +(?P<k>\\S+)\\]\\]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L41_C0", "label": "regex_auto = compile()", "type": "assigned_variable", "loc": [41, 41], "level": 0, "parent": null, "vector": [14, 0, 0.1399, 0.0034, 0, 0.66, 0.72, 620, 3, 2, 0, 0, 821, 10, 1], "semantic": {"name": "regex_auto", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_auto = re.compile('(?<![\"\\w])(?P<k>\\w+://[\\w\\.\\-\\?&%\\:]+)',re.M)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L42_C0", "label": "regex_commas = compile()", "type": "assigned_variable", "loc": [42, 42], "level": 0, "parent": null, "vector": [14, 0, 0.1433, 0.0034, 0, 0.66, 0.76, 684, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_commas", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_commas = re.compile('[ ]+(?P<t>[,;\\.])')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L43_C0", "label": "regex_noindent = compile()", "type": "assigned_variable", "loc": [43, 43], "level": 0, "parent": null, "vector": [14, 0, 0.1468, 0.0034, 0, 0.66, 0.8, 227, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_noindent", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_noindent = re.compile('\\n\\n(?P<t>[a-z])')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L47_C0", "label": "latex_escape", "type": "function", "loc": [47, 52], "level": 0, "parent": null, "vector": [2, 0, 0.1689, 0.0205, 0, 0.66, 0.84, 616, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "latex_escape", "arg_names": ["text", "pound"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def latex_escape(text,pound=True):\n text=text.replace('\\\\','{\\\\textbackslash}')\n for c in '^_&$%{}': text=text.replace(c,'\\\\'+c)\n text=text.replace('\\\\{\\\\textbackslash\\\\}','{\\\\textbackslash}')\n if pound: text=text.replace('#','\\\\#')\n return text"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L48_C4", "label": "text = replace()", "type": "assigned_variable", "loc": [48, 48], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L47_C0", "vector": [14, 1, 0.1638, 0.0034, 1, 0.75, 0.0, 439, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " text=text.replace('\\\\','{\\\\textbackslash}')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:For_L49_C4", "label": "for c", "type": "for", "loc": [49, 49], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L47_C0", "vector": [6, 1, 0.1672, 0.0034, 1, 0.75, 0.25, 411, 1, 0, 0, 0, 0, 0, 1], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for c in '^_&$%{}': text=text.replace(c,'\\\\'+c)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L49_C24", "label": "text = replace()", "type": "assigned_variable", "loc": [49, 49], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:For_L49_C4", "vector": [14, 2, 0.1672, 0.0034, 2, 0.11, 0.0, 439, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " for c in '^_&$%{}': text=text.replace(c,'\\\\'+c)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L50_C4", "label": "text = replace()", "type": "assigned_variable", "loc": [50, 50], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L47_C0", "vector": [14, 1, 0.1706, 0.0034, 1, 0.75, 0.5, 439, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " text=text.replace('\\\\{\\\\textbackslash\\\\}','{\\\\textbackslash}')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L51_C4", "label": "if", "type": "if", "loc": [51, 51], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L47_C0", "vector": [4, 1, 0.1741, 0.0034, 1, 0.75, 0.75, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pound: text=text.replace('#','\\\\#')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L51_C14", "label": "text = replace()", "type": "assigned_variable", "loc": [51, 51], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L51_C4", "vector": [14, 2, 0.1741, 0.0034, 2, 0.35, 0.0, 439, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " if pound: text=text.replace('#','\\\\#')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Return_L52_C4", "label": "return", "type": "return", "loc": [52, 52], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L47_C0", "vector": [13, 1, 0.1775, 0.0034, 1, 0.75, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return text"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "label": "render", "type": "function", "loc": [54, 210], "level": 0, "parent": null, "vector": [2, 0, 0.4505, 0.5358, 0, 0.66, 0.88, 24, 0, 6, 1, 0, 0, 0, 79], "semantic": {"name": "render", "arg_names": ["text", "extra", "allowed", "sep", "image_mapper", "chapters"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def render(text,\n extra={},\n allowed={},\n sep='p',\n image_mapper=lambda x:x,\n chapters=False):\n #############################################################\n # replace all blocks marked with ``...``:class with META"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L64_C4", "label": "text = str()", "type": "assigned_variable", "loc": [64, 64], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.2184, 0.0034, 1, 0.82, 0.0, 439, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " text = str(text or '')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L65_C4", "label": "segments, i =", "type": "assigned_variable", "loc": [65, 65], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.2218, 0.0034, 1, 0.82, 0.0333, 268, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "segments, i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " segments, i = [], 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L66_C4", "label": "text = sub()", "type": "assigned_variable", "loc": [66, 66], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.2253, 0.0034, 1, 0.82, 0.0667, 439, 3, 2, 0, 0, 819, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " text = regex_dd.sub('``\\g<latex>``:latex ',text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L67_C4", "label": "text = sub()", "type": "assigned_variable", "loc": [67, 67], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.2287, 0.0034, 1, 0.82, 0.1, 439, 3, 2, 0, 0, 819, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " text = regex_newlines.sub('\\n',text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:While_L68_C4", "label": "while", "type": "while", "loc": [68, 80], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [5, 1, 0.2526, 0.0444, 1, 0.82, 0.1333, 0, 1, 0, 0, 0, 0, 0, 12], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while True:\n item = regex_code.search(text,i)\n if not item: break\n if item.group()==META:\n segments.append((None,None))\n text = text[:item.start()]+META+text[item.end():]\n else:\n c = item.group('c') or ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L69_C8", "label": "item = search()", "type": "assigned_variable", "loc": [69, 69], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L68_C4", "vector": [14, 2, 0.2355, 0.0034, 2, 0.07, 0.0, 434, 3, 2, 0, 0, 163, 10, 1], "semantic": {"name": "item", "arg_names": [], "import_names": [], "rhs_call_name": "search", "annotation": ""}, "snippet": " item = regex_code.search(text,i)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L70_C8", "label": "if", "type": "if", "loc": [70, 70], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L68_C4", "vector": [4, 2, 0.2389, 0.0034, 2, 0.07, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not item: break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "label": "if", "type": "if", "loc": [71, 79], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L68_C4", "vector": [4, 2, 0.256, 0.0307, 2, 0.07, 0.6667, 0, 0, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if item.group()==META:\n segments.append((None,None))\n text = text[:item.start()]+META+text[item.end():]\n else:\n c = item.group('c') or ''\n if 'code' in allowed and not c in allowed['code']: c = ''\n code = item.group('t').replace('!`!','`')\n segments.append((code,c))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L72_C12", "label": "append()", "type": "expression", "loc": [72, 72], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "vector": [8, 3, 0.2457, 0.0034, 3, 0.84, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " segments.append((None,None))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L73_C12", "label": "text =", "type": "assigned_variable", "loc": [73, 73], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "vector": [14, 3, 0.2491, 0.0034, 3, 0.84, 0.1667, 439, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = text[:item.start()]+META+text[item.end():]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L75_C12", "label": "c =", "type": "assigned_variable", "loc": [75, 75], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "vector": [14, 3, 0.256, 0.0034, 3, 0.84, 0.3333, 411, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " c = item.group('c') or ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L76_C12", "label": "if", "type": "if", "loc": [76, 76], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "vector": [4, 3, 0.2594, 0.0034, 3, 0.84, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 'code' in allowed and not c in allowed['code']: c = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L76_C63", "label": "c =", "type": "assigned_variable", "loc": [76, 76], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L76_C12", "vector": [14, 4, 0.2594, 0.0034, 4, 0.63, 0.0, 411, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 'code' in allowed and not c in allowed['code']: c = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L77_C12", "label": "code = replace()", "type": "assigned_variable", "loc": [77, 77], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "vector": [14, 3, 0.2628, 0.0034, 3, 0.84, 0.6667, 44, 3, 2, 0, 0, 293, 10, 2], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " code = item.group('t').replace('!`!','`')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L78_C12", "label": "append()", "type": "expression", "loc": [78, 78], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "vector": [8, 3, 0.2662, 0.0034, 3, 0.84, 0.8333, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " segments.append((code,c))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L79_C12", "label": "text =", "type": "assigned_variable", "loc": [79, 79], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "vector": [14, 3, 0.2696, 0.0034, 3, 0.84, 1.0, 439, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = text[:item.start()]+META+text[item.end():]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L80_C8", "label": "i =", "type": "assigned_variable", "loc": [80, 80], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L68_C4", "vector": [14, 2, 0.273, 0.0034, 2, 0.07, 1.0, 826, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " i=item.start()+3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L87_C4", "label": "title = search()", "type": "assigned_variable", "loc": [87, 87], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.2969, 0.0034, 1, 0.82, 0.1667, 48, 3, 1, 0, 0, 163, 10, 1], "semantic": {"name": "title", "arg_names": [], "import_names": [], "rhs_call_name": "search", "annotation": ""}, "snippet": " title = regex_title.search(text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L88_C4", "label": "if", "type": "if", "loc": [88, 89], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [4, 1, 0.302, 0.0068, 1, 0.82, 0.2, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not title: title='Title'\n else: title=title.group('t')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L88_C18", "label": "title =", "type": "assigned_variable", "loc": [88, 88], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L88_C4", "vector": [14, 2, 0.3003, 0.0034, 2, 0.01, 0.0, 48, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "title", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not title: title='Title'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L89_C10", "label": "title = group()", "type": "assigned_variable", "loc": [89, 89], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L88_C4", "vector": [14, 2, 0.3038, 0.0034, 2, 0.01, 1.0, 48, 3, 1, 0, 0, 43, 10, 1], "semantic": {"name": "title", "arg_names": [], "import_names": [], "rhs_call_name": "group", "annotation": ""}, "snippet": " else: title=title.group('t')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L91_C4", "label": "text = latex_escape()", "type": "assigned_variable", "loc": [91, 91], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.3106, 0.0034, 1, 0.82, 0.2333, 439, 3, 2, 0, 0, 616, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "latex_escape", "annotation": ""}, "snippet": " text = latex_escape(text,pound=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L93_C4", "label": "texts = split()", "type": "assigned_variable", "loc": [93, 93], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.3174, 0.0034, 1, 0.82, 0.2667, 460, 3, 2, 0, 0, 908, 10, 1], "semantic": {"name": "texts", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " texts = text.split('## References',1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L94_C4", "label": "text = sub()", "type": "assigned_variable", "loc": [94, 94], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.3208, 0.0034, 1, 0.82, 0.3, 439, 3, 2, 0, 0, 819, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " text = regex_anchor.sub('\\\\label{\\g<t>}', texts[0])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L95_C4", "label": "if", "type": "if", "loc": [95, 98], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [4, 1, 0.3294, 0.0137, 1, 0.82, 0.3333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(texts)==2:\n text += '\\n\\\\begin{thebibliography}{999}\\n'\n text += regex_bibitem.sub('\\n\\\\\\\\bibitem{\\g<t>}', texts[1])\n text += '\\n\\\\end{thebibliography}\\n'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L100_C4", "label": "text = join()", "type": "assigned_variable", "loc": [100, 100], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.3413, 0.0034, 1, 0.82, 0.3667, 439, 3, 1, 0, 0, 933, 10, 3], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " text = '\\n'.join(t.strip() for t in text.split('\\n'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:For_L101_C4", "label": "for regex, sub", "type": "for", "loc": [101, 102], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [6, 1, 0.3464, 0.0068, 1, 0.82, 0.4, 933, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "regex, sub", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for regex, sub in regex_maps:\n text = regex.sub(sub,text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L102_C8", "label": "text = sub()", "type": "assigned_variable", "loc": [102, 102], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:For_L101_C4", "vector": [14, 2, 0.3481, 0.0034, 2, 0.93, 0.0, 439, 3, 2, 0, 0, 819, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " text = regex.sub(sub,text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L103_C4", "label": "text = replace()", "type": "assigned_variable", "loc": [103, 103], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.3515, 0.0034, 1, 0.82, 0.4333, 439, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " text=text.replace('#','\\\\#')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L104_C4", "label": "text = replace()", "type": "assigned_variable", "loc": [104, 104], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.3549, 0.0034, 1, 0.82, 0.4667, 439, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " text=text.replace('`',\"'\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "label": "while", "type": "while", "loc": [109, 124], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [5, 1, 0.3976, 0.0546, 1, 0.82, 0.5, 0, 1, 0, 0, 0, 0, 0, 14], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while True:\n item = regex_table.search(text)\n if not item: break\n c = item.group('c') or ''\n if 'table' in allowed and not c in allowed['table']: c = ''\n content = item.group('t')\n if ' | ' in content:\n rows = content.replace('\\n','\\\\\\\\\\n').replace(' | ',' & ')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L110_C8", "label": "item = search()", "type": "assigned_variable", "loc": [110, 110], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "vector": [14, 2, 0.3754, 0.0034, 2, 0.73, 0.0, 434, 3, 1, 0, 0, 163, 10, 1], "semantic": {"name": "item", "arg_names": [], "import_names": [], "rhs_call_name": "search", "annotation": ""}, "snippet": " item = regex_table.search(text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L111_C8", "label": "if", "type": "if", "loc": [111, 111], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "vector": [4, 2, 0.3788, 0.0034, 2, 0.73, 0.2, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not item: break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L112_C8", "label": "c =", "type": "assigned_variable", "loc": [112, 112], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "vector": [14, 2, 0.3823, 0.0034, 2, 0.73, 0.4, 411, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " c = item.group('c') or ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L113_C8", "label": "if", "type": "if", "loc": [113, 113], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "vector": [4, 2, 0.3857, 0.0034, 2, 0.73, 0.6, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 'table' in allowed and not c in allowed['table']: c = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L113_C61", "label": "c =", "type": "assigned_variable", "loc": [113, 113], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L113_C8", "vector": [14, 3, 0.3857, 0.0034, 3, 0.22, 0.0, 411, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 'table' in allowed and not c in allowed['table']: c = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L114_C8", "label": "content = group()", "type": "assigned_variable", "loc": [114, 114], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "vector": [14, 2, 0.3891, 0.0034, 2, 0.73, 0.8, 273, 3, 1, 0, 0, 43, 10, 1], "semantic": {"name": "content", "arg_names": [], "import_names": [], "rhs_call_name": "group", "annotation": ""}, "snippet": " content = item.group('t')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "label": "if", "type": "if", "loc": [115, 124], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "vector": [4, 2, 0.4078, 0.0341, 2, 0.73, 1.0, 0, 0, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ' | ' in content:\n rows = content.replace('\\n','\\\\\\\\\\n').replace(' | ',' & ')\n row0,row2 = rows.split('\\\\\\\\\\n',1)\n cols=row0.count(' & ')+1\n cal='{'+''.join('l' for j in range(cols))+'}'\n tabular = '\\\\begin{center}\\n{\\\\begin{tabular}'+cal+'\\\\hline\\n' + row0+'\\\\\\\\ \\\\hline\\n'+row2 + ' \\\\\\\\ \\\\hline\\n\\\\end{tabular}}\\n\\\\end{center}'\n if row2.count('\\n')>20: tabular='\\\\newpage\\n'+tabular\n text = text[:item.start()] + tabular + text[item.end():]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L116_C12", "label": "rows = replace()", "type": "assigned_variable", "loc": [116, 116], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "vector": [14, 3, 0.3959, 0.0034, 3, 0.27, 0.0, 275, 3, 2, 0, 0, 293, 10, 2], "semantic": {"name": "rows", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " rows = content.replace('\\n','\\\\\\\\\\n').replace(' | ',' & ')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L117_C12", "label": "row0, row2 = split()", "type": "assigned_variable", "loc": [117, 117], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "vector": [14, 3, 0.3993, 0.0034, 3, 0.27, 0.1429, 629, 3, 2, 0, 0, 908, 10, 1], "semantic": {"name": "row0, row2", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " row0,row2 = rows.split('\\\\\\\\\\n',1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L118_C12", "label": "cols =", "type": "assigned_variable", "loc": [118, 118], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "vector": [14, 3, 0.4027, 0.0034, 3, 0.27, 0.2857, 876, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "cols", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " cols=row0.count(' & ')+1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L119_C12", "label": "cal =", "type": "assigned_variable", "loc": [119, 119], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "vector": [14, 3, 0.4061, 0.0034, 3, 0.27, 0.4286, 122, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "cal", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " cal='{'+''.join('l' for j in range(cols))+'}'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L120_C12", "label": "tabular =", "type": "assigned_variable", "loc": [120, 120], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "vector": [14, 3, 0.4096, 0.0034, 3, 0.27, 0.5714, 827, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "tabular", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tabular = '\\\\begin{center}\\n{\\\\begin{tabular}'+cal+'\\\\hline\\n' + row0+'\\\\\\\\ \\\\hline\\n'+row2 + ' \\\\\\\\ \\\\hline\\n\\\\end{tabular}}\\n\\\\end{center}'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L121_C12", "label": "if", "type": "if", "loc": [121, 121], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "vector": [4, 3, 0.413, 0.0034, 3, 0.27, 0.7143, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if row2.count('\\n')>20: tabular='\\\\newpage\\n'+tabular"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L121_C36", "label": "tabular =", "type": "assigned_variable", "loc": [121, 121], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L121_C12", "vector": [14, 4, 0.413, 0.0034, 4, 0.8, 0.0, 827, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "tabular", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if row2.count('\\n')>20: tabular='\\\\newpage\\n'+tabular"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L122_C12", "label": "text =", "type": "assigned_variable", "loc": [122, 122], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "vector": [14, 3, 0.4164, 0.0034, 3, 0.27, 0.8571, 439, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = text[:item.start()] + tabular + text[item.end():]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L124_C12", "label": "text =", "type": "assigned_variable", "loc": [124, 124], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "vector": [14, 3, 0.4232, 0.0034, 3, 0.27, 1.0, 439, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = text[:item.start()] + '\\\\begin{quote}' + content + '\\\\end{quote}' + text[item.end():]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L130_C4", "label": "sub", "type": "function", "loc": [130, 133], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [2, 1, 0.4488, 0.0137, 1, 0.82, 0.5333, 819, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "sub", "arg_names": ["x"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def sub(x):\n f=image_mapper(x.group('k'))\n if not f: return None\n return '\\n\\\\begin{center}\\\\includegraphics[width=8cm]{%s}\\\\end{center}\\n' % (f)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L131_C8", "label": "f = image_mapper()", "type": "assigned_variable", "loc": [131, 131], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L130_C4", "vector": [14, 2, 0.4471, 0.0034, 2, 0.11, 0.0, 899, 3, 1, 0, 0, 247, 10, 2], "semantic": {"name": "f", "arg_names": [], "import_names": [], "rhs_call_name": "image_mapper", "annotation": ""}, "snippet": " f=image_mapper(x.group('k'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L132_C8", "label": "if", "type": "if", "loc": [132, 132], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L130_C4", "vector": [4, 2, 0.4505, 0.0034, 2, 0.11, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not f: return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Return_L132_C18", "label": "return", "type": "return", "loc": [132, 132], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L132_C8", "vector": [13, 3, 0.4505, 0.0034, 3, 0.33, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not f: return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Return_L133_C8", "label": "return", "type": "return", "loc": [133, 133], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L130_C4", "vector": [13, 2, 0.4539, 0.0034, 2, 0.11, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '\\n\\\\begin{center}\\\\includegraphics[width=8cm]{%s}\\\\end{center}\\n' % (f)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L134_C4", "label": "text = sub()", "type": "assigned_variable", "loc": [134, 134], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.4573, 0.0034, 1, 0.82, 0.5667, 439, 3, 2, 0, 0, 819, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " text = regex_image_width.sub(sub,text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L135_C4", "label": "text = sub()", "type": "assigned_variable", "loc": [135, 135], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.4608, 0.0034, 1, 0.82, 0.6, 439, 3, 2, 0, 0, 819, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " text = regex_image.sub(sub,text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L137_C4", "label": "text = sub()", "type": "assigned_variable", "loc": [137, 137], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.4676, 0.0034, 1, 0.82, 0.6333, 439, 3, 2, 0, 0, 819, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " text = regex_link.sub('{\\\\\\\\footnotesize\\\\href{\\g<k>}{\\g<t>}}', text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L138_C4", "label": "text = sub()", "type": "assigned_variable", "loc": [138, 138], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.471, 0.0034, 1, 0.82, 0.6667, 439, 3, 2, 0, 0, 819, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " text = regex_commas.sub('\\g<t>',text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L139_C4", "label": "text = sub()", "type": "assigned_variable", "loc": [139, 139], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.4744, 0.0034, 1, 0.82, 0.7, 439, 3, 2, 0, 0, 819, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " text = regex_noindent.sub('\\n\\\\\\\\noindent \\g<t>',text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L142_C4", "label": "regex = compile()", "type": "assigned_variable", "loc": [142, 142], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.4846, 0.0034, 1, 0.82, 0.7333, 552, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": " regex=re.compile('\\\\\\\\_\\w*\\.(eps|png|jpg|gif)')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:While_L143_C4", "label": "while", "type": "while", "loc": [143, 146], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [5, 1, 0.4932, 0.0137, 1, 0.82, 0.7667, 0, 1, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while True:\n match=regex.search(text)\n if not match: break\n text=text[:match.start()]+text[match.start()+1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L144_C8", "label": "match = search()", "type": "assigned_variable", "loc": [144, 144], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L143_C4", "vector": [14, 2, 0.4915, 0.0034, 2, 0.94, 0.0, 36, 3, 1, 0, 0, 163, 10, 1], "semantic": {"name": "match", "arg_names": [], "import_names": [], "rhs_call_name": "search", "annotation": ""}, "snippet": " match=regex.search(text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L145_C8", "label": "if", "type": "if", "loc": [145, 145], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L143_C4", "vector": [4, 2, 0.4949, 0.0034, 2, 0.94, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not match: break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L146_C8", "label": "text =", "type": "assigned_variable", "loc": [146, 146], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:While_L143_C4", "vector": [14, 2, 0.4983, 0.0034, 2, 0.94, 1.0, 439, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text=text[:match.start()]+text[match.start()+1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L150_C4", "label": "if", "type": "if", "loc": [150, 153], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [4, 1, 0.5171, 0.0137, 1, 0.82, 0.8, 0, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if chapters:\n text=text.replace(r'\\section*{',r'\\chapter*{')\n text=text.replace(r'\\section{',r'\\chapter{')\n text=text.replace(r'subsection{',r'section{')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L151_C8", "label": "text = replace()", "type": "assigned_variable", "loc": [151, 151], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L150_C4", "vector": [14, 2, 0.5154, 0.0034, 2, 0.61, 0.0, 439, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " text=text.replace(r'\\section*{',r'\\chapter*{')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L152_C8", "label": "text = replace()", "type": "assigned_variable", "loc": [152, 152], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L150_C4", "vector": [14, 2, 0.5188, 0.0034, 2, 0.61, 0.5, 439, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " text=text.replace(r'\\section{',r'\\chapter{')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L153_C8", "label": "text = replace()", "type": "assigned_variable", "loc": [153, 153], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L150_C4", "vector": [14, 2, 0.5222, 0.0034, 2, 0.61, 1.0, 439, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " text=text.replace(r'subsection{',r'section{')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L158_C4", "label": "parts = split()", "type": "assigned_variable", "loc": [158, 158], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.5392, 0.0034, 1, 0.82, 0.8333, 13, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "parts", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " parts = text.split(META)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L159_C4", "label": "text =", "type": "assigned_variable", "loc": [159, 159], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.5427, 0.0034, 1, 0.82, 0.8667, 439, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = parts[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L160_C4", "label": "authors =", "type": "assigned_variable", "loc": [160, 160], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.5461, 0.0034, 1, 0.82, 0.9, 840, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "authors", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " authors = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:For_L161_C4", "label": "for i", "type": "for", "loc": [161, 208], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [6, 1, 0.6297, 0.1638, 1, 0.82, 0.9333, 826, 3, 0, 0, 0, 0, 0, 21], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i,(code,b) in enumerate(segments):\n if code==None:\n html = META\n else:\n if b=='hidden':\n html=''\n elif b=='author':\n author = latex_escape(code.strip())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L162_C8", "label": "if", "type": "if", "loc": [162, 203], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:For_L161_C4", "vector": [4, 2, 0.6229, 0.1433, 2, 0.37, 0.0, 0, 0, 0, 0, 0, 0, 0, 20], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code==None:\n html = META\n else:\n if b=='hidden':\n html=''\n elif b=='author':\n author = latex_escape(code.strip())\n authors.append(author)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L163_C12", "label": "html =", "type": "assigned_variable", "loc": [163, 163], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L162_C8", "vector": [14, 3, 0.5563, 0.0034, 3, 0.99, 0.0, 271, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html = META"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L165_C12", "label": "if", "type": "if", "loc": [165, 203], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L162_C8", "vector": [4, 3, 0.628, 0.1331, 3, 0.99, 1.0, 0, 0, 0, 0, 0, 0, 0, 20], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if b=='hidden':\n html=''\n elif b=='author':\n author = latex_escape(code.strip())\n authors.append(author)\n html=''\n elif b=='inxx':\n html='\\inxx{%s}' % latex_escape(code)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L166_C16", "label": "html =", "type": "assigned_variable", "loc": [166, 166], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L165_C12", "vector": [14, 4, 0.5666, 0.0034, 4, 0.46, 0.0, 271, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html=''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L167_C12", "label": "if", "type": "if", "loc": [167, 203], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L165_C12", "vector": [4, 4, 0.6314, 0.1263, 4, 0.46, 1.0, 0, 0, 0, 0, 0, 0, 0, 20], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif b=='author':\n author = latex_escape(code.strip())\n authors.append(author)\n html=''\n elif b=='inxx':\n html='\\inxx{%s}' % latex_escape(code)\n elif b=='cite':\n html='~\\cite{%s}' % latex_escape(code.strip())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L168_C16", "label": "author = latex_escape()", "type": "assigned_variable", "loc": [168, 168], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L167_C12", "vector": [14, 5, 0.5734, 0.0034, 5, 0.52, 0.0, 355, 3, 1, 0, 0, 616, 10, 2], "semantic": {"name": "author", "arg_names": [], "import_names": [], "rhs_call_name": "latex_escape", "annotation": ""}, "snippet": " author = latex_escape(code.strip())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L169_C16", "label": "append()", "type": "expression", "loc": [169, 169], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L167_C12", "vector": [8, 5, 0.5768, 0.0034, 5, 0.52, 0.3333, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " authors.append(author)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L170_C16", "label": "html =", "type": "assigned_variable", "loc": [170, 170], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L167_C12", "vector": [14, 5, 0.5802, 0.0034, 5, 0.52, 0.6667, 271, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html=''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L171_C12", "label": "if", "type": "if", "loc": [171, 203], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L167_C12", "vector": [4, 5, 0.6382, 0.1126, 5, 0.52, 1.0, 0, 0, 0, 0, 0, 0, 0, 17], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif b=='inxx':\n html='\\inxx{%s}' % latex_escape(code)\n elif b=='cite':\n html='~\\cite{%s}' % latex_escape(code.strip())\n elif b=='ref':\n html='~\\ref{%s}' % latex_escape(code.strip())\n elif b=='latex':\n if '\\n' in code:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L172_C16", "label": "html =", "type": "assigned_variable", "loc": [172, 172], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L171_C12", "vector": [14, 6, 0.587, 0.0034, 6, 0.94, 0.0, 271, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html='\\inxx{%s}' % latex_escape(code)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L173_C12", "label": "if", "type": "if", "loc": [173, 203], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L171_C12", "vector": [4, 6, 0.6416, 0.1058, 6, 0.94, 1.0, 0, 0, 0, 0, 0, 0, 0, 16], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif b=='cite':\n html='~\\cite{%s}' % latex_escape(code.strip())\n elif b=='ref':\n html='~\\ref{%s}' % latex_escape(code.strip())\n elif b=='latex':\n if '\\n' in code:\n html='\\n\\\\begin{equation}\\n%s\\n\\\\end{equation}\\n' % code.strip()\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L174_C16", "label": "html =", "type": "assigned_variable", "loc": [174, 174], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L173_C12", "vector": [14, 7, 0.5939, 0.0034, 7, 0.37, 0.0, 271, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html='~\\cite{%s}' % latex_escape(code.strip())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L175_C12", "label": "if", "type": "if", "loc": [175, 203], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L173_C12", "vector": [4, 7, 0.6451, 0.099, 7, 0.37, 1.0, 0, 0, 0, 0, 0, 0, 0, 14], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif b=='ref':\n html='~\\ref{%s}' % latex_escape(code.strip())\n elif b=='latex':\n if '\\n' in code:\n html='\\n\\\\begin{equation}\\n%s\\n\\\\end{equation}\\n' % code.strip()\n else:\n html='$%s$' % code.strip()\n elif b=='latex_eqnarray':"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L176_C16", "label": "html =", "type": "assigned_variable", "loc": [176, 176], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L175_C12", "vector": [14, 8, 0.6007, 0.0034, 8, 0.78, 0.0, 271, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html='~\\ref{%s}' % latex_escape(code.strip())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L177_C12", "label": "if", "type": "if", "loc": [177, 203], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L175_C12", "vector": [4, 8, 0.6485, 0.0922, 8, 0.78, 1.0, 0, 0, 0, 0, 0, 0, 0, 12], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif b=='latex':\n if '\\n' in code:\n html='\\n\\\\begin{equation}\\n%s\\n\\\\end{equation}\\n' % code.strip()\n else:\n html='$%s$' % code.strip()\n elif b=='latex_eqnarray':\n code=code.strip()\n code='\\\\\\\\'.join(x.replace('=','&=&',1) for x in code.split('\\\\\\\\'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L178_C16", "label": "if", "type": "if", "loc": [178, 181], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L177_C12", "vector": [4, 9, 0.6126, 0.0137, 9, 0.34, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if '\\n' in code:\n html='\\n\\\\begin{equation}\\n%s\\n\\\\end{equation}\\n' % code.strip()\n else:\n html='$%s$' % code.strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L179_C20", "label": "html =", "type": "assigned_variable", "loc": [179, 179], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L178_C16", "vector": [14, 10, 0.6109, 0.0034, 10, 0.67, 0.0, 271, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html='\\n\\\\begin{equation}\\n%s\\n\\\\end{equation}\\n' % code.strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L181_C20", "label": "html =", "type": "assigned_variable", "loc": [181, 181], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L178_C16", "vector": [14, 10, 0.6177, 0.0034, 10, 0.67, 1.0, 271, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html='$%s$' % code.strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L182_C12", "label": "if", "type": "if", "loc": [182, 203], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L177_C12", "vector": [4, 9, 0.657, 0.0751, 9, 0.34, 1.0, 0, 0, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif b=='latex_eqnarray':\n code=code.strip()\n code='\\\\\\\\'.join(x.replace('=','&=&',1) for x in code.split('\\\\\\\\'))\n html='\\n\\\\begin{eqnarray}\\n%s\\n\\\\end{eqnarray}\\n' % code\n elif b.startswith('latex_'):\n key=b[6:]\n html='\\\\begin{%s}%s\\\\end{%s}' % (key,code,key)\n elif b in extra:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L183_C16", "label": "code = strip()", "type": "assigned_variable", "loc": [183, 183], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L182_C12", "vector": [14, 10, 0.6246, 0.0034, 10, 0.51, 0.0, 44, 3, 0, 0, 0, 973, 10, 1], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "strip", "annotation": ""}, "snippet": " code=code.strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L184_C16", "label": "code = join()", "type": "assigned_variable", "loc": [184, 184], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L182_C12", "vector": [14, 10, 0.628, 0.0034, 10, 0.51, 0.3333, 44, 3, 1, 0, 0, 933, 10, 3], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " code='\\\\\\\\'.join(x.replace('=','&=&',1) for x in code.split('\\\\\\\\'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L185_C16", "label": "html =", "type": "assigned_variable", "loc": [185, 185], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L182_C12", "vector": [14, 10, 0.6314, 0.0034, 10, 0.51, 0.6667, 271, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html='\\n\\\\begin{eqnarray}\\n%s\\n\\\\end{eqnarray}\\n' % code"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L186_C12", "label": "if", "type": "if", "loc": [186, 203], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L182_C12", "vector": [4, 10, 0.6638, 0.0614, 10, 0.51, 1.0, 0, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif b.startswith('latex_'):\n key=b[6:]\n html='\\\\begin{%s}%s\\\\end{%s}' % (key,code,key)\n elif b in extra:\n if code[:1]=='\\n': code=code[1:]\n if code[-1:]=='\\n': code=code[:-1]\n html = extra[b](code)\n elif code[:1]=='\\n' or code[:-1]=='\\n':"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L187_C16", "label": "key =", "type": "assigned_variable", "loc": [187, 187], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L186_C12", "vector": [14, 11, 0.6382, 0.0034, 11, 0.69, 0.0, 230, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key=b[6:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L188_C16", "label": "html =", "type": "assigned_variable", "loc": [188, 188], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L186_C12", "vector": [14, 11, 0.6416, 0.0034, 11, 0.69, 0.5, 271, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html='\\\\begin{%s}%s\\\\end{%s}' % (key,code,key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L189_C12", "label": "if", "type": "if", "loc": [189, 203], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L186_C12", "vector": [4, 11, 0.6689, 0.0512, 11, 0.69, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif b in extra:\n if code[:1]=='\\n': code=code[1:]\n if code[-1:]=='\\n': code=code[:-1]\n html = extra[b](code)\n elif code[:1]=='\\n' or code[:-1]=='\\n':\n if code[:1]=='\\n': code=code[1:]\n if code[-1:]=='\\n': code=code[:-1]\n if code.startswith('<') or code.startswith('{{') or code.startswith('http'):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L190_C16", "label": "if", "type": "if", "loc": [190, 190], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L189_C12", "vector": [4, 12, 0.6485, 0.0034, 12, 0.41, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code[:1]=='\\n': code=code[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L190_C35", "label": "code =", "type": "assigned_variable", "loc": [190, 190], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L190_C16", "vector": [14, 13, 0.6485, 0.0034, 13, 0.46, 0.0, 44, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code[:1]=='\\n': code=code[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L191_C16", "label": "if", "type": "if", "loc": [191, 191], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L189_C12", "vector": [4, 12, 0.6519, 0.0034, 12, 0.41, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code[-1:]=='\\n': code=code[:-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L191_C36", "label": "code =", "type": "assigned_variable", "loc": [191, 191], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L191_C16", "vector": [14, 13, 0.6519, 0.0034, 13, 0.85, 0.0, 44, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code[-1:]=='\\n': code=code[:-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L192_C16", "label": "html =", "type": "assigned_variable", "loc": [192, 192], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L189_C12", "vector": [14, 12, 0.6553, 0.0034, 12, 0.41, 0.6667, 271, 3, 1, 0, 0, 0, 10, 1], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html = extra[b](code)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "label": "if", "type": "if", "loc": [193, 203], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L189_C12", "vector": [4, 12, 0.6758, 0.0375, 12, 0.41, 1.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif code[:1]=='\\n' or code[:-1]=='\\n':\n if code[:1]=='\\n': code=code[1:]\n if code[-1:]=='\\n': code=code[:-1]\n if code.startswith('<') or code.startswith('{{') or code.startswith('http'):\n html = '\\\\begin{lstlisting}[keywords={}]\\n%s\\n\\\\end{lstlisting}' % code\n else:\n html = '\\\\begin{lstlisting}\\n%s\\n\\\\end{lstlisting}' % code\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L194_C16", "label": "if", "type": "if", "loc": [194, 194], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "vector": [4, 13, 0.6621, 0.0034, 13, 0.98, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code[:1]=='\\n': code=code[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L194_C35", "label": "code =", "type": "assigned_variable", "loc": [194, 194], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L194_C16", "vector": [14, 14, 0.6621, 0.0034, 14, 0.18, 0.0, 44, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code[:1]=='\\n': code=code[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L195_C16", "label": "if", "type": "if", "loc": [195, 195], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "vector": [4, 13, 0.6655, 0.0034, 13, 0.98, 0.2, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code[-1:]=='\\n': code=code[:-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L195_C36", "label": "code =", "type": "assigned_variable", "loc": [195, 195], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L195_C16", "vector": [14, 14, 0.6655, 0.0034, 14, 0.8, 0.0, 44, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code[-1:]=='\\n': code=code[:-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L196_C16", "label": "if", "type": "if", "loc": [196, 199], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "vector": [4, 13, 0.6741, 0.0137, 13, 0.98, 0.4, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code.startswith('<') or code.startswith('{{') or code.startswith('http'):\n html = '\\\\begin{lstlisting}[keywords={}]\\n%s\\n\\\\end{lstlisting}' % code\n else:\n html = '\\\\begin{lstlisting}\\n%s\\n\\\\end{lstlisting}' % code"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L197_C20", "label": "html =", "type": "assigned_variable", "loc": [197, 197], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L196_C16", "vector": [14, 14, 0.6724, 0.0034, 14, 0.74, 0.0, 271, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html = '\\\\begin{lstlisting}[keywords={}]\\n%s\\n\\\\end{lstlisting}' % code"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L199_C20", "label": "html =", "type": "assigned_variable", "loc": [199, 199], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L196_C16", "vector": [14, 14, 0.6792, 0.0034, 14, 0.74, 1.0, 271, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html = '\\\\begin{lstlisting}\\n%s\\n\\\\end{lstlisting}' % code"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L201_C16", "label": "if", "type": "if", "loc": [201, 201], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "vector": [4, 13, 0.686, 0.0034, 13, 0.98, 0.6, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code[:1]=='\\n': code=code[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L201_C35", "label": "code =", "type": "assigned_variable", "loc": [201, 201], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L201_C16", "vector": [14, 14, 0.686, 0.0034, 14, 0.42, 0.0, 44, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code[:1]=='\\n': code=code[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L202_C16", "label": "if", "type": "if", "loc": [202, 202], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "vector": [4, 13, 0.6894, 0.0034, 13, 0.98, 0.8, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code[-1:]=='\\n': code=code[:-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L202_C36", "label": "code =", "type": "assigned_variable", "loc": [202, 202], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L202_C16", "vector": [14, 14, 0.6894, 0.0034, 14, 0.92, 0.0, 44, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if code[-1:]=='\\n': code=code[:-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L203_C16", "label": "html =", "type": "assigned_variable", "loc": [203, 203], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "vector": [14, 13, 0.6928, 0.0034, 13, 0.98, 1.0, 271, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " html = '{\\\\ft %s}' % latex_escape(code)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L204_C8", "label": "try", "type": "try", "loc": [204, 208], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:For_L161_C4", "vector": [7, 2, 0.7031, 0.0171, 2, 0.37, 1.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n text = text+html+parts[i+1]\n except:\n text = text + '... WIKI PROCESSING ERROR ...'\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L205_C12", "label": "text =", "type": "assigned_variable", "loc": [205, 205], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L204_C8", "vector": [14, 3, 0.6997, 0.0034, 3, 0.96, 0.0, 439, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = text+html+parts[i+1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L207_C12", "label": "text =", "type": "assigned_variable", "loc": [207, 207], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L204_C8", "vector": [14, 3, 0.7065, 0.0034, 3, 0.96, 0.0, 439, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = text + '... WIKI PROCESSING ERROR ...'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L209_C4", "label": "text = replace()", "type": "assigned_variable", "loc": [209, 209], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [14, 1, 0.7133, 0.0034, 1, 0.82, 0.9667, 439, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " text = text.replace(' ~\\\\cite','~\\\\cite')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Return_L210_C4", "label": "return", "type": "return", "loc": [210, 210], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "vector": [13, 1, 0.7167, 0.0034, 1, 0.82, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return text, title, authors"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L212_C0", "label": "WRAPPER =", "type": "assigned_variable", "loc": [212, 242], "level": 0, "parent": null, "vector": [14, 0, 0.7747, 0.1058, 0, 0.66, 0.92, 559, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "WRAPPER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRAPPER = \"\"\"\n\\\\documentclass[12pt]{article}\n\\\\usepackage{hyperref}\n\\\\usepackage{listings}\n\\\\usepackage{upquote}\n\\\\usepackage{color}\n\\\\usepackage{graphicx}\n\\\\usepackage{grffile}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L244_C0", "label": "markmin2latex", "type": "function", "loc": [244, 248], "level": 0, "parent": null, "vector": [2, 0, 0.8396, 0.0171, 0, 0.66, 0.96, 251, 0, 4, 1, 0, 0, 0, 4], "semantic": {"name": "markmin2latex", "arg_names": ["data", "image_mapper", "extra", "wrapper"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def markmin2latex(data, image_mapper=lambda x:x, extra={},\n wrapper=WRAPPER):\n body, title, authors = render(data, extra=extra, image_mapper=image_mapper)\n author = '\\n\\\\and\\n'.join(a.replace('\\n','\\\\\\\\\\n\\\\footnotesize ') for a in authors)\n return wrapper % dict(title=title, author=author, body=body)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L246_C4", "label": "body, title, authors = render()", "type": "assigned_variable", "loc": [246, 246], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L244_C0", "vector": [14, 1, 0.8396, 0.0034, 1, 0.96, 0.0, 546, 3, 3, 0, 0, 24, 10, 1], "semantic": {"name": "body, title, authors", "arg_names": [], "import_names": [], "rhs_call_name": "render", "annotation": ""}, "snippet": " body, title, authors = render(data, extra=extra, image_mapper=image_mapper)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L247_C4", "label": "author = join()", "type": "assigned_variable", "loc": [247, 247], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L244_C0", "vector": [14, 1, 0.843, 0.0034, 1, 0.96, 0.5, 355, 3, 1, 0, 0, 933, 10, 2], "semantic": {"name": "author", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " author = '\\n\\\\and\\n'.join(a.replace('\\n','\\\\\\\\\\n\\\\footnotesize ') for a in authors)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Return_L248_C4", "label": "return", "type": "return", "loc": [248, 248], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L244_C0", "vector": [13, 1, 0.8464, 0.0034, 1, 0.96, 1.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return wrapper % dict(title=title, author=author, body=body)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "label": "if", "type": "if", "loc": [250, 291], "level": 0, "parent": null, "vector": [4, 0, 0.9232, 0.1433, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 19], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == '__main__':\n parser = OptionParser()\n parser.add_option(\"-i\", \"--info\", dest=\"info\",\n help=\"markmin help\")\n parser.add_option(\"-t\", \"--test\", dest=\"test\", action=\"store_true\",\n default=False)\n parser.add_option(\"-n\", \"--no_wrapper\", dest=\"no_wrapper\",\n action=\"store_true\",default=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L251_C4", "label": "parser = OptionParser()", "type": "assigned_variable", "loc": [251, 251], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "vector": [14, 1, 0.8567, 0.0034, 1, 0.25, 0.0, 968, 3, 0, 0, 0, 894, 10, 1], "semantic": {"name": "parser", "arg_names": [], "import_names": [], "rhs_call_name": "OptionParser", "annotation": ""}, "snippet": " parser = OptionParser()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L252_C4", "label": "add_option()", "type": "expression", "loc": [252, 253], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "vector": [8, 1, 0.8618, 0.0068, 1, 0.25, 0.1429, 176, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "add_option", "arg_names": [], "import_names": [], "rhs_call_name": "add_option", "annotation": ""}, "snippet": " parser.add_option(\"-i\", \"--info\", dest=\"info\",\n help=\"markmin help\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L254_C4", "label": "add_option()", "type": "expression", "loc": [254, 255], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "vector": [8, 1, 0.8686, 0.0068, 1, 0.25, 0.2857, 176, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "add_option", "arg_names": [], "import_names": [], "rhs_call_name": "add_option", "annotation": ""}, "snippet": " parser.add_option(\"-t\", \"--test\", dest=\"test\", action=\"store_true\",\n default=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L256_C4", "label": "add_option()", "type": "expression", "loc": [256, 257], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "vector": [8, 1, 0.8754, 0.0068, 1, 0.25, 0.4286, 176, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "add_option", "arg_names": [], "import_names": [], "rhs_call_name": "add_option", "annotation": ""}, "snippet": " parser.add_option(\"-n\", \"--no_wrapper\", dest=\"no_wrapper\",\n action=\"store_true\",default=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L258_C4", "label": "add_option()", "type": "expression", "loc": [258, 259], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "vector": [8, 1, 0.8823, 0.0068, 1, 0.25, 0.5714, 176, 3, 6, 0, 0, 0, 0, 1], "semantic": {"name": "add_option", "arg_names": [], "import_names": [], "rhs_call_name": "add_option", "annotation": ""}, "snippet": " parser.add_option(\"-c\", \"--chapters\", dest=\"chapters\",action=\"store_true\",\n default=False,help=\"switch section for chapter\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L260_C4", "label": "add_option()", "type": "expression", "loc": [260, 261], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "vector": [8, 1, 0.8891, 0.0068, 1, 0.25, 0.7143, 176, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "add_option", "arg_names": [], "import_names": [], "rhs_call_name": "add_option", "annotation": ""}, "snippet": " parser.add_option(\"-w\", \"--wrapper\", dest=\"wrapper\", default=False,\n help=\"latex file containing header and footer\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L263_C4", "label": "options, args = parse_args()", "type": "assigned_variable", "loc": [263, 263], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "vector": [14, 1, 0.8976, 0.0034, 1, 0.25, 0.8571, 584, 3, 0, 0, 0, 187, 10, 1], "semantic": {"name": "options, args", "arg_names": [], "import_names": [], "rhs_call_name": "parse_args", "annotation": ""}, "snippet": " (options, args) = parser.parse_args()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L264_C4", "label": "if", "type": "if", "loc": [264, 291], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "vector": [4, 1, 0.9471, 0.0956, 1, 0.25, 1.0, 0, 7, 0, 0, 0, 0, 0, 12], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if options.info:\n import markmin2html\n markmin2latex(markmin2html.__doc__)\n elif options.test:\n doctest.testmod()\n else:\n if options.wrapper:\n fwrapper = open(options.wrapper,'rb')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Import_L265_C8", "label": "markmin2html import markmin2html", "type": "import", "loc": [265, 265], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L264_C4", "vector": [1, 2, 0.9044, 0.0034, 2, 0.61, 0.0, 574, 0, 1, 0, 0, 574, 0, 0], "semantic": {"name": "markmin2html", "arg_names": [], "import_names": ["markmin2html"], "rhs_call_name": "", "annotation": ""}, "snippet": " import markmin2html"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L266_C8", "label": "markmin2latex()", "type": "expression", "loc": [266, 266], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L264_C4", "vector": [8, 2, 0.9078, 0.0034, 2, 0.61, 0.5, 251, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "markmin2latex", "arg_names": [], "import_names": [], "rhs_call_name": "markmin2latex", "annotation": ""}, "snippet": " markmin2latex(markmin2html.__doc__)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "label": "if", "type": "if", "loc": [267, 291], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L264_C4", "vector": [4, 2, 0.9522, 0.0853, 2, 0.61, 1.0, 0, 7, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif options.test:\n doctest.testmod()\n else:\n if options.wrapper:\n fwrapper = open(options.wrapper,'rb')\n try:\n wrapper = fwrapper.read()\n finally:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L268_C8", "label": "testmod()", "type": "expression", "loc": [268, 268], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "vector": [8, 3, 0.9147, 0.0034, 3, 0.88, 0.0, 116, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "testmod", "arg_names": [], "import_names": [], "rhs_call_name": "testmod", "annotation": ""}, "snippet": " doctest.testmod()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L270_C8", "label": "if", "type": "if", "loc": [270, 279], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "vector": [4, 3, 0.9369, 0.0341, 3, 0.88, 0.2, 0, 7, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if options.wrapper:\n fwrapper = open(options.wrapper,'rb')\n try:\n wrapper = fwrapper.read()\n finally:\n fwrapper.close()\n elif options.no_wrapper:\n wrapper = '%(body)s'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L271_C12", "label": "fwrapper = open()", "type": "assigned_variable", "loc": [271, 271], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L270_C8", "vector": [14, 4, 0.9249, 0.0034, 4, 0.47, 0.0, 488, 3, 2, 0, 0, 693, 10, 1], "semantic": {"name": "fwrapper", "arg_names": [], "import_names": [], "rhs_call_name": "open", "annotation": ""}, "snippet": " fwrapper = open(options.wrapper,'rb')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L272_C12", "label": "try", "type": "try", "loc": [272, 275], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L270_C8", "vector": [7, 4, 0.9334, 0.0137, 4, 0.47, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n wrapper = fwrapper.read()\n finally:\n fwrapper.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L273_C16", "label": "wrapper = read()", "type": "assigned_variable", "loc": [273, 273], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L272_C12", "vector": [14, 5, 0.9317, 0.0034, 5, 0.87, 0.0, 353, 3, 0, 0, 0, 453, 10, 1], "semantic": {"name": "wrapper", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " wrapper = fwrapper.read()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L275_C16", "label": "close()", "type": "expression", "loc": [275, 275], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L272_C12", "vector": [8, 5, 0.9386, 0.0034, 5, 0.87, 1.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " fwrapper.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:If_L276_C8", "label": "if", "type": "if", "loc": [276, 279], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L270_C8", "vector": [4, 4, 0.9471, 0.0137, 4, 0.47, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif options.no_wrapper:\n wrapper = '%(body)s'\n else:\n wrapper = WRAPPER"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L277_C12", "label": "wrapper =", "type": "assigned_variable", "loc": [277, 277], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L276_C8", "vector": [14, 5, 0.9454, 0.0034, 5, 0.75, 0.0, 353, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "wrapper", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " wrapper = '%(body)s'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L279_C12", "label": "wrapper =", "type": "assigned_variable", "loc": [279, 279], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L276_C8", "vector": [14, 5, 0.9522, 0.0034, 5, 0.75, 1.0, 353, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "wrapper", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " wrapper = WRAPPER"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:For_L280_C8", "label": "for f", "type": "for", "loc": [280, 286], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "vector": [6, 3, 0.9659, 0.0239, 3, 0.88, 0.4, 899, 2, 0, 0, 0, 0, 0, 4], "semantic": {"name": "f", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for f in args:\n fargs = open(f,'r')\n content_data = []\n try:\n content_data.append(fargs.read())\n finally:\n fargs.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L281_C12", "label": "fargs = open()", "type": "assigned_variable", "loc": [281, 281], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:For_L280_C8", "vector": [14, 4, 0.959, 0.0034, 4, 0.93, 0.0, 906, 3, 2, 0, 0, 693, 10, 1], "semantic": {"name": "fargs", "arg_names": [], "import_names": [], "rhs_call_name": "open", "annotation": ""}, "snippet": " fargs = open(f,'r')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L282_C12", "label": "content_data =", "type": "assigned_variable", "loc": [282, 282], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:For_L280_C8", "vector": [14, 4, 0.9625, 0.0034, 4, 0.93, 0.5, 858, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "content_data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " content_data = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L283_C12", "label": "try", "type": "try", "loc": [283, 286], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:For_L280_C8", "vector": [7, 4, 0.971, 0.0137, 4, 0.93, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n content_data.append(fargs.read())\n finally:\n fargs.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L284_C16", "label": "append()", "type": "expression", "loc": [284, 284], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L283_C12", "vector": [8, 5, 0.9693, 0.0034, 5, 0.44, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " content_data.append(fargs.read())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L286_C16", "label": "close()", "type": "expression", "loc": [286, 286], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L283_C12", "vector": [8, 5, 0.9761, 0.0034, 5, 0.44, 1.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " fargs.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L287_C8", "label": "content = join()", "type": "assigned_variable", "loc": [287, 287], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "vector": [14, 3, 0.9795, 0.0034, 3, 0.88, 0.6, 273, 3, 1, 0, 0, 933, 10, 1], "semantic": {"name": "content", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " content = '\\n'.join(content_data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L288_C8", "label": "output = markmin2latex()", "type": "assigned_variable", "loc": [288, 290], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "vector": [14, 3, 0.9863, 0.0102, 3, 0.88, 0.8, 886, 3, 3, 0, 0, 251, 10, 1], "semantic": {"name": "output", "arg_names": [], "import_names": [], "rhs_call_name": "markmin2latex", "annotation": ""}, "snippet": " output= markmin2latex(content,\n wrapper=wrapper,\n chapters=options.chapters)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L291_C8", "label": "print()", "type": "expression", "loc": [291, 291], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "vector": [8, 3, 0.9932, 0.0034, 3, 0.88, 1.0, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(output)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L47_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L48_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L47_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:For_L49_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:For_L49_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L49_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L47_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L50_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L47_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L51_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L51_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L51_C14"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L47_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Return_L52_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L64_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L65_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L66_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L67_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:While_L68_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L68_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L69_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L68_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L70_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L68_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L72_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L73_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L75_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L76_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L76_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L76_C63"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L77_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L78_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L79_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L68_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L80_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L87_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L88_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L88_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L88_C18"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L88_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L89_C10"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L91_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L93_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L94_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L95_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L100_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:For_L101_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:For_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L102_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L103_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L104_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L110_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L111_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L112_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L113_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L113_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L113_C61"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L114_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L109_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L116_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L117_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L118_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L119_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L120_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L121_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L121_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L121_C36"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L122_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L115_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L124_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L130_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L130_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L131_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L130_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L132_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L132_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Return_L132_C18"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L130_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Return_L133_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L134_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L135_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L137_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L138_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L139_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L142_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:While_L143_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L143_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L144_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L143_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L145_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:While_L143_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L146_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L150_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L150_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L151_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L150_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L152_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L150_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L153_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L158_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L159_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L160_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:For_L161_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:For_L161_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L162_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L162_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L163_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L162_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L165_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L165_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L166_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L165_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L167_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L167_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L168_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L167_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L169_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L167_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L170_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L167_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L171_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L171_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L172_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L171_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L173_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L173_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L174_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L173_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L175_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L175_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L176_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L175_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L177_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L177_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L178_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L178_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L179_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L178_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L181_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L177_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L182_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L182_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L183_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L182_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L184_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L182_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L185_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L182_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L186_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L186_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L187_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L186_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L188_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L186_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L189_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L189_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L190_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L190_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L190_C35"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L189_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L191_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L191_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L191_C36"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L189_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L192_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L189_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L194_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L194_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L194_C35"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L195_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L195_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L195_C36"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L196_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L196_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L197_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L196_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L199_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L201_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L201_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L201_C35"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L202_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L202_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L202_C36"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L193_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L203_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:For_L161_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L204_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L204_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L205_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L204_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L207_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L209_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Return_L210_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L244_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L246_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L244_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L247_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:FunctionDef_L244_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Return_L248_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L251_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L252_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L254_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L256_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L258_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L260_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L263_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L250_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L264_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L264_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Import_L265_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L264_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L266_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L264_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L268_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L270_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L270_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L271_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L270_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L272_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L272_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L273_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L272_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L275_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L270_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:If_L276_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L276_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L277_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L276_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L279_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:For_L280_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:For_L280_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L281_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:For_L280_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L282_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:For_L280_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L283_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L283_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L284_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:Try_L283_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L286_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L287_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Assign_L288_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_519:If_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_519:Expr_L291_C8"}]
# this file exists for backward compatibility __all__ = ['DAL', 'Field', 'drivers', 'gae'] from gluon.dal import DAL, Field, Table, Query, Set, Expression, Row, Rows, drivers, BaseAdapter, SQLField, SQLTable, SQLXorable, SQLQuery, SQLSet, SQLRows, SQLStorage, SQLDB, GQLDB, SQLALL, SQLCustomType, gae
ajibawa-2023/Python-Code-Large/train/row_521
2
5
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_521:Assign_L3_C0", "label": "__all__ =", "type": "assigned_variable", "loc": [3, 3], "level": 0, "parent": null, "vector": [14, 0, 0.6, 0.2, 0, 0.66, 0.0, 272, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "__all__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__all__ = ['DAL', 'Field', 'drivers', 'gae']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_521:ImportFrom_L5_C0", "label": "from gluon.dal import DAL, Field, Table\u2026", "type": "import", "loc": [5, 5], "level": 0, "parent": null, "vector": [1, 0, 1.0, 0.2, 0, 0.66, 1.0, 169, 0, 22, 0, 0, 169, 0, 0], "semantic": {"name": "gluon.dal", "arg_names": [], "import_names": ["DAL", "Field", "Table", "Query", "Set", "Expression", "Row", "Rows", "drivers", "BaseAdapter", "SQLField", "SQLTable", "SQLXorable", "SQLQuery", "SQLSet", "SQLRows", "SQLStorage", "SQLDB", "GQLDB", "SQLALL", "SQLCustomType", "gae"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon.dal import DAL, Field, Table, Query, Set, Expression, Row, Rows, drivers, BaseAdapter, SQLField, SQLTable, SQLXorable, SQLQuery, SQLSet, SQLRows, SQLStorage, SQLDB, GQLDB, SQLALL, SQLCustomType, gae"}]
[]
from gluon import XML def button(merchant_id="123456789012345", products=[dict(name="shoes", quantity=1, price=23.5, currency='USD', description="running shoes black")]): t = '<input name="item_%(key)s_%(k)s" type="hidden" value="%(value)s"/>\n' list_products = '' for k, product in enumerate(products): for key in ('name','description','quantity','price','currency'): list_products += t % dict(k=k + 1, key=key, value=product[key]) button = """<form action="https://checkout.google.com/api/checkout/v2/checkoutForm/Merchant/%(merchant_id)s" id="BB_BuyButtonForm" method="post" name="BB_BuyButtonForm" target="_top">\n%(list_products)s<input name="_charset_" type="hidden" value="utf-8"/>\n<input alt="" src="https://checkout.google.com/buttons/buy.gif?merchant_id=%(merchant_id)s&amp;w=117&amp;h=48&amp;style=white&amp;variant=text&amp;loc=en_US" type="image"/>\n</form>""" % dict(merchant_id=merchant_id, list_products=list_products) return XML(button)
ajibawa-2023/Python-Code-Large/train/row_522
8
15
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_522:ImportFrom_L1_C0", "label": "from gluon import XML", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.0667, 0.0667, 0, 0.66, 0.0, 826, 0, 1, 0, 0, 826, 0, 0], "semantic": {"name": "gluon", "arg_names": [], "import_names": ["XML"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon import XML"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_522:FunctionDef_L3_C0", "label": "button", "type": "function", "loc": [3, 15], "level": 0, "parent": null, "vector": [2, 0, 0.6, 0.8667, 0, 0.66, 1.0, 95, 0, 2, 1, 0, 0, 0, 5], "semantic": {"name": "button", "arg_names": ["merchant_id", "products"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def button(merchant_id=\"123456789012345\",\n products=[dict(name=\"shoes\",\n quantity=1,\n price=23.5,\n currency='USD',\n description=\"running shoes black\")]):\n t = '<input name=\"item_%(key)s_%(k)s\" type=\"hidden\" value=\"%(value)s\"/>\\n'\n list_products = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_522:Assign_L9_C4", "label": "t =", "type": "assigned_variable", "loc": [9, 9], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_522:FunctionDef_L3_C0", "vector": [14, 1, 0.6, 0.0667, 1, 0.26, 0.0, 15, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "t", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " t = '<input name=\"item_%(key)s_%(k)s\" type=\"hidden\" value=\"%(value)s\"/>\\n'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_522:Assign_L10_C4", "label": "list_products =", "type": "assigned_variable", "loc": [10, 10], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_522:FunctionDef_L3_C0", "vector": [14, 1, 0.6667, 0.0667, 1, 0.26, 0.25, 604, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "list_products", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " list_products = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_522:For_L11_C4", "label": "for k, product", "type": "for", "loc": [11, 13], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_522:FunctionDef_L3_C0", "vector": [6, 1, 0.8, 0.2, 1, 0.26, 0.5, 167, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "k, product", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k, product in enumerate(products):\n for key in ('name','description','quantity','price','currency'):\n list_products += t % dict(k=k + 1, key=key, value=product[key])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_522:For_L12_C8", "label": "for key", "type": "for", "loc": [12, 13], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_522:For_L11_C4", "vector": [6, 2, 0.8333, 0.1333, 2, 0.41, 0.0, 230, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for key in ('name','description','quantity','price','currency'):\n list_products += t % dict(k=k + 1, key=key, value=product[key])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_522:Assign_L14_C4", "label": "button =", "type": "assigned_variable", "loc": [14, 14], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_522:FunctionDef_L3_C0", "vector": [14, 1, 0.9333, 0.0667, 1, 0.26, 0.75, 95, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "button", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " button = \"\"\"<form action=\"https://checkout.google.com/api/checkout/v2/checkoutForm/Merchant/%(merchant_id)s\" id=\"BB_BuyButtonForm\" method=\"post\" name=\"BB_BuyButtonForm\" target=\"_top\">\\n%(list_products)s<input name=\"_charset_\" type=\"hidden\" value=\"utf-8\"/>\\n<input alt=\"\" src=\"https://checkout.google.com/buttons/buy.gif?merchant_id=%(merchant_id)s&amp;w=117&amp;h=48&amp;style=white&amp;variant=text&amp;loc=en_US\" type=\"image\"/>\\n</form>\"\"\" % dict(merchant_id=merchant_id, list_products=list_products)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_522:Return_L15_C4", "label": "return", "type": "return", "loc": [15, 15], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_522:FunctionDef_L3_C0", "vector": [13, 1, 1.0, 0.0667, 1, 0.26, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return XML(button)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_522:FunctionDef_L3_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_522:Assign_L9_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_522:FunctionDef_L3_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_522:Assign_L10_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_522:FunctionDef_L3_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_522:For_L11_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_522:For_L11_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_522:For_L12_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_522:FunctionDef_L3_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_522:Assign_L14_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_522:FunctionDef_L3_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_522:Return_L15_C4"}]
# -*- coding: utf-8 -*- import struct import re try: import cStringIO as StringIO except ImportError: import StringIO from err import Warning, Error, InterfaceError, DataError, \ DatabaseError, OperationalError, IntegrityError, InternalError, \ NotSupportedError, ProgrammingError insert_values = re.compile(r'\svalues\s*(\(.+\))', re.IGNORECASE) class Cursor(object): ''' This is the object you use to interact with the database. ''' def __init__(self, connection): ''' Do not create an instance of a Cursor yourself. Call connections.Connection.cursor(). ''' from weakref import proxy self.connection = proxy(connection) self.description = None self.rownumber = 0 self.rowcount = -1 self.arraysize = 1 self._executed = None self.messages = [] self.errorhandler = connection.errorhandler self._has_next = None self._rows = () def __del__(self): ''' When this gets GC'd close it. ''' self.close() def close(self): ''' Closing a cursor just exhausts all remaining data. ''' if not self.connection: return try: while self.nextset(): pass except: pass self.connection = None def _get_db(self): if not self.connection: self.errorhandler(self, ProgrammingError, "cursor closed") return self.connection def _check_executed(self): if not self._executed: self.errorhandler(self, ProgrammingError, "execute() first") def setinputsizes(self, *args): """Does nothing, required by DB API.""" def setoutputsizes(self, *args): """Does nothing, required by DB API.""" def nextset(self): ''' Get the next query set ''' if self._executed: self.fetchall() del self.messages[:] if not self._has_next: return None connection = self._get_db() connection.next_result() self._do_get_result() return True def execute(self, query, args=None): ''' Execute a query ''' from sys import exc_info conn = self._get_db() charset = conn.charset del self.messages[:] # TODO: make sure that conn.escape is correct if isinstance(query, unicode): query = query.encode(charset) if args is not None: if isinstance(args, tuple) or isinstance(args, list): escaped_args = tuple(conn.escape(arg) for arg in args) elif isinstance(args, dict): escaped_args = dict((key, conn.escape(val)) for (key, val) in args.items()) else: #If it's not a dictionary let's try escaping it anyways. #Worst case it will throw a Value error escaped_args = conn.escape(args) query = query % escaped_args result = 0 try: result = self._query(query) except: exc, value, tb = exc_info() del tb self.messages.append((exc,value)) self.errorhandler(self, exc, value) self._executed = query return result def executemany(self, query, args): ''' Run several data against one query ''' del self.messages[:] #conn = self._get_db() if not args: return #charset = conn.charset #if isinstance(query, unicode): # query = query.encode(charset) self.rowcount = sum([ self.execute(query, arg) for arg in args ]) return self.rowcount def callproc(self, procname, args=()): """Execute stored procedure procname with args procname -- string, name of procedure to execute on server args -- Sequence of parameters to use with procedure Returns the original args. Compatibility warning: PEP-249 specifies that any modified parameters must be returned. This is currently impossible as they are only available by storing them in a server variable and then retrieved by a query. Since stored procedures return zero or more result sets, there is no reliable way to get at OUT or INOUT parameters via callproc. The server variables are named @_procname_n, where procname is the parameter above and n is the position of the parameter (from zero). Once all result sets generated by the procedure have been fetched, you can issue a SELECT @_procname_0, ... query using .execute() to get any OUT or INOUT values. Compatibility warning: The act of calling a stored procedure itself creates an empty result set. This appears after any result sets generated by the procedure. This is non-standard behavior with respect to the DB-API. Be sure to use nextset() to advance through all result sets; otherwise you may get disconnected. """ conn = self._get_db() for index, arg in enumerate(args): q = "SET @_%s_%d=%s" % (procname, index, conn.escape(arg)) if isinstance(q, unicode): q = q.encode(conn.charset) self._query(q) self.nextset() q = "CALL %s(%s)" % (procname, ','.join(['@_%s_%d' % (procname, i) for i in range(len(args))])) if isinstance(q, unicode): q = q.encode(conn.charset) self._query(q) self._executed = q return args def fetchone(self): ''' Fetch the next row ''' self._check_executed() if self._rows is None or self.rownumber >= len(self._rows): return None result = self._rows[self.rownumber] self.rownumber += 1 return result def fetchmany(self, size=None): ''' Fetch several rows ''' self._check_executed() end = self.rownumber + (size or self.arraysize) result = self._rows[self.rownumber:end] if self._rows is None: return None self.rownumber = min(end, len(self._rows)) return result def fetchall(self): ''' Fetch all the rows ''' self._check_executed() if self._rows is None: return None if self.rownumber: result = self._rows[self.rownumber:] else: result = self._rows self.rownumber = len(self._rows) return result def scroll(self, value, mode='relative'): self._check_executed() if mode == 'relative': r = self.rownumber + value elif mode == 'absolute': r = value else: self.errorhandler(self, ProgrammingError, "unknown scroll mode %s" % mode) if r < 0 or r >= len(self._rows): self.errorhandler(self, IndexError, "out of range") self.rownumber = r def _query(self, q): conn = self._get_db() self._last_executed = q conn.query(q) self._do_get_result() return self.rowcount def _do_get_result(self): conn = self._get_db() self.rowcount = conn._result.affected_rows self.rownumber = 0 self.description = conn._result.description self.lastrowid = conn._result.insert_id self._rows = conn._result.rows self._has_next = conn._result.has_next def __iter__(self): return iter(self.fetchone, None) Warning = Warning Error = Error InterfaceError = InterfaceError DatabaseError = DatabaseError DataError = DataError OperationalError = OperationalError IntegrityError = IntegrityError InternalError = InternalError ProgrammingError = ProgrammingError NotSupportedError = NotSupportedError class DictCursor(Cursor): """A cursor which returns results as a dictionary""" def execute(self, query, args=None): result = super(DictCursor, self).execute(query, args) if self.description: self._fields = [ field[0] for field in self.description ] return result def fetchone(self): ''' Fetch the next row ''' self._check_executed() if self._rows is None or self.rownumber >= len(self._rows): return None result = dict(zip(self._fields, self._rows[self.rownumber])) self.rownumber += 1 return result def fetchmany(self, size=None): ''' Fetch several rows ''' self._check_executed() if self._rows is None: return None end = self.rownumber + (size or self.arraysize) result = [ dict(zip(self._fields, r)) for r in self._rows[self.rownumber:end] ] self.rownumber = min(end, len(self._rows)) return tuple(result) def fetchall(self): ''' Fetch all the rows ''' self._check_executed() if self._rows is None: return None if self.rownumber: result = [ dict(zip(self._fields, r)) for r in self._rows[self.rownumber:] ] else: result = [ dict(zip(self._fields, r)) for r in self._rows ] self.rownumber = len(self._rows) return tuple(result) class SSCursor(Cursor): """ Unbuffered Cursor, mainly useful for queries that return a lot of data, or for connections to remote servers over a slow network. Instead of copying every row of data into a buffer, this will fetch rows as needed. The upside of this, is the client uses much less memory, and rows are returned much faster when traveling over a slow network, or if the result set is very big. There are limitations, though. The MySQL protocol doesn't support returning the total number of rows, so the only way to tell how many rows there are is to iterate over every row returned. Also, it currently isn't possible to scroll backwards, as only the current row is held in memory. """ def close(self): conn = self._get_db() conn._result._finish_unbuffered_query() try: if self._has_next: while self.nextset(): pass except: pass def _query(self, q): conn = self._get_db() self._last_executed = q conn.query(q, unbuffered=True) self._do_get_result() return self.rowcount def read_next(self): """ Read next row """ conn = self._get_db() conn._result._read_rowdata_packet_unbuffered() return conn._result.rows def fetchone(self): """ Fetch next row """ self._check_executed() row = self.read_next() if row is None: return None self.rownumber += 1 return row def fetchall(self): """ Fetch all, as per MySQLdb. Pretty useless for large queries, as it is buffered. See fetchall_unbuffered(), if you want an unbuffered generator version of this method. """ rows = [] while True: row = self.fetchone() if row is None: break rows.append(row) return tuple(rows) def fetchall_unbuffered(self): """ Fetch all, implemented as a generator, which isn't to standard, however, it doesn't make sense to return everything in a list, as that would use ridiculous memory for large result sets. """ row = self.fetchone() while row is not None: yield row row = self.fetchone() def fetchmany(self, size=None): """ Fetch many """ self._check_executed() if size is None: size = self.arraysize rows = [] for i in range(0, size): row = self.read_next() if row is None: break rows.append(row) self.rownumber += 1 return tuple(rows) def scroll(self, value, mode='relative'): self._check_executed() if not mode == 'relative' and not mode == 'absolute': self.errorhandler(self, ProgrammingError, "unknown scroll mode %s" % mode) if mode == 'relative': if value < 0: self.errorhandler(self, NotSupportedError, "Backwards scrolling not supported by this cursor") for i in range(0, value): self.read_next() self.rownumber += value else: if value < self.rownumber: self.errorhandler(self, NotSupportedError, "Backwards scrolling not supported by this cursor") end = value - self.rownumber for i in range(0, end): self.read_next() self.rownumber = value
ajibawa-2023/Python-Code-Large/train/row_523
257
410
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_523:Import_L2_C0", "label": "struct import struct", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.0049, 0.0024, 0, 0.66, 0.0, 399, 0, 1, 0, 0, 399, 0, 0], "semantic": {"name": "struct", "arg_names": [], "import_names": ["struct"], "rhs_call_name": "", "annotation": ""}, "snippet": "import struct"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Import_L3_C0", "label": "re import re", "type": "import", "loc": [3, 3], "level": 0, "parent": null, "vector": [1, 0, 0.0073, 0.0024, 0, 0.66, 0.1429, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L5_C0", "label": "try", "type": "try", "loc": [5, 8], "level": 0, "parent": null, "vector": [7, 0, 0.0159, 0.0098, 0, 0.66, 0.2857, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n import cStringIO as StringIO\nexcept ImportError:\n import StringIO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Import_L6_C4", "label": "cStringIO import StringIO", "type": "import", "loc": [6, 6], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L5_C0", "vector": [1, 1, 0.0146, 0.0024, 1, 0.73, 0.0, 764, 0, 1, 0, 0, 764, 0, 0], "semantic": {"name": "cStringIO", "arg_names": [], "import_names": ["StringIO"], "rhs_call_name": "", "annotation": ""}, "snippet": " import cStringIO as StringIO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Import_L8_C4", "label": "StringIO import StringIO", "type": "import", "loc": [8, 8], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L5_C0", "vector": [1, 1, 0.0195, 0.0024, 1, 0.73, 0.0, 609, 0, 1, 0, 0, 609, 0, 0], "semantic": {"name": "StringIO", "arg_names": [], "import_names": ["StringIO"], "rhs_call_name": "", "annotation": ""}, "snippet": " import StringIO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:ImportFrom_L10_C0", "label": "from err import Warning, Error, InterfaceError\u2026", "type": "import", "loc": [10, 12], "level": 0, "parent": null, "vector": [1, 0, 0.0268, 0.0073, 0, 0.66, 0.4286, 541, 0, 10, 0, 0, 541, 0, 0], "semantic": {"name": "err", "arg_names": [], "import_names": ["Warning", "Error", "InterfaceError", "DataError", "DatabaseError", "OperationalError", "IntegrityError", "InternalError", "NotSupportedError", "ProgrammingError"], "rhs_call_name": "", "annotation": ""}, "snippet": "from err import Warning, Error, InterfaceError, DataError, \\\n DatabaseError, OperationalError, IntegrityError, InternalError, \\\n NotSupportedError, ProgrammingError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L14_C0", "label": "insert_values = compile()", "type": "assigned_variable", "loc": [14, 14], "level": 0, "parent": null, "vector": [14, 0, 0.0341, 0.0024, 0, 0.66, 0.5714, 128, 3, 2, 0, 0, 821, 10, 1], "semantic": {"name": "insert_values", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "insert_values = re.compile(r'\\svalues\\s*(\\(.+\\))', re.IGNORECASE)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "label": "Cursor", "type": "class", "loc": [16, 256], "level": 0, "parent": null, "vector": [3, 0, 0.3317, 0.5878, 0, 0.66, 0.7143, 647, 0, 18, 0, 0, 186, 0, 56], "semantic": {"name": "Cursor", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Cursor(object):\n '''\n This is the object you use to interact with the database.\n '''\n def __init__(self, connection):\n '''\n Do not create an instance of a Cursor yourself. Call\n connections.Connection.cursor()."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L17_C4", "label": "expression", "type": "expression", "loc": [17, 19], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [8, 1, 0.0439, 0.0073, 1, 0.67, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " '''\n This is the object you use to interact with the database.\n '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "label": "__init__", "type": "function", "loc": [20, 35], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.0671, 0.039, 1, 0.67, 0.0357, 555, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "connection"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, connection):\n '''\n Do not create an instance of a Cursor yourself. Call\n connections.Connection.cursor().\n '''\n from weakref import proxy\n self.connection = proxy(connection)\n self.description = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L21_C8", "label": "expression", "type": "expression", "loc": [21, 24], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "vector": [8, 2, 0.0549, 0.0098, 2, 0.46, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " '''\n Do not create an instance of a Cursor yourself. Call\n connections.Connection.cursor().\n '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:ImportFrom_L25_C8", "label": "from weakref import proxy", "type": "import", "loc": [25, 25], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "vector": [1, 2, 0.061, 0.0024, 2, 0.46, 0.0909, 708, 0, 1, 0, 0, 708, 0, 0], "semantic": {"name": "weakref", "arg_names": [], "import_names": ["proxy"], "rhs_call_name": "", "annotation": ""}, "snippet": " from weakref import proxy"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L26_C8", "label": "self.connection = proxy()", "type": "assigned_variable", "loc": [26, 26], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "vector": [14, 2, 0.0634, 0.0024, 2, 0.46, 0.1818, 685, 3, 1, 0, 0, 916, 10, 1], "semantic": {"name": "self.connection", "arg_names": [], "import_names": [], "rhs_call_name": "proxy", "annotation": ""}, "snippet": " self.connection = proxy(connection)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L27_C8", "label": "self.description =", "type": "assigned_variable", "loc": [27, 27], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "vector": [14, 2, 0.0659, 0.0024, 2, 0.46, 0.2727, 171, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.description", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.description = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L28_C8", "label": "self.rownumber =", "type": "assigned_variable", "loc": [28, 28], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "vector": [14, 2, 0.0683, 0.0024, 2, 0.46, 0.3636, 435, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.rownumber", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.rownumber = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L29_C8", "label": "self.rowcount =", "type": "assigned_variable", "loc": [29, 29], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "vector": [14, 2, 0.0707, 0.0024, 2, 0.46, 0.4545, 57, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.rowcount", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.rowcount = -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L30_C8", "label": "self.arraysize =", "type": "assigned_variable", "loc": [30, 30], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "vector": [14, 2, 0.0732, 0.0024, 2, 0.46, 0.5455, 123, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.arraysize", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.arraysize = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L31_C8", "label": "self._executed =", "type": "assigned_variable", "loc": [31, 31], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "vector": [14, 2, 0.0756, 0.0024, 2, 0.46, 0.6364, 76, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self._executed", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._executed = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L32_C8", "label": "self.messages =", "type": "assigned_variable", "loc": [32, 32], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "vector": [14, 2, 0.078, 0.0024, 2, 0.46, 0.7273, 44, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.messages", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.messages = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L33_C8", "label": "self.errorhandler =", "type": "assigned_variable", "loc": [33, 33], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "vector": [14, 2, 0.0805, 0.0024, 2, 0.46, 0.8182, 34, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.errorhandler", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.errorhandler = connection.errorhandler"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L34_C8", "label": "self._has_next =", "type": "assigned_variable", "loc": [34, 34], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "vector": [14, 2, 0.0829, 0.0024, 2, 0.46, 0.9091, 17, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self._has_next", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._has_next = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L35_C8", "label": "self._rows =", "type": "assigned_variable", "loc": [35, 35], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "vector": [14, 2, 0.0854, 0.0024, 2, 0.46, 1.0, 824, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "self._rows", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._rows = ()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L37_C4", "label": "__del__", "type": "function", "loc": [37, 41], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.0951, 0.0122, 1, 0.67, 0.0714, 258, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "__del__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __del__(self):\n '''\n When this gets GC'd close it.\n '''\n self.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L38_C8", "label": "expression", "type": "expression", "loc": [38, 40], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L37_C4", "vector": [8, 2, 0.0951, 0.0073, 2, 0.67, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " '''\n When this gets GC'd close it.\n '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L41_C8", "label": "close()", "type": "expression", "loc": [41, 41], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L37_C4", "vector": [8, 2, 0.1, 0.0024, 2, 0.67, 1.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " self.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L43_C4", "label": "close", "type": "function", "loc": [43, 55], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.1195, 0.0317, 1, 0.67, 0.1071, 77, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def close(self):\n '''\n Closing a cursor just exhausts all remaining data.\n '''\n if not self.connection:\n return\n try:\n while self.nextset():"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L44_C8", "label": "expression", "type": "expression", "loc": [44, 46], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L43_C4", "vector": [8, 2, 0.1098, 0.0073, 2, 0.27, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " '''\n Closing a cursor just exhausts all remaining data.\n '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L47_C8", "label": "if", "type": "if", "loc": [47, 48], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L43_C4", "vector": [4, 2, 0.1159, 0.0049, 2, 0.27, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self.connection:\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L48_C12", "label": "return", "type": "return", "loc": [48, 48], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L47_C8", "vector": [13, 3, 0.1171, 0.0024, 3, 0.12, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L49_C8", "label": "try", "type": "try", "loc": [49, 53], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L43_C4", "vector": [7, 2, 0.1244, 0.0122, 2, 0.27, 0.6667, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n while self.nextset():\n pass\n except:\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:While_L50_C12", "label": "while", "type": "while", "loc": [50, 51], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L49_C8", "vector": [5, 3, 0.1232, 0.0049, 3, 0.4, 0.0, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while self.nextset():\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L55_C8", "label": "self.connection =", "type": "assigned_variable", "loc": [55, 55], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L43_C4", "vector": [14, 2, 0.1341, 0.0024, 2, 0.27, 1.0, 685, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.connection", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.connection = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L57_C4", "label": "_get_db", "type": "function", "loc": [57, 60], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.1427, 0.0098, 1, 0.67, 0.1429, 298, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "_get_db", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _get_db(self):\n if not self.connection:\n self.errorhandler(self, ProgrammingError, \"cursor closed\")\n return self.connection"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L58_C8", "label": "if", "type": "if", "loc": [58, 59], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L57_C4", "vector": [4, 2, 0.1427, 0.0049, 2, 0.81, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self.connection:\n self.errorhandler(self, ProgrammingError, \"cursor closed\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L59_C12", "label": "errorhandler()", "type": "expression", "loc": [59, 59], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L58_C8", "vector": [8, 3, 0.1439, 0.0024, 3, 0.15, 0.0, 92, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "errorhandler", "arg_names": [], "import_names": [], "rhs_call_name": "errorhandler", "annotation": ""}, "snippet": " self.errorhandler(self, ProgrammingError, \"cursor closed\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L60_C8", "label": "return", "type": "return", "loc": [60, 60], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L57_C4", "vector": [13, 2, 0.1463, 0.0024, 2, 0.81, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.connection"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L62_C4", "label": "_check_executed", "type": "function", "loc": [62, 64], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.1537, 0.0073, 1, 0.67, 0.1786, 409, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_check_executed", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _check_executed(self):\n if not self._executed:\n self.errorhandler(self, ProgrammingError, \"execute() first\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L63_C8", "label": "if", "type": "if", "loc": [63, 64], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L62_C4", "vector": [4, 2, 0.1549, 0.0049, 2, 0.91, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self._executed:\n self.errorhandler(self, ProgrammingError, \"execute() first\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L64_C12", "label": "errorhandler()", "type": "expression", "loc": [64, 64], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L63_C8", "vector": [8, 3, 0.1561, 0.0024, 3, 0.1, 0.0, 92, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "errorhandler", "arg_names": [], "import_names": [], "rhs_call_name": "errorhandler", "annotation": ""}, "snippet": " self.errorhandler(self, ProgrammingError, \"execute() first\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L66_C4", "label": "setinputsizes", "type": "function", "loc": [66, 67], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.1622, 0.0049, 1, 0.67, 0.2143, 675, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "setinputsizes", "arg_names": ["self", "args"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def setinputsizes(self, *args):\n \"\"\"Does nothing, required by DB API.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L67_C8", "label": "expression", "type": "expression", "loc": [67, 67], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L66_C4", "vector": [8, 2, 0.1634, 0.0024, 2, 0.28, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Does nothing, required by DB API.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L69_C4", "label": "setoutputsizes", "type": "function", "loc": [69, 70], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.1695, 0.0049, 1, 0.67, 0.25, 395, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "setoutputsizes", "arg_names": ["self", "args"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def setoutputsizes(self, *args):\n \"\"\"Does nothing, required by DB API.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L70_C8", "label": "expression", "type": "expression", "loc": [70, 70], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L69_C4", "vector": [8, 2, 0.1707, 0.0024, 2, 0.0, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Does nothing, required by DB API.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "label": "nextset", "type": "function", "loc": [72, 83], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.189, 0.0293, 1, 0.67, 0.2857, 882, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "nextset", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def nextset(self):\n ''' Get the next query set '''\n if self._executed:\n self.fetchall()\n del self.messages[:]\n\n if not self._has_next:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L73_C8", "label": "expression", "type": "expression", "loc": [73, 73], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "vector": [8, 2, 0.178, 0.0024, 2, 0.05, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ''' Get the next query set '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L74_C8", "label": "if", "type": "if", "loc": [74, 75], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "vector": [4, 2, 0.1817, 0.0049, 2, 0.05, 0.1667, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._executed:\n self.fetchall()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L75_C12", "label": "fetchall()", "type": "expression", "loc": [75, 75], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L74_C8", "vector": [8, 3, 0.1829, 0.0024, 3, 0.5, 0.0, 133, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "fetchall", "arg_names": [], "import_names": [], "rhs_call_name": "fetchall", "annotation": ""}, "snippet": " self.fetchall()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L78_C8", "label": "if", "type": "if", "loc": [78, 79], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "vector": [4, 2, 0.1915, 0.0049, 2, 0.05, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self._has_next:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L79_C12", "label": "return", "type": "return", "loc": [79, 79], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L78_C8", "vector": [13, 3, 0.1927, 0.0024, 3, 0.98, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L80_C8", "label": "connection = _get_db()", "type": "assigned_variable", "loc": [80, 80], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "vector": [14, 2, 0.1951, 0.0024, 2, 0.05, 0.5, 351, 3, 0, 0, 0, 298, 10, 1], "semantic": {"name": "connection", "arg_names": [], "import_names": [], "rhs_call_name": "_get_db", "annotation": ""}, "snippet": " connection = self._get_db()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L81_C8", "label": "next_result()", "type": "expression", "loc": [81, 81], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "vector": [8, 2, 0.1976, 0.0024, 2, 0.05, 0.6667, 497, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "next_result", "arg_names": [], "import_names": [], "rhs_call_name": "next_result", "annotation": ""}, "snippet": " connection.next_result()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L82_C8", "label": "_do_get_result()", "type": "expression", "loc": [82, 82], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "vector": [8, 2, 0.2, 0.0024, 2, 0.05, 0.8333, 882, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_do_get_result", "arg_names": [], "import_names": [], "rhs_call_name": "_do_get_result", "annotation": ""}, "snippet": " self._do_get_result()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L83_C8", "label": "return", "type": "return", "loc": [83, 83], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "vector": [13, 2, 0.2024, 0.0024, 2, 0.05, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "label": "execute", "type": "function", "loc": [85, 120], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.25, 0.0878, 1, 0.67, 0.3214, 569, 0, 3, 1, 0, 0, 0, 16], "semantic": {"name": "execute", "arg_names": ["self", "query", "args"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def execute(self, query, args=None):\n ''' Execute a query '''\n from sys import exc_info\n\n conn = self._get_db()\n charset = conn.charset\n del self.messages[:]\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L86_C8", "label": "expression", "type": "expression", "loc": [86, 86], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "vector": [8, 2, 0.2098, 0.0024, 2, 0.91, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ''' Execute a query '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:ImportFrom_L87_C8", "label": "from sys import exc_info", "type": "import", "loc": [87, 87], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "vector": [1, 2, 0.2122, 0.0024, 2, 0.91, 0.1111, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["exc_info"], "rhs_call_name": "", "annotation": ""}, "snippet": " from sys import exc_info"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L89_C8", "label": "conn = _get_db()", "type": "assigned_variable", "loc": [89, 89], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "vector": [14, 2, 0.2171, 0.0024, 2, 0.91, 0.2222, 345, 3, 0, 0, 0, 298, 10, 1], "semantic": {"name": "conn", "arg_names": [], "import_names": [], "rhs_call_name": "_get_db", "annotation": ""}, "snippet": " conn = self._get_db()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L90_C8", "label": "charset =", "type": "assigned_variable", "loc": [90, 90], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "vector": [14, 2, 0.2195, 0.0024, 2, 0.91, 0.3333, 205, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "charset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " charset = conn.charset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L95_C8", "label": "if", "type": "if", "loc": [95, 96], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "vector": [4, 2, 0.2329, 0.0049, 2, 0.91, 0.4444, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(query, unicode):\n query = query.encode(charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L96_C12", "label": "query = encode()", "type": "assigned_variable", "loc": [96, 96], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L95_C8", "vector": [14, 3, 0.2341, 0.0024, 3, 0.54, 0.0, 546, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "query", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " query = query.encode(charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L98_C8", "label": "if", "type": "if", "loc": [98, 108], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "vector": [4, 2, 0.2512, 0.0268, 2, 0.91, 0.5556, 0, 0, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if args is not None:\n if isinstance(args, tuple) or isinstance(args, list):\n escaped_args = tuple(conn.escape(arg) for arg in args)\n elif isinstance(args, dict):\n escaped_args = dict((key, conn.escape(val)) for (key, val) in args.items())\n else:\n #If it's not a dictionary let's try escaping it anyways.\n #Worst case it will throw a Value error"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L99_C12", "label": "if", "type": "if", "loc": [99, 106], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L98_C8", "vector": [4, 3, 0.25, 0.0195, 3, 0.89, 0.0, 0, 0, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(args, tuple) or isinstance(args, list):\n escaped_args = tuple(conn.escape(arg) for arg in args)\n elif isinstance(args, dict):\n escaped_args = dict((key, conn.escape(val)) for (key, val) in args.items())\n else:\n #If it's not a dictionary let's try escaping it anyways.\n #Worst case it will throw a Value error\n escaped_args = conn.escape(args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L100_C16", "label": "escaped_args = tuple()", "type": "assigned_variable", "loc": [100, 100], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L99_C12", "vector": [14, 4, 0.2439, 0.0024, 4, 0.97, 0.0, 474, 3, 1, 0, 0, 259, 10, 2], "semantic": {"name": "escaped_args", "arg_names": [], "import_names": [], "rhs_call_name": "tuple", "annotation": ""}, "snippet": " escaped_args = tuple(conn.escape(arg) for arg in args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L101_C12", "label": "if", "type": "if", "loc": [101, 106], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L99_C12", "vector": [4, 4, 0.2524, 0.0146, 4, 0.97, 1.0, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(args, dict):\n escaped_args = dict((key, conn.escape(val)) for (key, val) in args.items())\n else:\n #If it's not a dictionary let's try escaping it anyways.\n #Worst case it will throw a Value error\n escaped_args = conn.escape(args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L102_C16", "label": "escaped_args = dict()", "type": "assigned_variable", "loc": [102, 102], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L101_C12", "vector": [14, 5, 0.2488, 0.0024, 5, 0.77, 0.0, 474, 3, 1, 0, 0, 827, 10, 3], "semantic": {"name": "escaped_args", "arg_names": [], "import_names": [], "rhs_call_name": "dict", "annotation": ""}, "snippet": " escaped_args = dict((key, conn.escape(val)) for (key, val) in args.items())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L106_C16", "label": "escaped_args = escape()", "type": "assigned_variable", "loc": [106, 106], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L101_C12", "vector": [14, 5, 0.2585, 0.0024, 5, 0.77, 1.0, 474, 3, 1, 0, 0, 494, 10, 1], "semantic": {"name": "escaped_args", "arg_names": [], "import_names": [], "rhs_call_name": "escape", "annotation": ""}, "snippet": " escaped_args = conn.escape(args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L108_C12", "label": "query =", "type": "assigned_variable", "loc": [108, 108], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L98_C8", "vector": [14, 3, 0.2634, 0.0024, 3, 0.89, 1.0, 546, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "query", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " query = query % escaped_args"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L110_C8", "label": "result =", "type": "assigned_variable", "loc": [110, 110], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "vector": [14, 2, 0.2683, 0.0024, 2, 0.91, 0.6667, 51, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L111_C8", "label": "try", "type": "try", "loc": [111, 117], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "vector": [7, 2, 0.278, 0.0171, 2, 0.91, 0.7778, 0, 0, 1, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n result = self._query(query)\n except:\n exc, value, tb = exc_info()\n del tb\n self.messages.append((exc,value))\n self.errorhandler(self, exc, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L112_C12", "label": "result = _query()", "type": "assigned_variable", "loc": [112, 112], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L111_C8", "vector": [14, 3, 0.2732, 0.0024, 3, 0.19, 0.0, 51, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "_query", "annotation": ""}, "snippet": " result = self._query(query)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L114_C12", "label": "exc, value, tb = exc_info()", "type": "assigned_variable", "loc": [114, 114], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L111_C8", "vector": [14, 3, 0.278, 0.0024, 3, 0.19, 0.0, 57, 3, 0, 0, 0, 289, 10, 1], "semantic": {"name": "exc, value, tb", "arg_names": [], "import_names": [], "rhs_call_name": "exc_info", "annotation": ""}, "snippet": " exc, value, tb = exc_info()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L116_C12", "label": "append()", "type": "expression", "loc": [116, 116], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L111_C8", "vector": [8, 3, 0.2829, 0.0024, 3, 0.19, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.messages.append((exc,value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L117_C12", "label": "errorhandler()", "type": "expression", "loc": [117, 117], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L111_C8", "vector": [8, 3, 0.2854, 0.0024, 3, 0.19, 1.0, 92, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "errorhandler", "arg_names": [], "import_names": [], "rhs_call_name": "errorhandler", "annotation": ""}, "snippet": " self.errorhandler(self, exc, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L119_C8", "label": "self._executed =", "type": "assigned_variable", "loc": [119, 119], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "vector": [14, 2, 0.2902, 0.0024, 2, 0.91, 0.8889, 76, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._executed", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._executed = query"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L120_C8", "label": "return", "type": "return", "loc": [120, 120], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "vector": [13, 2, 0.2927, 0.0024, 2, 0.91, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L122_C4", "label": "executemany", "type": "function", "loc": [122, 133], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.311, 0.0293, 1, 0.67, 0.3571, 175, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "executemany", "arg_names": ["self", "query", "args"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def executemany(self, query, args):\n ''' Run several data against one query '''\n del self.messages[:]\n #conn = self._get_db()\n if not args:\n return\n #charset = conn.charset\n #if isinstance(query, unicode):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L123_C8", "label": "expression", "type": "expression", "loc": [123, 123], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L122_C4", "vector": [8, 2, 0.3, 0.0024, 2, 0.08, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ''' Run several data against one query '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L126_C8", "label": "if", "type": "if", "loc": [126, 127], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L122_C4", "vector": [4, 2, 0.3085, 0.0049, 2, 0.08, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not args:\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L127_C12", "label": "return", "type": "return", "loc": [127, 127], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L126_C8", "vector": [13, 3, 0.3098, 0.0024, 3, 0.81, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L132_C8", "label": "self.rowcount = sum()", "type": "assigned_variable", "loc": [132, 132], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L122_C4", "vector": [14, 2, 0.322, 0.0024, 2, 0.08, 0.6667, 57, 3, 1, 0, 0, 824, 10, 2], "semantic": {"name": "self.rowcount", "arg_names": [], "import_names": [], "rhs_call_name": "sum", "annotation": ""}, "snippet": " self.rowcount = sum([ self.execute(query, arg) for arg in args ])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L133_C8", "label": "return", "type": "return", "loc": [133, 133], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L122_C4", "vector": [13, 2, 0.3244, 0.0024, 2, 0.08, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.rowcount"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "label": "callproc", "type": "function", "loc": [136, 180], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.3854, 0.1098, 1, 0.67, 0.3929, 329, 0, 3, 1, 0, 0, 0, 13], "semantic": {"name": "callproc", "arg_names": ["self", "procname", "args"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def callproc(self, procname, args=()):\n \"\"\"Execute stored procedure procname with args\n\n procname -- string, name of procedure to execute on server\n\n args -- Sequence of parameters to use with procedure\n\n Returns the original args."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L137_C8", "label": "expression", "type": "expression", "loc": [137, 163], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "vector": [8, 2, 0.3659, 0.0659, 2, 0.53, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Execute stored procedure procname with args\n\n procname -- string, name of procedure to execute on server\n\n args -- Sequence of parameters to use with procedure\n\n Returns the original args.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L164_C8", "label": "conn = _get_db()", "type": "assigned_variable", "loc": [164, 164], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "vector": [14, 2, 0.4, 0.0024, 2, 0.53, 0.1429, 345, 3, 0, 0, 0, 298, 10, 1], "semantic": {"name": "conn", "arg_names": [], "import_names": [], "rhs_call_name": "_get_db", "annotation": ""}, "snippet": " conn = self._get_db()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:For_L165_C8", "label": "for index, arg", "type": "for", "loc": [165, 170], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "vector": [6, 2, 0.4085, 0.0146, 2, 0.53, 0.2857, 759, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "index, arg", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for index, arg in enumerate(args):\n q = \"SET @_%s_%d=%s\" % (procname, index, conn.escape(arg))\n if isinstance(q, unicode):\n q = q.encode(conn.charset)\n self._query(q)\n self.nextset()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L166_C12", "label": "q =", "type": "assigned_variable", "loc": [166, 166], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:For_L165_C8", "vector": [14, 3, 0.4049, 0.0024, 3, 0.76, 0.0, 516, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "q", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " q = \"SET @_%s_%d=%s\" % (procname, index, conn.escape(arg))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L167_C12", "label": "if", "type": "if", "loc": [167, 168], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:For_L165_C8", "vector": [4, 3, 0.4085, 0.0049, 3, 0.76, 0.3333, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(q, unicode):\n q = q.encode(conn.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L168_C16", "label": "q = encode()", "type": "assigned_variable", "loc": [168, 168], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L167_C12", "vector": [14, 4, 0.4098, 0.0024, 4, 0.42, 0.0, 516, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "q", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " q = q.encode(conn.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L169_C12", "label": "_query()", "type": "expression", "loc": [169, 169], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:For_L165_C8", "vector": [8, 3, 0.4122, 0.0024, 3, 0.76, 0.6667, 908, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_query", "arg_names": [], "import_names": [], "rhs_call_name": "_query", "annotation": ""}, "snippet": " self._query(q)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L170_C12", "label": "nextset()", "type": "expression", "loc": [170, 170], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:For_L165_C8", "vector": [8, 3, 0.4146, 0.0024, 3, 0.76, 1.0, 882, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "nextset", "arg_names": [], "import_names": [], "rhs_call_name": "nextset", "annotation": ""}, "snippet": " self.nextset()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L172_C8", "label": "q =", "type": "assigned_variable", "loc": [172, 174], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "vector": [14, 2, 0.422, 0.0073, 2, 0.53, 0.4286, 516, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "q", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " q = \"CALL %s(%s)\" % (procname,\n ','.join(['@_%s_%d' % (procname, i)\n for i in range(len(args))]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L175_C8", "label": "if", "type": "if", "loc": [175, 176], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "vector": [4, 2, 0.428, 0.0049, 2, 0.53, 0.5714, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(q, unicode):\n q = q.encode(conn.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L176_C12", "label": "q = encode()", "type": "assigned_variable", "loc": [176, 176], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L175_C8", "vector": [14, 3, 0.4293, 0.0024, 3, 0.27, 0.0, 516, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "q", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " q = q.encode(conn.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L177_C8", "label": "_query()", "type": "expression", "loc": [177, 177], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "vector": [8, 2, 0.4317, 0.0024, 2, 0.53, 0.7143, 908, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_query", "arg_names": [], "import_names": [], "rhs_call_name": "_query", "annotation": ""}, "snippet": " self._query(q)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L178_C8", "label": "self._executed =", "type": "assigned_variable", "loc": [178, 178], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "vector": [14, 2, 0.4341, 0.0024, 2, 0.53, 0.8571, 76, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._executed", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._executed = q"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L180_C8", "label": "return", "type": "return", "loc": [180, 180], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "vector": [13, 2, 0.439, 0.0024, 2, 0.53, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return args"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L182_C4", "label": "fetchone", "type": "function", "loc": [182, 189], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.4524, 0.0195, 1, 0.67, 0.4286, 561, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "fetchone", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchone(self):\n ''' Fetch the next row '''\n self._check_executed()\n if self._rows is None or self.rownumber >= len(self._rows):\n return None\n result = self._rows[self.rownumber]\n self.rownumber += 1\n return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L183_C8", "label": "expression", "type": "expression", "loc": [183, 183], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L182_C4", "vector": [8, 2, 0.4463, 0.0024, 2, 0.85, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ''' Fetch the next row '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L184_C8", "label": "_check_executed()", "type": "expression", "loc": [184, 184], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L182_C4", "vector": [8, 2, 0.4488, 0.0024, 2, 0.85, 0.25, 409, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_check_executed", "arg_names": [], "import_names": [], "rhs_call_name": "_check_executed", "annotation": ""}, "snippet": " self._check_executed()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L185_C8", "label": "if", "type": "if", "loc": [185, 186], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L182_C4", "vector": [4, 2, 0.4524, 0.0049, 2, 0.85, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._rows is None or self.rownumber >= len(self._rows):\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L186_C12", "label": "return", "type": "return", "loc": [186, 186], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L185_C8", "vector": [13, 3, 0.4537, 0.0024, 3, 0.96, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L187_C8", "label": "result =", "type": "assigned_variable", "loc": [187, 187], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L182_C4", "vector": [14, 2, 0.4561, 0.0024, 2, 0.85, 0.75, 51, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result = self._rows[self.rownumber]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L189_C8", "label": "return", "type": "return", "loc": [189, 189], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L182_C4", "vector": [13, 2, 0.461, 0.0024, 2, 0.85, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "label": "fetchmany", "type": "function", "loc": [191, 199], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.4756, 0.022, 1, 0.67, 0.4643, 582, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "fetchmany", "arg_names": ["self", "size"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchmany(self, size=None):\n ''' Fetch several rows '''\n self._check_executed()\n end = self.rownumber + (size or self.arraysize)\n result = self._rows[self.rownumber:end]\n if self._rows is None:\n return None\n self.rownumber = min(end, len(self._rows))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L192_C8", "label": "expression", "type": "expression", "loc": [192, 192], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "vector": [8, 2, 0.4683, 0.0024, 2, 0.31, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ''' Fetch several rows '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L193_C8", "label": "_check_executed()", "type": "expression", "loc": [193, 193], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "vector": [8, 2, 0.4707, 0.0024, 2, 0.31, 0.1667, 409, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_check_executed", "arg_names": [], "import_names": [], "rhs_call_name": "_check_executed", "annotation": ""}, "snippet": " self._check_executed()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L194_C8", "label": "end =", "type": "assigned_variable", "loc": [194, 194], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "vector": [14, 2, 0.4732, 0.0024, 2, 0.31, 0.3333, 128, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "end", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " end = self.rownumber + (size or self.arraysize)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L195_C8", "label": "result =", "type": "assigned_variable", "loc": [195, 195], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "vector": [14, 2, 0.4756, 0.0024, 2, 0.31, 0.5, 51, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result = self._rows[self.rownumber:end]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L196_C8", "label": "if", "type": "if", "loc": [196, 197], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "vector": [4, 2, 0.4793, 0.0049, 2, 0.31, 0.6667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._rows is None:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L197_C12", "label": "return", "type": "return", "loc": [197, 197], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L196_C8", "vector": [13, 3, 0.4805, 0.0024, 3, 0.95, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L198_C8", "label": "self.rownumber = min()", "type": "assigned_variable", "loc": [198, 198], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "vector": [14, 2, 0.4829, 0.0024, 2, 0.31, 0.8333, 435, 3, 2, 0, 0, 867, 10, 2], "semantic": {"name": "self.rownumber", "arg_names": [], "import_names": [], "rhs_call_name": "min", "annotation": ""}, "snippet": " self.rownumber = min(end, len(self._rows))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L199_C8", "label": "return", "type": "return", "loc": [199, 199], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "vector": [13, 2, 0.4854, 0.0024, 2, 0.31, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "label": "fetchall", "type": "function", "loc": [201, 211], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.5024, 0.0268, 1, 0.67, 0.5, 133, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "fetchall", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchall(self):\n ''' Fetch all the rows '''\n self._check_executed()\n if self._rows is None:\n return None\n if self.rownumber:\n result = self._rows[self.rownumber:]\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L202_C8", "label": "expression", "type": "expression", "loc": [202, 202], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "vector": [8, 2, 0.4927, 0.0024, 2, 0.75, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ''' Fetch all the rows '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L203_C8", "label": "_check_executed()", "type": "expression", "loc": [203, 203], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "vector": [8, 2, 0.4951, 0.0024, 2, 0.75, 0.2, 409, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_check_executed", "arg_names": [], "import_names": [], "rhs_call_name": "_check_executed", "annotation": ""}, "snippet": " self._check_executed()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L204_C8", "label": "if", "type": "if", "loc": [204, 205], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "vector": [4, 2, 0.4988, 0.0049, 2, 0.75, 0.4, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._rows is None:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L205_C12", "label": "return", "type": "return", "loc": [205, 205], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L204_C8", "vector": [13, 3, 0.5, 0.0024, 3, 0.27, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L206_C8", "label": "if", "type": "if", "loc": [206, 209], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "vector": [4, 2, 0.5061, 0.0098, 2, 0.75, 0.6, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.rownumber:\n result = self._rows[self.rownumber:]\n else:\n result = self._rows"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L207_C12", "label": "result =", "type": "assigned_variable", "loc": [207, 207], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L206_C8", "vector": [14, 3, 0.5049, 0.0024, 3, 0.01, 0.0, 51, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result = self._rows[self.rownumber:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L209_C12", "label": "result =", "type": "assigned_variable", "loc": [209, 209], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L206_C8", "vector": [14, 3, 0.5098, 0.0024, 3, 0.01, 1.0, 51, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result = self._rows"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L210_C8", "label": "self.rownumber = len()", "type": "assigned_variable", "loc": [210, 210], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "vector": [14, 2, 0.5122, 0.0024, 2, 0.75, 0.8, 435, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "self.rownumber", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " self.rownumber = len(self._rows)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L211_C8", "label": "return", "type": "return", "loc": [211, 211], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "vector": [13, 2, 0.5146, 0.0024, 2, 0.75, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L213_C4", "label": "scroll", "type": "function", "loc": [213, 225], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.5341, 0.0317, 1, 0.67, 0.5357, 320, 0, 3, 0, 0, 0, 0, 4], "semantic": {"name": "scroll", "arg_names": ["self", "value", "mode"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def scroll(self, value, mode='relative'):\n self._check_executed()\n if mode == 'relative':\n r = self.rownumber + value\n elif mode == 'absolute':\n r = value\n else:\n self.errorhandler(self, ProgrammingError,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L214_C8", "label": "_check_executed()", "type": "expression", "loc": [214, 214], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L213_C4", "vector": [8, 2, 0.522, 0.0024, 2, 0.35, 0.0, 409, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_check_executed", "arg_names": [], "import_names": [], "rhs_call_name": "_check_executed", "annotation": ""}, "snippet": " self._check_executed()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L215_C8", "label": "if", "type": "if", "loc": [215, 221], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L213_C4", "vector": [4, 2, 0.5317, 0.0171, 2, 0.35, 0.3333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if mode == 'relative':\n r = self.rownumber + value\n elif mode == 'absolute':\n r = value\n else:\n self.errorhandler(self, ProgrammingError,\n \"unknown scroll mode %s\" % mode)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L216_C12", "label": "r =", "type": "assigned_variable", "loc": [216, 216], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L215_C8", "vector": [14, 3, 0.5268, 0.0024, 3, 0.49, 0.0, 436, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "r", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " r = self.rownumber + value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L217_C8", "label": "if", "type": "if", "loc": [217, 221], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L215_C8", "vector": [4, 3, 0.5341, 0.0122, 3, 0.49, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif mode == 'absolute':\n r = value\n else:\n self.errorhandler(self, ProgrammingError,\n \"unknown scroll mode %s\" % mode)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L218_C12", "label": "r =", "type": "assigned_variable", "loc": [218, 218], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L217_C8", "vector": [14, 4, 0.5317, 0.0024, 4, 0.14, 0.0, 436, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "r", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " r = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L220_C12", "label": "errorhandler()", "type": "expression", "loc": [220, 221], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L217_C8", "vector": [8, 4, 0.5378, 0.0049, 4, 0.14, 1.0, 92, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "errorhandler", "arg_names": [], "import_names": [], "rhs_call_name": "errorhandler", "annotation": ""}, "snippet": " self.errorhandler(self, ProgrammingError,\n \"unknown scroll mode %s\" % mode)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L223_C8", "label": "if", "type": "if", "loc": [223, 224], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L213_C4", "vector": [4, 2, 0.5451, 0.0049, 2, 0.35, 0.6667, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if r < 0 or r >= len(self._rows):\n self.errorhandler(self, IndexError, \"out of range\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L224_C12", "label": "errorhandler()", "type": "expression", "loc": [224, 224], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L223_C8", "vector": [8, 3, 0.5463, 0.0024, 3, 0.3, 0.0, 92, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "errorhandler", "arg_names": [], "import_names": [], "rhs_call_name": "errorhandler", "annotation": ""}, "snippet": " self.errorhandler(self, IndexError, \"out of range\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L225_C8", "label": "self.rownumber =", "type": "assigned_variable", "loc": [225, 225], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L213_C4", "vector": [14, 2, 0.5488, 0.0024, 2, 0.35, 1.0, 435, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.rownumber", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.rownumber = r"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L227_C4", "label": "_query", "type": "function", "loc": [227, 232], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.5598, 0.0146, 1, 0.67, 0.5714, 908, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "_query", "arg_names": ["self", "q"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _query(self, q):\n conn = self._get_db()\n self._last_executed = q\n conn.query(q)\n self._do_get_result()\n return self.rowcount"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L228_C8", "label": "conn = _get_db()", "type": "assigned_variable", "loc": [228, 228], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L227_C4", "vector": [14, 2, 0.5561, 0.0024, 2, 0.74, 0.0, 345, 3, 0, 0, 0, 298, 10, 1], "semantic": {"name": "conn", "arg_names": [], "import_names": [], "rhs_call_name": "_get_db", "annotation": ""}, "snippet": " conn = self._get_db()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L229_C8", "label": "self._last_executed =", "type": "assigned_variable", "loc": [229, 229], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L227_C4", "vector": [14, 2, 0.5585, 0.0024, 2, 0.74, 0.25, 872, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._last_executed", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._last_executed = q"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L230_C8", "label": "query()", "type": "expression", "loc": [230, 230], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L227_C4", "vector": [8, 2, 0.561, 0.0024, 2, 0.74, 0.5, 546, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "query", "arg_names": [], "import_names": [], "rhs_call_name": "query", "annotation": ""}, "snippet": " conn.query(q)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L231_C8", "label": "_do_get_result()", "type": "expression", "loc": [231, 231], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L227_C4", "vector": [8, 2, 0.5634, 0.0024, 2, 0.74, 0.75, 882, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_do_get_result", "arg_names": [], "import_names": [], "rhs_call_name": "_do_get_result", "annotation": ""}, "snippet": " self._do_get_result()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L232_C8", "label": "return", "type": "return", "loc": [232, 232], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L227_C4", "vector": [13, 2, 0.5659, 0.0024, 2, 0.74, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.rowcount"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "label": "_do_get_result", "type": "function", "loc": [234, 242], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.5805, 0.022, 1, 0.67, 0.6071, 882, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_do_get_result", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _do_get_result(self):\n conn = self._get_db()\n self.rowcount = conn._result.affected_rows\n\n self.rownumber = 0\n self.description = conn._result.description\n self.lastrowid = conn._result.insert_id\n self._rows = conn._result.rows"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L235_C8", "label": "conn = _get_db()", "type": "assigned_variable", "loc": [235, 235], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "vector": [14, 2, 0.5732, 0.0024, 2, 0.83, 0.0, 345, 3, 0, 0, 0, 298, 10, 1], "semantic": {"name": "conn", "arg_names": [], "import_names": [], "rhs_call_name": "_get_db", "annotation": ""}, "snippet": " conn = self._get_db()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L236_C8", "label": "self.rowcount =", "type": "assigned_variable", "loc": [236, 236], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "vector": [14, 2, 0.5756, 0.0024, 2, 0.83, 0.1667, 57, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.rowcount", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.rowcount = conn._result.affected_rows"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L238_C8", "label": "self.rownumber =", "type": "assigned_variable", "loc": [238, 238], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "vector": [14, 2, 0.5805, 0.0024, 2, 0.83, 0.3333, 435, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.rownumber", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.rownumber = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L239_C8", "label": "self.description =", "type": "assigned_variable", "loc": [239, 239], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "vector": [14, 2, 0.5829, 0.0024, 2, 0.83, 0.5, 171, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.description", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.description = conn._result.description"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L240_C8", "label": "self.lastrowid =", "type": "assigned_variable", "loc": [240, 240], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "vector": [14, 2, 0.5854, 0.0024, 2, 0.83, 0.6667, 811, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.lastrowid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.lastrowid = conn._result.insert_id"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L241_C8", "label": "self._rows =", "type": "assigned_variable", "loc": [241, 241], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "vector": [14, 2, 0.5878, 0.0024, 2, 0.83, 0.8333, 824, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._rows", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._rows = conn._result.rows"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L242_C8", "label": "self._has_next =", "type": "assigned_variable", "loc": [242, 242], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "vector": [14, 2, 0.5902, 0.0024, 2, 0.83, 1.0, 17, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._has_next", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._has_next = conn._result.has_next"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L244_C4", "label": "__iter__", "type": "function", "loc": [244, 245], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [2, 1, 0.5963, 0.0049, 1, 0.67, 0.6429, 891, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "__iter__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __iter__(self):\n return iter(self.fetchone, None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L245_C8", "label": "return", "type": "return", "loc": [245, 245], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L244_C4", "vector": [13, 2, 0.5976, 0.0024, 2, 0.19, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return iter(self.fetchone, None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L247_C4", "label": "Warning =", "type": "assigned_variable", "loc": [247, 247], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [14, 1, 0.6024, 0.0024, 1, 0.67, 0.6786, 781, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "Warning", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Warning = Warning"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L248_C4", "label": "Error =", "type": "assigned_variable", "loc": [248, 248], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [14, 1, 0.6049, 0.0024, 1, 0.67, 0.7143, 529, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "Error", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Error = Error"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L249_C4", "label": "InterfaceError =", "type": "assigned_variable", "loc": [249, 249], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [14, 1, 0.6073, 0.0024, 1, 0.67, 0.75, 681, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "InterfaceError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " InterfaceError = InterfaceError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L250_C4", "label": "DatabaseError =", "type": "assigned_variable", "loc": [250, 250], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [14, 1, 0.6098, 0.0024, 1, 0.67, 0.7857, 848, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "DatabaseError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DatabaseError = DatabaseError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L251_C4", "label": "DataError =", "type": "assigned_variable", "loc": [251, 251], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [14, 1, 0.6122, 0.0024, 1, 0.67, 0.8214, 88, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "DataError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DataError = DataError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L252_C4", "label": "OperationalError =", "type": "assigned_variable", "loc": [252, 252], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [14, 1, 0.6146, 0.0024, 1, 0.67, 0.8571, 379, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "OperationalError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " OperationalError = OperationalError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L253_C4", "label": "IntegrityError =", "type": "assigned_variable", "loc": [253, 253], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [14, 1, 0.6171, 0.0024, 1, 0.67, 0.8929, 69, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "IntegrityError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " IntegrityError = IntegrityError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L254_C4", "label": "InternalError =", "type": "assigned_variable", "loc": [254, 254], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [14, 1, 0.6195, 0.0024, 1, 0.67, 0.9286, 988, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "InternalError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " InternalError = InternalError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L255_C4", "label": "ProgrammingError =", "type": "assigned_variable", "loc": [255, 255], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [14, 1, 0.622, 0.0024, 1, 0.67, 0.9643, 524, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ProgrammingError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ProgrammingError = ProgrammingError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L256_C4", "label": "NotSupportedError =", "type": "assigned_variable", "loc": [256, 256], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "vector": [14, 1, 0.6244, 0.0024, 1, 0.67, 1.0, 135, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "NotSupportedError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " NotSupportedError = NotSupportedError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L258_C0", "label": "DictCursor", "type": "class", "loc": [258, 296], "level": 0, "parent": null, "vector": [3, 0, 0.6756, 0.0951, 0, 0.66, 0.8571, 672, 0, 4, 0, 0, 647, 0, 19], "semantic": {"name": "DictCursor", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class DictCursor(Cursor):\n \"\"\"A cursor which returns results as a dictionary\"\"\"\n\n def execute(self, query, args=None):\n result = super(DictCursor, self).execute(query, args)\n if self.description:\n self._fields = [ field[0] for field in self.description ]\n return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L259_C4", "label": "expression", "type": "expression", "loc": [259, 259], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L258_C0", "vector": [8, 1, 0.6317, 0.0024, 1, 0.35, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"A cursor which returns results as a dictionary\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L261_C4", "label": "execute", "type": "function", "loc": [261, 265], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L258_C0", "vector": [2, 1, 0.6415, 0.0122, 1, 0.35, 0.25, 569, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "execute", "arg_names": ["self", "query", "args"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def execute(self, query, args=None):\n result = super(DictCursor, self).execute(query, args)\n if self.description:\n self._fields = [ field[0] for field in self.description ]\n return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L262_C8", "label": "result = execute()", "type": "assigned_variable", "loc": [262, 262], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L261_C4", "vector": [14, 2, 0.639, 0.0024, 2, 0.93, 0.0, 51, 3, 2, 0, 0, 569, 10, 2], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "execute", "annotation": ""}, "snippet": " result = super(DictCursor, self).execute(query, args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L263_C8", "label": "if", "type": "if", "loc": [263, 264], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L261_C4", "vector": [4, 2, 0.6427, 0.0049, 2, 0.93, 0.5, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.description:\n self._fields = [ field[0] for field in self.description ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L264_C12", "label": "self._fields =", "type": "assigned_variable", "loc": [264, 264], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L263_C8", "vector": [14, 3, 0.6439, 0.0024, 3, 0.51, 0.0, 552, 5, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._fields", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._fields = [ field[0] for field in self.description ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L265_C8", "label": "return", "type": "return", "loc": [265, 265], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L261_C4", "vector": [13, 2, 0.6463, 0.0024, 2, 0.93, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L267_C4", "label": "fetchone", "type": "function", "loc": [267, 274], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L258_C0", "vector": [2, 1, 0.6598, 0.0195, 1, 0.35, 0.5, 561, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "fetchone", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchone(self):\n ''' Fetch the next row '''\n self._check_executed()\n if self._rows is None or self.rownumber >= len(self._rows):\n return None\n result = dict(zip(self._fields, self._rows[self.rownumber]))\n self.rownumber += 1\n return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L268_C8", "label": "expression", "type": "expression", "loc": [268, 268], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L267_C4", "vector": [8, 2, 0.6537, 0.0024, 2, 0.45, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ''' Fetch the next row '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L269_C8", "label": "_check_executed()", "type": "expression", "loc": [269, 269], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L267_C4", "vector": [8, 2, 0.6561, 0.0024, 2, 0.45, 0.25, 409, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_check_executed", "arg_names": [], "import_names": [], "rhs_call_name": "_check_executed", "annotation": ""}, "snippet": " self._check_executed()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L270_C8", "label": "if", "type": "if", "loc": [270, 271], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L267_C4", "vector": [4, 2, 0.6598, 0.0049, 2, 0.45, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._rows is None or self.rownumber >= len(self._rows):\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L271_C12", "label": "return", "type": "return", "loc": [271, 271], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L270_C8", "vector": [13, 3, 0.661, 0.0024, 3, 0.89, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L272_C8", "label": "result = dict()", "type": "assigned_variable", "loc": [272, 272], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L267_C4", "vector": [14, 2, 0.6634, 0.0024, 2, 0.45, 0.75, 51, 3, 1, 0, 0, 827, 10, 2], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "dict", "annotation": ""}, "snippet": " result = dict(zip(self._fields, self._rows[self.rownumber]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L274_C8", "label": "return", "type": "return", "loc": [274, 274], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L267_C4", "vector": [13, 2, 0.6683, 0.0024, 2, 0.45, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "label": "fetchmany", "type": "function", "loc": [276, 284], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L258_C0", "vector": [2, 1, 0.6829, 0.022, 1, 0.35, 0.75, 582, 0, 2, 1, 0, 0, 0, 6], "semantic": {"name": "fetchmany", "arg_names": ["self", "size"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchmany(self, size=None):\n ''' Fetch several rows '''\n self._check_executed()\n if self._rows is None:\n return None\n end = self.rownumber + (size or self.arraysize)\n result = [ dict(zip(self._fields, r)) for r in self._rows[self.rownumber:end] ]\n self.rownumber = min(end, len(self._rows))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L277_C8", "label": "expression", "type": "expression", "loc": [277, 277], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "vector": [8, 2, 0.6756, 0.0024, 2, 0.39, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ''' Fetch several rows '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L278_C8", "label": "_check_executed()", "type": "expression", "loc": [278, 278], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "vector": [8, 2, 0.678, 0.0024, 2, 0.39, 0.1667, 409, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_check_executed", "arg_names": [], "import_names": [], "rhs_call_name": "_check_executed", "annotation": ""}, "snippet": " self._check_executed()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L279_C8", "label": "if", "type": "if", "loc": [279, 280], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "vector": [4, 2, 0.6817, 0.0049, 2, 0.39, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._rows is None:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L280_C12", "label": "return", "type": "return", "loc": [280, 280], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L279_C8", "vector": [13, 3, 0.6829, 0.0024, 3, 0.41, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L281_C8", "label": "end =", "type": "assigned_variable", "loc": [281, 281], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "vector": [14, 2, 0.6854, 0.0024, 2, 0.39, 0.5, 128, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "end", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " end = self.rownumber + (size or self.arraysize)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L282_C8", "label": "result =", "type": "assigned_variable", "loc": [282, 282], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "vector": [14, 2, 0.6878, 0.0024, 2, 0.39, 0.6667, 51, 5, 0, 0, 0, 0, 0, 2], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result = [ dict(zip(self._fields, r)) for r in self._rows[self.rownumber:end] ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L283_C8", "label": "self.rownumber = min()", "type": "assigned_variable", "loc": [283, 283], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "vector": [14, 2, 0.6902, 0.0024, 2, 0.39, 0.8333, 435, 3, 2, 0, 0, 867, 10, 2], "semantic": {"name": "self.rownumber", "arg_names": [], "import_names": [], "rhs_call_name": "min", "annotation": ""}, "snippet": " self.rownumber = min(end, len(self._rows))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L284_C8", "label": "return", "type": "return", "loc": [284, 284], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "vector": [13, 2, 0.6927, 0.0024, 2, 0.39, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return tuple(result)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "label": "fetchall", "type": "function", "loc": [286, 296], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L258_C0", "vector": [2, 1, 0.7098, 0.0268, 1, 0.35, 1.0, 133, 0, 1, 1, 0, 0, 0, 7], "semantic": {"name": "fetchall", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchall(self):\n ''' Fetch all the rows '''\n self._check_executed()\n if self._rows is None:\n return None\n if self.rownumber:\n result = [ dict(zip(self._fields, r)) for r in self._rows[self.rownumber:] ]\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L287_C8", "label": "expression", "type": "expression", "loc": [287, 287], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "vector": [8, 2, 0.7, 0.0024, 2, 0.09, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ''' Fetch all the rows '''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L288_C8", "label": "_check_executed()", "type": "expression", "loc": [288, 288], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "vector": [8, 2, 0.7024, 0.0024, 2, 0.09, 0.2, 409, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_check_executed", "arg_names": [], "import_names": [], "rhs_call_name": "_check_executed", "annotation": ""}, "snippet": " self._check_executed()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L289_C8", "label": "if", "type": "if", "loc": [289, 290], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "vector": [4, 2, 0.7061, 0.0049, 2, 0.09, 0.4, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._rows is None:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L290_C12", "label": "return", "type": "return", "loc": [290, 290], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L289_C8", "vector": [13, 3, 0.7073, 0.0024, 3, 0.29, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L291_C8", "label": "if", "type": "if", "loc": [291, 294], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "vector": [4, 2, 0.7134, 0.0098, 2, 0.09, 0.6, 0, 7, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.rownumber:\n result = [ dict(zip(self._fields, r)) for r in self._rows[self.rownumber:] ]\n else:\n result = [ dict(zip(self._fields, r)) for r in self._rows ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L292_C12", "label": "result =", "type": "assigned_variable", "loc": [292, 292], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L291_C8", "vector": [14, 3, 0.7122, 0.0024, 3, 0.21, 0.0, 51, 5, 0, 0, 0, 0, 0, 2], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result = [ dict(zip(self._fields, r)) for r in self._rows[self.rownumber:] ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L294_C12", "label": "result =", "type": "assigned_variable", "loc": [294, 294], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L291_C8", "vector": [14, 3, 0.7171, 0.0024, 3, 0.21, 1.0, 51, 5, 0, 0, 0, 0, 0, 2], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result = [ dict(zip(self._fields, r)) for r in self._rows ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L295_C8", "label": "self.rownumber = len()", "type": "assigned_variable", "loc": [295, 295], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "vector": [14, 2, 0.7195, 0.0024, 2, 0.09, 0.8, 435, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "self.rownumber", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " self.rownumber = len(self._rows)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L296_C8", "label": "return", "type": "return", "loc": [296, 296], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "vector": [13, 2, 0.722, 0.0024, 2, 0.09, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return tuple(result)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "label": "SSCursor", "type": "class", "loc": [298, 410], "level": 0, "parent": null, "vector": [3, 0, 0.8634, 0.2756, 0, 0.66, 1.0, 341, 0, 8, 0, 0, 647, 0, 28], "semantic": {"name": "SSCursor", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class SSCursor(Cursor):\n \"\"\"\n Unbuffered Cursor, mainly useful for queries that return a lot of data,\n or for connections to remote servers over a slow network.\n \n Instead of copying every row of data into a buffer, this will fetch\n rows as needed. The upside of this, is the client uses much less memory,\n and rows are returned much faster when traveling over a slow network,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L299_C4", "label": "expression", "type": "expression", "loc": [299, 312], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "vector": [8, 1, 0.7451, 0.0341, 1, 0.53, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Unbuffered Cursor, mainly useful for queries that return a lot of data,\n or for connections to remote servers over a slow network.\n \n Instead of copying every row of data into a buffer, this will fetch\n rows as needed. The upside of this, is the client uses much less memory,\n and rows are returned much faster when traveling over a slow network,\n or if the result set is very big."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L314_C4", "label": "close", "type": "function", "loc": [314, 321], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "vector": [2, 1, 0.7744, 0.0195, 1, 0.53, 0.125, 77, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "close", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def close(self):\n conn = self._get_db()\n conn._result._finish_unbuffered_query()\n \n try:\n if self._has_next:\n while self.nextset(): pass\n except: pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L315_C8", "label": "conn = _get_db()", "type": "assigned_variable", "loc": [315, 315], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L314_C4", "vector": [14, 2, 0.7683, 0.0024, 2, 0.07, 0.0, 345, 3, 0, 0, 0, 298, 10, 1], "semantic": {"name": "conn", "arg_names": [], "import_names": [], "rhs_call_name": "_get_db", "annotation": ""}, "snippet": " conn = self._get_db()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L316_C8", "label": "_finish_unbuffered_query()", "type": "expression", "loc": [316, 316], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L314_C4", "vector": [8, 2, 0.7707, 0.0024, 2, 0.07, 0.5, 930, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_finish_unbuffered_query", "arg_names": [], "import_names": [], "rhs_call_name": "_finish_unbuffered_query", "annotation": ""}, "snippet": " conn._result._finish_unbuffered_query()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L318_C8", "label": "try", "type": "try", "loc": [318, 321], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L314_C4", "vector": [7, 2, 0.7793, 0.0098, 2, 0.07, 1.0, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n if self._has_next:\n while self.nextset(): pass\n except: pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L319_C12", "label": "if", "type": "if", "loc": [319, 320], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L318_C8", "vector": [4, 3, 0.7793, 0.0049, 3, 0.08, 0.0, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._has_next:\n while self.nextset(): pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:While_L320_C16", "label": "while", "type": "while", "loc": [320, 320], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L319_C12", "vector": [5, 4, 0.7805, 0.0024, 4, 0.29, 0.0, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while self.nextset(): pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L323_C4", "label": "_query", "type": "function", "loc": [323, 328], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "vector": [2, 1, 0.7939, 0.0146, 1, 0.53, 0.25, 908, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "_query", "arg_names": ["self", "q"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _query(self, q):\n conn = self._get_db()\n self._last_executed = q\n conn.query(q, unbuffered=True)\n self._do_get_result()\n return self.rowcount"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L324_C8", "label": "conn = _get_db()", "type": "assigned_variable", "loc": [324, 324], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L323_C4", "vector": [14, 2, 0.7902, 0.0024, 2, 0.02, 0.0, 345, 3, 0, 0, 0, 298, 10, 1], "semantic": {"name": "conn", "arg_names": [], "import_names": [], "rhs_call_name": "_get_db", "annotation": ""}, "snippet": " conn = self._get_db()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L325_C8", "label": "self._last_executed =", "type": "assigned_variable", "loc": [325, 325], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L323_C4", "vector": [14, 2, 0.7927, 0.0024, 2, 0.02, 0.25, 872, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._last_executed", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._last_executed = q"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L326_C8", "label": "query()", "type": "expression", "loc": [326, 326], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L323_C4", "vector": [8, 2, 0.7951, 0.0024, 2, 0.02, 0.5, 546, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "query", "arg_names": [], "import_names": [], "rhs_call_name": "query", "annotation": ""}, "snippet": " conn.query(q, unbuffered=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L327_C8", "label": "_do_get_result()", "type": "expression", "loc": [327, 327], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L323_C4", "vector": [8, 2, 0.7976, 0.0024, 2, 0.02, 0.75, 882, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_do_get_result", "arg_names": [], "import_names": [], "rhs_call_name": "_do_get_result", "annotation": ""}, "snippet": " self._do_get_result()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L328_C8", "label": "return", "type": "return", "loc": [328, 328], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L323_C4", "vector": [13, 2, 0.8, 0.0024, 2, 0.02, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.rowcount"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L330_C4", "label": "read_next", "type": "function", "loc": [330, 335], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "vector": [2, 1, 0.811, 0.0146, 1, 0.53, 0.375, 151, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "read_next", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def read_next(self):\n \"\"\" Read next row \"\"\"\n \n conn = self._get_db()\n conn._result._read_rowdata_packet_unbuffered()\n return conn._result.rows"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L331_C8", "label": "expression", "type": "expression", "loc": [331, 331], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L330_C4", "vector": [8, 2, 0.8073, 0.0024, 2, 0.44, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" Read next row \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L333_C8", "label": "conn = _get_db()", "type": "assigned_variable", "loc": [333, 333], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L330_C4", "vector": [14, 2, 0.8122, 0.0024, 2, 0.44, 0.3333, 345, 3, 0, 0, 0, 298, 10, 1], "semantic": {"name": "conn", "arg_names": [], "import_names": [], "rhs_call_name": "_get_db", "annotation": ""}, "snippet": " conn = self._get_db()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L334_C8", "label": "_read_rowdata_packet_unbuffered()", "type": "expression", "loc": [334, 334], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L330_C4", "vector": [8, 2, 0.8146, 0.0024, 2, 0.44, 0.6667, 967, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_read_rowdata_packet_unbuffered", "arg_names": [], "import_names": [], "rhs_call_name": "_read_rowdata_packet_unbuffered", "annotation": ""}, "snippet": " conn._result._read_rowdata_packet_unbuffered()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L335_C8", "label": "return", "type": "return", "loc": [335, 335], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L330_C4", "vector": [13, 2, 0.8171, 0.0024, 2, 0.44, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return conn._result.rows"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L337_C4", "label": "fetchone", "type": "function", "loc": [337, 345], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "vector": [2, 1, 0.8317, 0.022, 1, 0.53, 0.5, 561, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "fetchone", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchone(self):\n \"\"\" Fetch next row \"\"\"\n \n self._check_executed()\n row = self.read_next()\n if row is None:\n return None\n self.rownumber += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L338_C8", "label": "expression", "type": "expression", "loc": [338, 338], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L337_C4", "vector": [8, 2, 0.8244, 0.0024, 2, 0.16, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" Fetch next row \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L340_C8", "label": "_check_executed()", "type": "expression", "loc": [340, 340], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L337_C4", "vector": [8, 2, 0.8293, 0.0024, 2, 0.16, 0.25, 409, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_check_executed", "arg_names": [], "import_names": [], "rhs_call_name": "_check_executed", "annotation": ""}, "snippet": " self._check_executed()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L341_C8", "label": "row = read_next()", "type": "assigned_variable", "loc": [341, 341], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L337_C4", "vector": [14, 2, 0.8317, 0.0024, 2, 0.16, 0.5, 767, 3, 0, 0, 0, 151, 10, 1], "semantic": {"name": "row", "arg_names": [], "import_names": [], "rhs_call_name": "read_next", "annotation": ""}, "snippet": " row = self.read_next()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L342_C8", "label": "if", "type": "if", "loc": [342, 343], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L337_C4", "vector": [4, 2, 0.8354, 0.0049, 2, 0.16, 0.75, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if row is None:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L343_C12", "label": "return", "type": "return", "loc": [343, 343], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L342_C8", "vector": [13, 3, 0.8366, 0.0024, 3, 0.12, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L345_C8", "label": "return", "type": "return", "loc": [345, 345], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L337_C4", "vector": [13, 2, 0.8415, 0.0024, 2, 0.16, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return row"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L347_C4", "label": "fetchall", "type": "function", "loc": [347, 360], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "vector": [2, 1, 0.8622, 0.0341, 1, 0.53, 0.625, 133, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "fetchall", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchall(self):\n \"\"\"\n Fetch all, as per MySQLdb. Pretty useless for large queries, as\n it is buffered. See fetchall_unbuffered(), if you want an unbuffered\n generator version of this method.\n \"\"\"\n \n rows = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L348_C8", "label": "expression", "type": "expression", "loc": [348, 352], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L347_C4", "vector": [8, 2, 0.8537, 0.0122, 2, 0.07, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Fetch all, as per MySQLdb. Pretty useless for large queries, as\n it is buffered. See fetchall_unbuffered(), if you want an unbuffered\n generator version of this method.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L354_C8", "label": "rows =", "type": "assigned_variable", "loc": [354, 354], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L347_C4", "vector": [14, 2, 0.8634, 0.0024, 2, 0.07, 0.3333, 275, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "rows", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " rows = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:While_L355_C8", "label": "while", "type": "while", "loc": [355, 359], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L347_C4", "vector": [5, 2, 0.8707, 0.0122, 2, 0.07, 0.6667, 0, 1, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while True:\n row = self.fetchone()\n if row is None:\n break\n rows.append(row)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L356_C12", "label": "row = fetchone()", "type": "assigned_variable", "loc": [356, 356], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:While_L355_C8", "vector": [14, 3, 0.8683, 0.0024, 3, 0.75, 0.0, 767, 3, 0, 0, 0, 561, 10, 1], "semantic": {"name": "row", "arg_names": [], "import_names": [], "rhs_call_name": "fetchone", "annotation": ""}, "snippet": " row = self.fetchone()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L357_C12", "label": "if", "type": "if", "loc": [357, 358], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:While_L355_C8", "vector": [4, 3, 0.872, 0.0049, 3, 0.75, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if row is None:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L359_C12", "label": "append()", "type": "expression", "loc": [359, 359], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:While_L355_C8", "vector": [8, 3, 0.8756, 0.0024, 3, 0.75, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " rows.append(row)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L360_C8", "label": "return", "type": "return", "loc": [360, 360], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L347_C4", "vector": [13, 2, 0.878, 0.0024, 2, 0.07, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return tuple(rows)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L362_C4", "label": "fetchall_unbuffered", "type": "function", "loc": [362, 372], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "vector": [2, 1, 0.8951, 0.0268, 1, 0.53, 0.75, 230, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "fetchall_unbuffered", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchall_unbuffered(self):\n \"\"\"\n Fetch all, implemented as a generator, which isn't to standard,\n however, it doesn't make sense to return everything in a list, as that\n would use ridiculous memory for large result sets.\n \"\"\"\n \n row = self.fetchone()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L363_C8", "label": "expression", "type": "expression", "loc": [363, 367], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L362_C4", "vector": [8, 2, 0.8902, 0.0122, 2, 0.69, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Fetch all, implemented as a generator, which isn't to standard,\n however, it doesn't make sense to return everything in a list, as that\n would use ridiculous memory for large result sets.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L369_C8", "label": "row = fetchone()", "type": "assigned_variable", "loc": [369, 369], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L362_C4", "vector": [14, 2, 0.9, 0.0024, 2, 0.69, 0.5, 767, 3, 0, 0, 0, 561, 10, 1], "semantic": {"name": "row", "arg_names": [], "import_names": [], "rhs_call_name": "fetchone", "annotation": ""}, "snippet": " row = self.fetchone()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:While_L370_C8", "label": "while", "type": "while", "loc": [370, 372], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L362_C4", "vector": [5, 2, 0.9049, 0.0073, 2, 0.69, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while row is not None:\n yield row\n row = self.fetchone()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L371_C12", "label": "expression", "type": "expression", "loc": [371, 371], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:While_L370_C8", "vector": [8, 3, 0.9049, 0.0024, 3, 0.89, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield row"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L372_C12", "label": "row = fetchone()", "type": "assigned_variable", "loc": [372, 372], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:While_L370_C8", "vector": [14, 3, 0.9073, 0.0024, 3, 0.89, 1.0, 767, 3, 0, 0, 0, 561, 10, 1], "semantic": {"name": "row", "arg_names": [], "import_names": [], "rhs_call_name": "fetchone", "annotation": ""}, "snippet": " row = self.fetchone()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "label": "fetchmany", "type": "function", "loc": [374, 388], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "vector": [2, 1, 0.9293, 0.0366, 1, 0.53, 0.875, 582, 0, 2, 1, 0, 0, 0, 5], "semantic": {"name": "fetchmany", "arg_names": ["self", "size"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchmany(self, size=None):\n \"\"\" Fetch many \"\"\"\n \n self._check_executed()\n if size is None:\n size = self.arraysize\n \n rows = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L375_C8", "label": "expression", "type": "expression", "loc": [375, 375], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "vector": [8, 2, 0.9146, 0.0024, 2, 0.65, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" Fetch many \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L377_C8", "label": "_check_executed()", "type": "expression", "loc": [377, 377], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "vector": [8, 2, 0.9195, 0.0024, 2, 0.65, 0.2, 409, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_check_executed", "arg_names": [], "import_names": [], "rhs_call_name": "_check_executed", "annotation": ""}, "snippet": " self._check_executed()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L378_C8", "label": "if", "type": "if", "loc": [378, 379], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "vector": [4, 2, 0.9232, 0.0049, 2, 0.65, 0.4, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if size is None:\n size = self.arraysize"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L379_C12", "label": "size =", "type": "assigned_variable", "loc": [379, 379], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L378_C8", "vector": [14, 3, 0.9244, 0.0024, 3, 0.39, 0.0, 714, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "size", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " size = self.arraysize"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L381_C8", "label": "rows =", "type": "assigned_variable", "loc": [381, 381], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "vector": [14, 2, 0.9293, 0.0024, 2, 0.65, 0.6, 275, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "rows", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " rows = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:For_L382_C8", "label": "for i", "type": "for", "loc": [382, 387], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "vector": [6, 2, 0.9378, 0.0146, 2, 0.65, 0.8, 826, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(0, size):\n row = self.read_next()\n if row is None:\n break\n rows.append(row)\n self.rownumber += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L383_C12", "label": "row = read_next()", "type": "assigned_variable", "loc": [383, 383], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:For_L382_C8", "vector": [14, 3, 0.9341, 0.0024, 3, 0.31, 0.0, 767, 3, 0, 0, 0, 151, 10, 1], "semantic": {"name": "row", "arg_names": [], "import_names": [], "rhs_call_name": "read_next", "annotation": ""}, "snippet": " row = self.read_next()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L384_C12", "label": "if", "type": "if", "loc": [384, 385], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:For_L382_C8", "vector": [4, 3, 0.9378, 0.0049, 3, 0.31, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if row is None:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L386_C12", "label": "append()", "type": "expression", "loc": [386, 386], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:For_L382_C8", "vector": [8, 3, 0.9415, 0.0024, 3, 0.31, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " rows.append(row)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L388_C8", "label": "return", "type": "return", "loc": [388, 388], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "vector": [13, 2, 0.9463, 0.0024, 2, 0.65, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return tuple(rows)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L390_C4", "label": "scroll", "type": "function", "loc": [390, 410], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "vector": [2, 1, 0.9756, 0.0512, 1, 0.53, 1.0, 320, 0, 3, 0, 0, 0, 0, 8], "semantic": {"name": "scroll", "arg_names": ["self", "value", "mode"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def scroll(self, value, mode='relative'):\n self._check_executed()\n if not mode == 'relative' and not mode == 'absolute':\n self.errorhandler(self, ProgrammingError,\n \"unknown scroll mode %s\" % mode)\n \n if mode == 'relative':\n if value < 0:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L391_C8", "label": "_check_executed()", "type": "expression", "loc": [391, 391], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L390_C4", "vector": [8, 2, 0.9537, 0.0024, 2, 0.69, 0.0, 409, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_check_executed", "arg_names": [], "import_names": [], "rhs_call_name": "_check_executed", "annotation": ""}, "snippet": " self._check_executed()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L392_C8", "label": "if", "type": "if", "loc": [392, 394], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L390_C4", "vector": [4, 2, 0.9585, 0.0073, 2, 0.69, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not mode == 'relative' and not mode == 'absolute':\n self.errorhandler(self, ProgrammingError,\n \"unknown scroll mode %s\" % mode)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L393_C12", "label": "errorhandler()", "type": "expression", "loc": [393, 394], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L392_C8", "vector": [8, 3, 0.9598, 0.0049, 3, 0.73, 0.0, 92, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "errorhandler", "arg_names": [], "import_names": [], "rhs_call_name": "errorhandler", "annotation": ""}, "snippet": " self.errorhandler(self, ProgrammingError,\n \"unknown scroll mode %s\" % mode)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "label": "if", "type": "if", "loc": [396, 410], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L390_C4", "vector": [4, 2, 0.9829, 0.0366, 2, 0.69, 1.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if mode == 'relative':\n if value < 0:\n self.errorhandler(self, NotSupportedError,\n \"Backwards scrolling not supported by this cursor\")\n \n for i in range(0, value): self.read_next()\n self.rownumber += value\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L397_C12", "label": "if", "type": "if", "loc": [397, 399], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "vector": [4, 3, 0.9707, 0.0073, 3, 0.47, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value < 0:\n self.errorhandler(self, NotSupportedError,\n \"Backwards scrolling not supported by this cursor\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L398_C16", "label": "errorhandler()", "type": "expression", "loc": [398, 399], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L397_C12", "vector": [8, 4, 0.972, 0.0049, 4, 0.07, 0.0, 92, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "errorhandler", "arg_names": [], "import_names": [], "rhs_call_name": "errorhandler", "annotation": ""}, "snippet": " self.errorhandler(self, NotSupportedError,\n \"Backwards scrolling not supported by this cursor\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:For_L401_C12", "label": "for i", "type": "for", "loc": [401, 401], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "vector": [6, 3, 0.978, 0.0024, 3, 0.47, 0.2, 826, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(0, value): self.read_next()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L401_C38", "label": "read_next()", "type": "expression", "loc": [401, 401], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:For_L401_C12", "vector": [8, 4, 0.978, 0.0024, 4, 0.81, 0.0, 151, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "read_next", "arg_names": [], "import_names": [], "rhs_call_name": "read_next", "annotation": ""}, "snippet": " for i in range(0, value): self.read_next()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:If_L404_C12", "label": "if", "type": "if", "loc": [404, 406], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "vector": [4, 3, 0.9878, 0.0073, 3, 0.47, 0.4, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value < self.rownumber:\n self.errorhandler(self, NotSupportedError,\n \"Backwards scrolling not supported by this cursor\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L405_C16", "label": "errorhandler()", "type": "expression", "loc": [405, 406], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L404_C12", "vector": [8, 4, 0.989, 0.0049, 4, 0.54, 0.0, 92, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "errorhandler", "arg_names": [], "import_names": [], "rhs_call_name": "errorhandler", "annotation": ""}, "snippet": " self.errorhandler(self, NotSupportedError,\n \"Backwards scrolling not supported by this cursor\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L408_C12", "label": "end =", "type": "assigned_variable", "loc": [408, 408], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "vector": [14, 3, 0.9951, 0.0024, 3, 0.47, 0.6, 128, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "end", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " end = value - self.rownumber"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:For_L409_C12", "label": "for i", "type": "for", "loc": [409, 409], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "vector": [6, 3, 0.9976, 0.0024, 3, 0.47, 0.8, 826, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(0, end): self.read_next()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L409_C36", "label": "read_next()", "type": "expression", "loc": [409, 409], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:For_L409_C12", "vector": [8, 4, 0.9976, 0.0024, 4, 0.7, 0.0, 151, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "read_next", "arg_names": [], "import_names": [], "rhs_call_name": "read_next", "annotation": ""}, "snippet": " for i in range(0, end): self.read_next()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L410_C12", "label": "self.rownumber =", "type": "assigned_variable", "loc": [410, 410], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "vector": [14, 3, 1.0, 0.0024, 3, 0.47, 1.0, 435, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.rownumber", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.rownumber = value"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L5_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Import_L6_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L5_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Import_L8_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L17_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L21_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:ImportFrom_L25_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L26_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L27_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L28_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L29_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L30_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L31_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L32_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L33_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L34_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L35_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L37_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L37_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L38_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L37_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L41_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L43_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L44_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L47_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L47_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L48_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L49_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L49_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:While_L50_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L55_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L57_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L57_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L58_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L58_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L59_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L57_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L60_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L62_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L62_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L63_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L63_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L64_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L66_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L66_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L67_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L69_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L69_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L70_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L73_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L74_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L74_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L75_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L78_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L78_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L79_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L80_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L81_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L82_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L83_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L86_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:ImportFrom_L87_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L89_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L90_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L95_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L95_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L96_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L98_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L98_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L99_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L99_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L100_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L99_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L101_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L101_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L102_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L101_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L106_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L98_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L108_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L110_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L111_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L111_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L112_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L111_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L114_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L111_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L116_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L111_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L117_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L119_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L85_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L120_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L122_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L122_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L123_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L122_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L126_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L126_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L127_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L122_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L132_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L122_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L133_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L137_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L164_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:For_L165_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:For_L165_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L166_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:For_L165_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L167_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L167_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L168_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:For_L165_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L169_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:For_L165_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L170_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L172_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L175_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L175_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L176_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L177_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L178_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L136_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L180_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L182_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L183_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L184_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L185_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L185_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L186_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L187_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L182_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L189_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L192_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L193_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L194_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L195_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L196_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L196_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L197_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L198_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L199_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L202_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L203_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L204_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L204_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L205_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L206_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L206_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L207_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L206_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L209_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L210_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L201_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L211_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L213_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L213_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L214_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L213_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L215_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L215_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L216_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L215_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L217_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L217_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L218_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L217_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L220_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L213_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L223_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L223_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L224_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L213_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L225_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L227_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L228_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L229_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L230_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L231_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L232_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L235_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L236_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L238_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L239_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L240_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L241_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L234_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L242_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L244_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L245_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L247_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L248_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L249_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L250_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L251_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L252_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L253_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L254_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L255_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L256_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L258_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L259_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L258_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L261_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L262_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L263_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L263_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L264_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L265_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L258_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L267_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L268_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L269_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L270_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L270_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L271_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L272_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L274_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L258_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L277_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L278_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L279_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L279_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L280_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L281_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L282_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L283_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L276_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L284_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L258_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L287_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L288_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L289_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L289_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L290_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L291_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L291_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L292_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L291_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L294_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L295_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L296_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L299_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L314_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L314_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L315_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L314_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L316_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L314_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L318_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:Try_L318_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L319_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L319_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_523:While_L320_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L323_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L323_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L324_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L323_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L325_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L323_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L326_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L323_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L327_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L323_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L328_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L330_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L330_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L331_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L330_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L333_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L330_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L334_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L330_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L335_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L337_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L337_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L338_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L337_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L340_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L337_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L341_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L337_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L342_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L342_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L343_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L337_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L345_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L347_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L347_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L348_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L347_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L354_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L347_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:While_L355_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:While_L355_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L356_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:While_L355_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L357_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:While_L355_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L359_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L347_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L360_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L362_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L362_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L363_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L362_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L369_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L362_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:While_L370_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:While_L370_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L371_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:While_L370_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L372_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L375_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L377_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L378_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L378_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L379_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L381_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:For_L382_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L383_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L384_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:For_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L386_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L374_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Return_L388_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:ClassDef_L298_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L390_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L390_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L391_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L390_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L392_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L392_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L393_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:FunctionDef_L390_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L397_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L397_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L398_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:For_L401_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:For_L401_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L401_C38"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:If_L404_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L404_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L405_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L408_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:For_L409_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:For_L409_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Expr_L409_C36"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_523:If_L396_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_523:Assign_L410_C12"}]
import re import datetime import time import sys from constants import FIELD_TYPE, FLAG from charset import charset_by_id PYTHON3 = sys.version_info[0] > 2 try: set except NameError: try: from sets import BaseSet as set except ImportError: from sets import Set as set ESCAPE_REGEX = re.compile(r"[\0\n\r\032\'\"\\]") ESCAPE_MAP = {'\0': '\\0', '\n': '\\n', '\r': '\\r', '\032': '\\Z', '\'': '\\\'', '"': '\\"', '\\': '\\\\'} def escape_item(val, charset): if type(val) in [tuple, list, set]: return escape_sequence(val, charset) if type(val) is dict: return escape_dict(val, charset) if PYTHON3 and hasattr(val, "decode") and not isinstance(val, unicode): # deal with py3k bytes val = val.decode(charset) encoder = encoders[type(val)] val = encoder(val) if type(val) in [str, int]: return val val = val.encode(charset) return val def escape_dict(val, charset): n = {} for k, v in val.items(): quoted = escape_item(v, charset) n[k] = quoted return n def escape_sequence(val, charset): n = [] for item in val: quoted = escape_item(item, charset) n.append(quoted) return "(" + ",".join(n) + ")" def escape_set(val, charset): val = map(lambda x: escape_item(x, charset), val) return ','.join(val) def escape_bool(value): return str(int(value)) def escape_object(value): return str(value) def escape_int(value): return value escape_long = escape_object def escape_float(value): return ('%.15g' % value) def escape_string(value): return ("'%s'" % ESCAPE_REGEX.sub( lambda match: ESCAPE_MAP.get(match.group(0)), value)) def escape_unicode(value): return escape_string(value) def escape_None(value): return 'NULL' def escape_timedelta(obj): seconds = int(obj.seconds) % 60 minutes = int(obj.seconds // 60) % 60 hours = int(obj.seconds // 3600) % 24 + int(obj.days) * 24 return escape_string('%02d:%02d:%02d' % (hours, minutes, seconds)) def escape_time(obj): s = "%02d:%02d:%02d" % (int(obj.hour), int(obj.minute), int(obj.second)) if obj.microsecond: s += ".%f" % obj.microsecond return escape_string(s) def escape_datetime(obj): return escape_string(obj.strftime("%Y-%m-%d %H:%M:%S")) def escape_date(obj): return escape_string(obj.strftime("%Y-%m-%d")) def escape_struct_time(obj): return escape_datetime(datetime.datetime(*obj[:6])) def convert_datetime(connection, field, obj): """Returns a DATETIME or TIMESTAMP column value as a datetime object: >>> datetime_or_None('2007-02-25 23:06:20') datetime.datetime(2007, 2, 25, 23, 6, 20) >>> datetime_or_None('2007-02-25T23:06:20') datetime.datetime(2007, 2, 25, 23, 6, 20) Illegal values are returned as None: >>> datetime_or_None('2007-02-31T23:06:20') is None True >>> datetime_or_None('0000-00-00 00:00:00') is None True """ if not isinstance(obj, unicode): obj = obj.decode(connection.charset) if ' ' in obj: sep = ' ' elif 'T' in obj: sep = 'T' else: return convert_date(connection, field, obj) try: ymd, hms = obj.split(sep, 1) return datetime.datetime(*[ int(x) for x in ymd.split('-')+hms.split(':') ]) except ValueError: return convert_date(connection, field, obj) def convert_timedelta(connection, field, obj): """Returns a TIME column as a timedelta object: >>> timedelta_or_None('25:06:17') datetime.timedelta(1, 3977) >>> timedelta_or_None('-25:06:17') datetime.timedelta(-2, 83177) Illegal values are returned as None: >>> timedelta_or_None('random crap') is None True Note that MySQL always returns TIME columns as (+|-)HH:MM:SS, but can accept values as (+|-)DD HH:MM:SS. The latter format will not be parsed correctly by this function. """ try: microseconds = 0 if not isinstance(obj, unicode): obj = obj.decode(connection.charset) if "." in obj: (obj, tail) = obj.split('.') microseconds = int(tail) hours, minutes, seconds = obj.split(':') tdelta = datetime.timedelta( hours = int(hours), minutes = int(minutes), seconds = int(seconds), microseconds = microseconds ) return tdelta except ValueError: return None def convert_time(connection, field, obj): """Returns a TIME column as a time object: >>> time_or_None('15:06:17') datetime.time(15, 6, 17) Illegal values are returned as None: >>> time_or_None('-25:06:17') is None True >>> time_or_None('random crap') is None True Note that MySQL always returns TIME columns as (+|-)HH:MM:SS, but can accept values as (+|-)DD HH:MM:SS. The latter format will not be parsed correctly by this function. Also note that MySQL's TIME column corresponds more closely to Python's timedelta and not time. However if you want TIME columns to be treated as time-of-day and not a time offset, then you can use set this function as the converter for FIELD_TYPE.TIME. """ try: microseconds = 0 if "." in obj: (obj, tail) = obj.split('.') microseconds = int(tail) hours, minutes, seconds = obj.split(':') return datetime.time(hour=int(hours), minute=int(minutes), second=int(seconds), microsecond=microseconds) except ValueError: return None def convert_date(connection, field, obj): """Returns a DATE column as a date object: >>> date_or_None('2007-02-26') datetime.date(2007, 2, 26) Illegal values are returned as None: >>> date_or_None('2007-02-31') is None True >>> date_or_None('0000-00-00') is None True """ try: if not isinstance(obj, unicode): obj = obj.decode(connection.charset) return datetime.date(*[ int(x) for x in obj.split('-', 2) ]) except ValueError: return None def convert_mysql_timestamp(connection, field, timestamp): """Convert a MySQL TIMESTAMP to a Timestamp object. MySQL >= 4.1 returns TIMESTAMP in the same format as DATETIME: >>> mysql_timestamp_converter('2007-02-25 22:32:17') datetime.datetime(2007, 2, 25, 22, 32, 17) MySQL < 4.1 uses a big string of numbers: >>> mysql_timestamp_converter('20070225223217') datetime.datetime(2007, 2, 25, 22, 32, 17) Illegal values are returned as None: >>> mysql_timestamp_converter('2007-02-31 22:32:17') is None True >>> mysql_timestamp_converter('00000000000000') is None True """ if not isinstance(timestamp, unicode): timestamp = timestamp.decode(connection.charset) if timestamp[4] == '-': return convert_datetime(connection, field, timestamp) timestamp += "0"*(14-len(timestamp)) # padding year, month, day, hour, minute, second = \ int(timestamp[:4]), int(timestamp[4:6]), int(timestamp[6:8]), \ int(timestamp[8:10]), int(timestamp[10:12]), int(timestamp[12:14]) try: return datetime.datetime(year, month, day, hour, minute, second) except ValueError: return None def convert_set(s): return set(s.split(",")) def convert_bit(connection, field, b): #b = "\x00" * (8 - len(b)) + b # pad w/ zeroes #return struct.unpack(">Q", b)[0] # # the snippet above is right, but MySQLdb doesn't process bits, # so we shouldn't either return b def convert_characters(connection, field, data): field_charset = charset_by_id(field.charsetnr).name if field.flags & FLAG.SET: return convert_set(data.decode(field_charset)) if field.flags & FLAG.BINARY: return data if connection.use_unicode: data = data.decode(field_charset) elif connection.charset != field_charset: data = data.decode(field_charset) data = data.encode(connection.charset) return data def convert_int(connection, field, data): return int(data) def convert_long(connection, field, data): return long(data) def convert_float(connection, field, data): return float(data) encoders = { bool: escape_bool, int: escape_int, long: escape_long, float: escape_float, str: escape_string, unicode: escape_unicode, tuple: escape_sequence, list:escape_sequence, set:escape_sequence, dict:escape_dict, type(None):escape_None, datetime.date: escape_date, datetime.datetime : escape_datetime, datetime.timedelta : escape_timedelta, datetime.time : escape_time, time.struct_time : escape_struct_time, } decoders = { FIELD_TYPE.BIT: convert_bit, FIELD_TYPE.TINY: convert_int, FIELD_TYPE.SHORT: convert_int, FIELD_TYPE.LONG: convert_long, FIELD_TYPE.FLOAT: convert_float, FIELD_TYPE.DOUBLE: convert_float, FIELD_TYPE.DECIMAL: convert_float, FIELD_TYPE.NEWDECIMAL: convert_float, FIELD_TYPE.LONGLONG: convert_long, FIELD_TYPE.INT24: convert_int, FIELD_TYPE.YEAR: convert_int, FIELD_TYPE.TIMESTAMP: convert_mysql_timestamp, FIELD_TYPE.DATETIME: convert_datetime, FIELD_TYPE.TIME: convert_timedelta, FIELD_TYPE.DATE: convert_date, FIELD_TYPE.SET: convert_set, FIELD_TYPE.BLOB: convert_characters, FIELD_TYPE.TINY_BLOB: convert_characters, FIELD_TYPE.MEDIUM_BLOB: convert_characters, FIELD_TYPE.LONG_BLOB: convert_characters, FIELD_TYPE.STRING: convert_characters, FIELD_TYPE.VAR_STRING: convert_characters, FIELD_TYPE.VARCHAR: convert_characters, #FIELD_TYPE.BLOB: str, #FIELD_TYPE.STRING: str, #FIELD_TYPE.VAR_STRING: str, #FIELD_TYPE.VARCHAR: str } conversions = decoders # for MySQLdb compatibility try: # python version > 2.3 from decimal import Decimal def convert_decimal(connection, field, data): data = data.decode(connection.charset) return Decimal(data) decoders[FIELD_TYPE.DECIMAL] = convert_decimal decoders[FIELD_TYPE.NEWDECIMAL] = convert_decimal def escape_decimal(obj): return unicode(obj) encoders[Decimal] = escape_decimal except ImportError: pass
ajibawa-2023/Python-Code-Large/train/row_524
160
356
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_524:Import_L1_C0", "label": "re import re", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.0028, 0.0028, 0, 0.66, 0.0, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Import_L2_C0", "label": "datetime import datetime", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.0056, 0.0028, 0, 0.66, 0.0244, 426, 0, 1, 0, 0, 426, 0, 0], "semantic": {"name": "datetime", "arg_names": [], "import_names": ["datetime"], "rhs_call_name": "", "annotation": ""}, "snippet": "import datetime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Import_L3_C0", "label": "time import time", "type": "import", "loc": [3, 3], "level": 0, "parent": null, "vector": [1, 0, 0.0084, 0.0028, 0, 0.66, 0.0488, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["time"], "rhs_call_name": "", "annotation": ""}, "snippet": "import time"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Import_L4_C0", "label": "sys import sys", "type": "import", "loc": [4, 4], "level": 0, "parent": null, "vector": [1, 0, 0.0112, 0.0028, 0, 0.66, 0.0732, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:ImportFrom_L6_C0", "label": "from constants import FIELD_TYPE, FLAG", "type": "import", "loc": [6, 6], "level": 0, "parent": null, "vector": [1, 0, 0.0169, 0.0028, 0, 0.66, 0.0976, 208, 0, 2, 0, 0, 208, 0, 0], "semantic": {"name": "constants", "arg_names": [], "import_names": ["FIELD_TYPE", "FLAG"], "rhs_call_name": "", "annotation": ""}, "snippet": "from constants import FIELD_TYPE, FLAG"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:ImportFrom_L7_C0", "label": "from charset import charset_by_id", "type": "import", "loc": [7, 7], "level": 0, "parent": null, "vector": [1, 0, 0.0197, 0.0028, 0, 0.66, 0.122, 205, 0, 1, 0, 0, 205, 0, 0], "semantic": {"name": "charset", "arg_names": [], "import_names": ["charset_by_id"], "rhs_call_name": "", "annotation": ""}, "snippet": "from charset import charset_by_id"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L9_C0", "label": "PYTHON3 =", "type": "assigned_variable", "loc": [9, 9], "level": 0, "parent": null, "vector": [14, 0, 0.0253, 0.0028, 0, 0.66, 0.1463, 777, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "PYTHON3", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PYTHON3 = sys.version_info[0] > 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L11_C0", "label": "try", "type": "try", "loc": [11, 17], "level": 0, "parent": null, "vector": [7, 0, 0.0393, 0.0197, 0, 0.66, 0.1707, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n set\nexcept NameError:\n try:\n from sets import BaseSet as set\n except ImportError:\n from sets import Set as set"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L12_C4", "label": "expression", "type": "expression", "loc": [12, 12], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L11_C0", "vector": [8, 1, 0.0337, 0.0028, 1, 0.19, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " set"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L14_C4", "label": "try", "type": "try", "loc": [14, 17], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L11_C0", "vector": [7, 1, 0.0435, 0.0112, 1, 0.19, 0.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n from sets import BaseSet as set\n except ImportError:\n from sets import Set as set"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:ImportFrom_L15_C8", "label": "from sets import set", "type": "import", "loc": [15, 15], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L14_C4", "vector": [1, 2, 0.0421, 0.0028, 2, 0.3, 0.0, 842, 0, 1, 0, 0, 842, 0, 0], "semantic": {"name": "sets", "arg_names": [], "import_names": ["set"], "rhs_call_name": "", "annotation": ""}, "snippet": " from sets import BaseSet as set"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:ImportFrom_L17_C8", "label": "from sets import set", "type": "import", "loc": [17, 17], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L14_C4", "vector": [1, 2, 0.0478, 0.0028, 2, 0.3, 0.0, 842, 0, 1, 0, 0, 842, 0, 0], "semantic": {"name": "sets", "arg_names": [], "import_names": ["set"], "rhs_call_name": "", "annotation": ""}, "snippet": " from sets import Set as set"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L19_C0", "label": "ESCAPE_REGEX = compile()", "type": "assigned_variable", "loc": [19, 19], "level": 0, "parent": null, "vector": [14, 0, 0.0534, 0.0028, 0, 0.66, 0.1951, 178, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "ESCAPE_REGEX", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "ESCAPE_REGEX = re.compile(r\"[\\0\\n\\r\\032\\'\\\"\\\\]\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L20_C0", "label": "ESCAPE_MAP =", "type": "assigned_variable", "loc": [20, 21], "level": 0, "parent": null, "vector": [14, 0, 0.0576, 0.0056, 0, 0.66, 0.2195, 829, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "ESCAPE_MAP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ESCAPE_MAP = {'\\0': '\\\\0', '\\n': '\\\\n', '\\r': '\\\\r', '\\032': '\\\\Z',\n '\\'': '\\\\\\'', '\"': '\\\\\"', '\\\\': '\\\\\\\\'}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "label": "escape_item", "type": "function", "loc": [23, 36], "level": 0, "parent": null, "vector": [2, 0, 0.0829, 0.0393, 0, 0.66, 0.2439, 447, 0, 2, 1, 0, 0, 0, 11], "semantic": {"name": "escape_item", "arg_names": ["val", "charset"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_item(val, charset):\n if type(val) in [tuple, list, set]:\n return escape_sequence(val, charset)\n if type(val) is dict:\n return escape_dict(val, charset)\n if PYTHON3 and hasattr(val, \"decode\") and not isinstance(val, unicode):\n # deal with py3k bytes\n val = val.decode(charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L24_C4", "label": "if", "type": "if", "loc": [24, 25], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "vector": [4, 1, 0.0688, 0.0056, 1, 0.7, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if type(val) in [tuple, list, set]:\n return escape_sequence(val, charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L25_C8", "label": "return", "type": "return", "loc": [25, 25], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L24_C4", "vector": [13, 2, 0.0702, 0.0028, 2, 0.24, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return escape_sequence(val, charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L26_C4", "label": "if", "type": "if", "loc": [26, 27], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "vector": [4, 1, 0.0744, 0.0056, 1, 0.7, 0.1429, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if type(val) is dict:\n return escape_dict(val, charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L27_C8", "label": "return", "type": "return", "loc": [27, 27], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L26_C4", "vector": [13, 2, 0.0758, 0.0028, 2, 0.71, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return escape_dict(val, charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L28_C4", "label": "if", "type": "if", "loc": [28, 30], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "vector": [4, 1, 0.0815, 0.0084, 1, 0.7, 0.2857, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if PYTHON3 and hasattr(val, \"decode\") and not isinstance(val, unicode):\n # deal with py3k bytes\n val = val.decode(charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L30_C8", "label": "val = decode()", "type": "assigned_variable", "loc": [30, 30], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L28_C4", "vector": [14, 2, 0.0843, 0.0028, 2, 0.37, 0.0, 618, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " val = val.decode(charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L31_C4", "label": "encoder =", "type": "assigned_variable", "loc": [31, 31], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "vector": [14, 1, 0.0871, 0.0028, 1, 0.7, 0.4286, 672, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "encoder", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " encoder = encoders[type(val)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L32_C4", "label": "val = encoder()", "type": "assigned_variable", "loc": [32, 32], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "vector": [14, 1, 0.0899, 0.0028, 1, 0.7, 0.5714, 618, 3, 1, 0, 0, 672, 10, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "encoder", "annotation": ""}, "snippet": " val = encoder(val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L33_C4", "label": "if", "type": "if", "loc": [33, 34], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "vector": [4, 1, 0.0941, 0.0056, 1, 0.7, 0.7143, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if type(val) in [str, int]:\n return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L34_C8", "label": "return", "type": "return", "loc": [34, 34], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L33_C4", "vector": [13, 2, 0.0955, 0.0028, 2, 0.11, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L35_C4", "label": "val = encode()", "type": "assigned_variable", "loc": [35, 35], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "vector": [14, 1, 0.0983, 0.0028, 1, 0.7, 0.8571, 618, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " val = val.encode(charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L36_C4", "label": "return", "type": "return", "loc": [36, 36], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "vector": [13, 1, 0.1011, 0.0028, 1, 0.7, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L38_C0", "label": "escape_dict", "type": "function", "loc": [38, 43], "level": 0, "parent": null, "vector": [2, 0, 0.1138, 0.0169, 0, 0.66, 0.2683, 837, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "escape_dict", "arg_names": ["val", "charset"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_dict(val, charset):\n n = {}\n for k, v in val.items():\n quoted = escape_item(v, charset)\n n[k] = quoted\n return n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L39_C4", "label": "n =", "type": "assigned_variable", "loc": [39, 39], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L38_C0", "vector": [14, 1, 0.1096, 0.0028, 1, 0.04, 0.0, 773, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " n = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:For_L40_C4", "label": "for k, v", "type": "for", "loc": [40, 42], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L38_C0", "vector": [6, 1, 0.1152, 0.0084, 1, 0.04, 0.5, 867, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "k, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k, v in val.items():\n quoted = escape_item(v, charset)\n n[k] = quoted"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L41_C8", "label": "quoted = escape_item()", "type": "assigned_variable", "loc": [41, 41], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:For_L40_C4", "vector": [14, 2, 0.1152, 0.0028, 2, 0.78, 0.0, 644, 3, 2, 0, 0, 447, 10, 1], "semantic": {"name": "quoted", "arg_names": [], "import_names": [], "rhs_call_name": "escape_item", "annotation": ""}, "snippet": " quoted = escape_item(v, charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L42_C8", "label": "assign", "type": "assigned_variable", "loc": [42, 42], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:For_L40_C4", "vector": [14, 2, 0.118, 0.0028, 2, 0.78, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " n[k] = quoted"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L43_C4", "label": "return", "type": "return", "loc": [43, 43], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L38_C0", "vector": [13, 1, 0.1208, 0.0028, 1, 0.04, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L45_C0", "label": "escape_sequence", "type": "function", "loc": [45, 50], "level": 0, "parent": null, "vector": [2, 0, 0.1334, 0.0169, 0, 0.66, 0.2927, 558, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "escape_sequence", "arg_names": ["val", "charset"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_sequence(val, charset):\n n = []\n for item in val:\n quoted = escape_item(item, charset)\n n.append(quoted)\n return \"(\" + \",\".join(n) + \")\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L46_C4", "label": "n =", "type": "assigned_variable", "loc": [46, 46], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L45_C0", "vector": [14, 1, 0.1292, 0.0028, 1, 0.42, 0.0, 773, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " n = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:For_L47_C4", "label": "for item", "type": "for", "loc": [47, 49], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L45_C0", "vector": [6, 1, 0.1348, 0.0084, 1, 0.42, 0.5, 434, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "item", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for item in val:\n quoted = escape_item(item, charset)\n n.append(quoted)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L48_C8", "label": "quoted = escape_item()", "type": "assigned_variable", "loc": [48, 48], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:For_L47_C4", "vector": [14, 2, 0.1348, 0.0028, 2, 0.97, 0.0, 644, 3, 2, 0, 0, 447, 10, 1], "semantic": {"name": "quoted", "arg_names": [], "import_names": [], "rhs_call_name": "escape_item", "annotation": ""}, "snippet": " quoted = escape_item(item, charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L49_C8", "label": "append()", "type": "expression", "loc": [49, 49], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:For_L47_C4", "vector": [8, 2, 0.1376, 0.0028, 2, 0.97, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " n.append(quoted)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L50_C4", "label": "return", "type": "return", "loc": [50, 50], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L45_C0", "vector": [13, 1, 0.1404, 0.0028, 1, 0.42, 1.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"(\" + \",\".join(n) + \")\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L52_C0", "label": "escape_set", "type": "function", "loc": [52, 54], "level": 0, "parent": null, "vector": [2, 0, 0.1489, 0.0084, 0, 0.66, 0.3171, 586, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "escape_set", "arg_names": ["val", "charset"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_set(val, charset):\n val = map(lambda x: escape_item(x, charset), val)\n return ','.join(val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L53_C4", "label": "val = map()", "type": "assigned_variable", "loc": [53, 53], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L52_C0", "vector": [14, 1, 0.1489, 0.0028, 1, 0.38, 0.0, 618, 3, 2, 0, 0, 53, 10, 2], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "map", "annotation": ""}, "snippet": " val = map(lambda x: escape_item(x, charset), val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L54_C4", "label": "return", "type": "return", "loc": [54, 54], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L52_C0", "vector": [13, 1, 0.1517, 0.0028, 1, 0.38, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ','.join(val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L56_C0", "label": "escape_bool", "type": "function", "loc": [56, 57], "level": 0, "parent": null, "vector": [2, 0, 0.1587, 0.0056, 0, 0.66, 0.3415, 283, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "escape_bool", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_bool(value):\n return str(int(value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L57_C4", "label": "return", "type": "return", "loc": [57, 57], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L56_C0", "vector": [13, 1, 0.1601, 0.0028, 1, 0.42, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(int(value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L59_C0", "label": "escape_object", "type": "function", "loc": [59, 60], "level": 0, "parent": null, "vector": [2, 0, 0.1671, 0.0056, 0, 0.66, 0.3659, 989, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "escape_object", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_object(value):\n return str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L60_C4", "label": "return", "type": "return", "loc": [60, 60], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L59_C0", "vector": [13, 1, 0.1685, 0.0028, 1, 0.65, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L62_C0", "label": "escape_int", "type": "function", "loc": [62, 63], "level": 0, "parent": null, "vector": [2, 0, 0.1756, 0.0056, 0, 0.66, 0.3902, 862, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "escape_int", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_int(value):\n return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L63_C4", "label": "return", "type": "return", "loc": [63, 63], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L62_C0", "vector": [13, 1, 0.177, 0.0028, 1, 0.46, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L65_C0", "label": "escape_long =", "type": "assigned_variable", "loc": [65, 65], "level": 0, "parent": null, "vector": [14, 0, 0.1826, 0.0028, 0, 0.66, 0.4146, 506, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "escape_long", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "escape_long = escape_object"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L67_C0", "label": "escape_float", "type": "function", "loc": [67, 68], "level": 0, "parent": null, "vector": [2, 0, 0.1896, 0.0056, 0, 0.66, 0.439, 620, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "escape_float", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_float(value):\n return ('%.15g' % value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L68_C4", "label": "return", "type": "return", "loc": [68, 68], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L67_C0", "vector": [13, 1, 0.191, 0.0028, 1, 0.96, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ('%.15g' % value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L70_C0", "label": "escape_string", "type": "function", "loc": [70, 72], "level": 0, "parent": null, "vector": [2, 0, 0.1994, 0.0084, 0, 0.66, 0.4634, 113, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "escape_string", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_string(value):\n return (\"'%s'\" % ESCAPE_REGEX.sub(\n lambda match: ESCAPE_MAP.get(match.group(0)), value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L71_C4", "label": "return", "type": "return", "loc": [71, 72], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L70_C0", "vector": [13, 1, 0.2008, 0.0056, 1, 0.31, 0.0, 0, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (\"'%s'\" % ESCAPE_REGEX.sub(\n lambda match: ESCAPE_MAP.get(match.group(0)), value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L74_C0", "label": "escape_unicode", "type": "function", "loc": [74, 75], "level": 0, "parent": null, "vector": [2, 0, 0.2093, 0.0056, 0, 0.66, 0.4878, 405, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "escape_unicode", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_unicode(value):\n return escape_string(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L75_C4", "label": "return", "type": "return", "loc": [75, 75], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L74_C0", "vector": [13, 1, 0.2107, 0.0028, 1, 0.47, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return escape_string(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L77_C0", "label": "escape_None", "type": "function", "loc": [77, 78], "level": 0, "parent": null, "vector": [2, 0, 0.2177, 0.0056, 0, 0.66, 0.5122, 202, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "escape_None", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_None(value):\n return 'NULL'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L78_C4", "label": "return", "type": "return", "loc": [78, 78], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L77_C0", "vector": [13, 1, 0.2191, 0.0028, 1, 0.43, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'NULL'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L80_C0", "label": "escape_timedelta", "type": "function", "loc": [80, 84], "level": 0, "parent": null, "vector": [2, 0, 0.2303, 0.014, 0, 0.66, 0.5366, 63, 0, 1, 1, 0, 0, 0, 5], "semantic": {"name": "escape_timedelta", "arg_names": ["obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_timedelta(obj):\n seconds = int(obj.seconds) % 60\n minutes = int(obj.seconds // 60) % 60\n hours = int(obj.seconds // 3600) % 24 + int(obj.days) * 24\n return escape_string('%02d:%02d:%02d' % (hours, minutes, seconds))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L81_C4", "label": "seconds =", "type": "assigned_variable", "loc": [81, 81], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L80_C0", "vector": [14, 1, 0.2275, 0.0028, 1, 0.82, 0.0, 862, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "seconds", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " seconds = int(obj.seconds) % 60"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L82_C4", "label": "minutes =", "type": "assigned_variable", "loc": [82, 82], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L80_C0", "vector": [14, 1, 0.2303, 0.0028, 1, 0.82, 0.3333, 234, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "minutes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " minutes = int(obj.seconds // 60) % 60"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L83_C4", "label": "hours =", "type": "assigned_variable", "loc": [83, 83], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L80_C0", "vector": [14, 1, 0.2331, 0.0028, 1, 0.82, 0.6667, 855, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "hours", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " hours = int(obj.seconds // 3600) % 24 + int(obj.days) * 24"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L84_C4", "label": "return", "type": "return", "loc": [84, 84], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L80_C0", "vector": [13, 1, 0.236, 0.0028, 1, 0.82, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return escape_string('%02d:%02d:%02d' % (hours, minutes, seconds))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L86_C0", "label": "escape_time", "type": "function", "loc": [86, 92], "level": 0, "parent": null, "vector": [2, 0, 0.25, 0.0197, 0, 0.66, 0.561, 257, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "escape_time", "arg_names": ["obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_time(obj):\n s = \"%02d:%02d:%02d\" % (int(obj.hour), int(obj.minute),\n int(obj.second))\n if obj.microsecond:\n s += \".%f\" % obj.microsecond\n\n return escape_string(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L87_C4", "label": "s =", "type": "assigned_variable", "loc": [87, 88], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L86_C0", "vector": [14, 1, 0.2458, 0.0056, 1, 0.74, 0.0, 553, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " s = \"%02d:%02d:%02d\" % (int(obj.hour), int(obj.minute),\n int(obj.second))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L89_C4", "label": "if", "type": "if", "loc": [89, 90], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L86_C0", "vector": [4, 1, 0.2514, 0.0056, 1, 0.74, 0.5, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if obj.microsecond:\n s += \".%f\" % obj.microsecond"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L92_C4", "label": "return", "type": "return", "loc": [92, 92], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L86_C0", "vector": [13, 1, 0.2584, 0.0028, 1, 0.74, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return escape_string(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L94_C0", "label": "escape_datetime", "type": "function", "loc": [94, 95], "level": 0, "parent": null, "vector": [2, 0, 0.2654, 0.0056, 0, 0.66, 0.5854, 406, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "escape_datetime", "arg_names": ["obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_datetime(obj):\n return escape_string(obj.strftime(\"%Y-%m-%d %H:%M:%S\"))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L95_C4", "label": "return", "type": "return", "loc": [95, 95], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L94_C0", "vector": [13, 1, 0.2669, 0.0028, 1, 0.87, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return escape_string(obj.strftime(\"%Y-%m-%d %H:%M:%S\"))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L97_C0", "label": "escape_date", "type": "function", "loc": [97, 98], "level": 0, "parent": null, "vector": [2, 0, 0.2739, 0.0056, 0, 0.66, 0.6098, 391, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "escape_date", "arg_names": ["obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_date(obj):\n return escape_string(obj.strftime(\"%Y-%m-%d\"))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L98_C4", "label": "return", "type": "return", "loc": [98, 98], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L97_C0", "vector": [13, 1, 0.2753, 0.0028, 1, 0.01, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return escape_string(obj.strftime(\"%Y-%m-%d\"))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L100_C0", "label": "escape_struct_time", "type": "function", "loc": [100, 101], "level": 0, "parent": null, "vector": [2, 0, 0.2823, 0.0056, 0, 0.66, 0.6341, 584, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "escape_struct_time", "arg_names": ["obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def escape_struct_time(obj):\n return escape_datetime(datetime.datetime(*obj[:6]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L101_C4", "label": "return", "type": "return", "loc": [101, 101], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L100_C0", "vector": [13, 1, 0.2837, 0.0028, 1, 0.36, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return escape_datetime(datetime.datetime(*obj[:6]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L103_C0", "label": "convert_datetime", "type": "function", "loc": [103, 132], "level": 0, "parent": null, "vector": [2, 0, 0.3301, 0.0843, 0, 0.66, 0.6585, 12, 0, 3, 1, 0, 0, 0, 9], "semantic": {"name": "convert_datetime", "arg_names": ["connection", "field", "obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def convert_datetime(connection, field, obj):\n \"\"\"Returns a DATETIME or TIMESTAMP column value as a datetime object:\n\n >>> datetime_or_None('2007-02-25 23:06:20')\n datetime.datetime(2007, 2, 25, 23, 6, 20)\n >>> datetime_or_None('2007-02-25T23:06:20')\n datetime.datetime(2007, 2, 25, 23, 6, 20)\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L104_C4", "label": "expression", "type": "expression", "loc": [104, 118], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L103_C0", "vector": [8, 1, 0.3118, 0.0421, 1, 0.4, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Returns a DATETIME or TIMESTAMP column value as a datetime object:\n\n >>> datetime_or_None('2007-02-25 23:06:20')\n datetime.datetime(2007, 2, 25, 23, 6, 20)\n >>> datetime_or_None('2007-02-25T23:06:20')\n datetime.datetime(2007, 2, 25, 23, 6, 20)\n\n Illegal values are returned as None:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L119_C4", "label": "if", "type": "if", "loc": [119, 120], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L103_C0", "vector": [4, 1, 0.3357, 0.0056, 1, 0.4, 0.3333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(obj, unicode):\n obj = obj.decode(connection.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L120_C8", "label": "obj = decode()", "type": "assigned_variable", "loc": [120, 120], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L119_C4", "vector": [14, 2, 0.3371, 0.0028, 2, 0.14, 0.0, 505, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "obj", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " obj = obj.decode(connection.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L121_C4", "label": "if", "type": "if", "loc": [121, 126], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L103_C0", "vector": [4, 1, 0.3469, 0.0169, 1, 0.4, 0.6667, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ' ' in obj:\n sep = ' '\n elif 'T' in obj:\n sep = 'T'\n else:\n return convert_date(connection, field, obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L122_C8", "label": "sep =", "type": "assigned_variable", "loc": [122, 122], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L121_C4", "vector": [14, 2, 0.3427, 0.0028, 2, 0.14, 0.0, 820, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "sep", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sep = ' '"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L123_C4", "label": "if", "type": "if", "loc": [123, 126], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L121_C4", "vector": [4, 2, 0.3497, 0.0112, 2, 0.14, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif 'T' in obj:\n sep = 'T'\n else:\n return convert_date(connection, field, obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L124_C8", "label": "sep =", "type": "assigned_variable", "loc": [124, 124], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L123_C4", "vector": [14, 3, 0.3483, 0.0028, 3, 0.51, 0.0, 820, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "sep", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sep = 'T'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L126_C8", "label": "return", "type": "return", "loc": [126, 126], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L123_C4", "vector": [13, 3, 0.3539, 0.0028, 3, 0.51, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return convert_date(connection, field, obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L128_C4", "label": "try", "type": "try", "loc": [128, 132], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L103_C0", "vector": [7, 1, 0.3652, 0.014, 1, 0.4, 1.0, 0, 0, 1, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n ymd, hms = obj.split(sep, 1)\n return datetime.datetime(*[ int(x) for x in ymd.split('-')+hms.split(':') ])\n except ValueError:\n return convert_date(connection, field, obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L129_C8", "label": "ymd, hms = split()", "type": "assigned_variable", "loc": [129, 129], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L128_C4", "vector": [14, 2, 0.3624, 0.0028, 2, 0.71, 0.0, 415, 3, 2, 0, 0, 908, 10, 1], "semantic": {"name": "ymd, hms", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " ymd, hms = obj.split(sep, 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L130_C8", "label": "return", "type": "return", "loc": [130, 130], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L128_C4", "vector": [13, 2, 0.3652, 0.0028, 2, 0.71, 1.0, 0, 3, 0, 0, 0, 0, 10, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return datetime.datetime(*[ int(x) for x in ymd.split('-')+hms.split(':') ])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L132_C8", "label": "return", "type": "return", "loc": [132, 132], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L128_C4", "vector": [13, 2, 0.3708, 0.0028, 2, 0.71, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return convert_date(connection, field, obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L134_C0", "label": "convert_timedelta", "type": "function", "loc": [134, 167], "level": 0, "parent": null, "vector": [2, 0, 0.4228, 0.0955, 0, 0.66, 0.6829, 888, 0, 3, 1, 0, 0, 0, 9], "semantic": {"name": "convert_timedelta", "arg_names": ["connection", "field", "obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def convert_timedelta(connection, field, obj):\n \"\"\"Returns a TIME column as a timedelta object:\n\n >>> timedelta_or_None('25:06:17')\n datetime.timedelta(1, 3977)\n >>> timedelta_or_None('-25:06:17')\n datetime.timedelta(-2, 83177)\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L135_C4", "label": "expression", "type": "expression", "loc": [135, 150], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L134_C0", "vector": [8, 1, 0.4003, 0.0449, 1, 0.77, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Returns a TIME column as a timedelta object:\n\n >>> timedelta_or_None('25:06:17')\n datetime.timedelta(1, 3977)\n >>> timedelta_or_None('-25:06:17')\n datetime.timedelta(-2, 83177)\n\n Illegal values are returned as None:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "label": "try", "type": "try", "loc": [151, 167], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L134_C0", "vector": [7, 1, 0.4466, 0.0478, 1, 0.77, 1.0, 0, 0, 1, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n microseconds = 0\n if not isinstance(obj, unicode):\n obj = obj.decode(connection.charset)\n if \".\" in obj:\n (obj, tail) = obj.split('.')\n microseconds = int(tail)\n hours, minutes, seconds = obj.split(':')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L152_C8", "label": "microseconds =", "type": "assigned_variable", "loc": [152, 152], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "vector": [14, 2, 0.427, 0.0028, 2, 0.91, 0.0, 409, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "microseconds", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " microseconds = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L153_C8", "label": "if", "type": "if", "loc": [153, 154], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "vector": [4, 2, 0.4312, 0.0056, 2, 0.91, 0.2, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(obj, unicode):\n obj = obj.decode(connection.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L154_C12", "label": "obj = decode()", "type": "assigned_variable", "loc": [154, 154], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L153_C8", "vector": [14, 3, 0.4326, 0.0028, 3, 0.75, 0.0, 505, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "obj", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " obj = obj.decode(connection.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L155_C8", "label": "if", "type": "if", "loc": [155, 157], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "vector": [4, 2, 0.4382, 0.0084, 2, 0.91, 0.4, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if \".\" in obj:\n (obj, tail) = obj.split('.')\n microseconds = int(tail)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L156_C12", "label": "obj, tail = split()", "type": "assigned_variable", "loc": [156, 156], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L155_C8", "vector": [14, 3, 0.4382, 0.0028, 3, 0.24, 0.0, 823, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "obj, tail", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " (obj, tail) = obj.split('.')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L157_C12", "label": "microseconds = int()", "type": "assigned_variable", "loc": [157, 157], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L155_C8", "vector": [14, 3, 0.441, 0.0028, 3, 0.24, 1.0, 409, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "microseconds", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " microseconds = int(tail)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L158_C8", "label": "hours, minutes, seconds = split()", "type": "assigned_variable", "loc": [158, 158], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "vector": [14, 2, 0.4438, 0.0028, 2, 0.91, 0.6, 598, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "hours, minutes, seconds", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " hours, minutes, seconds = obj.split(':')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L159_C8", "label": "tdelta = timedelta()", "type": "assigned_variable", "loc": [159, 164], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "vector": [14, 2, 0.4537, 0.0169, 2, 0.91, 0.8, 383, 3, 4, 0, 0, 790, 10, 4], "semantic": {"name": "tdelta", "arg_names": [], "import_names": [], "rhs_call_name": "timedelta", "annotation": ""}, "snippet": " tdelta = datetime.timedelta(\n hours = int(hours),\n minutes = int(minutes),\n seconds = int(seconds),\n microseconds = microseconds\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L165_C8", "label": "return", "type": "return", "loc": [165, 165], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "vector": [13, 2, 0.4635, 0.0028, 2, 0.91, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return tdelta"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L167_C8", "label": "return", "type": "return", "loc": [167, 167], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "vector": [13, 2, 0.4691, 0.0028, 2, 0.91, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L169_C0", "label": "convert_time", "type": "function", "loc": [169, 200], "level": 0, "parent": null, "vector": [2, 0, 0.5183, 0.0899, 0, 0.66, 0.7073, 696, 0, 3, 1, 0, 0, 0, 7], "semantic": {"name": "convert_time", "arg_names": ["connection", "field", "obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def convert_time(connection, field, obj):\n \"\"\"Returns a TIME column as a time object:\n\n >>> time_or_None('15:06:17')\n datetime.time(15, 6, 17)\n\n Illegal values are returned as None:\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L170_C4", "label": "expression", "type": "expression", "loc": [170, 190], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L169_C0", "vector": [8, 1, 0.5056, 0.059, 1, 0.88, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Returns a TIME column as a time object:\n\n >>> time_or_None('15:06:17')\n datetime.time(15, 6, 17)\n\n Illegal values are returned as None:\n\n >>> time_or_None('-25:06:17') is None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L191_C4", "label": "try", "type": "try", "loc": [191, 200], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L169_C0", "vector": [7, 1, 0.5492, 0.0281, 1, 0.88, 1.0, 0, 0, 1, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n microseconds = 0\n if \".\" in obj:\n (obj, tail) = obj.split('.')\n microseconds = int(tail)\n hours, minutes, seconds = obj.split(':')\n return datetime.time(hour=int(hours), minute=int(minutes),\n second=int(seconds), microsecond=microseconds)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L192_C8", "label": "microseconds =", "type": "assigned_variable", "loc": [192, 192], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L191_C4", "vector": [14, 2, 0.5393, 0.0028, 2, 0.63, 0.0, 409, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "microseconds", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " microseconds = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L193_C8", "label": "if", "type": "if", "loc": [193, 195], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L191_C4", "vector": [4, 2, 0.5449, 0.0084, 2, 0.63, 0.3333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if \".\" in obj:\n (obj, tail) = obj.split('.')\n microseconds = int(tail)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L194_C12", "label": "obj, tail = split()", "type": "assigned_variable", "loc": [194, 194], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L193_C8", "vector": [14, 3, 0.5449, 0.0028, 3, 0.66, 0.0, 823, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "obj, tail", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " (obj, tail) = obj.split('.')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L195_C12", "label": "microseconds = int()", "type": "assigned_variable", "loc": [195, 195], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L193_C8", "vector": [14, 3, 0.5478, 0.0028, 3, 0.66, 1.0, 409, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "microseconds", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " microseconds = int(tail)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L196_C8", "label": "hours, minutes, seconds = split()", "type": "assigned_variable", "loc": [196, 196], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L191_C4", "vector": [14, 2, 0.5506, 0.0028, 2, 0.63, 0.6667, 598, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "hours, minutes, seconds", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " hours, minutes, seconds = obj.split(':')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L197_C8", "label": "return", "type": "return", "loc": [197, 198], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L191_C4", "vector": [13, 2, 0.5548, 0.0056, 2, 0.63, 1.0, 0, 3, 0, 0, 0, 0, 10, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return datetime.time(hour=int(hours), minute=int(minutes),\n second=int(seconds), microsecond=microseconds)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L200_C8", "label": "return", "type": "return", "loc": [200, 200], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L191_C4", "vector": [13, 2, 0.5618, 0.0028, 2, 0.63, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L202_C0", "label": "convert_date", "type": "function", "loc": [202, 221], "level": 0, "parent": null, "vector": [2, 0, 0.5941, 0.0562, 0, 0.66, 0.7317, 422, 0, 3, 1, 0, 0, 0, 5], "semantic": {"name": "convert_date", "arg_names": ["connection", "field", "obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def convert_date(connection, field, obj):\n \"\"\"Returns a DATE column as a date object:\n\n >>> date_or_None('2007-02-26')\n datetime.date(2007, 2, 26)\n\n Illegal values are returned as None:\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L203_C4", "label": "expression", "type": "expression", "loc": [203, 215], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L202_C0", "vector": [8, 1, 0.5871, 0.0365, 1, 0.85, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Returns a DATE column as a date object:\n\n >>> date_or_None('2007-02-26')\n datetime.date(2007, 2, 26)\n\n Illegal values are returned as None:\n\n >>> date_or_None('2007-02-31') is None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L216_C4", "label": "try", "type": "try", "loc": [216, 221], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L202_C0", "vector": [7, 1, 0.6138, 0.0169, 1, 0.85, 1.0, 0, 0, 1, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n if not isinstance(obj, unicode):\n obj = obj.decode(connection.charset)\n return datetime.date(*[ int(x) for x in obj.split('-', 2) ])\n except ValueError:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L217_C8", "label": "if", "type": "if", "loc": [217, 218], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L216_C4", "vector": [4, 2, 0.611, 0.0056, 2, 0.18, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(obj, unicode):\n obj = obj.decode(connection.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L218_C12", "label": "obj = decode()", "type": "assigned_variable", "loc": [218, 218], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L217_C8", "vector": [14, 3, 0.6124, 0.0028, 3, 0.09, 0.0, 505, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "obj", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " obj = obj.decode(connection.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L219_C8", "label": "return", "type": "return", "loc": [219, 219], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L216_C4", "vector": [13, 2, 0.6152, 0.0028, 2, 0.18, 1.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return datetime.date(*[ int(x) for x in obj.split('-', 2) ])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L221_C8", "label": "return", "type": "return", "loc": [221, 221], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L216_C4", "vector": [13, 2, 0.6208, 0.0028, 2, 0.18, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L223_C0", "label": "convert_mysql_timestamp", "type": "function", "loc": [223, 256], "level": 0, "parent": null, "vector": [2, 0, 0.6728, 0.0955, 0, 0.66, 0.7561, 295, 0, 3, 1, 0, 0, 0, 11], "semantic": {"name": "convert_mysql_timestamp", "arg_names": ["connection", "field", "timestamp"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def convert_mysql_timestamp(connection, field, timestamp):\n \"\"\"Convert a MySQL TIMESTAMP to a Timestamp object.\n\n MySQL >= 4.1 returns TIMESTAMP in the same format as DATETIME:\n\n >>> mysql_timestamp_converter('2007-02-25 22:32:17')\n datetime.datetime(2007, 2, 25, 22, 32, 17)\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L224_C4", "label": "expression", "type": "expression", "loc": [224, 243], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L223_C0", "vector": [8, 1, 0.6559, 0.0562, 1, 0.32, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Convert a MySQL TIMESTAMP to a Timestamp object.\n\n MySQL >= 4.1 returns TIMESTAMP in the same format as DATETIME:\n\n >>> mysql_timestamp_converter('2007-02-25 22:32:17')\n datetime.datetime(2007, 2, 25, 22, 32, 17)\n\n MySQL < 4.1 uses a big string of numbers:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L244_C4", "label": "if", "type": "if", "loc": [244, 245], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L223_C0", "vector": [4, 1, 0.6868, 0.0056, 1, 0.32, 0.25, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(timestamp, unicode):\n timestamp = timestamp.decode(connection.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L245_C8", "label": "timestamp = decode()", "type": "assigned_variable", "loc": [245, 245], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L244_C4", "vector": [14, 2, 0.6882, 0.0028, 2, 0.89, 0.0, 834, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "timestamp", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " timestamp = timestamp.decode(connection.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L247_C4", "label": "if", "type": "if", "loc": [247, 248], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L223_C0", "vector": [4, 1, 0.6952, 0.0056, 1, 0.32, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if timestamp[4] == '-':\n return convert_datetime(connection, field, timestamp)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L248_C8", "label": "return", "type": "return", "loc": [248, 248], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L247_C4", "vector": [13, 2, 0.6966, 0.0028, 2, 0.79, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return convert_datetime(connection, field, timestamp)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L250_C4", "label": "year, month, day, hour, minute, second =", "type": "assigned_variable", "loc": [250, 252], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L223_C0", "vector": [14, 1, 0.7051, 0.0084, 1, 0.32, 0.75, 275, 0, 0, 0, 0, 0, 8, 6], "semantic": {"name": "year, month, day, hour, minute, second", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " year, month, day, hour, minute, second = \\\n int(timestamp[:4]), int(timestamp[4:6]), int(timestamp[6:8]), \\\n int(timestamp[8:10]), int(timestamp[10:12]), int(timestamp[12:14])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L253_C4", "label": "try", "type": "try", "loc": [253, 256], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L223_C0", "vector": [7, 1, 0.7149, 0.0112, 1, 0.32, 1.0, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return datetime.datetime(year, month, day, hour, minute, second)\n except ValueError:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L254_C8", "label": "return", "type": "return", "loc": [254, 254], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L253_C4", "vector": [13, 2, 0.7135, 0.0028, 2, 0.3, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return datetime.datetime(year, month, day, hour, minute, second)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L256_C8", "label": "return", "type": "return", "loc": [256, 256], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L253_C4", "vector": [13, 2, 0.7191, 0.0028, 2, 0.3, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L258_C0", "label": "convert_set", "type": "function", "loc": [258, 259], "level": 0, "parent": null, "vector": [2, 0, 0.7261, 0.0056, 0, 0.66, 0.7805, 225, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "convert_set", "arg_names": ["s"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def convert_set(s):\n return set(s.split(\",\"))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L259_C4", "label": "return", "type": "return", "loc": [259, 259], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L258_C0", "vector": [13, 1, 0.7275, 0.0028, 1, 0.24, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return set(s.split(\",\"))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L261_C0", "label": "convert_bit", "type": "function", "loc": [261, 267], "level": 0, "parent": null, "vector": [2, 0, 0.7416, 0.0197, 0, 0.66, 0.8049, 195, 0, 3, 1, 0, 0, 0, 0], "semantic": {"name": "convert_bit", "arg_names": ["connection", "field", "b"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def convert_bit(connection, field, b):\n #b = \"\\x00\" * (8 - len(b)) + b # pad w/ zeroes\n #return struct.unpack(\">Q\", b)[0]\n #\n # the snippet above is right, but MySQLdb doesn't process bits,\n # so we shouldn't either\n return b"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L267_C4", "label": "return", "type": "return", "loc": [267, 267], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L261_C0", "vector": [13, 1, 0.75, 0.0028, 1, 0.02, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return b"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L269_C0", "label": "convert_characters", "type": "function", "loc": [269, 281], "level": 0, "parent": null, "vector": [2, 0, 0.7725, 0.0365, 0, 0.66, 0.8293, 450, 0, 3, 1, 0, 0, 0, 6], "semantic": {"name": "convert_characters", "arg_names": ["connection", "field", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def convert_characters(connection, field, data):\n field_charset = charset_by_id(field.charsetnr).name\n if field.flags & FLAG.SET:\n return convert_set(data.decode(field_charset))\n if field.flags & FLAG.BINARY:\n return data\n\n if connection.use_unicode:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L270_C4", "label": "field_charset =", "type": "assigned_variable", "loc": [270, 270], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L269_C0", "vector": [14, 1, 0.7584, 0.0028, 1, 0.51, 0.0, 767, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "field_charset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " field_charset = charset_by_id(field.charsetnr).name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L271_C4", "label": "if", "type": "if", "loc": [271, 272], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L269_C0", "vector": [4, 1, 0.7626, 0.0056, 1, 0.51, 0.25, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if field.flags & FLAG.SET:\n return convert_set(data.decode(field_charset))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L272_C8", "label": "return", "type": "return", "loc": [272, 272], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L271_C4", "vector": [13, 2, 0.764, 0.0028, 2, 0.24, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return convert_set(data.decode(field_charset))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L273_C4", "label": "if", "type": "if", "loc": [273, 274], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L269_C0", "vector": [4, 1, 0.7683, 0.0056, 1, 0.51, 0.5, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if field.flags & FLAG.BINARY:\n return data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L274_C8", "label": "return", "type": "return", "loc": [274, 274], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L273_C4", "vector": [13, 2, 0.7697, 0.0028, 2, 0.21, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L276_C4", "label": "if", "type": "if", "loc": [276, 280], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L269_C0", "vector": [4, 1, 0.7809, 0.014, 1, 0.51, 0.75, 0, 7, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if connection.use_unicode:\n data = data.decode(field_charset)\n elif connection.charset != field_charset:\n data = data.decode(field_charset)\n data = data.encode(connection.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L277_C8", "label": "data = decode()", "type": "assigned_variable", "loc": [277, 277], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L276_C4", "vector": [14, 2, 0.7781, 0.0028, 2, 0.52, 0.0, 929, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " data = data.decode(field_charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:If_L278_C4", "label": "if", "type": "if", "loc": [278, 280], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L276_C4", "vector": [4, 2, 0.7837, 0.0084, 2, 0.52, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif connection.charset != field_charset:\n data = data.decode(field_charset)\n data = data.encode(connection.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L279_C8", "label": "data = decode()", "type": "assigned_variable", "loc": [279, 279], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L278_C4", "vector": [14, 3, 0.7837, 0.0028, 3, 0.2, 0.0, 929, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " data = data.decode(field_charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L280_C8", "label": "data = encode()", "type": "assigned_variable", "loc": [280, 280], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:If_L278_C4", "vector": [14, 3, 0.7865, 0.0028, 3, 0.2, 1.0, 929, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " data = data.encode(connection.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L281_C4", "label": "return", "type": "return", "loc": [281, 281], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L269_C0", "vector": [13, 1, 0.7893, 0.0028, 1, 0.51, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L283_C0", "label": "convert_int", "type": "function", "loc": [283, 284], "level": 0, "parent": null, "vector": [2, 0, 0.7963, 0.0056, 0, 0.66, 0.8537, 679, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "convert_int", "arg_names": ["connection", "field", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def convert_int(connection, field, data):\n return int(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L284_C4", "label": "return", "type": "return", "loc": [284, 284], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L283_C0", "vector": [13, 1, 0.7978, 0.0028, 1, 0.51, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return int(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L286_C0", "label": "convert_long", "type": "function", "loc": [286, 287], "level": 0, "parent": null, "vector": [2, 0, 0.8048, 0.0056, 0, 0.66, 0.878, 540, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "convert_long", "arg_names": ["connection", "field", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def convert_long(connection, field, data):\n return long(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L287_C4", "label": "return", "type": "return", "loc": [287, 287], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L286_C0", "vector": [13, 1, 0.8062, 0.0028, 1, 0.54, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return long(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L289_C0", "label": "convert_float", "type": "function", "loc": [289, 290], "level": 0, "parent": null, "vector": [2, 0, 0.8132, 0.0056, 0, 0.66, 0.9024, 547, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "convert_float", "arg_names": ["connection", "field", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def convert_float(connection, field, data):\n return float(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L290_C4", "label": "return", "type": "return", "loc": [290, 290], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L289_C0", "vector": [13, 1, 0.8146, 0.0028, 1, 0.37, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return float(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L292_C0", "label": "encoders =", "type": "assigned_variable", "loc": [292, 309], "level": 0, "parent": null, "vector": [14, 0, 0.8441, 0.0506, 0, 0.66, 0.9268, 430, 0, 0, 0, 0, 0, 6, 1], "semantic": {"name": "encoders", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "encoders = {\n bool: escape_bool,\n int: escape_int,\n long: escape_long,\n float: escape_float,\n str: escape_string,\n unicode: escape_unicode,\n tuple: escape_sequence,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L311_C0", "label": "decoders =", "type": "assigned_variable", "loc": [311, 339], "level": 0, "parent": null, "vector": [14, 0, 0.9129, 0.0815, 0, 0.66, 0.9512, 715, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "decoders", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "decoders = {\n FIELD_TYPE.BIT: convert_bit,\n FIELD_TYPE.TINY: convert_int,\n FIELD_TYPE.SHORT: convert_int,\n FIELD_TYPE.LONG: convert_long,\n FIELD_TYPE.FLOAT: convert_float,\n FIELD_TYPE.DOUBLE: convert_float,\n FIELD_TYPE.DECIMAL: convert_float,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L340_C0", "label": "conversions =", "type": "assigned_variable", "loc": [340, 340], "level": 0, "parent": null, "vector": [14, 0, 0.9551, 0.0028, 0, 0.66, 0.9756, 5, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "conversions", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "conversions = decoders # for MySQLdb compatibility"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "label": "try", "type": "try", "loc": [342, 356], "level": 0, "parent": null, "vector": [7, 0, 0.9803, 0.0421, 0, 0.66, 1.0, 0, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n # python version > 2.3\n from decimal import Decimal\n def convert_decimal(connection, field, data):\n data = data.decode(connection.charset)\n return Decimal(data)\n decoders[FIELD_TYPE.DECIMAL] = convert_decimal\n decoders[FIELD_TYPE.NEWDECIMAL] = convert_decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:ImportFrom_L344_C4", "label": "from decimal import Decimal", "type": "import", "loc": [344, 344], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "vector": [1, 1, 0.9663, 0.0028, 1, 0.38, 0.0, 349, 0, 1, 0, 0, 349, 0, 0], "semantic": {"name": "decimal", "arg_names": [], "import_names": ["Decimal"], "rhs_call_name": "", "annotation": ""}, "snippet": " from decimal import Decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L345_C4", "label": "convert_decimal", "type": "function", "loc": [345, 347], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "vector": [2, 1, 0.9719, 0.0084, 1, 0.38, 0.2, 438, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "convert_decimal", "arg_names": ["connection", "field", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def convert_decimal(connection, field, data):\n data = data.decode(connection.charset)\n return Decimal(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L346_C8", "label": "data = decode()", "type": "assigned_variable", "loc": [346, 346], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L345_C4", "vector": [14, 2, 0.9719, 0.0028, 2, 0.69, 0.0, 929, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " data = data.decode(connection.charset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L347_C8", "label": "return", "type": "return", "loc": [347, 347], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L345_C4", "vector": [13, 2, 0.9747, 0.0028, 2, 0.69, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Decimal(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L348_C4", "label": "assign", "type": "assigned_variable", "loc": [348, 348], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "vector": [14, 1, 0.9775, 0.0028, 1, 0.38, 0.4, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " decoders[FIELD_TYPE.DECIMAL] = convert_decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L349_C4", "label": "assign", "type": "assigned_variable", "loc": [349, 349], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "vector": [14, 1, 0.9803, 0.0028, 1, 0.38, 0.6, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " decoders[FIELD_TYPE.NEWDECIMAL] = convert_decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L351_C4", "label": "escape_decimal", "type": "function", "loc": [351, 352], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "vector": [2, 1, 0.9874, 0.0056, 1, 0.38, 0.8, 304, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "escape_decimal", "arg_names": ["obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def escape_decimal(obj):\n return unicode(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L352_C8", "label": "return", "type": "return", "loc": [352, 352], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L351_C4", "vector": [13, 2, 0.9888, 0.0028, 2, 0.81, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return unicode(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L353_C4", "label": "assign", "type": "assigned_variable", "loc": [353, 353], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "vector": [14, 1, 0.9916, 0.0028, 1, 0.38, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " encoders[Decimal] = escape_decimal"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L12_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L14_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L14_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:ImportFrom_L15_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L14_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:ImportFrom_L17_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L24_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L24_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L25_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L26_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L26_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L27_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L28_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L28_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L30_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L31_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L32_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L33_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L33_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L34_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L35_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L23_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L36_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L38_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L39_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L38_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:For_L40_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:For_L40_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L41_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:For_L40_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L42_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L38_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L43_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L45_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L46_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L45_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:For_L47_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:For_L47_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L48_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:For_L47_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L49_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L45_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L50_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L52_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L53_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L52_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L54_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L57_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L59_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L60_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L62_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L63_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L67_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L68_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L71_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L74_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L75_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L77_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L78_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L81_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L82_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L83_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L84_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L86_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L87_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L86_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L89_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L86_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L92_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L94_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L95_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L97_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L98_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L100_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L101_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L103_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L104_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L103_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L119_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L119_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L120_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L103_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L121_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L121_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L122_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L121_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L123_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L123_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L124_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L123_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L126_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L103_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L128_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L128_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L129_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L128_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L130_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L128_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L132_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L134_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L135_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L134_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L152_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L153_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L153_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L154_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L155_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L155_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L156_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L155_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L157_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L158_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L159_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L165_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L151_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L167_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L169_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L170_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L169_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L191_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L192_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L193_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L193_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L194_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L193_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L195_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L196_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L197_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L200_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L202_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L203_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L202_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L216_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L216_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L217_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L217_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L218_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L216_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L219_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L216_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L221_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L223_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Expr_L224_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L223_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L244_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L245_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L223_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L247_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L247_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L248_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L223_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L250_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L223_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L253_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L253_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L254_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L253_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L256_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L258_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L259_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L261_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L267_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L269_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L270_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L269_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L271_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L271_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L272_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L269_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L273_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L273_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L274_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L269_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L276_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L276_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L277_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L276_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:If_L278_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L278_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L279_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:If_L278_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L280_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L269_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L281_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L283_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L284_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L286_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L287_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L289_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L290_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:ImportFrom_L344_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L345_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L345_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L346_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L345_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L347_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L348_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L349_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L351_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:FunctionDef_L351_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Return_L352_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_524:Try_L342_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_524:Assign_L353_C4"}]
from time import localtime from datetime import date, datetime, time, timedelta Date = date Time = time TimeDelta = timedelta Timestamp = datetime def DateFromTicks(ticks): return date(*localtime(ticks)[:3]) def TimeFromTicks(ticks): return time(*localtime(ticks)[3:6]) def TimestampFromTicks(ticks): return datetime(*localtime(ticks)[:6])
ajibawa-2023/Python-Code-Large/train/row_525
12
16
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_525:ImportFrom_L1_C0", "label": "from time import localtime", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.0625, 0.0625, 0, 0.66, 0.0, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["localtime"], "rhs_call_name": "", "annotation": ""}, "snippet": "from time import localtime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_525:ImportFrom_L2_C0", "label": "from datetime import date, datetime, time\u2026", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.125, 0.0625, 0, 0.66, 0.125, 426, 0, 4, 0, 0, 426, 0, 0], "semantic": {"name": "datetime", "arg_names": [], "import_names": ["date", "datetime", "time", "timedelta"], "rhs_call_name": "", "annotation": ""}, "snippet": "from datetime import date, datetime, time, timedelta"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_525:Assign_L4_C0", "label": "Date =", "type": "assigned_variable", "loc": [4, 4], "level": 0, "parent": null, "vector": [14, 0, 0.25, 0.0625, 0, 0.66, 0.25, 929, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "Date", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "Date = date"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_525:Assign_L5_C0", "label": "Time =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.3125, 0.0625, 0, 0.66, 0.375, 451, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "Time", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "Time = time"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_525:Assign_L6_C0", "label": "TimeDelta =", "type": "assigned_variable", "loc": [6, 6], "level": 0, "parent": null, "vector": [14, 0, 0.375, 0.0625, 0, 0.66, 0.5, 848, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "TimeDelta", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TimeDelta = timedelta"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_525:Assign_L7_C0", "label": "Timestamp =", "type": "assigned_variable", "loc": [7, 7], "level": 0, "parent": null, "vector": [14, 0, 0.4375, 0.0625, 0, 0.66, 0.625, 137, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "Timestamp", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "Timestamp = datetime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_525:FunctionDef_L9_C0", "label": "DateFromTicks", "type": "function", "loc": [9, 10], "level": 0, "parent": null, "vector": [2, 0, 0.5938, 0.125, 0, 0.66, 0.75, 60, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "DateFromTicks", "arg_names": ["ticks"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def DateFromTicks(ticks):\n return date(*localtime(ticks)[:3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_525:Return_L10_C4", "label": "return", "type": "return", "loc": [10, 10], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_525:FunctionDef_L9_C0", "vector": [13, 1, 0.625, 0.0625, 1, 0.58, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return date(*localtime(ticks)[:3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_525:FunctionDef_L12_C0", "label": "TimeFromTicks", "type": "function", "loc": [12, 13], "level": 0, "parent": null, "vector": [2, 0, 0.7812, 0.125, 0, 0.66, 0.875, 786, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "TimeFromTicks", "arg_names": ["ticks"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def TimeFromTicks(ticks):\n return time(*localtime(ticks)[3:6])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_525:Return_L13_C4", "label": "return", "type": "return", "loc": [13, 13], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_525:FunctionDef_L12_C0", "vector": [13, 1, 0.8125, 0.0625, 1, 0.87, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return time(*localtime(ticks)[3:6])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_525:FunctionDef_L15_C0", "label": "TimestampFromTicks", "type": "function", "loc": [15, 16], "level": 0, "parent": null, "vector": [2, 0, 0.9688, 0.125, 0, 0.66, 1.0, 822, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "TimestampFromTicks", "arg_names": ["ticks"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def TimestampFromTicks(ticks):\n return datetime(*localtime(ticks)[:6])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_525:Return_L16_C4", "label": "return", "type": "return", "loc": [16, 16], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_525:FunctionDef_L15_C0", "vector": [13, 1, 1.0, 0.0625, 1, 0.83, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return datetime(*localtime(ticks)[:6])"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_525:FunctionDef_L9_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_525:Return_L10_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_525:FunctionDef_L12_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_525:Return_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_525:FunctionDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_525:Return_L16_C4"}]
import struct def byte2int(b): if isinstance(b, int): return b else: return struct.unpack("!B", b)[0] def int2byte(i): return struct.pack("!B", i) def join_bytes(bs): if len(bs) == 0: return "" else: rv = bs[0] for b in bs[1:]: rv += b return rv
ajibawa-2023/Python-Code-Large/train/row_527
13
19
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_527:Import_L1_C0", "label": "struct import struct", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.0526, 0.0526, 0, 0.66, 0.0, 399, 0, 1, 0, 0, 399, 0, 0], "semantic": {"name": "struct", "arg_names": [], "import_names": ["struct"], "rhs_call_name": "", "annotation": ""}, "snippet": "import struct"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_527:FunctionDef_L3_C0", "label": "byte2int", "type": "function", "loc": [3, 7], "level": 0, "parent": null, "vector": [2, 0, 0.2632, 0.2632, 0, 0.66, 0.3333, 33, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "byte2int", "arg_names": ["b"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def byte2int(b):\n if isinstance(b, int):\n return b\n else:\n return struct.unpack(\"!B\", b)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_527:If_L4_C4", "label": "if", "type": "if", "loc": [4, 7], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_527:FunctionDef_L3_C0", "vector": [4, 1, 0.2895, 0.2105, 1, 0.65, 0.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(b, int):\n return b\n else:\n return struct.unpack(\"!B\", b)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_527:Return_L5_C8", "label": "return", "type": "return", "loc": [5, 5], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_527:If_L4_C4", "vector": [13, 2, 0.2632, 0.0526, 2, 0.05, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return b"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_527:Return_L7_C8", "label": "return", "type": "return", "loc": [7, 7], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_527:If_L4_C4", "vector": [13, 2, 0.3684, 0.0526, 2, 0.05, 1.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.unpack(\"!B\", b)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_527:FunctionDef_L9_C0", "label": "int2byte", "type": "function", "loc": [9, 10], "level": 0, "parent": null, "vector": [2, 0, 0.5, 0.1053, 0, 0.66, 0.6667, 597, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "int2byte", "arg_names": ["i"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def int2byte(i):\n return struct.pack(\"!B\", i)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_527:Return_L10_C4", "label": "return", "type": "return", "loc": [10, 10], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_527:FunctionDef_L9_C0", "vector": [13, 1, 0.5263, 0.0526, 1, 0.79, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.pack(\"!B\", i)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_527:FunctionDef_L12_C0", "label": "join_bytes", "type": "function", "loc": [12, 19], "level": 0, "parent": null, "vector": [2, 0, 0.8158, 0.4211, 0, 0.66, 1.0, 28, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "join_bytes", "arg_names": ["bs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def join_bytes(bs):\n if len(bs) == 0:\n return \"\"\n else:\n rv = bs[0]\n for b in bs[1:]:\n rv += b\n return rv"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_527:If_L13_C4", "label": "if", "type": "if", "loc": [13, 19], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_527:FunctionDef_L12_C0", "vector": [4, 1, 0.8421, 0.3684, 1, 0.44, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(bs) == 0:\n return \"\"\n else:\n rv = bs[0]\n for b in bs[1:]:\n rv += b\n return rv"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_527:Return_L14_C8", "label": "return", "type": "return", "loc": [14, 14], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_527:If_L13_C4", "vector": [13, 2, 0.7368, 0.0526, 2, 0.4, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_527:Assign_L16_C8", "label": "rv =", "type": "assigned_variable", "loc": [16, 16], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_527:If_L13_C4", "vector": [14, 2, 0.8421, 0.0526, 2, 0.4, 0.3333, 222, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "rv", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " rv = bs[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_527:For_L17_C8", "label": "for b", "type": "for", "loc": [17, 18], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_527:If_L13_C4", "vector": [6, 2, 0.9211, 0.1053, 2, 0.4, 0.6667, 756, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "b", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for b in bs[1:]:\n rv += b"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_527:Return_L19_C8", "label": "return", "type": "return", "loc": [19, 19], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_527:If_L13_C4", "vector": [13, 2, 1.0, 0.0526, 2, 0.4, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return rv"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_527:FunctionDef_L3_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_527:If_L4_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_527:If_L4_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_527:Return_L5_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_527:If_L4_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_527:Return_L7_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_527:FunctionDef_L9_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_527:Return_L10_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_527:FunctionDef_L12_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_527:If_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_527:If_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_527:Return_L14_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_527:If_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_527:Assign_L16_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_527:If_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_527:For_L17_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_527:If_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_527:Return_L19_C8"}]
MBLENGTH = { 8:1, 33:3, 88:2, 91:2 } class Charset: def __init__(self, id, name, collation, is_default): self.id, self.name, self.collation = id, name, collation self.is_default = is_default == 'Yes' class Charsets: def __init__(self): self._by_id = {} def add(self, c): self._by_id[c.id] = c def by_id(self, id): return self._by_id[id] def by_name(self, name): for c in self._by_id.values(): if c.name == name and c.is_default: return c _charsets = Charsets() """ Generated with: mysql -N -s -e "select id, character_set_name, collation_name, is_default from information_schema.collations order by id;" | python -c "import sys for l in sys.stdin.readlines(): id, name, collation, is_default = l.split(chr(9)) print '_charsets.add(Charset(%s, \'%s\', \'%s\', \'%s\'))' \ % (id, name, collation, is_default.strip()) " """ _charsets.add(Charset(1, 'big5', 'big5_chinese_ci', 'Yes')) _charsets.add(Charset(2, 'latin2', 'latin2_czech_cs', '')) _charsets.add(Charset(3, 'dec8', 'dec8_swedish_ci', 'Yes')) _charsets.add(Charset(4, 'cp850', 'cp850_general_ci', 'Yes')) _charsets.add(Charset(5, 'latin1', 'latin1_german1_ci', '')) _charsets.add(Charset(6, 'hp8', 'hp8_english_ci', 'Yes')) _charsets.add(Charset(7, 'koi8r', 'koi8r_general_ci', 'Yes')) _charsets.add(Charset(8, 'latin1', 'latin1_swedish_ci', 'Yes')) _charsets.add(Charset(9, 'latin2', 'latin2_general_ci', 'Yes')) _charsets.add(Charset(10, 'swe7', 'swe7_swedish_ci', 'Yes')) _charsets.add(Charset(11, 'ascii', 'ascii_general_ci', 'Yes')) _charsets.add(Charset(12, 'ujis', 'ujis_japanese_ci', 'Yes')) _charsets.add(Charset(13, 'sjis', 'sjis_japanese_ci', 'Yes')) _charsets.add(Charset(14, 'cp1251', 'cp1251_bulgarian_ci', '')) _charsets.add(Charset(15, 'latin1', 'latin1_danish_ci', '')) _charsets.add(Charset(16, 'hebrew', 'hebrew_general_ci', 'Yes')) _charsets.add(Charset(18, 'tis620', 'tis620_thai_ci', 'Yes')) _charsets.add(Charset(19, 'euckr', 'euckr_korean_ci', 'Yes')) _charsets.add(Charset(20, 'latin7', 'latin7_estonian_cs', '')) _charsets.add(Charset(21, 'latin2', 'latin2_hungarian_ci', '')) _charsets.add(Charset(22, 'koi8u', 'koi8u_general_ci', 'Yes')) _charsets.add(Charset(23, 'cp1251', 'cp1251_ukrainian_ci', '')) _charsets.add(Charset(24, 'gb2312', 'gb2312_chinese_ci', 'Yes')) _charsets.add(Charset(25, 'greek', 'greek_general_ci', 'Yes')) _charsets.add(Charset(26, 'cp1250', 'cp1250_general_ci', 'Yes')) _charsets.add(Charset(27, 'latin2', 'latin2_croatian_ci', '')) _charsets.add(Charset(28, 'gbk', 'gbk_chinese_ci', 'Yes')) _charsets.add(Charset(29, 'cp1257', 'cp1257_lithuanian_ci', '')) _charsets.add(Charset(30, 'latin5', 'latin5_turkish_ci', 'Yes')) _charsets.add(Charset(31, 'latin1', 'latin1_german2_ci', '')) _charsets.add(Charset(32, 'armscii8', 'armscii8_general_ci', 'Yes')) _charsets.add(Charset(33, 'utf8', 'utf8_general_ci', 'Yes')) _charsets.add(Charset(34, 'cp1250', 'cp1250_czech_cs', '')) _charsets.add(Charset(35, 'ucs2', 'ucs2_general_ci', 'Yes')) _charsets.add(Charset(36, 'cp866', 'cp866_general_ci', 'Yes')) _charsets.add(Charset(37, 'keybcs2', 'keybcs2_general_ci', 'Yes')) _charsets.add(Charset(38, 'macce', 'macce_general_ci', 'Yes')) _charsets.add(Charset(39, 'macroman', 'macroman_general_ci', 'Yes')) _charsets.add(Charset(40, 'cp852', 'cp852_general_ci', 'Yes')) _charsets.add(Charset(41, 'latin7', 'latin7_general_ci', 'Yes')) _charsets.add(Charset(42, 'latin7', 'latin7_general_cs', '')) _charsets.add(Charset(43, 'macce', 'macce_bin', '')) _charsets.add(Charset(44, 'cp1250', 'cp1250_croatian_ci', '')) _charsets.add(Charset(47, 'latin1', 'latin1_bin', '')) _charsets.add(Charset(48, 'latin1', 'latin1_general_ci', '')) _charsets.add(Charset(49, 'latin1', 'latin1_general_cs', '')) _charsets.add(Charset(50, 'cp1251', 'cp1251_bin', '')) _charsets.add(Charset(51, 'cp1251', 'cp1251_general_ci', 'Yes')) _charsets.add(Charset(52, 'cp1251', 'cp1251_general_cs', '')) _charsets.add(Charset(53, 'macroman', 'macroman_bin', '')) _charsets.add(Charset(57, 'cp1256', 'cp1256_general_ci', 'Yes')) _charsets.add(Charset(58, 'cp1257', 'cp1257_bin', '')) _charsets.add(Charset(59, 'cp1257', 'cp1257_general_ci', 'Yes')) _charsets.add(Charset(63, 'binary', 'binary', 'Yes')) _charsets.add(Charset(64, 'armscii8', 'armscii8_bin', '')) _charsets.add(Charset(65, 'ascii', 'ascii_bin', '')) _charsets.add(Charset(66, 'cp1250', 'cp1250_bin', '')) _charsets.add(Charset(67, 'cp1256', 'cp1256_bin', '')) _charsets.add(Charset(68, 'cp866', 'cp866_bin', '')) _charsets.add(Charset(69, 'dec8', 'dec8_bin', '')) _charsets.add(Charset(70, 'greek', 'greek_bin', '')) _charsets.add(Charset(71, 'hebrew', 'hebrew_bin', '')) _charsets.add(Charset(72, 'hp8', 'hp8_bin', '')) _charsets.add(Charset(73, 'keybcs2', 'keybcs2_bin', '')) _charsets.add(Charset(74, 'koi8r', 'koi8r_bin', '')) _charsets.add(Charset(75, 'koi8u', 'koi8u_bin', '')) _charsets.add(Charset(77, 'latin2', 'latin2_bin', '')) _charsets.add(Charset(78, 'latin5', 'latin5_bin', '')) _charsets.add(Charset(79, 'latin7', 'latin7_bin', '')) _charsets.add(Charset(80, 'cp850', 'cp850_bin', '')) _charsets.add(Charset(81, 'cp852', 'cp852_bin', '')) _charsets.add(Charset(82, 'swe7', 'swe7_bin', '')) _charsets.add(Charset(83, 'utf8', 'utf8_bin', '')) _charsets.add(Charset(84, 'big5', 'big5_bin', '')) _charsets.add(Charset(85, 'euckr', 'euckr_bin', '')) _charsets.add(Charset(86, 'gb2312', 'gb2312_bin', '')) _charsets.add(Charset(87, 'gbk', 'gbk_bin', '')) _charsets.add(Charset(88, 'sjis', 'sjis_bin', '')) _charsets.add(Charset(89, 'tis620', 'tis620_bin', '')) _charsets.add(Charset(90, 'ucs2', 'ucs2_bin', '')) _charsets.add(Charset(91, 'ujis', 'ujis_bin', '')) _charsets.add(Charset(92, 'geostd8', 'geostd8_general_ci', 'Yes')) _charsets.add(Charset(93, 'geostd8', 'geostd8_bin', '')) _charsets.add(Charset(94, 'latin1', 'latin1_spanish_ci', '')) _charsets.add(Charset(95, 'cp932', 'cp932_japanese_ci', 'Yes')) _charsets.add(Charset(96, 'cp932', 'cp932_bin', '')) _charsets.add(Charset(97, 'eucjpms', 'eucjpms_japanese_ci', 'Yes')) _charsets.add(Charset(98, 'eucjpms', 'eucjpms_bin', '')) _charsets.add(Charset(99, 'cp1250', 'cp1250_polish_ci', '')) _charsets.add(Charset(128, 'ucs2', 'ucs2_unicode_ci', '')) _charsets.add(Charset(129, 'ucs2', 'ucs2_icelandic_ci', '')) _charsets.add(Charset(130, 'ucs2', 'ucs2_latvian_ci', '')) _charsets.add(Charset(131, 'ucs2', 'ucs2_romanian_ci', '')) _charsets.add(Charset(132, 'ucs2', 'ucs2_slovenian_ci', '')) _charsets.add(Charset(133, 'ucs2', 'ucs2_polish_ci', '')) _charsets.add(Charset(134, 'ucs2', 'ucs2_estonian_ci', '')) _charsets.add(Charset(135, 'ucs2', 'ucs2_spanish_ci', '')) _charsets.add(Charset(136, 'ucs2', 'ucs2_swedish_ci', '')) _charsets.add(Charset(137, 'ucs2', 'ucs2_turkish_ci', '')) _charsets.add(Charset(138, 'ucs2', 'ucs2_czech_ci', '')) _charsets.add(Charset(139, 'ucs2', 'ucs2_danish_ci', '')) _charsets.add(Charset(140, 'ucs2', 'ucs2_lithuanian_ci', '')) _charsets.add(Charset(141, 'ucs2', 'ucs2_slovak_ci', '')) _charsets.add(Charset(142, 'ucs2', 'ucs2_spanish2_ci', '')) _charsets.add(Charset(143, 'ucs2', 'ucs2_roman_ci', '')) _charsets.add(Charset(144, 'ucs2', 'ucs2_persian_ci', '')) _charsets.add(Charset(145, 'ucs2', 'ucs2_esperanto_ci', '')) _charsets.add(Charset(146, 'ucs2', 'ucs2_hungarian_ci', '')) _charsets.add(Charset(192, 'utf8', 'utf8_unicode_ci', '')) _charsets.add(Charset(193, 'utf8', 'utf8_icelandic_ci', '')) _charsets.add(Charset(194, 'utf8', 'utf8_latvian_ci', '')) _charsets.add(Charset(195, 'utf8', 'utf8_romanian_ci', '')) _charsets.add(Charset(196, 'utf8', 'utf8_slovenian_ci', '')) _charsets.add(Charset(197, 'utf8', 'utf8_polish_ci', '')) _charsets.add(Charset(198, 'utf8', 'utf8_estonian_ci', '')) _charsets.add(Charset(199, 'utf8', 'utf8_spanish_ci', '')) _charsets.add(Charset(200, 'utf8', 'utf8_swedish_ci', '')) _charsets.add(Charset(201, 'utf8', 'utf8_turkish_ci', '')) _charsets.add(Charset(202, 'utf8', 'utf8_czech_ci', '')) _charsets.add(Charset(203, 'utf8', 'utf8_danish_ci', '')) _charsets.add(Charset(204, 'utf8', 'utf8_lithuanian_ci', '')) _charsets.add(Charset(205, 'utf8', 'utf8_slovak_ci', '')) _charsets.add(Charset(206, 'utf8', 'utf8_spanish2_ci', '')) _charsets.add(Charset(207, 'utf8', 'utf8_roman_ci', '')) _charsets.add(Charset(208, 'utf8', 'utf8_persian_ci', '')) _charsets.add(Charset(209, 'utf8', 'utf8_esperanto_ci', '')) _charsets.add(Charset(210, 'utf8', 'utf8_hungarian_ci', '')) def charset_by_name(name): return _charsets.by_name(name) def charset_by_id(id): return _charsets.by_id(id)
ajibawa-2023/Python-Code-Large/train/row_528
149
174
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_528:Assign_L1_C0", "label": "MBLENGTH =", "type": "assigned_variable", "loc": [1, 6], "level": 0, "parent": null, "vector": [14, 0, 0.0201, 0.0345, 0, 0.66, 0.0, 757, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "MBLENGTH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MBLENGTH = {\n 8:1,\n 33:3,\n 88:2,\n 91:2\n }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:ClassDef_L8_C0", "label": "Charset", "type": "class", "loc": [8, 11], "level": 0, "parent": null, "vector": [3, 0, 0.0546, 0.023, 0, 0.66, 0.0075, 237, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "Charset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Charset:\n def __init__(self, id, name, collation, is_default):\n self.id, self.name, self.collation = id, name, collation\n self.is_default = is_default == 'Yes'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L9_C4", "label": "__init__", "type": "function", "loc": [9, 11], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:ClassDef_L8_C0", "vector": [2, 1, 0.0575, 0.0172, 1, 0.15, 0.0, 555, 0, 5, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "id", "name", "collation", "is_default"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, id, name, collation, is_default):\n self.id, self.name, self.collation = id, name, collation\n self.is_default = is_default == 'Yes'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Assign_L10_C8", "label": "assign", "type": "assigned_variable", "loc": [10, 10], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L9_C4", "vector": [14, 2, 0.0575, 0.0057, 2, 0.87, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.id, self.name, self.collation = id, name, collation"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Assign_L11_C8", "label": "self.is_default =", "type": "assigned_variable", "loc": [11, 11], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L9_C4", "vector": [14, 2, 0.0632, 0.0057, 2, 0.87, 1.0, 753, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.is_default", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.is_default = is_default == 'Yes'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:ClassDef_L13_C0", "label": "Charsets", "type": "class", "loc": [13, 26], "level": 0, "parent": null, "vector": [3, 0, 0.1121, 0.0805, 0, 0.66, 0.015, 828, 0, 4, 0, 0, 0, 0, 1], "semantic": {"name": "Charsets", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Charsets:\n def __init__(self):\n self._by_id = {}\n\n def add(self, c):\n self._by_id[c.id] = c\n\n def by_id(self, id):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L14_C4", "label": "__init__", "type": "function", "loc": [14, 15], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:ClassDef_L13_C0", "vector": [2, 1, 0.0833, 0.0115, 1, 0.0, 0.0, 555, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self):\n self._by_id = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Assign_L15_C8", "label": "self._by_id =", "type": "assigned_variable", "loc": [15, 15], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L14_C4", "vector": [14, 2, 0.0862, 0.0057, 2, 0.34, 0.0, 282, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self._by_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._by_id = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L17_C4", "label": "add", "type": "function", "loc": [17, 18], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:ClassDef_L13_C0", "vector": [2, 1, 0.1006, 0.0115, 1, 0.0, 0.3333, 241, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "add", "arg_names": ["self", "c"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def add(self, c):\n self._by_id[c.id] = c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Assign_L18_C8", "label": "assign", "type": "assigned_variable", "loc": [18, 18], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L17_C4", "vector": [14, 2, 0.1034, 0.0057, 2, 0.98, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._by_id[c.id] = c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L20_C4", "label": "by_id", "type": "function", "loc": [20, 21], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:ClassDef_L13_C0", "vector": [2, 1, 0.1178, 0.0115, 1, 0.0, 0.6667, 889, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "by_id", "arg_names": ["self", "id"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def by_id(self, id):\n return self._by_id[id]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Return_L21_C8", "label": "return", "type": "return", "loc": [21, 21], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L20_C4", "vector": [13, 2, 0.1207, 0.0057, 2, 0.04, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._by_id[id]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L23_C4", "label": "by_name", "type": "function", "loc": [23, 26], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:ClassDef_L13_C0", "vector": [2, 1, 0.1408, 0.023, 1, 0.0, 1.0, 955, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "by_name", "arg_names": ["self", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def by_name(self, name):\n for c in self._by_id.values():\n if c.name == name and c.is_default:\n return c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:For_L24_C8", "label": "for c", "type": "for", "loc": [24, 26], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L23_C4", "vector": [6, 2, 0.1437, 0.0172, 2, 0.38, 0.0, 411, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for c in self._by_id.values():\n if c.name == name and c.is_default:\n return c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:If_L25_C12", "label": "if", "type": "if", "loc": [25, 26], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:For_L24_C8", "vector": [4, 3, 0.1466, 0.0115, 3, 0.79, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if c.name == name and c.is_default:\n return c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Return_L26_C16", "label": "return", "type": "return", "loc": [26, 26], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:If_L25_C12", "vector": [13, 4, 0.1494, 0.0057, 4, 0.66, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Assign_L28_C0", "label": "_charsets = Charsets()", "type": "assigned_variable", "loc": [28, 28], "level": 0, "parent": null, "vector": [14, 0, 0.1609, 0.0057, 0, 0.66, 0.0226, 858, 3, 0, 0, 0, 828, 10, 1], "semantic": {"name": "_charsets", "arg_names": [], "import_names": [], "rhs_call_name": "Charsets", "annotation": ""}, "snippet": "_charsets = Charsets()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L29_C0", "label": "expression", "type": "expression", "loc": [29, 40], "level": 0, "parent": null, "vector": [8, 0, 0.1983, 0.069, 0, 0.66, 0.0301, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nGenerated with:\n\nmysql -N -s -e \"select id, character_set_name, collation_name, is_default\nfrom information_schema.collations order by id;\" | python -c \"import sys\nfor l in sys.stdin.readlines():\n id, name, collation, is_default = l.split(chr(9))\n print '_charsets.add(Charset(%s, \\'%s\\', \\'%s\\', \\'%s\\'))' \\"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L41_C0", "label": "add()", "type": "expression", "loc": [41, 41], "level": 0, "parent": null, "vector": [8, 0, 0.2356, 0.0057, 0, 0.66, 0.0376, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(1, 'big5', 'big5_chinese_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L42_C0", "label": "add()", "type": "expression", "loc": [42, 42], "level": 0, "parent": null, "vector": [8, 0, 0.2414, 0.0057, 0, 0.66, 0.0451, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(2, 'latin2', 'latin2_czech_cs', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L43_C0", "label": "add()", "type": "expression", "loc": [43, 43], "level": 0, "parent": null, "vector": [8, 0, 0.2471, 0.0057, 0, 0.66, 0.0526, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(3, 'dec8', 'dec8_swedish_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L44_C0", "label": "add()", "type": "expression", "loc": [44, 44], "level": 0, "parent": null, "vector": [8, 0, 0.2529, 0.0057, 0, 0.66, 0.0602, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(4, 'cp850', 'cp850_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L45_C0", "label": "add()", "type": "expression", "loc": [45, 45], "level": 0, "parent": null, "vector": [8, 0, 0.2586, 0.0057, 0, 0.66, 0.0677, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(5, 'latin1', 'latin1_german1_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L46_C0", "label": "add()", "type": "expression", "loc": [46, 46], "level": 0, "parent": null, "vector": [8, 0, 0.2644, 0.0057, 0, 0.66, 0.0752, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(6, 'hp8', 'hp8_english_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L47_C0", "label": "add()", "type": "expression", "loc": [47, 47], "level": 0, "parent": null, "vector": [8, 0, 0.2701, 0.0057, 0, 0.66, 0.0827, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(7, 'koi8r', 'koi8r_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L48_C0", "label": "add()", "type": "expression", "loc": [48, 48], "level": 0, "parent": null, "vector": [8, 0, 0.2759, 0.0057, 0, 0.66, 0.0902, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(8, 'latin1', 'latin1_swedish_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L49_C0", "label": "add()", "type": "expression", "loc": [49, 49], "level": 0, "parent": null, "vector": [8, 0, 0.2816, 0.0057, 0, 0.66, 0.0977, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(9, 'latin2', 'latin2_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L50_C0", "label": "add()", "type": "expression", "loc": [50, 50], "level": 0, "parent": null, "vector": [8, 0, 0.2874, 0.0057, 0, 0.66, 0.1053, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(10, 'swe7', 'swe7_swedish_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L51_C0", "label": "add()", "type": "expression", "loc": [51, 51], "level": 0, "parent": null, "vector": [8, 0, 0.2931, 0.0057, 0, 0.66, 0.1128, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(11, 'ascii', 'ascii_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L52_C0", "label": "add()", "type": "expression", "loc": [52, 52], "level": 0, "parent": null, "vector": [8, 0, 0.2989, 0.0057, 0, 0.66, 0.1203, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(12, 'ujis', 'ujis_japanese_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L53_C0", "label": "add()", "type": "expression", "loc": [53, 53], "level": 0, "parent": null, "vector": [8, 0, 0.3046, 0.0057, 0, 0.66, 0.1278, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(13, 'sjis', 'sjis_japanese_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L54_C0", "label": "add()", "type": "expression", "loc": [54, 54], "level": 0, "parent": null, "vector": [8, 0, 0.3103, 0.0057, 0, 0.66, 0.1353, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(14, 'cp1251', 'cp1251_bulgarian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L55_C0", "label": "add()", "type": "expression", "loc": [55, 55], "level": 0, "parent": null, "vector": [8, 0, 0.3161, 0.0057, 0, 0.66, 0.1429, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(15, 'latin1', 'latin1_danish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L56_C0", "label": "add()", "type": "expression", "loc": [56, 56], "level": 0, "parent": null, "vector": [8, 0, 0.3218, 0.0057, 0, 0.66, 0.1504, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(16, 'hebrew', 'hebrew_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L57_C0", "label": "add()", "type": "expression", "loc": [57, 57], "level": 0, "parent": null, "vector": [8, 0, 0.3276, 0.0057, 0, 0.66, 0.1579, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(18, 'tis620', 'tis620_thai_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L58_C0", "label": "add()", "type": "expression", "loc": [58, 58], "level": 0, "parent": null, "vector": [8, 0, 0.3333, 0.0057, 0, 0.66, 0.1654, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(19, 'euckr', 'euckr_korean_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L59_C0", "label": "add()", "type": "expression", "loc": [59, 59], "level": 0, "parent": null, "vector": [8, 0, 0.3391, 0.0057, 0, 0.66, 0.1729, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(20, 'latin7', 'latin7_estonian_cs', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L60_C0", "label": "add()", "type": "expression", "loc": [60, 60], "level": 0, "parent": null, "vector": [8, 0, 0.3448, 0.0057, 0, 0.66, 0.1805, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(21, 'latin2', 'latin2_hungarian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L61_C0", "label": "add()", "type": "expression", "loc": [61, 61], "level": 0, "parent": null, "vector": [8, 0, 0.3506, 0.0057, 0, 0.66, 0.188, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(22, 'koi8u', 'koi8u_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L62_C0", "label": "add()", "type": "expression", "loc": [62, 62], "level": 0, "parent": null, "vector": [8, 0, 0.3563, 0.0057, 0, 0.66, 0.1955, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(23, 'cp1251', 'cp1251_ukrainian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L63_C0", "label": "add()", "type": "expression", "loc": [63, 63], "level": 0, "parent": null, "vector": [8, 0, 0.3621, 0.0057, 0, 0.66, 0.203, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(24, 'gb2312', 'gb2312_chinese_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L64_C0", "label": "add()", "type": "expression", "loc": [64, 64], "level": 0, "parent": null, "vector": [8, 0, 0.3678, 0.0057, 0, 0.66, 0.2105, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(25, 'greek', 'greek_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L65_C0", "label": "add()", "type": "expression", "loc": [65, 65], "level": 0, "parent": null, "vector": [8, 0, 0.3736, 0.0057, 0, 0.66, 0.218, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(26, 'cp1250', 'cp1250_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L66_C0", "label": "add()", "type": "expression", "loc": [66, 66], "level": 0, "parent": null, "vector": [8, 0, 0.3793, 0.0057, 0, 0.66, 0.2256, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(27, 'latin2', 'latin2_croatian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L67_C0", "label": "add()", "type": "expression", "loc": [67, 67], "level": 0, "parent": null, "vector": [8, 0, 0.3851, 0.0057, 0, 0.66, 0.2331, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(28, 'gbk', 'gbk_chinese_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L68_C0", "label": "add()", "type": "expression", "loc": [68, 68], "level": 0, "parent": null, "vector": [8, 0, 0.3908, 0.0057, 0, 0.66, 0.2406, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(29, 'cp1257', 'cp1257_lithuanian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L69_C0", "label": "add()", "type": "expression", "loc": [69, 69], "level": 0, "parent": null, "vector": [8, 0, 0.3966, 0.0057, 0, 0.66, 0.2481, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(30, 'latin5', 'latin5_turkish_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L70_C0", "label": "add()", "type": "expression", "loc": [70, 70], "level": 0, "parent": null, "vector": [8, 0, 0.4023, 0.0057, 0, 0.66, 0.2556, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(31, 'latin1', 'latin1_german2_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L71_C0", "label": "add()", "type": "expression", "loc": [71, 71], "level": 0, "parent": null, "vector": [8, 0, 0.408, 0.0057, 0, 0.66, 0.2632, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(32, 'armscii8', 'armscii8_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L72_C0", "label": "add()", "type": "expression", "loc": [72, 72], "level": 0, "parent": null, "vector": [8, 0, 0.4138, 0.0057, 0, 0.66, 0.2707, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(33, 'utf8', 'utf8_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L73_C0", "label": "add()", "type": "expression", "loc": [73, 73], "level": 0, "parent": null, "vector": [8, 0, 0.4195, 0.0057, 0, 0.66, 0.2782, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(34, 'cp1250', 'cp1250_czech_cs', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L74_C0", "label": "add()", "type": "expression", "loc": [74, 74], "level": 0, "parent": null, "vector": [8, 0, 0.4253, 0.0057, 0, 0.66, 0.2857, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(35, 'ucs2', 'ucs2_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L75_C0", "label": "add()", "type": "expression", "loc": [75, 75], "level": 0, "parent": null, "vector": [8, 0, 0.431, 0.0057, 0, 0.66, 0.2932, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(36, 'cp866', 'cp866_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L76_C0", "label": "add()", "type": "expression", "loc": [76, 76], "level": 0, "parent": null, "vector": [8, 0, 0.4368, 0.0057, 0, 0.66, 0.3008, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(37, 'keybcs2', 'keybcs2_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L77_C0", "label": "add()", "type": "expression", "loc": [77, 77], "level": 0, "parent": null, "vector": [8, 0, 0.4425, 0.0057, 0, 0.66, 0.3083, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(38, 'macce', 'macce_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L78_C0", "label": "add()", "type": "expression", "loc": [78, 78], "level": 0, "parent": null, "vector": [8, 0, 0.4483, 0.0057, 0, 0.66, 0.3158, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(39, 'macroman', 'macroman_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L79_C0", "label": "add()", "type": "expression", "loc": [79, 79], "level": 0, "parent": null, "vector": [8, 0, 0.454, 0.0057, 0, 0.66, 0.3233, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(40, 'cp852', 'cp852_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L80_C0", "label": "add()", "type": "expression", "loc": [80, 80], "level": 0, "parent": null, "vector": [8, 0, 0.4598, 0.0057, 0, 0.66, 0.3308, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(41, 'latin7', 'latin7_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L81_C0", "label": "add()", "type": "expression", "loc": [81, 81], "level": 0, "parent": null, "vector": [8, 0, 0.4655, 0.0057, 0, 0.66, 0.3383, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(42, 'latin7', 'latin7_general_cs', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L82_C0", "label": "add()", "type": "expression", "loc": [82, 82], "level": 0, "parent": null, "vector": [8, 0, 0.4713, 0.0057, 0, 0.66, 0.3459, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(43, 'macce', 'macce_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L83_C0", "label": "add()", "type": "expression", "loc": [83, 83], "level": 0, "parent": null, "vector": [8, 0, 0.477, 0.0057, 0, 0.66, 0.3534, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(44, 'cp1250', 'cp1250_croatian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L84_C0", "label": "add()", "type": "expression", "loc": [84, 84], "level": 0, "parent": null, "vector": [8, 0, 0.4828, 0.0057, 0, 0.66, 0.3609, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(47, 'latin1', 'latin1_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L85_C0", "label": "add()", "type": "expression", "loc": [85, 85], "level": 0, "parent": null, "vector": [8, 0, 0.4885, 0.0057, 0, 0.66, 0.3684, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(48, 'latin1', 'latin1_general_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L86_C0", "label": "add()", "type": "expression", "loc": [86, 86], "level": 0, "parent": null, "vector": [8, 0, 0.4943, 0.0057, 0, 0.66, 0.3759, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(49, 'latin1', 'latin1_general_cs', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L87_C0", "label": "add()", "type": "expression", "loc": [87, 87], "level": 0, "parent": null, "vector": [8, 0, 0.5, 0.0057, 0, 0.66, 0.3835, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(50, 'cp1251', 'cp1251_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L88_C0", "label": "add()", "type": "expression", "loc": [88, 88], "level": 0, "parent": null, "vector": [8, 0, 0.5057, 0.0057, 0, 0.66, 0.391, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(51, 'cp1251', 'cp1251_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L89_C0", "label": "add()", "type": "expression", "loc": [89, 89], "level": 0, "parent": null, "vector": [8, 0, 0.5115, 0.0057, 0, 0.66, 0.3985, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(52, 'cp1251', 'cp1251_general_cs', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L90_C0", "label": "add()", "type": "expression", "loc": [90, 90], "level": 0, "parent": null, "vector": [8, 0, 0.5172, 0.0057, 0, 0.66, 0.406, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(53, 'macroman', 'macroman_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L91_C0", "label": "add()", "type": "expression", "loc": [91, 91], "level": 0, "parent": null, "vector": [8, 0, 0.523, 0.0057, 0, 0.66, 0.4135, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(57, 'cp1256', 'cp1256_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L92_C0", "label": "add()", "type": "expression", "loc": [92, 92], "level": 0, "parent": null, "vector": [8, 0, 0.5287, 0.0057, 0, 0.66, 0.4211, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(58, 'cp1257', 'cp1257_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L93_C0", "label": "add()", "type": "expression", "loc": [93, 93], "level": 0, "parent": null, "vector": [8, 0, 0.5345, 0.0057, 0, 0.66, 0.4286, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(59, 'cp1257', 'cp1257_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L94_C0", "label": "add()", "type": "expression", "loc": [94, 94], "level": 0, "parent": null, "vector": [8, 0, 0.5402, 0.0057, 0, 0.66, 0.4361, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(63, 'binary', 'binary', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L95_C0", "label": "add()", "type": "expression", "loc": [95, 95], "level": 0, "parent": null, "vector": [8, 0, 0.546, 0.0057, 0, 0.66, 0.4436, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(64, 'armscii8', 'armscii8_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L96_C0", "label": "add()", "type": "expression", "loc": [96, 96], "level": 0, "parent": null, "vector": [8, 0, 0.5517, 0.0057, 0, 0.66, 0.4511, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(65, 'ascii', 'ascii_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L97_C0", "label": "add()", "type": "expression", "loc": [97, 97], "level": 0, "parent": null, "vector": [8, 0, 0.5575, 0.0057, 0, 0.66, 0.4586, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(66, 'cp1250', 'cp1250_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L98_C0", "label": "add()", "type": "expression", "loc": [98, 98], "level": 0, "parent": null, "vector": [8, 0, 0.5632, 0.0057, 0, 0.66, 0.4662, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(67, 'cp1256', 'cp1256_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L99_C0", "label": "add()", "type": "expression", "loc": [99, 99], "level": 0, "parent": null, "vector": [8, 0, 0.569, 0.0057, 0, 0.66, 0.4737, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(68, 'cp866', 'cp866_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L100_C0", "label": "add()", "type": "expression", "loc": [100, 100], "level": 0, "parent": null, "vector": [8, 0, 0.5747, 0.0057, 0, 0.66, 0.4812, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(69, 'dec8', 'dec8_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L101_C0", "label": "add()", "type": "expression", "loc": [101, 101], "level": 0, "parent": null, "vector": [8, 0, 0.5805, 0.0057, 0, 0.66, 0.4887, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(70, 'greek', 'greek_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L102_C0", "label": "add()", "type": "expression", "loc": [102, 102], "level": 0, "parent": null, "vector": [8, 0, 0.5862, 0.0057, 0, 0.66, 0.4962, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(71, 'hebrew', 'hebrew_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L103_C0", "label": "add()", "type": "expression", "loc": [103, 103], "level": 0, "parent": null, "vector": [8, 0, 0.592, 0.0057, 0, 0.66, 0.5038, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(72, 'hp8', 'hp8_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L104_C0", "label": "add()", "type": "expression", "loc": [104, 104], "level": 0, "parent": null, "vector": [8, 0, 0.5977, 0.0057, 0, 0.66, 0.5113, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(73, 'keybcs2', 'keybcs2_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L105_C0", "label": "add()", "type": "expression", "loc": [105, 105], "level": 0, "parent": null, "vector": [8, 0, 0.6034, 0.0057, 0, 0.66, 0.5188, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(74, 'koi8r', 'koi8r_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L106_C0", "label": "add()", "type": "expression", "loc": [106, 106], "level": 0, "parent": null, "vector": [8, 0, 0.6092, 0.0057, 0, 0.66, 0.5263, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(75, 'koi8u', 'koi8u_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L107_C0", "label": "add()", "type": "expression", "loc": [107, 107], "level": 0, "parent": null, "vector": [8, 0, 0.6149, 0.0057, 0, 0.66, 0.5338, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(77, 'latin2', 'latin2_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L108_C0", "label": "add()", "type": "expression", "loc": [108, 108], "level": 0, "parent": null, "vector": [8, 0, 0.6207, 0.0057, 0, 0.66, 0.5414, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(78, 'latin5', 'latin5_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L109_C0", "label": "add()", "type": "expression", "loc": [109, 109], "level": 0, "parent": null, "vector": [8, 0, 0.6264, 0.0057, 0, 0.66, 0.5489, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(79, 'latin7', 'latin7_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L110_C0", "label": "add()", "type": "expression", "loc": [110, 110], "level": 0, "parent": null, "vector": [8, 0, 0.6322, 0.0057, 0, 0.66, 0.5564, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(80, 'cp850', 'cp850_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L111_C0", "label": "add()", "type": "expression", "loc": [111, 111], "level": 0, "parent": null, "vector": [8, 0, 0.6379, 0.0057, 0, 0.66, 0.5639, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(81, 'cp852', 'cp852_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L112_C0", "label": "add()", "type": "expression", "loc": [112, 112], "level": 0, "parent": null, "vector": [8, 0, 0.6437, 0.0057, 0, 0.66, 0.5714, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(82, 'swe7', 'swe7_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L113_C0", "label": "add()", "type": "expression", "loc": [113, 113], "level": 0, "parent": null, "vector": [8, 0, 0.6494, 0.0057, 0, 0.66, 0.5789, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(83, 'utf8', 'utf8_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L114_C0", "label": "add()", "type": "expression", "loc": [114, 114], "level": 0, "parent": null, "vector": [8, 0, 0.6552, 0.0057, 0, 0.66, 0.5865, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(84, 'big5', 'big5_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L115_C0", "label": "add()", "type": "expression", "loc": [115, 115], "level": 0, "parent": null, "vector": [8, 0, 0.6609, 0.0057, 0, 0.66, 0.594, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(85, 'euckr', 'euckr_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L116_C0", "label": "add()", "type": "expression", "loc": [116, 116], "level": 0, "parent": null, "vector": [8, 0, 0.6667, 0.0057, 0, 0.66, 0.6015, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(86, 'gb2312', 'gb2312_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L117_C0", "label": "add()", "type": "expression", "loc": [117, 117], "level": 0, "parent": null, "vector": [8, 0, 0.6724, 0.0057, 0, 0.66, 0.609, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(87, 'gbk', 'gbk_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L118_C0", "label": "add()", "type": "expression", "loc": [118, 118], "level": 0, "parent": null, "vector": [8, 0, 0.6782, 0.0057, 0, 0.66, 0.6165, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(88, 'sjis', 'sjis_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L119_C0", "label": "add()", "type": "expression", "loc": [119, 119], "level": 0, "parent": null, "vector": [8, 0, 0.6839, 0.0057, 0, 0.66, 0.6241, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(89, 'tis620', 'tis620_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L120_C0", "label": "add()", "type": "expression", "loc": [120, 120], "level": 0, "parent": null, "vector": [8, 0, 0.6897, 0.0057, 0, 0.66, 0.6316, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(90, 'ucs2', 'ucs2_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L121_C0", "label": "add()", "type": "expression", "loc": [121, 121], "level": 0, "parent": null, "vector": [8, 0, 0.6954, 0.0057, 0, 0.66, 0.6391, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(91, 'ujis', 'ujis_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L122_C0", "label": "add()", "type": "expression", "loc": [122, 122], "level": 0, "parent": null, "vector": [8, 0, 0.7011, 0.0057, 0, 0.66, 0.6466, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(92, 'geostd8', 'geostd8_general_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L123_C0", "label": "add()", "type": "expression", "loc": [123, 123], "level": 0, "parent": null, "vector": [8, 0, 0.7069, 0.0057, 0, 0.66, 0.6541, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(93, 'geostd8', 'geostd8_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L124_C0", "label": "add()", "type": "expression", "loc": [124, 124], "level": 0, "parent": null, "vector": [8, 0, 0.7126, 0.0057, 0, 0.66, 0.6617, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(94, 'latin1', 'latin1_spanish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L125_C0", "label": "add()", "type": "expression", "loc": [125, 125], "level": 0, "parent": null, "vector": [8, 0, 0.7184, 0.0057, 0, 0.66, 0.6692, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(95, 'cp932', 'cp932_japanese_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L126_C0", "label": "add()", "type": "expression", "loc": [126, 126], "level": 0, "parent": null, "vector": [8, 0, 0.7241, 0.0057, 0, 0.66, 0.6767, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(96, 'cp932', 'cp932_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L127_C0", "label": "add()", "type": "expression", "loc": [127, 127], "level": 0, "parent": null, "vector": [8, 0, 0.7299, 0.0057, 0, 0.66, 0.6842, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(97, 'eucjpms', 'eucjpms_japanese_ci', 'Yes'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L128_C0", "label": "add()", "type": "expression", "loc": [128, 128], "level": 0, "parent": null, "vector": [8, 0, 0.7356, 0.0057, 0, 0.66, 0.6917, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(98, 'eucjpms', 'eucjpms_bin', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L129_C0", "label": "add()", "type": "expression", "loc": [129, 129], "level": 0, "parent": null, "vector": [8, 0, 0.7414, 0.0057, 0, 0.66, 0.6992, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(99, 'cp1250', 'cp1250_polish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L130_C0", "label": "add()", "type": "expression", "loc": [130, 130], "level": 0, "parent": null, "vector": [8, 0, 0.7471, 0.0057, 0, 0.66, 0.7068, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(128, 'ucs2', 'ucs2_unicode_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L131_C0", "label": "add()", "type": "expression", "loc": [131, 131], "level": 0, "parent": null, "vector": [8, 0, 0.7529, 0.0057, 0, 0.66, 0.7143, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(129, 'ucs2', 'ucs2_icelandic_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L132_C0", "label": "add()", "type": "expression", "loc": [132, 132], "level": 0, "parent": null, "vector": [8, 0, 0.7586, 0.0057, 0, 0.66, 0.7218, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(130, 'ucs2', 'ucs2_latvian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L133_C0", "label": "add()", "type": "expression", "loc": [133, 133], "level": 0, "parent": null, "vector": [8, 0, 0.7644, 0.0057, 0, 0.66, 0.7293, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(131, 'ucs2', 'ucs2_romanian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L134_C0", "label": "add()", "type": "expression", "loc": [134, 134], "level": 0, "parent": null, "vector": [8, 0, 0.7701, 0.0057, 0, 0.66, 0.7368, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(132, 'ucs2', 'ucs2_slovenian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L135_C0", "label": "add()", "type": "expression", "loc": [135, 135], "level": 0, "parent": null, "vector": [8, 0, 0.7759, 0.0057, 0, 0.66, 0.7444, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(133, 'ucs2', 'ucs2_polish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L136_C0", "label": "add()", "type": "expression", "loc": [136, 136], "level": 0, "parent": null, "vector": [8, 0, 0.7816, 0.0057, 0, 0.66, 0.7519, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(134, 'ucs2', 'ucs2_estonian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L137_C0", "label": "add()", "type": "expression", "loc": [137, 137], "level": 0, "parent": null, "vector": [8, 0, 0.7874, 0.0057, 0, 0.66, 0.7594, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(135, 'ucs2', 'ucs2_spanish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L138_C0", "label": "add()", "type": "expression", "loc": [138, 138], "level": 0, "parent": null, "vector": [8, 0, 0.7931, 0.0057, 0, 0.66, 0.7669, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(136, 'ucs2', 'ucs2_swedish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L139_C0", "label": "add()", "type": "expression", "loc": [139, 139], "level": 0, "parent": null, "vector": [8, 0, 0.7989, 0.0057, 0, 0.66, 0.7744, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(137, 'ucs2', 'ucs2_turkish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L140_C0", "label": "add()", "type": "expression", "loc": [140, 140], "level": 0, "parent": null, "vector": [8, 0, 0.8046, 0.0057, 0, 0.66, 0.782, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(138, 'ucs2', 'ucs2_czech_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L141_C0", "label": "add()", "type": "expression", "loc": [141, 141], "level": 0, "parent": null, "vector": [8, 0, 0.8103, 0.0057, 0, 0.66, 0.7895, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(139, 'ucs2', 'ucs2_danish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L142_C0", "label": "add()", "type": "expression", "loc": [142, 142], "level": 0, "parent": null, "vector": [8, 0, 0.8161, 0.0057, 0, 0.66, 0.797, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(140, 'ucs2', 'ucs2_lithuanian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L143_C0", "label": "add()", "type": "expression", "loc": [143, 143], "level": 0, "parent": null, "vector": [8, 0, 0.8218, 0.0057, 0, 0.66, 0.8045, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(141, 'ucs2', 'ucs2_slovak_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L144_C0", "label": "add()", "type": "expression", "loc": [144, 144], "level": 0, "parent": null, "vector": [8, 0, 0.8276, 0.0057, 0, 0.66, 0.812, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(142, 'ucs2', 'ucs2_spanish2_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L145_C0", "label": "add()", "type": "expression", "loc": [145, 145], "level": 0, "parent": null, "vector": [8, 0, 0.8333, 0.0057, 0, 0.66, 0.8195, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(143, 'ucs2', 'ucs2_roman_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L146_C0", "label": "add()", "type": "expression", "loc": [146, 146], "level": 0, "parent": null, "vector": [8, 0, 0.8391, 0.0057, 0, 0.66, 0.8271, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(144, 'ucs2', 'ucs2_persian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L147_C0", "label": "add()", "type": "expression", "loc": [147, 147], "level": 0, "parent": null, "vector": [8, 0, 0.8448, 0.0057, 0, 0.66, 0.8346, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(145, 'ucs2', 'ucs2_esperanto_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L148_C0", "label": "add()", "type": "expression", "loc": [148, 148], "level": 0, "parent": null, "vector": [8, 0, 0.8506, 0.0057, 0, 0.66, 0.8421, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(146, 'ucs2', 'ucs2_hungarian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L149_C0", "label": "add()", "type": "expression", "loc": [149, 149], "level": 0, "parent": null, "vector": [8, 0, 0.8563, 0.0057, 0, 0.66, 0.8496, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(192, 'utf8', 'utf8_unicode_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L150_C0", "label": "add()", "type": "expression", "loc": [150, 150], "level": 0, "parent": null, "vector": [8, 0, 0.8621, 0.0057, 0, 0.66, 0.8571, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(193, 'utf8', 'utf8_icelandic_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L151_C0", "label": "add()", "type": "expression", "loc": [151, 151], "level": 0, "parent": null, "vector": [8, 0, 0.8678, 0.0057, 0, 0.66, 0.8647, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(194, 'utf8', 'utf8_latvian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L152_C0", "label": "add()", "type": "expression", "loc": [152, 152], "level": 0, "parent": null, "vector": [8, 0, 0.8736, 0.0057, 0, 0.66, 0.8722, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(195, 'utf8', 'utf8_romanian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L153_C0", "label": "add()", "type": "expression", "loc": [153, 153], "level": 0, "parent": null, "vector": [8, 0, 0.8793, 0.0057, 0, 0.66, 0.8797, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(196, 'utf8', 'utf8_slovenian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L154_C0", "label": "add()", "type": "expression", "loc": [154, 154], "level": 0, "parent": null, "vector": [8, 0, 0.8851, 0.0057, 0, 0.66, 0.8872, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(197, 'utf8', 'utf8_polish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L155_C0", "label": "add()", "type": "expression", "loc": [155, 155], "level": 0, "parent": null, "vector": [8, 0, 0.8908, 0.0057, 0, 0.66, 0.8947, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(198, 'utf8', 'utf8_estonian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L156_C0", "label": "add()", "type": "expression", "loc": [156, 156], "level": 0, "parent": null, "vector": [8, 0, 0.8966, 0.0057, 0, 0.66, 0.9023, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(199, 'utf8', 'utf8_spanish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L157_C0", "label": "add()", "type": "expression", "loc": [157, 157], "level": 0, "parent": null, "vector": [8, 0, 0.9023, 0.0057, 0, 0.66, 0.9098, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(200, 'utf8', 'utf8_swedish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L158_C0", "label": "add()", "type": "expression", "loc": [158, 158], "level": 0, "parent": null, "vector": [8, 0, 0.908, 0.0057, 0, 0.66, 0.9173, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(201, 'utf8', 'utf8_turkish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L159_C0", "label": "add()", "type": "expression", "loc": [159, 159], "level": 0, "parent": null, "vector": [8, 0, 0.9138, 0.0057, 0, 0.66, 0.9248, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(202, 'utf8', 'utf8_czech_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L160_C0", "label": "add()", "type": "expression", "loc": [160, 160], "level": 0, "parent": null, "vector": [8, 0, 0.9195, 0.0057, 0, 0.66, 0.9323, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(203, 'utf8', 'utf8_danish_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L161_C0", "label": "add()", "type": "expression", "loc": [161, 161], "level": 0, "parent": null, "vector": [8, 0, 0.9253, 0.0057, 0, 0.66, 0.9398, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(204, 'utf8', 'utf8_lithuanian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L162_C0", "label": "add()", "type": "expression", "loc": [162, 162], "level": 0, "parent": null, "vector": [8, 0, 0.931, 0.0057, 0, 0.66, 0.9474, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(205, 'utf8', 'utf8_slovak_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L163_C0", "label": "add()", "type": "expression", "loc": [163, 163], "level": 0, "parent": null, "vector": [8, 0, 0.9368, 0.0057, 0, 0.66, 0.9549, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(206, 'utf8', 'utf8_spanish2_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L164_C0", "label": "add()", "type": "expression", "loc": [164, 164], "level": 0, "parent": null, "vector": [8, 0, 0.9425, 0.0057, 0, 0.66, 0.9624, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(207, 'utf8', 'utf8_roman_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L165_C0", "label": "add()", "type": "expression", "loc": [165, 165], "level": 0, "parent": null, "vector": [8, 0, 0.9483, 0.0057, 0, 0.66, 0.9699, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(208, 'utf8', 'utf8_persian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L166_C0", "label": "add()", "type": "expression", "loc": [166, 166], "level": 0, "parent": null, "vector": [8, 0, 0.954, 0.0057, 0, 0.66, 0.9774, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(209, 'utf8', 'utf8_esperanto_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Expr_L167_C0", "label": "add()", "type": "expression", "loc": [167, 167], "level": 0, "parent": null, "vector": [8, 0, 0.9598, 0.0057, 0, 0.66, 0.985, 241, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": "_charsets.add(Charset(210, 'utf8', 'utf8_hungarian_ci', ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L169_C0", "label": "charset_by_name", "type": "function", "loc": [169, 170], "level": 0, "parent": null, "vector": [2, 0, 0.9741, 0.0115, 0, 0.66, 0.9925, 375, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "charset_by_name", "arg_names": ["name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def charset_by_name(name):\n return _charsets.by_name(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Return_L170_C4", "label": "return", "type": "return", "loc": [170, 170], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L169_C0", "vector": [13, 1, 0.977, 0.0057, 1, 0.49, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _charsets.by_name(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L172_C0", "label": "charset_by_id", "type": "function", "loc": [172, 173], "level": 0, "parent": null, "vector": [2, 0, 0.9914, 0.0115, 0, 0.66, 1.0, 450, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "charset_by_id", "arg_names": ["id"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def charset_by_id(id):\n return _charsets.by_id(id)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_528:Return_L173_C4", "label": "return", "type": "return", "loc": [173, 173], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L172_C0", "vector": [13, 1, 0.9943, 0.0057, 1, 0.23, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _charsets.by_id(id)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_528:ClassDef_L8_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L9_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L9_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_528:Assign_L10_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L9_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_528:Assign_L11_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:ClassDef_L13_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L14_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L14_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_528:Assign_L15_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:ClassDef_L13_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L17_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L17_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_528:Assign_L18_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:ClassDef_L13_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L20_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_528:Return_L21_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:ClassDef_L13_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L23_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L23_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_528:For_L24_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:For_L24_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_528:If_L25_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:If_L25_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_528:Return_L26_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L169_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_528:Return_L170_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_528:FunctionDef_L172_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_528:Return_L173_C4"}]
import pymysql import unittest class PyMySQLTestCase(unittest.TestCase): # Edit this to suit your test environment. databases = [ {"host":"localhost","user":"root", "passwd":"","db":"test_pymysql", "use_unicode": True}, {"host":"localhost","user":"root","passwd":"","db":"test_pymysql2"}] def setUp(self): self.connections = [] for params in self.databases: self.connections.append(pymysql.connect(**params)) def tearDown(self): for connection in self.connections: connection.close()
ajibawa-2023/Python-Code-Large/train/row_529
11
20
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_529:Import_L1_C0", "label": "pymysql import pymysql", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.05, 0.05, 0, 0.66, 0.0, 244, 0, 1, 0, 0, 244, 0, 0], "semantic": {"name": "pymysql", "arg_names": [], "import_names": ["pymysql"], "rhs_call_name": "", "annotation": ""}, "snippet": "import pymysql"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_529:Import_L2_C0", "label": "unittest import unittest", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.1, 0.05, 0, 0.66, 0.5, 88, 0, 1, 0, 0, 88, 0, 0], "semantic": {"name": "unittest", "arg_names": [], "import_names": ["unittest"], "rhs_call_name": "", "annotation": ""}, "snippet": "import unittest"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_529:ClassDef_L4_C0", "label": "PyMySQLTestCase", "type": "class", "loc": [4, 19], "level": 0, "parent": null, "vector": [3, 0, 0.575, 0.8, 0, 0.66, 1.0, 211, 0, 2, 0, 0, 878, 0, 3], "semantic": {"name": "PyMySQLTestCase", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class PyMySQLTestCase(unittest.TestCase):\n # Edit this to suit your test environment.\n databases = [\n {\"host\":\"localhost\",\"user\":\"root\",\n \"passwd\":\"\",\"db\":\"test_pymysql\", \"use_unicode\": True},\n {\"host\":\"localhost\",\"user\":\"root\",\"passwd\":\"\",\"db\":\"test_pymysql2\"}]\n\n def setUp(self):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_529:Assign_L6_C4", "label": "databases =", "type": "assigned_variable", "loc": [6, 9], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_529:ClassDef_L4_C0", "vector": [14, 1, 0.375, 0.2, 1, 0.03, 0.0, 95, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "databases", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " databases = [\n {\"host\":\"localhost\",\"user\":\"root\",\n \"passwd\":\"\",\"db\":\"test_pymysql\", \"use_unicode\": True},\n {\"host\":\"localhost\",\"user\":\"root\",\"passwd\":\"\",\"db\":\"test_pymysql2\"}]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_529:FunctionDef_L11_C4", "label": "setUp", "type": "function", "loc": [11, 15], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_529:ClassDef_L4_C0", "vector": [2, 1, 0.65, 0.25, 1, 0.03, 0.5, 952, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "setUp", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def setUp(self):\n self.connections = []\n\n for params in self.databases:\n self.connections.append(pymysql.connect(**params))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_529:Assign_L12_C8", "label": "self.connections =", "type": "assigned_variable", "loc": [12, 12], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_529:FunctionDef_L11_C4", "vector": [14, 2, 0.6, 0.05, 2, 0.0, 0.0, 881, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.connections", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.connections = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_529:For_L14_C8", "label": "for params", "type": "for", "loc": [14, 15], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_529:FunctionDef_L11_C4", "vector": [6, 2, 0.725, 0.1, 2, 0.0, 1.0, 206, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "params", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for params in self.databases:\n self.connections.append(pymysql.connect(**params))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_529:Expr_L15_C12", "label": "append()", "type": "expression", "loc": [15, 15], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_529:For_L14_C8", "vector": [8, 3, 0.75, 0.05, 3, 0.51, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.connections.append(pymysql.connect(**params))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_529:FunctionDef_L17_C4", "label": "tearDown", "type": "function", "loc": [17, 19], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_529:ClassDef_L4_C0", "vector": [2, 1, 0.9, 0.15, 1, 0.03, 1.0, 530, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "tearDown", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def tearDown(self):\n for connection in self.connections:\n connection.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_529:For_L18_C8", "label": "for connection", "type": "for", "loc": [18, 19], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_529:FunctionDef_L17_C4", "vector": [6, 2, 0.925, 0.1, 2, 0.99, 0.0, 351, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "connection", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for connection in self.connections:\n connection.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_529:Expr_L19_C12", "label": "close()", "type": "expression", "loc": [19, 19], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_529:For_L18_C8", "vector": [8, 3, 0.95, 0.05, 3, 0.56, 0.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " connection.close()"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_529:ClassDef_L4_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_529:Assign_L6_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_529:ClassDef_L4_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_529:FunctionDef_L11_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_529:FunctionDef_L11_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_529:Assign_L12_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_529:FunctionDef_L11_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_529:For_L14_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_529:For_L14_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_529:Expr_L15_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_529:ClassDef_L4_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_529:FunctionDef_L17_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_529:FunctionDef_L17_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_529:For_L18_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_529:For_L18_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_529:Expr_L19_C12"}]
from pymysql.tests.test_issues import * from pymysql.tests.test_example import * from pymysql.tests.test_basic import * from pymysql.tests.test_DictCursor import * import sys if sys.version_info[0] == 2: # MySQLdb tests were designed for Python 3 from pymysql.tests.thirdparty import * if __name__ == "__main__": import unittest unittest.main()
ajibawa-2023/Python-Code-Large/train/row_530
10
13
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_530:ImportFrom_L1_C0", "label": "from pymysql.tests.test_issues import *", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.0769, 0.0769, 0, 0.66, 0.0, 897, 0, 1, 0, 0, 897, 0, 0], "semantic": {"name": "pymysql.tests.test_issues", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from pymysql.tests.test_issues import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_530:ImportFrom_L2_C0", "label": "from pymysql.tests.test_example import *", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.1538, 0.0769, 0, 0.66, 0.1667, 138, 0, 1, 0, 0, 138, 0, 0], "semantic": {"name": "pymysql.tests.test_example", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from pymysql.tests.test_example import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_530:ImportFrom_L3_C0", "label": "from pymysql.tests.test_basic import *", "type": "import", "loc": [3, 3], "level": 0, "parent": null, "vector": [1, 0, 0.2308, 0.0769, 0, 0.66, 0.3333, 422, 0, 1, 0, 0, 422, 0, 0], "semantic": {"name": "pymysql.tests.test_basic", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from pymysql.tests.test_basic import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_530:ImportFrom_L4_C0", "label": "from pymysql.tests.test_DictCursor import *", "type": "import", "loc": [4, 4], "level": 0, "parent": null, "vector": [1, 0, 0.3077, 0.0769, 0, 0.66, 0.5, 689, 0, 1, 0, 0, 689, 0, 0], "semantic": {"name": "pymysql.tests.test_DictCursor", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from pymysql.tests.test_DictCursor import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_530:Import_L6_C0", "label": "sys import sys", "type": "import", "loc": [6, 6], "level": 0, "parent": null, "vector": [1, 0, 0.4615, 0.0769, 0, 0.66, 0.6667, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_530:If_L7_C0", "label": "if", "type": "if", "loc": [7, 9], "level": 0, "parent": null, "vector": [4, 0, 0.6154, 0.2308, 0, 0.66, 0.8333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if sys.version_info[0] == 2:\n # MySQLdb tests were designed for Python 3\n from pymysql.tests.thirdparty import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_530:ImportFrom_L9_C4", "label": "from pymysql.tests.thirdparty import *", "type": "import", "loc": [9, 9], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_530:If_L7_C0", "vector": [1, 1, 0.6923, 0.0769, 1, 0.71, 0.0, 551, 0, 1, 0, 0, 551, 0, 0], "semantic": {"name": "pymysql.tests.thirdparty", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": " from pymysql.tests.thirdparty import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_530:If_L11_C0", "label": "if", "type": "if", "loc": [11, 13], "level": 0, "parent": null, "vector": [4, 0, 0.9231, 0.2308, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == \"__main__\":\n import unittest\n unittest.main()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_530:Import_L12_C4", "label": "unittest import unittest", "type": "import", "loc": [12, 12], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_530:If_L11_C0", "vector": [1, 1, 0.9231, 0.0769, 1, 0.7, 0.0, 88, 0, 1, 0, 0, 88, 0, 0], "semantic": {"name": "unittest", "arg_names": [], "import_names": ["unittest"], "rhs_call_name": "", "annotation": ""}, "snippet": " import unittest"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_530:Expr_L13_C4", "label": "main()", "type": "expression", "loc": [13, 13], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_530:If_L11_C0", "vector": [8, 1, 1.0, 0.0769, 1, 0.7, 1.0, 624, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "main", "arg_names": [], "import_names": [], "rhs_call_name": "main", "annotation": ""}, "snippet": " unittest.main()"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_530:If_L7_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_530:ImportFrom_L9_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_530:If_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_530:Import_L12_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_530:If_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_530:Expr_L13_C4"}]
''' PyMySQL: A pure-Python drop-in replacement for MySQLdb. Copyright (c) 2010 PyMySQL contributors Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. ''' VERSION = (0, 5, None) from constants import FIELD_TYPE from converters import escape_dict, escape_sequence, escape_string from err import Warning, Error, InterfaceError, DataError, \ DatabaseError, OperationalError, IntegrityError, InternalError, \ NotSupportedError, ProgrammingError, MySQLError from times import Date, Time, Timestamp, \ DateFromTicks, TimeFromTicks, TimestampFromTicks import sys try: frozenset except NameError: from sets import ImmutableSet as frozenset try: from sets import BaseSet as set except ImportError: from sets import Set as set threadsafety = 1 apilevel = "2.0" paramstyle = "format" class DBAPISet(frozenset): def __ne__(self, other): if isinstance(other, set): return super(DBAPISet, self).__ne__(self, other) else: return other not in self def __eq__(self, other): if isinstance(other, frozenset): return frozenset.__eq__(self, other) else: return other in self def __hash__(self): return frozenset.__hash__(self) STRING = DBAPISet([FIELD_TYPE.ENUM, FIELD_TYPE.STRING, FIELD_TYPE.VAR_STRING]) BINARY = DBAPISet([FIELD_TYPE.BLOB, FIELD_TYPE.LONG_BLOB, FIELD_TYPE.MEDIUM_BLOB, FIELD_TYPE.TINY_BLOB]) NUMBER = DBAPISet([FIELD_TYPE.DECIMAL, FIELD_TYPE.DOUBLE, FIELD_TYPE.FLOAT, FIELD_TYPE.INT24, FIELD_TYPE.LONG, FIELD_TYPE.LONGLONG, FIELD_TYPE.TINY, FIELD_TYPE.YEAR]) DATE = DBAPISet([FIELD_TYPE.DATE, FIELD_TYPE.NEWDATE]) TIME = DBAPISet([FIELD_TYPE.TIME]) TIMESTAMP = DBAPISet([FIELD_TYPE.TIMESTAMP, FIELD_TYPE.DATETIME]) DATETIME = TIMESTAMP ROWID = DBAPISet() def Binary(x): """Return x as a binary type.""" return str(x) def Connect(*args, **kwargs): """ Connect to the database; see connections.Connection.__init__() for more information. """ from connections import Connection return Connection(*args, **kwargs) def get_client_info(): # for MySQLdb compatibility return '%s.%s.%s' % VERSION connect = Connection = Connect # we include a doctored version_info here for MySQLdb compatibility version_info = (1,2,2,"final",0) NULL = "NULL" __version__ = get_client_info() def thread_safe(): return True # match MySQLdb.thread_safe() def install_as_MySQLdb(): """ After this function is called, any application that imports MySQLdb or _mysql will unwittingly actually use """ sys.modules["MySQLdb"] = sys.modules["_mysql"] = sys.modules["pymysql"] __all__ = [ 'BINARY', 'Binary', 'Connect', 'Connection', 'DATE', 'Date', 'Time', 'Timestamp', 'DateFromTicks', 'TimeFromTicks', 'TimestampFromTicks', 'DataError', 'DatabaseError', 'Error', 'FIELD_TYPE', 'IntegrityError', 'InterfaceError', 'InternalError', 'MySQLError', 'NULL', 'NUMBER', 'NotSupportedError', 'DBAPISet', 'OperationalError', 'ProgrammingError', 'ROWID', 'STRING', 'TIME', 'TIMESTAMP', 'Warning', 'apilevel', 'connect', 'connections', 'constants', 'converters', 'cursors', 'escape_dict', 'escape_sequence', 'escape_string', 'get_client_info', 'paramstyle', 'threadsafety', 'version_info', "install_as_MySQLdb", "NULL","__version__", ]
ajibawa-2023/Python-Code-Large/train/row_531
54
131
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_531:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 24], "level": 0, "parent": null, "vector": [8, 0, 0.0954, 0.1832, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "'''\nPyMySQL: A pure-Python drop-in replacement for MySQLdb.\n\nCopyright (c) 2010 PyMySQL contributors\n\nPermission is hereby granted, free of charge, to any person obtaining a copy\nof this software and associated documentation files (the \"Software\"), to deal\nin the Software without restriction, including without limitation the rights"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L26_C0", "label": "VERSION =", "type": "assigned_variable", "loc": [26, 26], "level": 0, "parent": null, "vector": [14, 0, 0.1985, 0.0076, 0, 0.66, 0.0345, 557, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "VERSION", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VERSION = (0, 5, None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:ImportFrom_L28_C0", "label": "from constants import FIELD_TYPE", "type": "import", "loc": [28, 28], "level": 0, "parent": null, "vector": [1, 0, 0.2137, 0.0076, 0, 0.66, 0.069, 208, 0, 1, 0, 0, 208, 0, 0], "semantic": {"name": "constants", "arg_names": [], "import_names": ["FIELD_TYPE"], "rhs_call_name": "", "annotation": ""}, "snippet": "from constants import FIELD_TYPE"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:ImportFrom_L29_C0", "label": "from converters import escape_dict, escape_sequence, escape_string", "type": "import", "loc": [29, 29], "level": 0, "parent": null, "vector": [1, 0, 0.2214, 0.0076, 0, 0.66, 0.1034, 872, 0, 3, 0, 0, 872, 0, 0], "semantic": {"name": "converters", "arg_names": [], "import_names": ["escape_dict", "escape_sequence", "escape_string"], "rhs_call_name": "", "annotation": ""}, "snippet": "from converters import escape_dict, escape_sequence, escape_string"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:ImportFrom_L30_C0", "label": "from err import Warning, Error, InterfaceError\u2026", "type": "import", "loc": [30, 32], "level": 0, "parent": null, "vector": [1, 0, 0.2366, 0.0229, 0, 0.66, 0.1379, 541, 0, 11, 0, 0, 541, 0, 0], "semantic": {"name": "err", "arg_names": [], "import_names": ["Warning", "Error", "InterfaceError", "DataError", "DatabaseError", "OperationalError", "IntegrityError", "InternalError", "NotSupportedError", "ProgrammingError", "MySQLError"], "rhs_call_name": "", "annotation": ""}, "snippet": "from err import Warning, Error, InterfaceError, DataError, \\\n DatabaseError, OperationalError, IntegrityError, InternalError, \\\n NotSupportedError, ProgrammingError, MySQLError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:ImportFrom_L33_C0", "label": "from times import Date, Time, Timestamp\u2026", "type": "import", "loc": [33, 34], "level": 0, "parent": null, "vector": [1, 0, 0.2557, 0.0153, 0, 0.66, 0.1724, 342, 0, 6, 0, 0, 342, 0, 0], "semantic": {"name": "times", "arg_names": [], "import_names": ["Date", "Time", "Timestamp", "DateFromTicks", "TimeFromTicks", "TimestampFromTicks"], "rhs_call_name": "", "annotation": ""}, "snippet": "from times import Date, Time, Timestamp, \\\n DateFromTicks, TimeFromTicks, TimestampFromTicks"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Import_L36_C0", "label": "sys import sys", "type": "import", "loc": [36, 36], "level": 0, "parent": null, "vector": [1, 0, 0.2748, 0.0076, 0, 0.66, 0.2069, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L38_C0", "label": "try", "type": "try", "loc": [38, 45], "level": 0, "parent": null, "vector": [7, 0, 0.3168, 0.0611, 0, 0.66, 0.2414, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n frozenset\nexcept NameError:\n from sets import ImmutableSet as frozenset\n try:\n from sets import BaseSet as set\n except ImportError:\n from sets import Set as set"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Expr_L39_C4", "label": "expression", "type": "expression", "loc": [39, 39], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L38_C0", "vector": [8, 1, 0.2977, 0.0076, 1, 0.92, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " frozenset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:ImportFrom_L41_C4", "label": "from sets import frozenset", "type": "import", "loc": [41, 41], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L38_C0", "vector": [1, 1, 0.313, 0.0076, 1, 0.92, 0.0, 842, 0, 1, 0, 0, 842, 0, 0], "semantic": {"name": "sets", "arg_names": [], "import_names": ["frozenset"], "rhs_call_name": "", "annotation": ""}, "snippet": " from sets import ImmutableSet as frozenset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L42_C4", "label": "try", "type": "try", "loc": [42, 45], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L38_C0", "vector": [7, 1, 0.3321, 0.0305, 1, 0.92, 1.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n from sets import BaseSet as set\n except ImportError:\n from sets import Set as set"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:ImportFrom_L43_C8", "label": "from sets import set", "type": "import", "loc": [43, 43], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L42_C4", "vector": [1, 2, 0.3282, 0.0076, 2, 0.05, 0.0, 842, 0, 1, 0, 0, 842, 0, 0], "semantic": {"name": "sets", "arg_names": [], "import_names": ["set"], "rhs_call_name": "", "annotation": ""}, "snippet": " from sets import BaseSet as set"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:ImportFrom_L45_C8", "label": "from sets import set", "type": "import", "loc": [45, 45], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L42_C4", "vector": [1, 2, 0.3435, 0.0076, 2, 0.05, 0.0, 842, 0, 1, 0, 0, 842, 0, 0], "semantic": {"name": "sets", "arg_names": [], "import_names": ["set"], "rhs_call_name": "", "annotation": ""}, "snippet": " from sets import Set as set"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L47_C0", "label": "threadsafety =", "type": "assigned_variable", "loc": [47, 47], "level": 0, "parent": null, "vector": [14, 0, 0.3588, 0.0076, 0, 0.66, 0.2759, 420, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "threadsafety", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "threadsafety = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L48_C0", "label": "apilevel =", "type": "assigned_variable", "loc": [48, 48], "level": 0, "parent": null, "vector": [14, 0, 0.3664, 0.0076, 0, 0.66, 0.3103, 193, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "apilevel", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "apilevel = \"2.0\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L49_C0", "label": "paramstyle =", "type": "assigned_variable", "loc": [49, 49], "level": 0, "parent": null, "vector": [14, 0, 0.374, 0.0076, 0, 0.66, 0.3448, 386, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "paramstyle", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "paramstyle = \"format\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:ClassDef_L51_C0", "label": "DBAPISet", "type": "class", "loc": [51, 67], "level": 0, "parent": null, "vector": [3, 0, 0.4504, 0.1298, 0, 0.66, 0.3793, 626, 0, 3, 0, 0, 80, 0, 6], "semantic": {"name": "DBAPISet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class DBAPISet(frozenset):\n\n\n def __ne__(self, other):\n if isinstance(other, set):\n return super(DBAPISet, self).__ne__(self, other)\n else:\n return other not in self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L54_C4", "label": "__ne__", "type": "function", "loc": [54, 58], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:ClassDef_L51_C0", "vector": [2, 1, 0.4275, 0.0382, 1, 0.55, 0.0, 254, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "__ne__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __ne__(self, other):\n if isinstance(other, set):\n return super(DBAPISet, self).__ne__(self, other)\n else:\n return other not in self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:If_L55_C8", "label": "if", "type": "if", "loc": [55, 58], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L54_C4", "vector": [4, 2, 0.4313, 0.0305, 2, 0.34, 0.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(other, set):\n return super(DBAPISet, self).__ne__(self, other)\n else:\n return other not in self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L56_C12", "label": "return", "type": "return", "loc": [56, 56], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:If_L55_C8", "vector": [13, 3, 0.4275, 0.0076, 3, 0.19, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return super(DBAPISet, self).__ne__(self, other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L58_C12", "label": "return", "type": "return", "loc": [58, 58], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:If_L55_C8", "vector": [13, 3, 0.4427, 0.0076, 3, 0.19, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return other not in self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L60_C4", "label": "__eq__", "type": "function", "loc": [60, 64], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:ClassDef_L51_C0", "vector": [2, 1, 0.4733, 0.0382, 1, 0.55, 0.5, 763, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "__eq__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __eq__(self, other):\n if isinstance(other, frozenset):\n return frozenset.__eq__(self, other)\n else:\n return other in self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:If_L61_C8", "label": "if", "type": "if", "loc": [61, 64], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L60_C4", "vector": [4, 2, 0.4771, 0.0305, 2, 0.48, 0.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(other, frozenset):\n return frozenset.__eq__(self, other)\n else:\n return other in self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L62_C12", "label": "return", "type": "return", "loc": [62, 62], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:If_L61_C8", "vector": [13, 3, 0.4733, 0.0076, 3, 0.26, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return frozenset.__eq__(self, other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L64_C12", "label": "return", "type": "return", "loc": [64, 64], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:If_L61_C8", "vector": [13, 3, 0.4885, 0.0076, 3, 0.26, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return other in self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L66_C4", "label": "__hash__", "type": "function", "loc": [66, 67], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:ClassDef_L51_C0", "vector": [2, 1, 0.5076, 0.0153, 1, 0.55, 1.0, 49, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "__hash__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __hash__(self):\n return frozenset.__hash__(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L67_C8", "label": "return", "type": "return", "loc": [67, 67], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L66_C4", "vector": [13, 2, 0.5115, 0.0076, 2, 0.71, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return frozenset.__hash__(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L70_C0", "label": "STRING = DBAPISet()", "type": "assigned_variable", "loc": [70, 71], "level": 0, "parent": null, "vector": [14, 0, 0.5382, 0.0153, 0, 0.66, 0.4138, 560, 3, 1, 0, 0, 626, 10, 1], "semantic": {"name": "STRING", "arg_names": [], "import_names": [], "rhs_call_name": "DBAPISet", "annotation": ""}, "snippet": "STRING = DBAPISet([FIELD_TYPE.ENUM, FIELD_TYPE.STRING,\n FIELD_TYPE.VAR_STRING])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L72_C0", "label": "BINARY = DBAPISet()", "type": "assigned_variable", "loc": [72, 73], "level": 0, "parent": null, "vector": [14, 0, 0.5534, 0.0153, 0, 0.66, 0.4483, 994, 3, 1, 0, 0, 626, 10, 1], "semantic": {"name": "BINARY", "arg_names": [], "import_names": [], "rhs_call_name": "DBAPISet", "annotation": ""}, "snippet": "BINARY = DBAPISet([FIELD_TYPE.BLOB, FIELD_TYPE.LONG_BLOB,\n FIELD_TYPE.MEDIUM_BLOB, FIELD_TYPE.TINY_BLOB])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L74_C0", "label": "NUMBER = DBAPISet()", "type": "assigned_variable", "loc": [74, 76], "level": 0, "parent": null, "vector": [14, 0, 0.5725, 0.0229, 0, 0.66, 0.4828, 678, 3, 1, 0, 0, 626, 10, 1], "semantic": {"name": "NUMBER", "arg_names": [], "import_names": [], "rhs_call_name": "DBAPISet", "annotation": ""}, "snippet": "NUMBER = DBAPISet([FIELD_TYPE.DECIMAL, FIELD_TYPE.DOUBLE, FIELD_TYPE.FLOAT,\n FIELD_TYPE.INT24, FIELD_TYPE.LONG, FIELD_TYPE.LONGLONG,\n FIELD_TYPE.TINY, FIELD_TYPE.YEAR])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L77_C0", "label": "DATE = DBAPISet()", "type": "assigned_variable", "loc": [77, 77], "level": 0, "parent": null, "vector": [14, 0, 0.5878, 0.0076, 0, 0.66, 0.5172, 688, 3, 1, 0, 0, 626, 10, 1], "semantic": {"name": "DATE", "arg_names": [], "import_names": [], "rhs_call_name": "DBAPISet", "annotation": ""}, "snippet": "DATE = DBAPISet([FIELD_TYPE.DATE, FIELD_TYPE.NEWDATE])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L78_C0", "label": "TIME = DBAPISet()", "type": "assigned_variable", "loc": [78, 78], "level": 0, "parent": null, "vector": [14, 0, 0.5954, 0.0076, 0, 0.66, 0.5517, 957, 3, 1, 0, 0, 626, 10, 1], "semantic": {"name": "TIME", "arg_names": [], "import_names": [], "rhs_call_name": "DBAPISet", "annotation": ""}, "snippet": "TIME = DBAPISet([FIELD_TYPE.TIME])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L79_C0", "label": "TIMESTAMP = DBAPISet()", "type": "assigned_variable", "loc": [79, 79], "level": 0, "parent": null, "vector": [14, 0, 0.6031, 0.0076, 0, 0.66, 0.5862, 987, 3, 1, 0, 0, 626, 10, 1], "semantic": {"name": "TIMESTAMP", "arg_names": [], "import_names": [], "rhs_call_name": "DBAPISet", "annotation": ""}, "snippet": "TIMESTAMP = DBAPISet([FIELD_TYPE.TIMESTAMP, FIELD_TYPE.DATETIME])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L80_C0", "label": "DATETIME =", "type": "assigned_variable", "loc": [80, 80], "level": 0, "parent": null, "vector": [14, 0, 0.6107, 0.0076, 0, 0.66, 0.6207, 7, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "DATETIME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DATETIME = TIMESTAMP"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L81_C0", "label": "ROWID = DBAPISet()", "type": "assigned_variable", "loc": [81, 81], "level": 0, "parent": null, "vector": [14, 0, 0.6183, 0.0076, 0, 0.66, 0.6552, 948, 3, 0, 0, 0, 626, 10, 1], "semantic": {"name": "ROWID", "arg_names": [], "import_names": [], "rhs_call_name": "DBAPISet", "annotation": ""}, "snippet": "ROWID = DBAPISet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L83_C0", "label": "Binary", "type": "function", "loc": [83, 85], "level": 0, "parent": null, "vector": [2, 0, 0.6412, 0.0229, 0, 0.66, 0.6897, 906, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "Binary", "arg_names": ["x"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def Binary(x):\n \"\"\"Return x as a binary type.\"\"\"\n return str(x)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Expr_L84_C4", "label": "expression", "type": "expression", "loc": [84, 84], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L83_C0", "vector": [8, 1, 0.6412, 0.0076, 1, 0.78, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return x as a binary type.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L85_C4", "label": "return", "type": "return", "loc": [85, 85], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L83_C0", "vector": [13, 1, 0.6489, 0.0076, 1, 0.78, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(x)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L87_C0", "label": "Connect", "type": "function", "loc": [87, 93], "level": 0, "parent": null, "vector": [2, 0, 0.687, 0.0534, 0, 0.66, 0.7241, 844, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "Connect", "arg_names": ["args", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def Connect(*args, **kwargs):\n \"\"\"\n Connect to the database; see connections.Connection.__init__() for\n more information.\n \"\"\"\n from connections import Connection\n return Connection(*args, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Expr_L88_C4", "label": "expression", "type": "expression", "loc": [88, 91], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L87_C0", "vector": [8, 1, 0.6832, 0.0305, 1, 0.5, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Connect to the database; see connections.Connection.__init__() for\n more information.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:ImportFrom_L92_C4", "label": "from connections import Connection", "type": "import", "loc": [92, 92], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L87_C0", "vector": [1, 1, 0.7023, 0.0076, 1, 0.5, 0.5, 523, 0, 1, 0, 0, 523, 0, 0], "semantic": {"name": "connections", "arg_names": [], "import_names": ["Connection"], "rhs_call_name": "", "annotation": ""}, "snippet": " from connections import Connection"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L93_C4", "label": "return", "type": "return", "loc": [93, 93], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L87_C0", "vector": [13, 1, 0.7099, 0.0076, 1, 0.5, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Connection(*args, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L95_C0", "label": "get_client_info", "type": "function", "loc": [95, 96], "level": 0, "parent": null, "vector": [2, 0, 0.729, 0.0153, 0, 0.66, 0.7586, 615, 0, 0, 1, 0, 0, 0, 0], "semantic": {"name": "get_client_info", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def get_client_info(): # for MySQLdb compatibility\n return '%s.%s.%s' % VERSION"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L96_C2", "label": "return", "type": "return", "loc": [96, 96], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L95_C0", "vector": [13, 1, 0.7328, 0.0076, 1, 0.14, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s.%s.%s' % VERSION"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L98_C0", "label": "connect =", "type": "assigned_variable", "loc": [98, 98], "level": 0, "parent": null, "vector": [14, 0, 0.7481, 0.0076, 0, 0.66, 0.7931, 242, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "connect", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "connect = Connection = Connect"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L101_C0", "label": "version_info =", "type": "assigned_variable", "loc": [101, 101], "level": 0, "parent": null, "vector": [14, 0, 0.771, 0.0076, 0, 0.66, 0.8276, 342, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "version_info", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "version_info = (1,2,2,\"final\",0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L103_C0", "label": "NULL =", "type": "assigned_variable", "loc": [103, 103], "level": 0, "parent": null, "vector": [14, 0, 0.7863, 0.0076, 0, 0.66, 0.8621, 100, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "NULL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NULL = \"NULL\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L105_C0", "label": "__version__ = get_client_info()", "type": "assigned_variable", "loc": [105, 105], "level": 0, "parent": null, "vector": [14, 0, 0.8015, 0.0076, 0, 0.66, 0.8966, 162, 3, 0, 0, 0, 615, 10, 1], "semantic": {"name": "__version__", "arg_names": [], "import_names": [], "rhs_call_name": "get_client_info", "annotation": ""}, "snippet": "__version__ = get_client_info()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L107_C0", "label": "thread_safe", "type": "function", "loc": [107, 108], "level": 0, "parent": null, "vector": [2, 0, 0.8206, 0.0153, 0, 0.66, 0.931, 558, 0, 0, 1, 0, 0, 0, 0], "semantic": {"name": "thread_safe", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def thread_safe():\n return True # match MySQLdb.thread_safe()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L108_C4", "label": "return", "type": "return", "loc": [108, 108], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L107_C0", "vector": [13, 1, 0.8244, 0.0076, 1, 0.22, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return True # match MySQLdb.thread_safe()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L110_C0", "label": "install_as_MySQLdb", "type": "function", "loc": [110, 115], "level": 0, "parent": null, "vector": [2, 0, 0.8588, 0.0458, 0, 0.66, 0.9655, 58, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "install_as_MySQLdb", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def install_as_MySQLdb():\n \"\"\"\n After this function is called, any application that imports MySQLdb or\n _mysql will unwittingly actually use \n \"\"\"\n sys.modules[\"MySQLdb\"] = sys.modules[\"_mysql\"] = sys.modules[\"pymysql\"]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Expr_L111_C4", "label": "expression", "type": "expression", "loc": [111, 114], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L110_C0", "vector": [8, 1, 0.8588, 0.0305, 1, 0.93, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n After this function is called, any application that imports MySQLdb or\n _mysql will unwittingly actually use \n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L115_C4", "label": "assign", "type": "assigned_variable", "loc": [115, 115], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L110_C0", "vector": [14, 1, 0.8779, 0.0076, 1, 0.93, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sys.modules[\"MySQLdb\"] = sys.modules[\"_mysql\"] = sys.modules[\"pymysql\"]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L117_C0", "label": "__all__ =", "type": "assigned_variable", "loc": [117, 131], "level": 0, "parent": null, "vector": [14, 0, 0.9466, 0.1145, 0, 0.66, 1.0, 272, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "__all__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__all__ = [\n 'BINARY', 'Binary', 'Connect', 'Connection', 'DATE', 'Date',\n 'Time', 'Timestamp', 'DateFromTicks', 'TimeFromTicks', 'TimestampFromTicks',\n 'DataError', 'DatabaseError', 'Error', 'FIELD_TYPE', 'IntegrityError',\n 'InterfaceError', 'InternalError', 'MySQLError', 'NULL', 'NUMBER',\n 'NotSupportedError', 'DBAPISet', 'OperationalError', 'ProgrammingError',\n 'ROWID', 'STRING', 'TIME', 'TIMESTAMP', 'Warning', 'apilevel', 'connect',\n 'connections', 'constants', 'converters', 'cursors',"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L38_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Expr_L39_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L38_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:ImportFrom_L41_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L38_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L42_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_531:ImportFrom_L43_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:Try_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_531:ImportFrom_L45_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:ClassDef_L51_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L54_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L54_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_531:If_L55_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:If_L55_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L56_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:If_L55_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L58_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:ClassDef_L51_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L60_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L60_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_531:If_L61_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:If_L61_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L62_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:If_L61_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L64_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:ClassDef_L51_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L66_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L66_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L67_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L83_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Expr_L84_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L83_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L85_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L87_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Expr_L88_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L87_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:ImportFrom_L92_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L87_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L93_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L95_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L96_C2"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L107_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Return_L108_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Expr_L111_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_531:FunctionDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_531:Assign_L115_C4"}]
COM_SLEEP = 0x00 COM_QUIT = 0x01 COM_INIT_DB = 0x02 COM_QUERY = 0x03 COM_FIELD_LIST = 0x04 COM_CREATE_DB = 0x05 COM_DROP_DB = 0x06 COM_REFRESH = 0x07 COM_SHUTDOWN = 0x08 COM_STATISTICS = 0x09 COM_PROCESS_INFO = 0x0a COM_CONNECT = 0x0b COM_PROCESS_KILL = 0x0c COM_DEBUG = 0x0d COM_PING = 0x0e COM_TIME = 0x0f COM_DELAYED_INSERT = 0x10 COM_CHANGE_USER = 0x11 COM_BINLOG_DUMP = 0x12 COM_TABLE_DUMP = 0x13 COM_CONNECT_OUT = 0x14 COM_REGISTER_SLAVE = 0x15
ajibawa-2023/Python-Code-Large/train/row_533
22
23
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L2_C0", "label": "COM_SLEEP =", "type": "assigned_variable", "loc": [2, 2], "level": 0, "parent": null, "vector": [14, 0, 0.087, 0.0435, 0, 0.66, 0.0, 19, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_SLEEP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_SLEEP = 0x00"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L3_C0", "label": "COM_QUIT =", "type": "assigned_variable", "loc": [3, 3], "level": 0, "parent": null, "vector": [14, 0, 0.1304, 0.0435, 0, 0.66, 0.0476, 408, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_QUIT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_QUIT = 0x01"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L4_C0", "label": "COM_INIT_DB =", "type": "assigned_variable", "loc": [4, 4], "level": 0, "parent": null, "vector": [14, 0, 0.1739, 0.0435, 0, 0.66, 0.0952, 752, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_INIT_DB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_INIT_DB = 0x02"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L5_C0", "label": "COM_QUERY =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2174, 0.0435, 0, 0.66, 0.1429, 474, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_QUERY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_QUERY = 0x03"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L6_C0", "label": "COM_FIELD_LIST =", "type": "assigned_variable", "loc": [6, 6], "level": 0, "parent": null, "vector": [14, 0, 0.2609, 0.0435, 0, 0.66, 0.1905, 961, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_FIELD_LIST", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_FIELD_LIST = 0x04"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L7_C0", "label": "COM_CREATE_DB =", "type": "assigned_variable", "loc": [7, 7], "level": 0, "parent": null, "vector": [14, 0, 0.3043, 0.0435, 0, 0.66, 0.2381, 533, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_CREATE_DB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_CREATE_DB = 0x05"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L8_C0", "label": "COM_DROP_DB =", "type": "assigned_variable", "loc": [8, 8], "level": 0, "parent": null, "vector": [14, 0, 0.3478, 0.0435, 0, 0.66, 0.2857, 608, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_DROP_DB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_DROP_DB = 0x06"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L9_C0", "label": "COM_REFRESH =", "type": "assigned_variable", "loc": [9, 9], "level": 0, "parent": null, "vector": [14, 0, 0.3913, 0.0435, 0, 0.66, 0.3333, 147, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_REFRESH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_REFRESH = 0x07"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L10_C0", "label": "COM_SHUTDOWN =", "type": "assigned_variable", "loc": [10, 10], "level": 0, "parent": null, "vector": [14, 0, 0.4348, 0.0435, 0, 0.66, 0.381, 454, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_SHUTDOWN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_SHUTDOWN = 0x08"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L11_C0", "label": "COM_STATISTICS =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.4783, 0.0435, 0, 0.66, 0.4286, 39, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_STATISTICS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_STATISTICS = 0x09"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L12_C0", "label": "COM_PROCESS_INFO =", "type": "assigned_variable", "loc": [12, 12], "level": 0, "parent": null, "vector": [14, 0, 0.5217, 0.0435, 0, 0.66, 0.4762, 942, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_PROCESS_INFO", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_PROCESS_INFO = 0x0a"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L13_C0", "label": "COM_CONNECT =", "type": "assigned_variable", "loc": [13, 13], "level": 0, "parent": null, "vector": [14, 0, 0.5652, 0.0435, 0, 0.66, 0.5238, 447, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_CONNECT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_CONNECT = 0x0b"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L14_C0", "label": "COM_PROCESS_KILL =", "type": "assigned_variable", "loc": [14, 14], "level": 0, "parent": null, "vector": [14, 0, 0.6087, 0.0435, 0, 0.66, 0.5714, 897, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_PROCESS_KILL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_PROCESS_KILL = 0x0c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L15_C0", "label": "COM_DEBUG =", "type": "assigned_variable", "loc": [15, 15], "level": 0, "parent": null, "vector": [14, 0, 0.6522, 0.0435, 0, 0.66, 0.619, 395, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_DEBUG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_DEBUG = 0x0d"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L16_C0", "label": "COM_PING =", "type": "assigned_variable", "loc": [16, 16], "level": 0, "parent": null, "vector": [14, 0, 0.6957, 0.0435, 0, 0.66, 0.6667, 666, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_PING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_PING = 0x0e"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L17_C0", "label": "COM_TIME =", "type": "assigned_variable", "loc": [17, 17], "level": 0, "parent": null, "vector": [14, 0, 0.7391, 0.0435, 0, 0.66, 0.7143, 854, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_TIME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_TIME = 0x0f"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L18_C0", "label": "COM_DELAYED_INSERT =", "type": "assigned_variable", "loc": [18, 18], "level": 0, "parent": null, "vector": [14, 0, 0.7826, 0.0435, 0, 0.66, 0.7619, 354, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_DELAYED_INSERT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_DELAYED_INSERT = 0x10"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L19_C0", "label": "COM_CHANGE_USER =", "type": "assigned_variable", "loc": [19, 19], "level": 0, "parent": null, "vector": [14, 0, 0.8261, 0.0435, 0, 0.66, 0.8095, 525, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_CHANGE_USER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_CHANGE_USER = 0x11"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L20_C0", "label": "COM_BINLOG_DUMP =", "type": "assigned_variable", "loc": [20, 20], "level": 0, "parent": null, "vector": [14, 0, 0.8696, 0.0435, 0, 0.66, 0.8571, 849, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_BINLOG_DUMP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_BINLOG_DUMP = 0x12"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L21_C0", "label": "COM_TABLE_DUMP =", "type": "assigned_variable", "loc": [21, 21], "level": 0, "parent": null, "vector": [14, 0, 0.913, 0.0435, 0, 0.66, 0.9048, 464, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_TABLE_DUMP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_TABLE_DUMP = 0x13"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L22_C0", "label": "COM_CONNECT_OUT =", "type": "assigned_variable", "loc": [22, 22], "level": 0, "parent": null, "vector": [14, 0, 0.9565, 0.0435, 0, 0.66, 0.9524, 276, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_CONNECT_OUT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_CONNECT_OUT = 0x14"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_533:Assign_L23_C0", "label": "COM_REGISTER_SLAVE =", "type": "assigned_variable", "loc": [23, 23], "level": 0, "parent": null, "vector": [14, 0, 1.0, 0.0435, 0, 0.66, 1.0, 708, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COM_REGISTER_SLAVE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COM_REGISTER_SLAVE = 0x15"}]
[]
DECIMAL = 0 TINY = 1 SHORT = 2 LONG = 3 FLOAT = 4 DOUBLE = 5 NULL = 6 TIMESTAMP = 7 LONGLONG = 8 INT24 = 9 DATE = 10 TIME = 11 DATETIME = 12 YEAR = 13 NEWDATE = 14 VARCHAR = 15 BIT = 16 NEWDECIMAL = 246 ENUM = 247 SET = 248 TINY_BLOB = 249 MEDIUM_BLOB = 250 LONG_BLOB = 251 BLOB = 252 VAR_STRING = 253 STRING = 254 GEOMETRY = 255 CHAR = TINY INTERVAL = ENUM
ajibawa-2023/Python-Code-Large/train/row_534
29
32
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L3_C0", "label": "DECIMAL =", "type": "assigned_variable", "loc": [3, 3], "level": 0, "parent": null, "vector": [14, 0, 0.0938, 0.0312, 0, 0.66, 0.0, 22, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DECIMAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DECIMAL = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L4_C0", "label": "TINY =", "type": "assigned_variable", "loc": [4, 4], "level": 0, "parent": null, "vector": [14, 0, 0.125, 0.0312, 0, 0.66, 0.0357, 474, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TINY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TINY = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L5_C0", "label": "SHORT =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.1562, 0.0312, 0, 0.66, 0.0714, 193, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SHORT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SHORT = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L6_C0", "label": "LONG =", "type": "assigned_variable", "loc": [6, 6], "level": 0, "parent": null, "vector": [14, 0, 0.1875, 0.0312, 0, 0.66, 0.1071, 698, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LONG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LONG = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L7_C0", "label": "FLOAT =", "type": "assigned_variable", "loc": [7, 7], "level": 0, "parent": null, "vector": [14, 0, 0.2188, 0.0312, 0, 0.66, 0.1429, 69, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FLOAT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FLOAT = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L8_C0", "label": "DOUBLE =", "type": "assigned_variable", "loc": [8, 8], "level": 0, "parent": null, "vector": [14, 0, 0.25, 0.0312, 0, 0.66, 0.1786, 206, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DOUBLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DOUBLE = 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L9_C0", "label": "NULL =", "type": "assigned_variable", "loc": [9, 9], "level": 0, "parent": null, "vector": [14, 0, 0.2812, 0.0312, 0, 0.66, 0.2143, 100, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NULL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NULL = 6"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L10_C0", "label": "TIMESTAMP =", "type": "assigned_variable", "loc": [10, 10], "level": 0, "parent": null, "vector": [14, 0, 0.3125, 0.0312, 0, 0.66, 0.25, 987, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TIMESTAMP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TIMESTAMP = 7"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L11_C0", "label": "LONGLONG =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.3438, 0.0312, 0, 0.66, 0.2857, 325, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LONGLONG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LONGLONG = 8"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L12_C0", "label": "INT24 =", "type": "assigned_variable", "loc": [12, 12], "level": 0, "parent": null, "vector": [14, 0, 0.375, 0.0312, 0, 0.66, 0.3214, 398, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "INT24", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "INT24 = 9"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L13_C0", "label": "DATE =", "type": "assigned_variable", "loc": [13, 13], "level": 0, "parent": null, "vector": [14, 0, 0.4062, 0.0312, 0, 0.66, 0.3571, 688, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DATE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DATE = 10"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L14_C0", "label": "TIME =", "type": "assigned_variable", "loc": [14, 14], "level": 0, "parent": null, "vector": [14, 0, 0.4375, 0.0312, 0, 0.66, 0.3929, 957, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TIME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TIME = 11"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L15_C0", "label": "DATETIME =", "type": "assigned_variable", "loc": [15, 15], "level": 0, "parent": null, "vector": [14, 0, 0.4688, 0.0312, 0, 0.66, 0.4286, 7, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DATETIME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DATETIME = 12"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L16_C0", "label": "YEAR =", "type": "assigned_variable", "loc": [16, 16], "level": 0, "parent": null, "vector": [14, 0, 0.5, 0.0312, 0, 0.66, 0.4643, 621, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "YEAR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "YEAR = 13"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L17_C0", "label": "NEWDATE =", "type": "assigned_variable", "loc": [17, 17], "level": 0, "parent": null, "vector": [14, 0, 0.5312, 0.0312, 0, 0.66, 0.5, 40, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NEWDATE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NEWDATE = 14"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L18_C0", "label": "VARCHAR =", "type": "assigned_variable", "loc": [18, 18], "level": 0, "parent": null, "vector": [14, 0, 0.5625, 0.0312, 0, 0.66, 0.5357, 533, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VARCHAR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VARCHAR = 15"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L19_C0", "label": "BIT =", "type": "assigned_variable", "loc": [19, 19], "level": 0, "parent": null, "vector": [14, 0, 0.5938, 0.0312, 0, 0.66, 0.5714, 272, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BIT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BIT = 16"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L20_C0", "label": "NEWDECIMAL =", "type": "assigned_variable", "loc": [20, 20], "level": 0, "parent": null, "vector": [14, 0, 0.625, 0.0312, 0, 0.66, 0.6071, 325, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NEWDECIMAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NEWDECIMAL = 246"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L21_C0", "label": "ENUM =", "type": "assigned_variable", "loc": [21, 21], "level": 0, "parent": null, "vector": [14, 0, 0.6562, 0.0312, 0, 0.66, 0.6429, 186, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ENUM", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ENUM = 247"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L22_C0", "label": "SET =", "type": "assigned_variable", "loc": [22, 22], "level": 0, "parent": null, "vector": [14, 0, 0.6875, 0.0312, 0, 0.66, 0.6786, 140, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SET", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SET = 248"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L23_C0", "label": "TINY_BLOB =", "type": "assigned_variable", "loc": [23, 23], "level": 0, "parent": null, "vector": [14, 0, 0.7188, 0.0312, 0, 0.66, 0.7143, 785, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TINY_BLOB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TINY_BLOB = 249"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L24_C0", "label": "MEDIUM_BLOB =", "type": "assigned_variable", "loc": [24, 24], "level": 0, "parent": null, "vector": [14, 0, 0.75, 0.0312, 0, 0.66, 0.75, 555, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MEDIUM_BLOB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MEDIUM_BLOB = 250"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L25_C0", "label": "LONG_BLOB =", "type": "assigned_variable", "loc": [25, 25], "level": 0, "parent": null, "vector": [14, 0, 0.7812, 0.0312, 0, 0.66, 0.7857, 157, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LONG_BLOB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LONG_BLOB = 251"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L26_C0", "label": "BLOB =", "type": "assigned_variable", "loc": [26, 26], "level": 0, "parent": null, "vector": [14, 0, 0.8125, 0.0312, 0, 0.66, 0.8214, 274, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BLOB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BLOB = 252"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L27_C0", "label": "VAR_STRING =", "type": "assigned_variable", "loc": [27, 27], "level": 0, "parent": null, "vector": [14, 0, 0.8438, 0.0312, 0, 0.66, 0.8571, 295, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VAR_STRING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VAR_STRING = 253"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L28_C0", "label": "STRING =", "type": "assigned_variable", "loc": [28, 28], "level": 0, "parent": null, "vector": [14, 0, 0.875, 0.0312, 0, 0.66, 0.8929, 560, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "STRING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "STRING = 254"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L29_C0", "label": "GEOMETRY =", "type": "assigned_variable", "loc": [29, 29], "level": 0, "parent": null, "vector": [14, 0, 0.9062, 0.0312, 0, 0.66, 0.9286, 557, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "GEOMETRY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GEOMETRY = 255"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L31_C0", "label": "CHAR =", "type": "assigned_variable", "loc": [31, 31], "level": 0, "parent": null, "vector": [14, 0, 0.9688, 0.0312, 0, 0.66, 0.9643, 639, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "CHAR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CHAR = TINY"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_534:Assign_L32_C0", "label": "INTERVAL =", "type": "assigned_variable", "loc": [32, 32], "level": 0, "parent": null, "vector": [14, 0, 1.0, 0.0312, 0, 0.66, 1.0, 842, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "INTERVAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "INTERVAL = ENUM"}]
[]
NOT_NULL = 1 PRI_KEY = 2 UNIQUE_KEY = 4 MULTIPLE_KEY = 8 BLOB = 16 UNSIGNED = 32 ZEROFILL = 64 BINARY = 128 ENUM = 256 AUTO_INCREMENT = 512 TIMESTAMP = 1024 SET = 2048 PART_KEY = 16384 GROUP = 32767 UNIQUE = 65536
ajibawa-2023/Python-Code-Large/train/row_535
15
15
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L1_C0", "label": "NOT_NULL =", "type": "assigned_variable", "loc": [1, 1], "level": 0, "parent": null, "vector": [14, 0, 0.0667, 0.0667, 0, 0.66, 0.0, 79, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NOT_NULL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NOT_NULL = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L2_C0", "label": "PRI_KEY =", "type": "assigned_variable", "loc": [2, 2], "level": 0, "parent": null, "vector": [14, 0, 0.1333, 0.0667, 0, 0.66, 0.0714, 978, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PRI_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PRI_KEY = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L3_C0", "label": "UNIQUE_KEY =", "type": "assigned_variable", "loc": [3, 3], "level": 0, "parent": null, "vector": [14, 0, 0.2, 0.0667, 0, 0.66, 0.1429, 994, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNIQUE_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNIQUE_KEY = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L4_C0", "label": "MULTIPLE_KEY =", "type": "assigned_variable", "loc": [4, 4], "level": 0, "parent": null, "vector": [14, 0, 0.2667, 0.0667, 0, 0.66, 0.2143, 527, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MULTIPLE_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MULTIPLE_KEY = 8"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L5_C0", "label": "BLOB =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.3333, 0.0667, 0, 0.66, 0.2857, 274, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BLOB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BLOB = 16"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L6_C0", "label": "UNSIGNED =", "type": "assigned_variable", "loc": [6, 6], "level": 0, "parent": null, "vector": [14, 0, 0.4, 0.0667, 0, 0.66, 0.3571, 451, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNSIGNED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNSIGNED = 32"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L7_C0", "label": "ZEROFILL =", "type": "assigned_variable", "loc": [7, 7], "level": 0, "parent": null, "vector": [14, 0, 0.4667, 0.0667, 0, 0.66, 0.4286, 5, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ZEROFILL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ZEROFILL = 64"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L8_C0", "label": "BINARY =", "type": "assigned_variable", "loc": [8, 8], "level": 0, "parent": null, "vector": [14, 0, 0.5333, 0.0667, 0, 0.66, 0.5, 994, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BINARY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BINARY = 128"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L9_C0", "label": "ENUM =", "type": "assigned_variable", "loc": [9, 9], "level": 0, "parent": null, "vector": [14, 0, 0.6, 0.0667, 0, 0.66, 0.5714, 186, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ENUM", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ENUM = 256"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L10_C0", "label": "AUTO_INCREMENT =", "type": "assigned_variable", "loc": [10, 10], "level": 0, "parent": null, "vector": [14, 0, 0.6667, 0.0667, 0, 0.66, 0.6429, 473, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "AUTO_INCREMENT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "AUTO_INCREMENT = 512"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L11_C0", "label": "TIMESTAMP =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.7333, 0.0667, 0, 0.66, 0.7143, 987, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TIMESTAMP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TIMESTAMP = 1024"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L12_C0", "label": "SET =", "type": "assigned_variable", "loc": [12, 12], "level": 0, "parent": null, "vector": [14, 0, 0.8, 0.0667, 0, 0.66, 0.7857, 140, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SET", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SET = 2048"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L13_C0", "label": "PART_KEY =", "type": "assigned_variable", "loc": [13, 13], "level": 0, "parent": null, "vector": [14, 0, 0.8667, 0.0667, 0, 0.66, 0.8571, 846, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PART_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PART_KEY = 16384"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L14_C0", "label": "GROUP =", "type": "assigned_variable", "loc": [14, 14], "level": 0, "parent": null, "vector": [14, 0, 0.9333, 0.0667, 0, 0.66, 0.9286, 39, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "GROUP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GROUP = 32767"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_535:Assign_L15_C0", "label": "UNIQUE =", "type": "assigned_variable", "loc": [15, 15], "level": 0, "parent": null, "vector": [14, 0, 1.0, 0.0667, 0, 0.66, 1.0, 370, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNIQUE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNIQUE = 65536"}]
[]
ERROR_FIRST = 1000 HASHCHK = 1000 NISAMCHK = 1001 NO = 1002 YES = 1003 CANT_CREATE_FILE = 1004 CANT_CREATE_TABLE = 1005 CANT_CREATE_DB = 1006 DB_CREATE_EXISTS = 1007 DB_DROP_EXISTS = 1008 DB_DROP_DELETE = 1009 DB_DROP_RMDIR = 1010 CANT_DELETE_FILE = 1011 CANT_FIND_SYSTEM_REC = 1012 CANT_GET_STAT = 1013 CANT_GET_WD = 1014 CANT_LOCK = 1015 CANT_OPEN_FILE = 1016 FILE_NOT_FOUND = 1017 CANT_READ_DIR = 1018 CANT_SET_WD = 1019 CHECKREAD = 1020 DISK_FULL = 1021 DUP_KEY = 1022 ERROR_ON_CLOSE = 1023 ERROR_ON_READ = 1024 ERROR_ON_RENAME = 1025 ERROR_ON_WRITE = 1026 FILE_USED = 1027 FILSORT_ABORT = 1028 FORM_NOT_FOUND = 1029 GET_ERRNO = 1030 ILLEGAL_HA = 1031 KEY_NOT_FOUND = 1032 NOT_FORM_FILE = 1033 NOT_KEYFILE = 1034 OLD_KEYFILE = 1035 OPEN_AS_READONLY = 1036 OUTOFMEMORY = 1037 OUT_OF_SORTMEMORY = 1038 UNEXPECTED_EOF = 1039 CON_COUNT_ERROR = 1040 OUT_OF_RESOURCES = 1041 BAD_HOST_ERROR = 1042 HANDSHAKE_ERROR = 1043 DBACCESS_DENIED_ERROR = 1044 ACCESS_DENIED_ERROR = 1045 NO_DB_ERROR = 1046 UNKNOWN_COM_ERROR = 1047 BAD_NULL_ERROR = 1048 BAD_DB_ERROR = 1049 TABLE_EXISTS_ERROR = 1050 BAD_TABLE_ERROR = 1051 NON_UNIQ_ERROR = 1052 SERVER_SHUTDOWN = 1053 BAD_FIELD_ERROR = 1054 WRONG_FIELD_WITH_GROUP = 1055 WRONG_GROUP_FIELD = 1056 WRONG_SUM_SELECT = 1057 WRONG_VALUE_COUNT = 1058 TOO_LONG_IDENT = 1059 DUP_FIELDNAME = 1060 DUP_KEYNAME = 1061 DUP_ENTRY = 1062 WRONG_FIELD_SPEC = 1063 PARSE_ERROR = 1064 EMPTY_QUERY = 1065 NONUNIQ_TABLE = 1066 INVALID_DEFAULT = 1067 MULTIPLE_PRI_KEY = 1068 TOO_MANY_KEYS = 1069 TOO_MANY_KEY_PARTS = 1070 TOO_LONG_KEY = 1071 KEY_COLUMN_DOES_NOT_EXITS = 1072 BLOB_USED_AS_KEY = 1073 TOO_BIG_FIELDLENGTH = 1074 WRONG_AUTO_KEY = 1075 READY = 1076 NORMAL_SHUTDOWN = 1077 GOT_SIGNAL = 1078 SHUTDOWN_COMPLETE = 1079 FORCING_CLOSE = 1080 IPSOCK_ERROR = 1081 NO_SUCH_INDEX = 1082 WRONG_FIELD_TERMINATORS = 1083 BLOBS_AND_NO_TERMINATED = 1084 TEXTFILE_NOT_READABLE = 1085 FILE_EXISTS_ERROR = 1086 LOAD_INFO = 1087 ALTER_INFO = 1088 WRONG_SUB_KEY = 1089 CANT_REMOVE_ALL_FIELDS = 1090 CANT_DROP_FIELD_OR_KEY = 1091 INSERT_INFO = 1092 UPDATE_TABLE_USED = 1093 NO_SUCH_THREAD = 1094 KILL_DENIED_ERROR = 1095 NO_TABLES_USED = 1096 TOO_BIG_SET = 1097 NO_UNIQUE_LOGFILE = 1098 TABLE_NOT_LOCKED_FOR_WRITE = 1099 TABLE_NOT_LOCKED = 1100 BLOB_CANT_HAVE_DEFAULT = 1101 WRONG_DB_NAME = 1102 WRONG_TABLE_NAME = 1103 TOO_BIG_SELECT = 1104 UNKNOWN_ERROR = 1105 UNKNOWN_PROCEDURE = 1106 WRONG_PARAMCOUNT_TO_PROCEDURE = 1107 WRONG_PARAMETERS_TO_PROCEDURE = 1108 UNKNOWN_TABLE = 1109 FIELD_SPECIFIED_TWICE = 1110 INVALID_GROUP_FUNC_USE = 1111 UNSUPPORTED_EXTENSION = 1112 TABLE_MUST_HAVE_COLUMNS = 1113 RECORD_FILE_FULL = 1114 UNKNOWN_CHARACTER_SET = 1115 TOO_MANY_TABLES = 1116 TOO_MANY_FIELDS = 1117 TOO_BIG_ROWSIZE = 1118 STACK_OVERRUN = 1119 WRONG_OUTER_JOIN = 1120 NULL_COLUMN_IN_INDEX = 1121 CANT_FIND_UDF = 1122 CANT_INITIALIZE_UDF = 1123 UDF_NO_PATHS = 1124 UDF_EXISTS = 1125 CANT_OPEN_LIBRARY = 1126 CANT_FIND_DL_ENTRY = 1127 FUNCTION_NOT_DEFINED = 1128 HOST_IS_BLOCKED = 1129 HOST_NOT_PRIVILEGED = 1130 PASSWORD_ANONYMOUS_USER = 1131 PASSWORD_NOT_ALLOWED = 1132 PASSWORD_NO_MATCH = 1133 UPDATE_INFO = 1134 CANT_CREATE_THREAD = 1135 WRONG_VALUE_COUNT_ON_ROW = 1136 CANT_REOPEN_TABLE = 1137 INVALID_USE_OF_NULL = 1138 REGEXP_ERROR = 1139 MIX_OF_GROUP_FUNC_AND_FIELDS = 1140 NONEXISTING_GRANT = 1141 TABLEACCESS_DENIED_ERROR = 1142 COLUMNACCESS_DENIED_ERROR = 1143 ILLEGAL_GRANT_FOR_TABLE = 1144 GRANT_WRONG_HOST_OR_USER = 1145 NO_SUCH_TABLE = 1146 NONEXISTING_TABLE_GRANT = 1147 NOT_ALLOWED_COMMAND = 1148 SYNTAX_ERROR = 1149 DELAYED_CANT_CHANGE_LOCK = 1150 TOO_MANY_DELAYED_THREADS = 1151 ABORTING_CONNECTION = 1152 NET_PACKET_TOO_LARGE = 1153 NET_READ_ERROR_FROM_PIPE = 1154 NET_FCNTL_ERROR = 1155 NET_PACKETS_OUT_OF_ORDER = 1156 NET_UNCOMPRESS_ERROR = 1157 NET_READ_ERROR = 1158 NET_READ_INTERRUPTED = 1159 NET_ERROR_ON_WRITE = 1160 NET_WRITE_INTERRUPTED = 1161 TOO_LONG_STRING = 1162 TABLE_CANT_HANDLE_BLOB = 1163 TABLE_CANT_HANDLE_AUTO_INCREMENT = 1164 DELAYED_INSERT_TABLE_LOCKED = 1165 WRONG_COLUMN_NAME = 1166 WRONG_KEY_COLUMN = 1167 WRONG_MRG_TABLE = 1168 DUP_UNIQUE = 1169 BLOB_KEY_WITHOUT_LENGTH = 1170 PRIMARY_CANT_HAVE_NULL = 1171 TOO_MANY_ROWS = 1172 REQUIRES_PRIMARY_KEY = 1173 NO_RAID_COMPILED = 1174 UPDATE_WITHOUT_KEY_IN_SAFE_MODE = 1175 KEY_DOES_NOT_EXITS = 1176 CHECK_NO_SUCH_TABLE = 1177 CHECK_NOT_IMPLEMENTED = 1178 CANT_DO_THIS_DURING_AN_TRANSACTION = 1179 ERROR_DURING_COMMIT = 1180 ERROR_DURING_ROLLBACK = 1181 ERROR_DURING_FLUSH_LOGS = 1182 ERROR_DURING_CHECKPOINT = 1183 NEW_ABORTING_CONNECTION = 1184 DUMP_NOT_IMPLEMENTED = 1185 FLUSH_MASTER_BINLOG_CLOSED = 1186 INDEX_REBUILD = 1187 MASTER = 1188 MASTER_NET_READ = 1189 MASTER_NET_WRITE = 1190 FT_MATCHING_KEY_NOT_FOUND = 1191 LOCK_OR_ACTIVE_TRANSACTION = 1192 UNKNOWN_SYSTEM_VARIABLE = 1193 CRASHED_ON_USAGE = 1194 CRASHED_ON_REPAIR = 1195 WARNING_NOT_COMPLETE_ROLLBACK = 1196 TRANS_CACHE_FULL = 1197 SLAVE_MUST_STOP = 1198 SLAVE_NOT_RUNNING = 1199 BAD_SLAVE = 1200 MASTER_INFO = 1201 SLAVE_THREAD = 1202 TOO_MANY_USER_CONNECTIONS = 1203 SET_CONSTANTS_ONLY = 1204 LOCK_WAIT_TIMEOUT = 1205 LOCK_TABLE_FULL = 1206 READ_ONLY_TRANSACTION = 1207 DROP_DB_WITH_READ_LOCK = 1208 CREATE_DB_WITH_READ_LOCK = 1209 WRONG_ARGUMENTS = 1210 NO_PERMISSION_TO_CREATE_USER = 1211 UNION_TABLES_IN_DIFFERENT_DIR = 1212 LOCK_DEADLOCK = 1213 TABLE_CANT_HANDLE_FT = 1214 CANNOT_ADD_FOREIGN = 1215 NO_REFERENCED_ROW = 1216 ROW_IS_REFERENCED = 1217 CONNECT_TO_MASTER = 1218 QUERY_ON_MASTER = 1219 ERROR_WHEN_EXECUTING_COMMAND = 1220 WRONG_USAGE = 1221 WRONG_NUMBER_OF_COLUMNS_IN_SELECT = 1222 CANT_UPDATE_WITH_READLOCK = 1223 MIXING_NOT_ALLOWED = 1224 DUP_ARGUMENT = 1225 USER_LIMIT_REACHED = 1226 SPECIFIC_ACCESS_DENIED_ERROR = 1227 LOCAL_VARIABLE = 1228 GLOBAL_VARIABLE = 1229 NO_DEFAULT = 1230 WRONG_VALUE_FOR_VAR = 1231 WRONG_TYPE_FOR_VAR = 1232 VAR_CANT_BE_READ = 1233 CANT_USE_OPTION_HERE = 1234 NOT_SUPPORTED_YET = 1235 MASTER_FATAL_ERROR_READING_BINLOG = 1236 SLAVE_IGNORED_TABLE = 1237 INCORRECT_GLOBAL_LOCAL_VAR = 1238 WRONG_FK_DEF = 1239 KEY_REF_DO_NOT_MATCH_TABLE_REF = 1240 OPERAND_COLUMNS = 1241 SUBQUERY_NO_1_ROW = 1242 UNKNOWN_STMT_HANDLER = 1243 CORRUPT_HELP_DB = 1244 CYCLIC_REFERENCE = 1245 AUTO_CONVERT = 1246 ILLEGAL_REFERENCE = 1247 DERIVED_MUST_HAVE_ALIAS = 1248 SELECT_REDUCED = 1249 TABLENAME_NOT_ALLOWED_HERE = 1250 NOT_SUPPORTED_AUTH_MODE = 1251 SPATIAL_CANT_HAVE_NULL = 1252 COLLATION_CHARSET_MISMATCH = 1253 SLAVE_WAS_RUNNING = 1254 SLAVE_WAS_NOT_RUNNING = 1255 TOO_BIG_FOR_UNCOMPRESS = 1256 ZLIB_Z_MEM_ERROR = 1257 ZLIB_Z_BUF_ERROR = 1258 ZLIB_Z_DATA_ERROR = 1259 CUT_VALUE_GROUP_CONCAT = 1260 WARN_TOO_FEW_RECORDS = 1261 WARN_TOO_MANY_RECORDS = 1262 WARN_NULL_TO_NOTNULL = 1263 WARN_DATA_OUT_OF_RANGE = 1264 WARN_DATA_TRUNCATED = 1265 WARN_USING_OTHER_HANDLER = 1266 CANT_AGGREGATE_2COLLATIONS = 1267 DROP_USER = 1268 REVOKE_GRANTS = 1269 CANT_AGGREGATE_3COLLATIONS = 1270 CANT_AGGREGATE_NCOLLATIONS = 1271 VARIABLE_IS_NOT_STRUCT = 1272 UNKNOWN_COLLATION = 1273 SLAVE_IGNORED_SSL_PARAMS = 1274 SERVER_IS_IN_SECURE_AUTH_MODE = 1275 WARN_FIELD_RESOLVED = 1276 BAD_SLAVE_UNTIL_COND = 1277 MISSING_SKIP_SLAVE = 1278 UNTIL_COND_IGNORED = 1279 WRONG_NAME_FOR_INDEX = 1280 WRONG_NAME_FOR_CATALOG = 1281 WARN_QC_RESIZE = 1282 BAD_FT_COLUMN = 1283 UNKNOWN_KEY_CACHE = 1284 WARN_HOSTNAME_WONT_WORK = 1285 UNKNOWN_STORAGE_ENGINE = 1286 WARN_DEPRECATED_SYNTAX = 1287 NON_UPDATABLE_TABLE = 1288 FEATURE_DISABLED = 1289 OPTION_PREVENTS_STATEMENT = 1290 DUPLICATED_VALUE_IN_TYPE = 1291 TRUNCATED_WRONG_VALUE = 1292 TOO_MUCH_AUTO_TIMESTAMP_COLS = 1293 INVALID_ON_UPDATE = 1294 UNSUPPORTED_PS = 1295 GET_ERRMSG = 1296 GET_TEMPORARY_ERRMSG = 1297 UNKNOWN_TIME_ZONE = 1298 WARN_INVALID_TIMESTAMP = 1299 INVALID_CHARACTER_STRING = 1300 WARN_ALLOWED_PACKET_OVERFLOWED = 1301 CONFLICTING_DECLARATIONS = 1302 SP_NO_RECURSIVE_CREATE = 1303 SP_ALREADY_EXISTS = 1304 SP_DOES_NOT_EXIST = 1305 SP_DROP_FAILED = 1306 SP_STORE_FAILED = 1307 SP_LILABEL_MISMATCH = 1308 SP_LABEL_REDEFINE = 1309 SP_LABEL_MISMATCH = 1310 SP_UNINIT_VAR = 1311 SP_BADSELECT = 1312 SP_BADRETURN = 1313 SP_BADSTATEMENT = 1314 UPDATE_LOG_DEPRECATED_IGNORED = 1315 UPDATE_LOG_DEPRECATED_TRANSLATED = 1316 QUERY_INTERRUPTED = 1317 SP_WRONG_NO_OF_ARGS = 1318 SP_COND_MISMATCH = 1319 SP_NORETURN = 1320 SP_NORETURNEND = 1321 SP_BAD_CURSOR_QUERY = 1322 SP_BAD_CURSOR_SELECT = 1323 SP_CURSOR_MISMATCH = 1324 SP_CURSOR_ALREADY_OPEN = 1325 SP_CURSOR_NOT_OPEN = 1326 SP_UNDECLARED_VAR = 1327 SP_WRONG_NO_OF_FETCH_ARGS = 1328 SP_FETCH_NO_DATA = 1329 SP_DUP_PARAM = 1330 SP_DUP_VAR = 1331 SP_DUP_COND = 1332 SP_DUP_CURS = 1333 SP_CANT_ALTER = 1334 SP_SUBSELECT_NYI = 1335 STMT_NOT_ALLOWED_IN_SF_OR_TRG = 1336 SP_VARCOND_AFTER_CURSHNDLR = 1337 SP_CURSOR_AFTER_HANDLER = 1338 SP_CASE_NOT_FOUND = 1339 FPARSER_TOO_BIG_FILE = 1340 FPARSER_BAD_HEADER = 1341 FPARSER_EOF_IN_COMMENT = 1342 FPARSER_ERROR_IN_PARAMETER = 1343 FPARSER_EOF_IN_UNKNOWN_PARAMETER = 1344 VIEW_NO_EXPLAIN = 1345 FRM_UNKNOWN_TYPE = 1346 WRONG_OBJECT = 1347 NONUPDATEABLE_COLUMN = 1348 VIEW_SELECT_DERIVED = 1349 VIEW_SELECT_CLAUSE = 1350 VIEW_SELECT_VARIABLE = 1351 VIEW_SELECT_TMPTABLE = 1352 VIEW_WRONG_LIST = 1353 WARN_VIEW_MERGE = 1354 WARN_VIEW_WITHOUT_KEY = 1355 VIEW_INVALID = 1356 SP_NO_DROP_SP = 1357 SP_GOTO_IN_HNDLR = 1358 TRG_ALREADY_EXISTS = 1359 TRG_DOES_NOT_EXIST = 1360 TRG_ON_VIEW_OR_TEMP_TABLE = 1361 TRG_CANT_CHANGE_ROW = 1362 TRG_NO_SUCH_ROW_IN_TRG = 1363 NO_DEFAULT_FOR_FIELD = 1364 DIVISION_BY_ZERO = 1365 TRUNCATED_WRONG_VALUE_FOR_FIELD = 1366 ILLEGAL_VALUE_FOR_TYPE = 1367 VIEW_NONUPD_CHECK = 1368 VIEW_CHECK_FAILED = 1369 PROCACCESS_DENIED_ERROR = 1370 RELAY_LOG_FAIL = 1371 PASSWD_LENGTH = 1372 UNKNOWN_TARGET_BINLOG = 1373 IO_ERR_LOG_INDEX_READ = 1374 BINLOG_PURGE_PROHIBITED = 1375 FSEEK_FAIL = 1376 BINLOG_PURGE_FATAL_ERR = 1377 LOG_IN_USE = 1378 LOG_PURGE_UNKNOWN_ERR = 1379 RELAY_LOG_INIT = 1380 NO_BINARY_LOGGING = 1381 RESERVED_SYNTAX = 1382 WSAS_FAILED = 1383 DIFF_GROUPS_PROC = 1384 NO_GROUP_FOR_PROC = 1385 ORDER_WITH_PROC = 1386 LOGGING_PROHIBIT_CHANGING_OF = 1387 NO_FILE_MAPPING = 1388 WRONG_MAGIC = 1389 PS_MANY_PARAM = 1390 KEY_PART_0 = 1391 VIEW_CHECKSUM = 1392 VIEW_MULTIUPDATE = 1393 VIEW_NO_INSERT_FIELD_LIST = 1394 VIEW_DELETE_MERGE_VIEW = 1395 CANNOT_USER = 1396 XAER_NOTA = 1397 XAER_INVAL = 1398 XAER_RMFAIL = 1399 XAER_OUTSIDE = 1400 XAER_RMERR = 1401 XA_RBROLLBACK = 1402 NONEXISTING_PROC_GRANT = 1403 PROC_AUTO_GRANT_FAIL = 1404 PROC_AUTO_REVOKE_FAIL = 1405 DATA_TOO_LONG = 1406 SP_BAD_SQLSTATE = 1407 STARTUP = 1408 LOAD_FROM_FIXED_SIZE_ROWS_TO_VAR = 1409 CANT_CREATE_USER_WITH_GRANT = 1410 WRONG_VALUE_FOR_TYPE = 1411 TABLE_DEF_CHANGED = 1412 SP_DUP_HANDLER = 1413 SP_NOT_VAR_ARG = 1414 SP_NO_RETSET = 1415 CANT_CREATE_GEOMETRY_OBJECT = 1416 FAILED_ROUTINE_BREAK_BINLOG = 1417 BINLOG_UNSAFE_ROUTINE = 1418 BINLOG_CREATE_ROUTINE_NEED_SUPER = 1419 EXEC_STMT_WITH_OPEN_CURSOR = 1420 STMT_HAS_NO_OPEN_CURSOR = 1421 COMMIT_NOT_ALLOWED_IN_SF_OR_TRG = 1422 NO_DEFAULT_FOR_VIEW_FIELD = 1423 SP_NO_RECURSION = 1424 TOO_BIG_SCALE = 1425 TOO_BIG_PRECISION = 1426 M_BIGGER_THAN_D = 1427 WRONG_LOCK_OF_SYSTEM_TABLE = 1428 CONNECT_TO_FOREIGN_DATA_SOURCE = 1429 QUERY_ON_FOREIGN_DATA_SOURCE = 1430 FOREIGN_DATA_SOURCE_DOESNT_EXIST = 1431 FOREIGN_DATA_STRING_INVALID_CANT_CREATE = 1432 FOREIGN_DATA_STRING_INVALID = 1433 CANT_CREATE_FEDERATED_TABLE = 1434 TRG_IN_WRONG_SCHEMA = 1435 STACK_OVERRUN_NEED_MORE = 1436 TOO_LONG_BODY = 1437 WARN_CANT_DROP_DEFAULT_KEYCACHE = 1438 TOO_BIG_DISPLAYWIDTH = 1439 XAER_DUPID = 1440 DATETIME_FUNCTION_OVERFLOW = 1441 CANT_UPDATE_USED_TABLE_IN_SF_OR_TRG = 1442 VIEW_PREVENT_UPDATE = 1443 PS_NO_RECURSION = 1444 SP_CANT_SET_AUTOCOMMIT = 1445 MALFORMED_DEFINER = 1446 VIEW_FRM_NO_USER = 1447 VIEW_OTHER_USER = 1448 NO_SUCH_USER = 1449 FORBID_SCHEMA_CHANGE = 1450 ROW_IS_REFERENCED_2 = 1451 NO_REFERENCED_ROW_2 = 1452 SP_BAD_VAR_SHADOW = 1453 TRG_NO_DEFINER = 1454 OLD_FILE_FORMAT = 1455 SP_RECURSION_LIMIT = 1456 SP_PROC_TABLE_CORRUPT = 1457 SP_WRONG_NAME = 1458 TABLE_NEEDS_UPGRADE = 1459 SP_NO_AGGREGATE = 1460 MAX_PREPARED_STMT_COUNT_REACHED = 1461 VIEW_RECURSIVE = 1462 NON_GROUPING_FIELD_USED = 1463 TABLE_CANT_HANDLE_SPKEYS = 1464 NO_TRIGGERS_ON_SYSTEM_SCHEMA = 1465 USERNAME = 1466 HOSTNAME = 1467 WRONG_STRING_LENGTH = 1468 ERROR_LAST = 1468
ajibawa-2023/Python-Code-Large/train/row_536
471
472
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L2_C0", "label": "ERROR_FIRST =", "type": "assigned_variable", "loc": [2, 2], "level": 0, "parent": null, "vector": [14, 0, 0.0042, 0.0021, 0, 0.66, 0.0, 135, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ERROR_FIRST", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ERROR_FIRST = 1000"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L3_C0", "label": "HASHCHK =", "type": "assigned_variable", "loc": [3, 3], "level": 0, "parent": null, "vector": [14, 0, 0.0064, 0.0021, 0, 0.66, 0.0021, 316, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "HASHCHK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "HASHCHK = 1000"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L4_C0", "label": "NISAMCHK =", "type": "assigned_variable", "loc": [4, 4], "level": 0, "parent": null, "vector": [14, 0, 0.0085, 0.0021, 0, 0.66, 0.0043, 755, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NISAMCHK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NISAMCHK = 1001"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L5_C0", "label": "NO =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.0106, 0.0021, 0, 0.66, 0.0064, 58, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO = 1002"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L6_C0", "label": "YES =", "type": "assigned_variable", "loc": [6, 6], "level": 0, "parent": null, "vector": [14, 0, 0.0127, 0.0021, 0, 0.66, 0.0085, 287, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "YES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "YES = 1003"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L7_C0", "label": "CANT_CREATE_FILE =", "type": "assigned_variable", "loc": [7, 7], "level": 0, "parent": null, "vector": [14, 0, 0.0148, 0.0021, 0, 0.66, 0.0106, 870, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_CREATE_FILE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_CREATE_FILE = 1004"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L8_C0", "label": "CANT_CREATE_TABLE =", "type": "assigned_variable", "loc": [8, 8], "level": 0, "parent": null, "vector": [14, 0, 0.0169, 0.0021, 0, 0.66, 0.0128, 62, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_CREATE_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_CREATE_TABLE = 1005"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L9_C0", "label": "CANT_CREATE_DB =", "type": "assigned_variable", "loc": [9, 9], "level": 0, "parent": null, "vector": [14, 0, 0.0191, 0.0021, 0, 0.66, 0.0149, 896, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_CREATE_DB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_CREATE_DB = 1006"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L10_C0", "label": "DB_CREATE_EXISTS =", "type": "assigned_variable", "loc": [10, 10], "level": 0, "parent": null, "vector": [14, 0, 0.0212, 0.0021, 0, 0.66, 0.017, 655, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DB_CREATE_EXISTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DB_CREATE_EXISTS = 1007"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L11_C0", "label": "DB_DROP_EXISTS =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.0233, 0.0021, 0, 0.66, 0.0191, 537, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DB_DROP_EXISTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DB_DROP_EXISTS = 1008"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L12_C0", "label": "DB_DROP_DELETE =", "type": "assigned_variable", "loc": [12, 12], "level": 0, "parent": null, "vector": [14, 0, 0.0254, 0.0021, 0, 0.66, 0.0213, 124, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DB_DROP_DELETE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DB_DROP_DELETE = 1009"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L13_C0", "label": "DB_DROP_RMDIR =", "type": "assigned_variable", "loc": [13, 13], "level": 0, "parent": null, "vector": [14, 0, 0.0275, 0.0021, 0, 0.66, 0.0234, 835, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DB_DROP_RMDIR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DB_DROP_RMDIR = 1010"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L14_C0", "label": "CANT_DELETE_FILE =", "type": "assigned_variable", "loc": [14, 14], "level": 0, "parent": null, "vector": [14, 0, 0.0297, 0.0021, 0, 0.66, 0.0255, 214, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_DELETE_FILE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_DELETE_FILE = 1011"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L15_C0", "label": "CANT_FIND_SYSTEM_REC =", "type": "assigned_variable", "loc": [15, 15], "level": 0, "parent": null, "vector": [14, 0, 0.0318, 0.0021, 0, 0.66, 0.0277, 650, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_FIND_SYSTEM_REC", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_FIND_SYSTEM_REC = 1012"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L16_C0", "label": "CANT_GET_STAT =", "type": "assigned_variable", "loc": [16, 16], "level": 0, "parent": null, "vector": [14, 0, 0.0339, 0.0021, 0, 0.66, 0.0298, 167, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_GET_STAT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_GET_STAT = 1013"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L17_C0", "label": "CANT_GET_WD =", "type": "assigned_variable", "loc": [17, 17], "level": 0, "parent": null, "vector": [14, 0, 0.036, 0.0021, 0, 0.66, 0.0319, 106, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_GET_WD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_GET_WD = 1014"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L18_C0", "label": "CANT_LOCK =", "type": "assigned_variable", "loc": [18, 18], "level": 0, "parent": null, "vector": [14, 0, 0.0381, 0.0021, 0, 0.66, 0.034, 215, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_LOCK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_LOCK = 1015"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L19_C0", "label": "CANT_OPEN_FILE =", "type": "assigned_variable", "loc": [19, 19], "level": 0, "parent": null, "vector": [14, 0, 0.0403, 0.0021, 0, 0.66, 0.0362, 493, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_OPEN_FILE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_OPEN_FILE = 1016"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L20_C0", "label": "FILE_NOT_FOUND =", "type": "assigned_variable", "loc": [20, 20], "level": 0, "parent": null, "vector": [14, 0, 0.0424, 0.0021, 0, 0.66, 0.0383, 314, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FILE_NOT_FOUND", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FILE_NOT_FOUND = 1017"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L21_C0", "label": "CANT_READ_DIR =", "type": "assigned_variable", "loc": [21, 21], "level": 0, "parent": null, "vector": [14, 0, 0.0445, 0.0021, 0, 0.66, 0.0404, 432, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_READ_DIR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_READ_DIR = 1018"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L22_C0", "label": "CANT_SET_WD =", "type": "assigned_variable", "loc": [22, 22], "level": 0, "parent": null, "vector": [14, 0, 0.0466, 0.0021, 0, 0.66, 0.0426, 198, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_SET_WD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_SET_WD = 1019"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L23_C0", "label": "CHECKREAD =", "type": "assigned_variable", "loc": [23, 23], "level": 0, "parent": null, "vector": [14, 0, 0.0487, 0.0021, 0, 0.66, 0.0447, 986, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CHECKREAD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CHECKREAD = 1020"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L24_C0", "label": "DISK_FULL =", "type": "assigned_variable", "loc": [24, 24], "level": 0, "parent": null, "vector": [14, 0, 0.0508, 0.0021, 0, 0.66, 0.0468, 474, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DISK_FULL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DISK_FULL = 1021"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L25_C0", "label": "DUP_KEY =", "type": "assigned_variable", "loc": [25, 25], "level": 0, "parent": null, "vector": [14, 0, 0.053, 0.0021, 0, 0.66, 0.0489, 969, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DUP_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DUP_KEY = 1022"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L26_C0", "label": "ERROR_ON_CLOSE =", "type": "assigned_variable", "loc": [26, 26], "level": 0, "parent": null, "vector": [14, 0, 0.0551, 0.0021, 0, 0.66, 0.0511, 577, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ERROR_ON_CLOSE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ERROR_ON_CLOSE = 1023"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L27_C0", "label": "ERROR_ON_READ =", "type": "assigned_variable", "loc": [27, 27], "level": 0, "parent": null, "vector": [14, 0, 0.0572, 0.0021, 0, 0.66, 0.0532, 429, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ERROR_ON_READ", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ERROR_ON_READ = 1024"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L28_C0", "label": "ERROR_ON_RENAME =", "type": "assigned_variable", "loc": [28, 28], "level": 0, "parent": null, "vector": [14, 0, 0.0593, 0.0021, 0, 0.66, 0.0553, 207, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ERROR_ON_RENAME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ERROR_ON_RENAME = 1025"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L29_C0", "label": "ERROR_ON_WRITE =", "type": "assigned_variable", "loc": [29, 29], "level": 0, "parent": null, "vector": [14, 0, 0.0614, 0.0021, 0, 0.66, 0.0574, 615, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ERROR_ON_WRITE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ERROR_ON_WRITE = 1026"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L30_C0", "label": "FILE_USED =", "type": "assigned_variable", "loc": [30, 30], "level": 0, "parent": null, "vector": [14, 0, 0.0636, 0.0021, 0, 0.66, 0.0596, 478, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FILE_USED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FILE_USED = 1027"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L31_C0", "label": "FILSORT_ABORT =", "type": "assigned_variable", "loc": [31, 31], "level": 0, "parent": null, "vector": [14, 0, 0.0657, 0.0021, 0, 0.66, 0.0617, 781, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FILSORT_ABORT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FILSORT_ABORT = 1028"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L32_C0", "label": "FORM_NOT_FOUND =", "type": "assigned_variable", "loc": [32, 32], "level": 0, "parent": null, "vector": [14, 0, 0.0678, 0.0021, 0, 0.66, 0.0638, 524, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FORM_NOT_FOUND", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FORM_NOT_FOUND = 1029"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L33_C0", "label": "GET_ERRNO =", "type": "assigned_variable", "loc": [33, 33], "level": 0, "parent": null, "vector": [14, 0, 0.0699, 0.0021, 0, 0.66, 0.066, 303, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "GET_ERRNO", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GET_ERRNO = 1030"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L34_C0", "label": "ILLEGAL_HA =", "type": "assigned_variable", "loc": [34, 34], "level": 0, "parent": null, "vector": [14, 0, 0.072, 0.0021, 0, 0.66, 0.0681, 700, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ILLEGAL_HA", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ILLEGAL_HA = 1031"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L35_C0", "label": "KEY_NOT_FOUND =", "type": "assigned_variable", "loc": [35, 35], "level": 0, "parent": null, "vector": [14, 0, 0.0742, 0.0021, 0, 0.66, 0.0702, 16, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "KEY_NOT_FOUND", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "KEY_NOT_FOUND = 1032"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L36_C0", "label": "NOT_FORM_FILE =", "type": "assigned_variable", "loc": [36, 36], "level": 0, "parent": null, "vector": [14, 0, 0.0763, 0.0021, 0, 0.66, 0.0723, 384, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NOT_FORM_FILE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NOT_FORM_FILE = 1033"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L37_C0", "label": "NOT_KEYFILE =", "type": "assigned_variable", "loc": [37, 37], "level": 0, "parent": null, "vector": [14, 0, 0.0784, 0.0021, 0, 0.66, 0.0745, 175, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NOT_KEYFILE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NOT_KEYFILE = 1034"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L38_C0", "label": "OLD_KEYFILE =", "type": "assigned_variable", "loc": [38, 38], "level": 0, "parent": null, "vector": [14, 0, 0.0805, 0.0021, 0, 0.66, 0.0766, 794, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "OLD_KEYFILE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "OLD_KEYFILE = 1035"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L39_C0", "label": "OPEN_AS_READONLY =", "type": "assigned_variable", "loc": [39, 39], "level": 0, "parent": null, "vector": [14, 0, 0.0826, 0.0021, 0, 0.66, 0.0787, 399, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "OPEN_AS_READONLY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "OPEN_AS_READONLY = 1036"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L40_C0", "label": "OUTOFMEMORY =", "type": "assigned_variable", "loc": [40, 40], "level": 0, "parent": null, "vector": [14, 0, 0.0847, 0.0021, 0, 0.66, 0.0809, 621, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "OUTOFMEMORY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "OUTOFMEMORY = 1037"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L41_C0", "label": "OUT_OF_SORTMEMORY =", "type": "assigned_variable", "loc": [41, 41], "level": 0, "parent": null, "vector": [14, 0, 0.0869, 0.0021, 0, 0.66, 0.083, 500, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "OUT_OF_SORTMEMORY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "OUT_OF_SORTMEMORY = 1038"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L42_C0", "label": "UNEXPECTED_EOF =", "type": "assigned_variable", "loc": [42, 42], "level": 0, "parent": null, "vector": [14, 0, 0.089, 0.0021, 0, 0.66, 0.0851, 686, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNEXPECTED_EOF", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNEXPECTED_EOF = 1039"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L43_C0", "label": "CON_COUNT_ERROR =", "type": "assigned_variable", "loc": [43, 43], "level": 0, "parent": null, "vector": [14, 0, 0.0911, 0.0021, 0, 0.66, 0.0872, 278, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CON_COUNT_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CON_COUNT_ERROR = 1040"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L44_C0", "label": "OUT_OF_RESOURCES =", "type": "assigned_variable", "loc": [44, 44], "level": 0, "parent": null, "vector": [14, 0, 0.0932, 0.0021, 0, 0.66, 0.0894, 536, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "OUT_OF_RESOURCES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "OUT_OF_RESOURCES = 1041"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L45_C0", "label": "BAD_HOST_ERROR =", "type": "assigned_variable", "loc": [45, 45], "level": 0, "parent": null, "vector": [14, 0, 0.0953, 0.0021, 0, 0.66, 0.0915, 248, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BAD_HOST_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BAD_HOST_ERROR = 1042"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L46_C0", "label": "HANDSHAKE_ERROR =", "type": "assigned_variable", "loc": [46, 46], "level": 0, "parent": null, "vector": [14, 0, 0.0975, 0.0021, 0, 0.66, 0.0936, 152, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "HANDSHAKE_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "HANDSHAKE_ERROR = 1043"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L47_C0", "label": "DBACCESS_DENIED_ERROR =", "type": "assigned_variable", "loc": [47, 47], "level": 0, "parent": null, "vector": [14, 0, 0.0996, 0.0021, 0, 0.66, 0.0957, 377, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DBACCESS_DENIED_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DBACCESS_DENIED_ERROR = 1044"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L48_C0", "label": "ACCESS_DENIED_ERROR =", "type": "assigned_variable", "loc": [48, 48], "level": 0, "parent": null, "vector": [14, 0, 0.1017, 0.0021, 0, 0.66, 0.0979, 896, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ACCESS_DENIED_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ACCESS_DENIED_ERROR = 1045"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L49_C0", "label": "NO_DB_ERROR =", "type": "assigned_variable", "loc": [49, 49], "level": 0, "parent": null, "vector": [14, 0, 0.1038, 0.0021, 0, 0.66, 0.1, 325, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_DB_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_DB_ERROR = 1046"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L50_C0", "label": "UNKNOWN_COM_ERROR =", "type": "assigned_variable", "loc": [50, 50], "level": 0, "parent": null, "vector": [14, 0, 0.1059, 0.0021, 0, 0.66, 0.1021, 112, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNKNOWN_COM_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNKNOWN_COM_ERROR = 1047"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L51_C0", "label": "BAD_NULL_ERROR =", "type": "assigned_variable", "loc": [51, 51], "level": 0, "parent": null, "vector": [14, 0, 0.1081, 0.0021, 0, 0.66, 0.1043, 779, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BAD_NULL_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BAD_NULL_ERROR = 1048"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L52_C0", "label": "BAD_DB_ERROR =", "type": "assigned_variable", "loc": [52, 52], "level": 0, "parent": null, "vector": [14, 0, 0.1102, 0.0021, 0, 0.66, 0.1064, 380, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BAD_DB_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BAD_DB_ERROR = 1049"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L53_C0", "label": "TABLE_EXISTS_ERROR =", "type": "assigned_variable", "loc": [53, 53], "level": 0, "parent": null, "vector": [14, 0, 0.1123, 0.0021, 0, 0.66, 0.1085, 344, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TABLE_EXISTS_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TABLE_EXISTS_ERROR = 1050"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L54_C0", "label": "BAD_TABLE_ERROR =", "type": "assigned_variable", "loc": [54, 54], "level": 0, "parent": null, "vector": [14, 0, 0.1144, 0.0021, 0, 0.66, 0.1106, 987, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BAD_TABLE_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BAD_TABLE_ERROR = 1051"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L55_C0", "label": "NON_UNIQ_ERROR =", "type": "assigned_variable", "loc": [55, 55], "level": 0, "parent": null, "vector": [14, 0, 0.1165, 0.0021, 0, 0.66, 0.1128, 122, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NON_UNIQ_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NON_UNIQ_ERROR = 1052"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L56_C0", "label": "SERVER_SHUTDOWN =", "type": "assigned_variable", "loc": [56, 56], "level": 0, "parent": null, "vector": [14, 0, 0.1186, 0.0021, 0, 0.66, 0.1149, 602, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SERVER_SHUTDOWN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SERVER_SHUTDOWN = 1053"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L57_C0", "label": "BAD_FIELD_ERROR =", "type": "assigned_variable", "loc": [57, 57], "level": 0, "parent": null, "vector": [14, 0, 0.1208, 0.0021, 0, 0.66, 0.117, 243, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BAD_FIELD_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BAD_FIELD_ERROR = 1054"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L58_C0", "label": "WRONG_FIELD_WITH_GROUP =", "type": "assigned_variable", "loc": [58, 58], "level": 0, "parent": null, "vector": [14, 0, 0.1229, 0.0021, 0, 0.66, 0.1191, 575, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_FIELD_WITH_GROUP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_FIELD_WITH_GROUP = 1055"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L59_C0", "label": "WRONG_GROUP_FIELD =", "type": "assigned_variable", "loc": [59, 59], "level": 0, "parent": null, "vector": [14, 0, 0.125, 0.0021, 0, 0.66, 0.1213, 811, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_GROUP_FIELD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_GROUP_FIELD = 1056"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L60_C0", "label": "WRONG_SUM_SELECT =", "type": "assigned_variable", "loc": [60, 60], "level": 0, "parent": null, "vector": [14, 0, 0.1271, 0.0021, 0, 0.66, 0.1234, 272, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_SUM_SELECT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_SUM_SELECT = 1057"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L61_C0", "label": "WRONG_VALUE_COUNT =", "type": "assigned_variable", "loc": [61, 61], "level": 0, "parent": null, "vector": [14, 0, 0.1292, 0.0021, 0, 0.66, 0.1255, 248, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_VALUE_COUNT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_VALUE_COUNT = 1058"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L62_C0", "label": "TOO_LONG_IDENT =", "type": "assigned_variable", "loc": [62, 62], "level": 0, "parent": null, "vector": [14, 0, 0.1314, 0.0021, 0, 0.66, 0.1277, 898, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_LONG_IDENT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_LONG_IDENT = 1059"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L63_C0", "label": "DUP_FIELDNAME =", "type": "assigned_variable", "loc": [63, 63], "level": 0, "parent": null, "vector": [14, 0, 0.1335, 0.0021, 0, 0.66, 0.1298, 603, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DUP_FIELDNAME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DUP_FIELDNAME = 1060"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L64_C0", "label": "DUP_KEYNAME =", "type": "assigned_variable", "loc": [64, 64], "level": 0, "parent": null, "vector": [14, 0, 0.1356, 0.0021, 0, 0.66, 0.1319, 947, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DUP_KEYNAME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DUP_KEYNAME = 1061"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L65_C0", "label": "DUP_ENTRY =", "type": "assigned_variable", "loc": [65, 65], "level": 0, "parent": null, "vector": [14, 0, 0.1377, 0.0021, 0, 0.66, 0.134, 896, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DUP_ENTRY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DUP_ENTRY = 1062"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L66_C0", "label": "WRONG_FIELD_SPEC =", "type": "assigned_variable", "loc": [66, 66], "level": 0, "parent": null, "vector": [14, 0, 0.1398, 0.0021, 0, 0.66, 0.1362, 402, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_FIELD_SPEC", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_FIELD_SPEC = 1063"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L67_C0", "label": "PARSE_ERROR =", "type": "assigned_variable", "loc": [67, 67], "level": 0, "parent": null, "vector": [14, 0, 0.1419, 0.0021, 0, 0.66, 0.1383, 430, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PARSE_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PARSE_ERROR = 1064"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L68_C0", "label": "EMPTY_QUERY =", "type": "assigned_variable", "loc": [68, 68], "level": 0, "parent": null, "vector": [14, 0, 0.1441, 0.0021, 0, 0.66, 0.1404, 96, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "EMPTY_QUERY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "EMPTY_QUERY = 1065"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L69_C0", "label": "NONUNIQ_TABLE =", "type": "assigned_variable", "loc": [69, 69], "level": 0, "parent": null, "vector": [14, 0, 0.1462, 0.0021, 0, 0.66, 0.1426, 547, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NONUNIQ_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NONUNIQ_TABLE = 1066"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L70_C0", "label": "INVALID_DEFAULT =", "type": "assigned_variable", "loc": [70, 70], "level": 0, "parent": null, "vector": [14, 0, 0.1483, 0.0021, 0, 0.66, 0.1447, 220, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "INVALID_DEFAULT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "INVALID_DEFAULT = 1067"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L71_C0", "label": "MULTIPLE_PRI_KEY =", "type": "assigned_variable", "loc": [71, 71], "level": 0, "parent": null, "vector": [14, 0, 0.1504, 0.0021, 0, 0.66, 0.1468, 983, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MULTIPLE_PRI_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MULTIPLE_PRI_KEY = 1068"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L72_C0", "label": "TOO_MANY_KEYS =", "type": "assigned_variable", "loc": [72, 72], "level": 0, "parent": null, "vector": [14, 0, 0.1525, 0.0021, 0, 0.66, 0.1489, 803, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_MANY_KEYS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_MANY_KEYS = 1069"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L73_C0", "label": "TOO_MANY_KEY_PARTS =", "type": "assigned_variable", "loc": [73, 73], "level": 0, "parent": null, "vector": [14, 0, 0.1547, 0.0021, 0, 0.66, 0.1511, 577, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_MANY_KEY_PARTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_MANY_KEY_PARTS = 1070"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L74_C0", "label": "TOO_LONG_KEY =", "type": "assigned_variable", "loc": [74, 74], "level": 0, "parent": null, "vector": [14, 0, 0.1568, 0.0021, 0, 0.66, 0.1532, 195, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_LONG_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_LONG_KEY = 1071"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L75_C0", "label": "KEY_COLUMN_DOES_NOT_EXITS =", "type": "assigned_variable", "loc": [75, 75], "level": 0, "parent": null, "vector": [14, 0, 0.1589, 0.0021, 0, 0.66, 0.1553, 609, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "KEY_COLUMN_DOES_NOT_EXITS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "KEY_COLUMN_DOES_NOT_EXITS = 1072"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L76_C0", "label": "BLOB_USED_AS_KEY =", "type": "assigned_variable", "loc": [76, 76], "level": 0, "parent": null, "vector": [14, 0, 0.161, 0.0021, 0, 0.66, 0.1574, 204, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BLOB_USED_AS_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BLOB_USED_AS_KEY = 1073"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L77_C0", "label": "TOO_BIG_FIELDLENGTH =", "type": "assigned_variable", "loc": [77, 77], "level": 0, "parent": null, "vector": [14, 0, 0.1631, 0.0021, 0, 0.66, 0.1596, 983, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_BIG_FIELDLENGTH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_BIG_FIELDLENGTH = 1074"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L78_C0", "label": "WRONG_AUTO_KEY =", "type": "assigned_variable", "loc": [78, 78], "level": 0, "parent": null, "vector": [14, 0, 0.1653, 0.0021, 0, 0.66, 0.1617, 226, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_AUTO_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_AUTO_KEY = 1075"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L79_C0", "label": "READY =", "type": "assigned_variable", "loc": [79, 79], "level": 0, "parent": null, "vector": [14, 0, 0.1674, 0.0021, 0, 0.66, 0.1638, 695, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "READY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "READY = 1076"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L80_C0", "label": "NORMAL_SHUTDOWN =", "type": "assigned_variable", "loc": [80, 80], "level": 0, "parent": null, "vector": [14, 0, 0.1695, 0.0021, 0, 0.66, 0.166, 493, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NORMAL_SHUTDOWN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NORMAL_SHUTDOWN = 1077"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L81_C0", "label": "GOT_SIGNAL =", "type": "assigned_variable", "loc": [81, 81], "level": 0, "parent": null, "vector": [14, 0, 0.1716, 0.0021, 0, 0.66, 0.1681, 88, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "GOT_SIGNAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GOT_SIGNAL = 1078"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L82_C0", "label": "SHUTDOWN_COMPLETE =", "type": "assigned_variable", "loc": [82, 82], "level": 0, "parent": null, "vector": [14, 0, 0.1737, 0.0021, 0, 0.66, 0.1702, 228, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SHUTDOWN_COMPLETE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SHUTDOWN_COMPLETE = 1079"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L83_C0", "label": "FORCING_CLOSE =", "type": "assigned_variable", "loc": [83, 83], "level": 0, "parent": null, "vector": [14, 0, 0.1758, 0.0021, 0, 0.66, 0.1723, 381, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FORCING_CLOSE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FORCING_CLOSE = 1080"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L84_C0", "label": "IPSOCK_ERROR =", "type": "assigned_variable", "loc": [84, 84], "level": 0, "parent": null, "vector": [14, 0, 0.178, 0.0021, 0, 0.66, 0.1745, 598, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "IPSOCK_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "IPSOCK_ERROR = 1081"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L85_C0", "label": "NO_SUCH_INDEX =", "type": "assigned_variable", "loc": [85, 85], "level": 0, "parent": null, "vector": [14, 0, 0.1801, 0.0021, 0, 0.66, 0.1766, 693, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_SUCH_INDEX", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_SUCH_INDEX = 1082"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L86_C0", "label": "WRONG_FIELD_TERMINATORS =", "type": "assigned_variable", "loc": [86, 86], "level": 0, "parent": null, "vector": [14, 0, 0.1822, 0.0021, 0, 0.66, 0.1787, 571, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_FIELD_TERMINATORS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_FIELD_TERMINATORS = 1083"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L87_C0", "label": "BLOBS_AND_NO_TERMINATED =", "type": "assigned_variable", "loc": [87, 87], "level": 0, "parent": null, "vector": [14, 0, 0.1843, 0.0021, 0, 0.66, 0.1809, 113, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BLOBS_AND_NO_TERMINATED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BLOBS_AND_NO_TERMINATED = 1084"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L88_C0", "label": "TEXTFILE_NOT_READABLE =", "type": "assigned_variable", "loc": [88, 88], "level": 0, "parent": null, "vector": [14, 0, 0.1864, 0.0021, 0, 0.66, 0.183, 58, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TEXTFILE_NOT_READABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TEXTFILE_NOT_READABLE = 1085"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L89_C0", "label": "FILE_EXISTS_ERROR =", "type": "assigned_variable", "loc": [89, 89], "level": 0, "parent": null, "vector": [14, 0, 0.1886, 0.0021, 0, 0.66, 0.1851, 138, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FILE_EXISTS_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FILE_EXISTS_ERROR = 1086"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L90_C0", "label": "LOAD_INFO =", "type": "assigned_variable", "loc": [90, 90], "level": 0, "parent": null, "vector": [14, 0, 0.1907, 0.0021, 0, 0.66, 0.1872, 651, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LOAD_INFO", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LOAD_INFO = 1087"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L91_C0", "label": "ALTER_INFO =", "type": "assigned_variable", "loc": [91, 91], "level": 0, "parent": null, "vector": [14, 0, 0.1928, 0.0021, 0, 0.66, 0.1894, 228, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ALTER_INFO", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ALTER_INFO = 1088"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L92_C0", "label": "WRONG_SUB_KEY =", "type": "assigned_variable", "loc": [92, 92], "level": 0, "parent": null, "vector": [14, 0, 0.1949, 0.0021, 0, 0.66, 0.1915, 606, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_SUB_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_SUB_KEY = 1089"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L93_C0", "label": "CANT_REMOVE_ALL_FIELDS =", "type": "assigned_variable", "loc": [93, 93], "level": 0, "parent": null, "vector": [14, 0, 0.197, 0.0021, 0, 0.66, 0.1936, 850, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_REMOVE_ALL_FIELDS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_REMOVE_ALL_FIELDS = 1090"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L94_C0", "label": "CANT_DROP_FIELD_OR_KEY =", "type": "assigned_variable", "loc": [94, 94], "level": 0, "parent": null, "vector": [14, 0, 0.1992, 0.0021, 0, 0.66, 0.1957, 453, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_DROP_FIELD_OR_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_DROP_FIELD_OR_KEY = 1091"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L95_C0", "label": "INSERT_INFO =", "type": "assigned_variable", "loc": [95, 95], "level": 0, "parent": null, "vector": [14, 0, 0.2013, 0.0021, 0, 0.66, 0.1979, 103, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "INSERT_INFO", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "INSERT_INFO = 1092"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L96_C0", "label": "UPDATE_TABLE_USED =", "type": "assigned_variable", "loc": [96, 96], "level": 0, "parent": null, "vector": [14, 0, 0.2034, 0.0021, 0, 0.66, 0.2, 607, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UPDATE_TABLE_USED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UPDATE_TABLE_USED = 1093"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L97_C0", "label": "NO_SUCH_THREAD =", "type": "assigned_variable", "loc": [97, 97], "level": 0, "parent": null, "vector": [14, 0, 0.2055, 0.0021, 0, 0.66, 0.2021, 684, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_SUCH_THREAD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_SUCH_THREAD = 1094"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L98_C0", "label": "KILL_DENIED_ERROR =", "type": "assigned_variable", "loc": [98, 98], "level": 0, "parent": null, "vector": [14, 0, 0.2076, 0.0021, 0, 0.66, 0.2043, 469, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "KILL_DENIED_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "KILL_DENIED_ERROR = 1095"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L99_C0", "label": "NO_TABLES_USED =", "type": "assigned_variable", "loc": [99, 99], "level": 0, "parent": null, "vector": [14, 0, 0.2097, 0.0021, 0, 0.66, 0.2064, 270, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_TABLES_USED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_TABLES_USED = 1096"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L100_C0", "label": "TOO_BIG_SET =", "type": "assigned_variable", "loc": [100, 100], "level": 0, "parent": null, "vector": [14, 0, 0.2119, 0.0021, 0, 0.66, 0.2085, 140, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_BIG_SET", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_BIG_SET = 1097"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L101_C0", "label": "NO_UNIQUE_LOGFILE =", "type": "assigned_variable", "loc": [101, 101], "level": 0, "parent": null, "vector": [14, 0, 0.214, 0.0021, 0, 0.66, 0.2106, 250, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_UNIQUE_LOGFILE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_UNIQUE_LOGFILE = 1098"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L102_C0", "label": "TABLE_NOT_LOCKED_FOR_WRITE =", "type": "assigned_variable", "loc": [102, 102], "level": 0, "parent": null, "vector": [14, 0, 0.2161, 0.0021, 0, 0.66, 0.2128, 216, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TABLE_NOT_LOCKED_FOR_WRITE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TABLE_NOT_LOCKED_FOR_WRITE = 1099"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L103_C0", "label": "TABLE_NOT_LOCKED =", "type": "assigned_variable", "loc": [103, 103], "level": 0, "parent": null, "vector": [14, 0, 0.2182, 0.0021, 0, 0.66, 0.2149, 803, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TABLE_NOT_LOCKED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TABLE_NOT_LOCKED = 1100"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L104_C0", "label": "BLOB_CANT_HAVE_DEFAULT =", "type": "assigned_variable", "loc": [104, 104], "level": 0, "parent": null, "vector": [14, 0, 0.2203, 0.0021, 0, 0.66, 0.217, 585, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BLOB_CANT_HAVE_DEFAULT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BLOB_CANT_HAVE_DEFAULT = 1101"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L105_C0", "label": "WRONG_DB_NAME =", "type": "assigned_variable", "loc": [105, 105], "level": 0, "parent": null, "vector": [14, 0, 0.2225, 0.0021, 0, 0.66, 0.2191, 631, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_DB_NAME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_DB_NAME = 1102"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L106_C0", "label": "WRONG_TABLE_NAME =", "type": "assigned_variable", "loc": [106, 106], "level": 0, "parent": null, "vector": [14, 0, 0.2246, 0.0021, 0, 0.66, 0.2213, 981, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_TABLE_NAME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_TABLE_NAME = 1103"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L107_C0", "label": "TOO_BIG_SELECT =", "type": "assigned_variable", "loc": [107, 107], "level": 0, "parent": null, "vector": [14, 0, 0.2267, 0.0021, 0, 0.66, 0.2234, 496, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_BIG_SELECT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_BIG_SELECT = 1104"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L108_C0", "label": "UNKNOWN_ERROR =", "type": "assigned_variable", "loc": [108, 108], "level": 0, "parent": null, "vector": [14, 0, 0.2288, 0.0021, 0, 0.66, 0.2255, 15, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNKNOWN_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNKNOWN_ERROR = 1105"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L109_C0", "label": "UNKNOWN_PROCEDURE =", "type": "assigned_variable", "loc": [109, 109], "level": 0, "parent": null, "vector": [14, 0, 0.2309, 0.0021, 0, 0.66, 0.2277, 401, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNKNOWN_PROCEDURE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNKNOWN_PROCEDURE = 1106"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L110_C0", "label": "WRONG_PARAMCOUNT_TO_PROCEDURE =", "type": "assigned_variable", "loc": [110, 110], "level": 0, "parent": null, "vector": [14, 0, 0.2331, 0.0021, 0, 0.66, 0.2298, 737, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_PARAMCOUNT_TO_PROCEDURE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_PARAMCOUNT_TO_PROCEDURE = 1107"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L111_C0", "label": "WRONG_PARAMETERS_TO_PROCEDURE =", "type": "assigned_variable", "loc": [111, 111], "level": 0, "parent": null, "vector": [14, 0, 0.2352, 0.0021, 0, 0.66, 0.2319, 441, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_PARAMETERS_TO_PROCEDURE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_PARAMETERS_TO_PROCEDURE = 1108"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L112_C0", "label": "UNKNOWN_TABLE =", "type": "assigned_variable", "loc": [112, 112], "level": 0, "parent": null, "vector": [14, 0, 0.2373, 0.0021, 0, 0.66, 0.234, 192, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNKNOWN_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNKNOWN_TABLE = 1109"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L113_C0", "label": "FIELD_SPECIFIED_TWICE =", "type": "assigned_variable", "loc": [113, 113], "level": 0, "parent": null, "vector": [14, 0, 0.2394, 0.0021, 0, 0.66, 0.2362, 418, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FIELD_SPECIFIED_TWICE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FIELD_SPECIFIED_TWICE = 1110"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L114_C0", "label": "INVALID_GROUP_FUNC_USE =", "type": "assigned_variable", "loc": [114, 114], "level": 0, "parent": null, "vector": [14, 0, 0.2415, 0.0021, 0, 0.66, 0.2383, 57, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "INVALID_GROUP_FUNC_USE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "INVALID_GROUP_FUNC_USE = 1111"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L115_C0", "label": "UNSUPPORTED_EXTENSION =", "type": "assigned_variable", "loc": [115, 115], "level": 0, "parent": null, "vector": [14, 0, 0.2436, 0.0021, 0, 0.66, 0.2404, 566, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNSUPPORTED_EXTENSION", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNSUPPORTED_EXTENSION = 1112"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L116_C0", "label": "TABLE_MUST_HAVE_COLUMNS =", "type": "assigned_variable", "loc": [116, 116], "level": 0, "parent": null, "vector": [14, 0, 0.2458, 0.0021, 0, 0.66, 0.2426, 944, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TABLE_MUST_HAVE_COLUMNS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TABLE_MUST_HAVE_COLUMNS = 1113"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L117_C0", "label": "RECORD_FILE_FULL =", "type": "assigned_variable", "loc": [117, 117], "level": 0, "parent": null, "vector": [14, 0, 0.2479, 0.0021, 0, 0.66, 0.2447, 505, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "RECORD_FILE_FULL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "RECORD_FILE_FULL = 1114"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L118_C0", "label": "UNKNOWN_CHARACTER_SET =", "type": "assigned_variable", "loc": [118, 118], "level": 0, "parent": null, "vector": [14, 0, 0.25, 0.0021, 0, 0.66, 0.2468, 355, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNKNOWN_CHARACTER_SET", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNKNOWN_CHARACTER_SET = 1115"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L119_C0", "label": "TOO_MANY_TABLES =", "type": "assigned_variable", "loc": [119, 119], "level": 0, "parent": null, "vector": [14, 0, 0.2521, 0.0021, 0, 0.66, 0.2489, 870, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_MANY_TABLES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_MANY_TABLES = 1116"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L120_C0", "label": "TOO_MANY_FIELDS =", "type": "assigned_variable", "loc": [120, 120], "level": 0, "parent": null, "vector": [14, 0, 0.2542, 0.0021, 0, 0.66, 0.2511, 971, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_MANY_FIELDS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_MANY_FIELDS = 1117"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L121_C0", "label": "TOO_BIG_ROWSIZE =", "type": "assigned_variable", "loc": [121, 121], "level": 0, "parent": null, "vector": [14, 0, 0.2564, 0.0021, 0, 0.66, 0.2532, 565, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_BIG_ROWSIZE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_BIG_ROWSIZE = 1118"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L122_C0", "label": "STACK_OVERRUN =", "type": "assigned_variable", "loc": [122, 122], "level": 0, "parent": null, "vector": [14, 0, 0.2585, 0.0021, 0, 0.66, 0.2553, 16, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "STACK_OVERRUN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "STACK_OVERRUN = 1119"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L123_C0", "label": "WRONG_OUTER_JOIN =", "type": "assigned_variable", "loc": [123, 123], "level": 0, "parent": null, "vector": [14, 0, 0.2606, 0.0021, 0, 0.66, 0.2574, 95, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_OUTER_JOIN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_OUTER_JOIN = 1120"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L124_C0", "label": "NULL_COLUMN_IN_INDEX =", "type": "assigned_variable", "loc": [124, 124], "level": 0, "parent": null, "vector": [14, 0, 0.2627, 0.0021, 0, 0.66, 0.2596, 224, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NULL_COLUMN_IN_INDEX", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NULL_COLUMN_IN_INDEX = 1121"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L125_C0", "label": "CANT_FIND_UDF =", "type": "assigned_variable", "loc": [125, 125], "level": 0, "parent": null, "vector": [14, 0, 0.2648, 0.0021, 0, 0.66, 0.2617, 39, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_FIND_UDF", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_FIND_UDF = 1122"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L126_C0", "label": "CANT_INITIALIZE_UDF =", "type": "assigned_variable", "loc": [126, 126], "level": 0, "parent": null, "vector": [14, 0, 0.2669, 0.0021, 0, 0.66, 0.2638, 13, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_INITIALIZE_UDF", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_INITIALIZE_UDF = 1123"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L127_C0", "label": "UDF_NO_PATHS =", "type": "assigned_variable", "loc": [127, 127], "level": 0, "parent": null, "vector": [14, 0, 0.2691, 0.0021, 0, 0.66, 0.266, 157, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UDF_NO_PATHS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UDF_NO_PATHS = 1124"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L128_C0", "label": "UDF_EXISTS =", "type": "assigned_variable", "loc": [128, 128], "level": 0, "parent": null, "vector": [14, 0, 0.2712, 0.0021, 0, 0.66, 0.2681, 728, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UDF_EXISTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UDF_EXISTS = 1125"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L129_C0", "label": "CANT_OPEN_LIBRARY =", "type": "assigned_variable", "loc": [129, 129], "level": 0, "parent": null, "vector": [14, 0, 0.2733, 0.0021, 0, 0.66, 0.2702, 282, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_OPEN_LIBRARY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_OPEN_LIBRARY = 1126"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L130_C0", "label": "CANT_FIND_DL_ENTRY =", "type": "assigned_variable", "loc": [130, 130], "level": 0, "parent": null, "vector": [14, 0, 0.2754, 0.0021, 0, 0.66, 0.2723, 633, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_FIND_DL_ENTRY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_FIND_DL_ENTRY = 1127"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L131_C0", "label": "FUNCTION_NOT_DEFINED =", "type": "assigned_variable", "loc": [131, 131], "level": 0, "parent": null, "vector": [14, 0, 0.2775, 0.0021, 0, 0.66, 0.2745, 469, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FUNCTION_NOT_DEFINED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FUNCTION_NOT_DEFINED = 1128"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L132_C0", "label": "HOST_IS_BLOCKED =", "type": "assigned_variable", "loc": [132, 132], "level": 0, "parent": null, "vector": [14, 0, 0.2797, 0.0021, 0, 0.66, 0.2766, 53, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "HOST_IS_BLOCKED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "HOST_IS_BLOCKED = 1129"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L133_C0", "label": "HOST_NOT_PRIVILEGED =", "type": "assigned_variable", "loc": [133, 133], "level": 0, "parent": null, "vector": [14, 0, 0.2818, 0.0021, 0, 0.66, 0.2787, 699, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "HOST_NOT_PRIVILEGED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "HOST_NOT_PRIVILEGED = 1130"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L134_C0", "label": "PASSWORD_ANONYMOUS_USER =", "type": "assigned_variable", "loc": [134, 134], "level": 0, "parent": null, "vector": [14, 0, 0.2839, 0.0021, 0, 0.66, 0.2809, 17, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PASSWORD_ANONYMOUS_USER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PASSWORD_ANONYMOUS_USER = 1131"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L135_C0", "label": "PASSWORD_NOT_ALLOWED =", "type": "assigned_variable", "loc": [135, 135], "level": 0, "parent": null, "vector": [14, 0, 0.286, 0.0021, 0, 0.66, 0.283, 224, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PASSWORD_NOT_ALLOWED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PASSWORD_NOT_ALLOWED = 1132"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L136_C0", "label": "PASSWORD_NO_MATCH =", "type": "assigned_variable", "loc": [136, 136], "level": 0, "parent": null, "vector": [14, 0, 0.2881, 0.0021, 0, 0.66, 0.2851, 790, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PASSWORD_NO_MATCH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PASSWORD_NO_MATCH = 1133"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L137_C0", "label": "UPDATE_INFO =", "type": "assigned_variable", "loc": [137, 137], "level": 0, "parent": null, "vector": [14, 0, 0.2903, 0.0021, 0, 0.66, 0.2872, 708, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UPDATE_INFO", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UPDATE_INFO = 1134"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L138_C0", "label": "CANT_CREATE_THREAD =", "type": "assigned_variable", "loc": [138, 138], "level": 0, "parent": null, "vector": [14, 0, 0.2924, 0.0021, 0, 0.66, 0.2894, 708, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_CREATE_THREAD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_CREATE_THREAD = 1135"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L139_C0", "label": "WRONG_VALUE_COUNT_ON_ROW =", "type": "assigned_variable", "loc": [139, 139], "level": 0, "parent": null, "vector": [14, 0, 0.2945, 0.0021, 0, 0.66, 0.2915, 881, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_VALUE_COUNT_ON_ROW", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_VALUE_COUNT_ON_ROW = 1136"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L140_C0", "label": "CANT_REOPEN_TABLE =", "type": "assigned_variable", "loc": [140, 140], "level": 0, "parent": null, "vector": [14, 0, 0.2966, 0.0021, 0, 0.66, 0.2936, 445, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_REOPEN_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_REOPEN_TABLE = 1137"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L141_C0", "label": "INVALID_USE_OF_NULL =", "type": "assigned_variable", "loc": [141, 141], "level": 0, "parent": null, "vector": [14, 0, 0.2987, 0.0021, 0, 0.66, 0.2957, 404, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "INVALID_USE_OF_NULL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "INVALID_USE_OF_NULL = 1138"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L142_C0", "label": "REGEXP_ERROR =", "type": "assigned_variable", "loc": [142, 142], "level": 0, "parent": null, "vector": [14, 0, 0.3008, 0.0021, 0, 0.66, 0.2979, 909, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "REGEXP_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "REGEXP_ERROR = 1139"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L143_C0", "label": "MIX_OF_GROUP_FUNC_AND_FIELDS =", "type": "assigned_variable", "loc": [143, 143], "level": 0, "parent": null, "vector": [14, 0, 0.303, 0.0021, 0, 0.66, 0.3, 881, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MIX_OF_GROUP_FUNC_AND_FIELDS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MIX_OF_GROUP_FUNC_AND_FIELDS = 1140"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L144_C0", "label": "NONEXISTING_GRANT =", "type": "assigned_variable", "loc": [144, 144], "level": 0, "parent": null, "vector": [14, 0, 0.3051, 0.0021, 0, 0.66, 0.3021, 659, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NONEXISTING_GRANT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NONEXISTING_GRANT = 1141"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L145_C0", "label": "TABLEACCESS_DENIED_ERROR =", "type": "assigned_variable", "loc": [145, 145], "level": 0, "parent": null, "vector": [14, 0, 0.3072, 0.0021, 0, 0.66, 0.3043, 273, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TABLEACCESS_DENIED_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TABLEACCESS_DENIED_ERROR = 1142"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L146_C0", "label": "COLUMNACCESS_DENIED_ERROR =", "type": "assigned_variable", "loc": [146, 146], "level": 0, "parent": null, "vector": [14, 0, 0.3093, 0.0021, 0, 0.66, 0.3064, 226, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COLUMNACCESS_DENIED_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COLUMNACCESS_DENIED_ERROR = 1143"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L147_C0", "label": "ILLEGAL_GRANT_FOR_TABLE =", "type": "assigned_variable", "loc": [147, 147], "level": 0, "parent": null, "vector": [14, 0, 0.3114, 0.0021, 0, 0.66, 0.3085, 21, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ILLEGAL_GRANT_FOR_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ILLEGAL_GRANT_FOR_TABLE = 1144"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L148_C0", "label": "GRANT_WRONG_HOST_OR_USER =", "type": "assigned_variable", "loc": [148, 148], "level": 0, "parent": null, "vector": [14, 0, 0.3136, 0.0021, 0, 0.66, 0.3106, 309, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "GRANT_WRONG_HOST_OR_USER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GRANT_WRONG_HOST_OR_USER = 1145"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L149_C0", "label": "NO_SUCH_TABLE =", "type": "assigned_variable", "loc": [149, 149], "level": 0, "parent": null, "vector": [14, 0, 0.3157, 0.0021, 0, 0.66, 0.3128, 207, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_SUCH_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_SUCH_TABLE = 1146"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L150_C0", "label": "NONEXISTING_TABLE_GRANT =", "type": "assigned_variable", "loc": [150, 150], "level": 0, "parent": null, "vector": [14, 0, 0.3178, 0.0021, 0, 0.66, 0.3149, 602, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NONEXISTING_TABLE_GRANT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NONEXISTING_TABLE_GRANT = 1147"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L151_C0", "label": "NOT_ALLOWED_COMMAND =", "type": "assigned_variable", "loc": [151, 151], "level": 0, "parent": null, "vector": [14, 0, 0.3199, 0.0021, 0, 0.66, 0.317, 203, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NOT_ALLOWED_COMMAND", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NOT_ALLOWED_COMMAND = 1148"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L152_C0", "label": "SYNTAX_ERROR =", "type": "assigned_variable", "loc": [152, 152], "level": 0, "parent": null, "vector": [14, 0, 0.322, 0.0021, 0, 0.66, 0.3191, 486, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SYNTAX_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SYNTAX_ERROR = 1149"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L153_C0", "label": "DELAYED_CANT_CHANGE_LOCK =", "type": "assigned_variable", "loc": [153, 153], "level": 0, "parent": null, "vector": [14, 0, 0.3242, 0.0021, 0, 0.66, 0.3213, 888, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DELAYED_CANT_CHANGE_LOCK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DELAYED_CANT_CHANGE_LOCK = 1150"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L154_C0", "label": "TOO_MANY_DELAYED_THREADS =", "type": "assigned_variable", "loc": [154, 154], "level": 0, "parent": null, "vector": [14, 0, 0.3263, 0.0021, 0, 0.66, 0.3234, 794, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_MANY_DELAYED_THREADS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_MANY_DELAYED_THREADS = 1151"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L155_C0", "label": "ABORTING_CONNECTION =", "type": "assigned_variable", "loc": [155, 155], "level": 0, "parent": null, "vector": [14, 0, 0.3284, 0.0021, 0, 0.66, 0.3255, 277, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ABORTING_CONNECTION", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ABORTING_CONNECTION = 1152"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L156_C0", "label": "NET_PACKET_TOO_LARGE =", "type": "assigned_variable", "loc": [156, 156], "level": 0, "parent": null, "vector": [14, 0, 0.3305, 0.0021, 0, 0.66, 0.3277, 391, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NET_PACKET_TOO_LARGE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NET_PACKET_TOO_LARGE = 1153"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L157_C0", "label": "NET_READ_ERROR_FROM_PIPE =", "type": "assigned_variable", "loc": [157, 157], "level": 0, "parent": null, "vector": [14, 0, 0.3326, 0.0021, 0, 0.66, 0.3298, 129, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NET_READ_ERROR_FROM_PIPE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NET_READ_ERROR_FROM_PIPE = 1154"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L158_C0", "label": "NET_FCNTL_ERROR =", "type": "assigned_variable", "loc": [158, 158], "level": 0, "parent": null, "vector": [14, 0, 0.3347, 0.0021, 0, 0.66, 0.3319, 444, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NET_FCNTL_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NET_FCNTL_ERROR = 1155"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L159_C0", "label": "NET_PACKETS_OUT_OF_ORDER =", "type": "assigned_variable", "loc": [159, 159], "level": 0, "parent": null, "vector": [14, 0, 0.3369, 0.0021, 0, 0.66, 0.334, 988, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NET_PACKETS_OUT_OF_ORDER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NET_PACKETS_OUT_OF_ORDER = 1156"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L160_C0", "label": "NET_UNCOMPRESS_ERROR =", "type": "assigned_variable", "loc": [160, 160], "level": 0, "parent": null, "vector": [14, 0, 0.339, 0.0021, 0, 0.66, 0.3362, 612, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NET_UNCOMPRESS_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NET_UNCOMPRESS_ERROR = 1157"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L161_C0", "label": "NET_READ_ERROR =", "type": "assigned_variable", "loc": [161, 161], "level": 0, "parent": null, "vector": [14, 0, 0.3411, 0.0021, 0, 0.66, 0.3383, 5, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NET_READ_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NET_READ_ERROR = 1158"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L162_C0", "label": "NET_READ_INTERRUPTED =", "type": "assigned_variable", "loc": [162, 162], "level": 0, "parent": null, "vector": [14, 0, 0.3432, 0.0021, 0, 0.66, 0.3404, 699, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NET_READ_INTERRUPTED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NET_READ_INTERRUPTED = 1159"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L163_C0", "label": "NET_ERROR_ON_WRITE =", "type": "assigned_variable", "loc": [163, 163], "level": 0, "parent": null, "vector": [14, 0, 0.3453, 0.0021, 0, 0.66, 0.3426, 193, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NET_ERROR_ON_WRITE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NET_ERROR_ON_WRITE = 1160"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L164_C0", "label": "NET_WRITE_INTERRUPTED =", "type": "assigned_variable", "loc": [164, 164], "level": 0, "parent": null, "vector": [14, 0, 0.3475, 0.0021, 0, 0.66, 0.3447, 500, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NET_WRITE_INTERRUPTED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NET_WRITE_INTERRUPTED = 1161"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L165_C0", "label": "TOO_LONG_STRING =", "type": "assigned_variable", "loc": [165, 165], "level": 0, "parent": null, "vector": [14, 0, 0.3496, 0.0021, 0, 0.66, 0.3468, 247, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_LONG_STRING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_LONG_STRING = 1162"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L166_C0", "label": "TABLE_CANT_HANDLE_BLOB =", "type": "assigned_variable", "loc": [166, 166], "level": 0, "parent": null, "vector": [14, 0, 0.3517, 0.0021, 0, 0.66, 0.3489, 29, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TABLE_CANT_HANDLE_BLOB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TABLE_CANT_HANDLE_BLOB = 1163"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L167_C0", "label": "TABLE_CANT_HANDLE_AUTO_INCREMENT =", "type": "assigned_variable", "loc": [167, 167], "level": 0, "parent": null, "vector": [14, 0, 0.3538, 0.0021, 0, 0.66, 0.3511, 383, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TABLE_CANT_HANDLE_AUTO_INCREMENT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TABLE_CANT_HANDLE_AUTO_INCREMENT = 1164"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L168_C0", "label": "DELAYED_INSERT_TABLE_LOCKED =", "type": "assigned_variable", "loc": [168, 168], "level": 0, "parent": null, "vector": [14, 0, 0.3559, 0.0021, 0, 0.66, 0.3532, 941, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DELAYED_INSERT_TABLE_LOCKED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DELAYED_INSERT_TABLE_LOCKED = 1165"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L169_C0", "label": "WRONG_COLUMN_NAME =", "type": "assigned_variable", "loc": [169, 169], "level": 0, "parent": null, "vector": [14, 0, 0.3581, 0.0021, 0, 0.66, 0.3553, 233, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_COLUMN_NAME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_COLUMN_NAME = 1166"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L170_C0", "label": "WRONG_KEY_COLUMN =", "type": "assigned_variable", "loc": [170, 170], "level": 0, "parent": null, "vector": [14, 0, 0.3602, 0.0021, 0, 0.66, 0.3574, 491, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_KEY_COLUMN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_KEY_COLUMN = 1167"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L171_C0", "label": "WRONG_MRG_TABLE =", "type": "assigned_variable", "loc": [171, 171], "level": 0, "parent": null, "vector": [14, 0, 0.3623, 0.0021, 0, 0.66, 0.3596, 453, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_MRG_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_MRG_TABLE = 1168"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L172_C0", "label": "DUP_UNIQUE =", "type": "assigned_variable", "loc": [172, 172], "level": 0, "parent": null, "vector": [14, 0, 0.3644, 0.0021, 0, 0.66, 0.3617, 755, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DUP_UNIQUE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DUP_UNIQUE = 1169"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L173_C0", "label": "BLOB_KEY_WITHOUT_LENGTH =", "type": "assigned_variable", "loc": [173, 173], "level": 0, "parent": null, "vector": [14, 0, 0.3665, 0.0021, 0, 0.66, 0.3638, 432, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BLOB_KEY_WITHOUT_LENGTH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BLOB_KEY_WITHOUT_LENGTH = 1170"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L174_C0", "label": "PRIMARY_CANT_HAVE_NULL =", "type": "assigned_variable", "loc": [174, 174], "level": 0, "parent": null, "vector": [14, 0, 0.3686, 0.0021, 0, 0.66, 0.366, 671, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PRIMARY_CANT_HAVE_NULL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PRIMARY_CANT_HAVE_NULL = 1171"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L175_C0", "label": "TOO_MANY_ROWS =", "type": "assigned_variable", "loc": [175, 175], "level": 0, "parent": null, "vector": [14, 0, 0.3708, 0.0021, 0, 0.66, 0.3681, 73, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_MANY_ROWS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_MANY_ROWS = 1172"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L176_C0", "label": "REQUIRES_PRIMARY_KEY =", "type": "assigned_variable", "loc": [176, 176], "level": 0, "parent": null, "vector": [14, 0, 0.3729, 0.0021, 0, 0.66, 0.3702, 223, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "REQUIRES_PRIMARY_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "REQUIRES_PRIMARY_KEY = 1173"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L177_C0", "label": "NO_RAID_COMPILED =", "type": "assigned_variable", "loc": [177, 177], "level": 0, "parent": null, "vector": [14, 0, 0.375, 0.0021, 0, 0.66, 0.3723, 872, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_RAID_COMPILED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_RAID_COMPILED = 1174"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L178_C0", "label": "UPDATE_WITHOUT_KEY_IN_SAFE_MODE =", "type": "assigned_variable", "loc": [178, 178], "level": 0, "parent": null, "vector": [14, 0, 0.3771, 0.0021, 0, 0.66, 0.3745, 785, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UPDATE_WITHOUT_KEY_IN_SAFE_MODE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UPDATE_WITHOUT_KEY_IN_SAFE_MODE = 1175"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L179_C0", "label": "KEY_DOES_NOT_EXITS =", "type": "assigned_variable", "loc": [179, 179], "level": 0, "parent": null, "vector": [14, 0, 0.3792, 0.0021, 0, 0.66, 0.3766, 4, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "KEY_DOES_NOT_EXITS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "KEY_DOES_NOT_EXITS = 1176"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L180_C0", "label": "CHECK_NO_SUCH_TABLE =", "type": "assigned_variable", "loc": [180, 180], "level": 0, "parent": null, "vector": [14, 0, 0.3814, 0.0021, 0, 0.66, 0.3787, 704, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CHECK_NO_SUCH_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CHECK_NO_SUCH_TABLE = 1177"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L181_C0", "label": "CHECK_NOT_IMPLEMENTED =", "type": "assigned_variable", "loc": [181, 181], "level": 0, "parent": null, "vector": [14, 0, 0.3835, 0.0021, 0, 0.66, 0.3809, 390, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CHECK_NOT_IMPLEMENTED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CHECK_NOT_IMPLEMENTED = 1178"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L182_C0", "label": "CANT_DO_THIS_DURING_AN_TRANSACTION =", "type": "assigned_variable", "loc": [182, 182], "level": 0, "parent": null, "vector": [14, 0, 0.3856, 0.0021, 0, 0.66, 0.383, 56, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_DO_THIS_DURING_AN_TRANSACTION", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_DO_THIS_DURING_AN_TRANSACTION = 1179"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L183_C0", "label": "ERROR_DURING_COMMIT =", "type": "assigned_variable", "loc": [183, 183], "level": 0, "parent": null, "vector": [14, 0, 0.3877, 0.0021, 0, 0.66, 0.3851, 921, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ERROR_DURING_COMMIT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ERROR_DURING_COMMIT = 1180"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L184_C0", "label": "ERROR_DURING_ROLLBACK =", "type": "assigned_variable", "loc": [184, 184], "level": 0, "parent": null, "vector": [14, 0, 0.3898, 0.0021, 0, 0.66, 0.3872, 312, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ERROR_DURING_ROLLBACK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ERROR_DURING_ROLLBACK = 1181"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L185_C0", "label": "ERROR_DURING_FLUSH_LOGS =", "type": "assigned_variable", "loc": [185, 185], "level": 0, "parent": null, "vector": [14, 0, 0.3919, 0.0021, 0, 0.66, 0.3894, 806, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ERROR_DURING_FLUSH_LOGS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ERROR_DURING_FLUSH_LOGS = 1182"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L186_C0", "label": "ERROR_DURING_CHECKPOINT =", "type": "assigned_variable", "loc": [186, 186], "level": 0, "parent": null, "vector": [14, 0, 0.3941, 0.0021, 0, 0.66, 0.3915, 147, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ERROR_DURING_CHECKPOINT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ERROR_DURING_CHECKPOINT = 1183"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L187_C0", "label": "NEW_ABORTING_CONNECTION =", "type": "assigned_variable", "loc": [187, 187], "level": 0, "parent": null, "vector": [14, 0, 0.3962, 0.0021, 0, 0.66, 0.3936, 239, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NEW_ABORTING_CONNECTION", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NEW_ABORTING_CONNECTION = 1184"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L188_C0", "label": "DUMP_NOT_IMPLEMENTED =", "type": "assigned_variable", "loc": [188, 188], "level": 0, "parent": null, "vector": [14, 0, 0.3983, 0.0021, 0, 0.66, 0.3957, 219, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DUMP_NOT_IMPLEMENTED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DUMP_NOT_IMPLEMENTED = 1185"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L189_C0", "label": "FLUSH_MASTER_BINLOG_CLOSED =", "type": "assigned_variable", "loc": [189, 189], "level": 0, "parent": null, "vector": [14, 0, 0.4004, 0.0021, 0, 0.66, 0.3979, 102, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FLUSH_MASTER_BINLOG_CLOSED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FLUSH_MASTER_BINLOG_CLOSED = 1186"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L190_C0", "label": "INDEX_REBUILD =", "type": "assigned_variable", "loc": [190, 190], "level": 0, "parent": null, "vector": [14, 0, 0.4025, 0.0021, 0, 0.66, 0.4, 232, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "INDEX_REBUILD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "INDEX_REBUILD = 1187"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L191_C0", "label": "MASTER =", "type": "assigned_variable", "loc": [191, 191], "level": 0, "parent": null, "vector": [14, 0, 0.4047, 0.0021, 0, 0.66, 0.4021, 853, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MASTER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MASTER = 1188"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L192_C0", "label": "MASTER_NET_READ =", "type": "assigned_variable", "loc": [192, 192], "level": 0, "parent": null, "vector": [14, 0, 0.4068, 0.0021, 0, 0.66, 0.4043, 467, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MASTER_NET_READ", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MASTER_NET_READ = 1189"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L193_C0", "label": "MASTER_NET_WRITE =", "type": "assigned_variable", "loc": [193, 193], "level": 0, "parent": null, "vector": [14, 0, 0.4089, 0.0021, 0, 0.66, 0.4064, 417, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MASTER_NET_WRITE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MASTER_NET_WRITE = 1190"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L194_C0", "label": "FT_MATCHING_KEY_NOT_FOUND =", "type": "assigned_variable", "loc": [194, 194], "level": 0, "parent": null, "vector": [14, 0, 0.411, 0.0021, 0, 0.66, 0.4085, 329, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FT_MATCHING_KEY_NOT_FOUND", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FT_MATCHING_KEY_NOT_FOUND = 1191"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L195_C0", "label": "LOCK_OR_ACTIVE_TRANSACTION =", "type": "assigned_variable", "loc": [195, 195], "level": 0, "parent": null, "vector": [14, 0, 0.4131, 0.0021, 0, 0.66, 0.4106, 399, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LOCK_OR_ACTIVE_TRANSACTION", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LOCK_OR_ACTIVE_TRANSACTION = 1192"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L196_C0", "label": "UNKNOWN_SYSTEM_VARIABLE =", "type": "assigned_variable", "loc": [196, 196], "level": 0, "parent": null, "vector": [14, 0, 0.4153, 0.0021, 0, 0.66, 0.4128, 975, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNKNOWN_SYSTEM_VARIABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNKNOWN_SYSTEM_VARIABLE = 1193"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L197_C0", "label": "CRASHED_ON_USAGE =", "type": "assigned_variable", "loc": [197, 197], "level": 0, "parent": null, "vector": [14, 0, 0.4174, 0.0021, 0, 0.66, 0.4149, 333, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CRASHED_ON_USAGE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CRASHED_ON_USAGE = 1194"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L198_C0", "label": "CRASHED_ON_REPAIR =", "type": "assigned_variable", "loc": [198, 198], "level": 0, "parent": null, "vector": [14, 0, 0.4195, 0.0021, 0, 0.66, 0.417, 774, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CRASHED_ON_REPAIR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CRASHED_ON_REPAIR = 1195"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L199_C0", "label": "WARNING_NOT_COMPLETE_ROLLBACK =", "type": "assigned_variable", "loc": [199, 199], "level": 0, "parent": null, "vector": [14, 0, 0.4216, 0.0021, 0, 0.66, 0.4191, 304, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARNING_NOT_COMPLETE_ROLLBACK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARNING_NOT_COMPLETE_ROLLBACK = 1196"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L200_C0", "label": "TRANS_CACHE_FULL =", "type": "assigned_variable", "loc": [200, 200], "level": 0, "parent": null, "vector": [14, 0, 0.4237, 0.0021, 0, 0.66, 0.4213, 903, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TRANS_CACHE_FULL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TRANS_CACHE_FULL = 1197"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L201_C0", "label": "SLAVE_MUST_STOP =", "type": "assigned_variable", "loc": [201, 201], "level": 0, "parent": null, "vector": [14, 0, 0.4258, 0.0021, 0, 0.66, 0.4234, 333, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SLAVE_MUST_STOP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SLAVE_MUST_STOP = 1198"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L202_C0", "label": "SLAVE_NOT_RUNNING =", "type": "assigned_variable", "loc": [202, 202], "level": 0, "parent": null, "vector": [14, 0, 0.428, 0.0021, 0, 0.66, 0.4255, 120, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SLAVE_NOT_RUNNING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SLAVE_NOT_RUNNING = 1199"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L203_C0", "label": "BAD_SLAVE =", "type": "assigned_variable", "loc": [203, 203], "level": 0, "parent": null, "vector": [14, 0, 0.4301, 0.0021, 0, 0.66, 0.4277, 789, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BAD_SLAVE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BAD_SLAVE = 1200"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L204_C0", "label": "MASTER_INFO =", "type": "assigned_variable", "loc": [204, 204], "level": 0, "parent": null, "vector": [14, 0, 0.4322, 0.0021, 0, 0.66, 0.4298, 419, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MASTER_INFO", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MASTER_INFO = 1201"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L205_C0", "label": "SLAVE_THREAD =", "type": "assigned_variable", "loc": [205, 205], "level": 0, "parent": null, "vector": [14, 0, 0.4343, 0.0021, 0, 0.66, 0.4319, 341, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SLAVE_THREAD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SLAVE_THREAD = 1202"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L206_C0", "label": "TOO_MANY_USER_CONNECTIONS =", "type": "assigned_variable", "loc": [206, 206], "level": 0, "parent": null, "vector": [14, 0, 0.4364, 0.0021, 0, 0.66, 0.434, 668, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_MANY_USER_CONNECTIONS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_MANY_USER_CONNECTIONS = 1203"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L207_C0", "label": "SET_CONSTANTS_ONLY =", "type": "assigned_variable", "loc": [207, 207], "level": 0, "parent": null, "vector": [14, 0, 0.4386, 0.0021, 0, 0.66, 0.4362, 664, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SET_CONSTANTS_ONLY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SET_CONSTANTS_ONLY = 1204"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L208_C0", "label": "LOCK_WAIT_TIMEOUT =", "type": "assigned_variable", "loc": [208, 208], "level": 0, "parent": null, "vector": [14, 0, 0.4407, 0.0021, 0, 0.66, 0.4383, 194, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LOCK_WAIT_TIMEOUT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LOCK_WAIT_TIMEOUT = 1205"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L209_C0", "label": "LOCK_TABLE_FULL =", "type": "assigned_variable", "loc": [209, 209], "level": 0, "parent": null, "vector": [14, 0, 0.4428, 0.0021, 0, 0.66, 0.4404, 540, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LOCK_TABLE_FULL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LOCK_TABLE_FULL = 1206"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L210_C0", "label": "READ_ONLY_TRANSACTION =", "type": "assigned_variable", "loc": [210, 210], "level": 0, "parent": null, "vector": [14, 0, 0.4449, 0.0021, 0, 0.66, 0.4426, 181, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "READ_ONLY_TRANSACTION", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "READ_ONLY_TRANSACTION = 1207"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L211_C0", "label": "DROP_DB_WITH_READ_LOCK =", "type": "assigned_variable", "loc": [211, 211], "level": 0, "parent": null, "vector": [14, 0, 0.447, 0.0021, 0, 0.66, 0.4447, 390, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DROP_DB_WITH_READ_LOCK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DROP_DB_WITH_READ_LOCK = 1208"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L212_C0", "label": "CREATE_DB_WITH_READ_LOCK =", "type": "assigned_variable", "loc": [212, 212], "level": 0, "parent": null, "vector": [14, 0, 0.4492, 0.0021, 0, 0.66, 0.4468, 867, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CREATE_DB_WITH_READ_LOCK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CREATE_DB_WITH_READ_LOCK = 1209"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L213_C0", "label": "WRONG_ARGUMENTS =", "type": "assigned_variable", "loc": [213, 213], "level": 0, "parent": null, "vector": [14, 0, 0.4513, 0.0021, 0, 0.66, 0.4489, 84, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_ARGUMENTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_ARGUMENTS = 1210"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L214_C0", "label": "NO_PERMISSION_TO_CREATE_USER =", "type": "assigned_variable", "loc": [214, 214], "level": 0, "parent": null, "vector": [14, 0, 0.4534, 0.0021, 0, 0.66, 0.4511, 559, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_PERMISSION_TO_CREATE_USER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_PERMISSION_TO_CREATE_USER = 1211"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L215_C0", "label": "UNION_TABLES_IN_DIFFERENT_DIR =", "type": "assigned_variable", "loc": [215, 215], "level": 0, "parent": null, "vector": [14, 0, 0.4555, 0.0021, 0, 0.66, 0.4532, 370, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNION_TABLES_IN_DIFFERENT_DIR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNION_TABLES_IN_DIFFERENT_DIR = 1212"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L216_C0", "label": "LOCK_DEADLOCK =", "type": "assigned_variable", "loc": [216, 216], "level": 0, "parent": null, "vector": [14, 0, 0.4576, 0.0021, 0, 0.66, 0.4553, 569, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LOCK_DEADLOCK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LOCK_DEADLOCK = 1213"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L217_C0", "label": "TABLE_CANT_HANDLE_FT =", "type": "assigned_variable", "loc": [217, 217], "level": 0, "parent": null, "vector": [14, 0, 0.4597, 0.0021, 0, 0.66, 0.4574, 12, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TABLE_CANT_HANDLE_FT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TABLE_CANT_HANDLE_FT = 1214"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L218_C0", "label": "CANNOT_ADD_FOREIGN =", "type": "assigned_variable", "loc": [218, 218], "level": 0, "parent": null, "vector": [14, 0, 0.4619, 0.0021, 0, 0.66, 0.4596, 411, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANNOT_ADD_FOREIGN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANNOT_ADD_FOREIGN = 1215"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L219_C0", "label": "NO_REFERENCED_ROW =", "type": "assigned_variable", "loc": [219, 219], "level": 0, "parent": null, "vector": [14, 0, 0.464, 0.0021, 0, 0.66, 0.4617, 410, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_REFERENCED_ROW", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_REFERENCED_ROW = 1216"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L220_C0", "label": "ROW_IS_REFERENCED =", "type": "assigned_variable", "loc": [220, 220], "level": 0, "parent": null, "vector": [14, 0, 0.4661, 0.0021, 0, 0.66, 0.4638, 364, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ROW_IS_REFERENCED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ROW_IS_REFERENCED = 1217"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L221_C0", "label": "CONNECT_TO_MASTER =", "type": "assigned_variable", "loc": [221, 221], "level": 0, "parent": null, "vector": [14, 0, 0.4682, 0.0021, 0, 0.66, 0.466, 872, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CONNECT_TO_MASTER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CONNECT_TO_MASTER = 1218"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L222_C0", "label": "QUERY_ON_MASTER =", "type": "assigned_variable", "loc": [222, 222], "level": 0, "parent": null, "vector": [14, 0, 0.4703, 0.0021, 0, 0.66, 0.4681, 495, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "QUERY_ON_MASTER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "QUERY_ON_MASTER = 1219"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L223_C0", "label": "ERROR_WHEN_EXECUTING_COMMAND =", "type": "assigned_variable", "loc": [223, 223], "level": 0, "parent": null, "vector": [14, 0, 0.4725, 0.0021, 0, 0.66, 0.4702, 920, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ERROR_WHEN_EXECUTING_COMMAND", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ERROR_WHEN_EXECUTING_COMMAND = 1220"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L224_C0", "label": "WRONG_USAGE =", "type": "assigned_variable", "loc": [224, 224], "level": 0, "parent": null, "vector": [14, 0, 0.4746, 0.0021, 0, 0.66, 0.4723, 73, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_USAGE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_USAGE = 1221"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L225_C0", "label": "WRONG_NUMBER_OF_COLUMNS_IN_SELECT =", "type": "assigned_variable", "loc": [225, 225], "level": 0, "parent": null, "vector": [14, 0, 0.4767, 0.0021, 0, 0.66, 0.4745, 375, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_NUMBER_OF_COLUMNS_IN_SELECT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_NUMBER_OF_COLUMNS_IN_SELECT = 1222"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L226_C0", "label": "CANT_UPDATE_WITH_READLOCK =", "type": "assigned_variable", "loc": [226, 226], "level": 0, "parent": null, "vector": [14, 0, 0.4788, 0.0021, 0, 0.66, 0.4766, 368, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_UPDATE_WITH_READLOCK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_UPDATE_WITH_READLOCK = 1223"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L227_C0", "label": "MIXING_NOT_ALLOWED =", "type": "assigned_variable", "loc": [227, 227], "level": 0, "parent": null, "vector": [14, 0, 0.4809, 0.0021, 0, 0.66, 0.4787, 681, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MIXING_NOT_ALLOWED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MIXING_NOT_ALLOWED = 1224"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L228_C0", "label": "DUP_ARGUMENT =", "type": "assigned_variable", "loc": [228, 228], "level": 0, "parent": null, "vector": [14, 0, 0.4831, 0.0021, 0, 0.66, 0.4809, 136, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DUP_ARGUMENT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DUP_ARGUMENT = 1225"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L229_C0", "label": "USER_LIMIT_REACHED =", "type": "assigned_variable", "loc": [229, 229], "level": 0, "parent": null, "vector": [14, 0, 0.4852, 0.0021, 0, 0.66, 0.483, 785, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "USER_LIMIT_REACHED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "USER_LIMIT_REACHED = 1226"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L230_C0", "label": "SPECIFIC_ACCESS_DENIED_ERROR =", "type": "assigned_variable", "loc": [230, 230], "level": 0, "parent": null, "vector": [14, 0, 0.4873, 0.0021, 0, 0.66, 0.4851, 356, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SPECIFIC_ACCESS_DENIED_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SPECIFIC_ACCESS_DENIED_ERROR = 1227"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L231_C0", "label": "LOCAL_VARIABLE =", "type": "assigned_variable", "loc": [231, 231], "level": 0, "parent": null, "vector": [14, 0, 0.4894, 0.0021, 0, 0.66, 0.4872, 304, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LOCAL_VARIABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LOCAL_VARIABLE = 1228"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L232_C0", "label": "GLOBAL_VARIABLE =", "type": "assigned_variable", "loc": [232, 232], "level": 0, "parent": null, "vector": [14, 0, 0.4915, 0.0021, 0, 0.66, 0.4894, 674, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "GLOBAL_VARIABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GLOBAL_VARIABLE = 1229"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L233_C0", "label": "NO_DEFAULT =", "type": "assigned_variable", "loc": [233, 233], "level": 0, "parent": null, "vector": [14, 0, 0.4936, 0.0021, 0, 0.66, 0.4915, 24, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_DEFAULT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_DEFAULT = 1230"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L234_C0", "label": "WRONG_VALUE_FOR_VAR =", "type": "assigned_variable", "loc": [234, 234], "level": 0, "parent": null, "vector": [14, 0, 0.4958, 0.0021, 0, 0.66, 0.4936, 465, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_VALUE_FOR_VAR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_VALUE_FOR_VAR = 1231"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L235_C0", "label": "WRONG_TYPE_FOR_VAR =", "type": "assigned_variable", "loc": [235, 235], "level": 0, "parent": null, "vector": [14, 0, 0.4979, 0.0021, 0, 0.66, 0.4957, 875, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_TYPE_FOR_VAR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_TYPE_FOR_VAR = 1232"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L236_C0", "label": "VAR_CANT_BE_READ =", "type": "assigned_variable", "loc": [236, 236], "level": 0, "parent": null, "vector": [14, 0, 0.5, 0.0021, 0, 0.66, 0.4979, 667, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VAR_CANT_BE_READ", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VAR_CANT_BE_READ = 1233"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L237_C0", "label": "CANT_USE_OPTION_HERE =", "type": "assigned_variable", "loc": [237, 237], "level": 0, "parent": null, "vector": [14, 0, 0.5021, 0.0021, 0, 0.66, 0.5, 974, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_USE_OPTION_HERE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_USE_OPTION_HERE = 1234"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L238_C0", "label": "NOT_SUPPORTED_YET =", "type": "assigned_variable", "loc": [238, 238], "level": 0, "parent": null, "vector": [14, 0, 0.5042, 0.0021, 0, 0.66, 0.5021, 721, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NOT_SUPPORTED_YET", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NOT_SUPPORTED_YET = 1235"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L239_C0", "label": "MASTER_FATAL_ERROR_READING_BINLOG =", "type": "assigned_variable", "loc": [239, 239], "level": 0, "parent": null, "vector": [14, 0, 0.5064, 0.0021, 0, 0.66, 0.5043, 162, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MASTER_FATAL_ERROR_READING_BINLOG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MASTER_FATAL_ERROR_READING_BINLOG = 1236"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L240_C0", "label": "SLAVE_IGNORED_TABLE =", "type": "assigned_variable", "loc": [240, 240], "level": 0, "parent": null, "vector": [14, 0, 0.5085, 0.0021, 0, 0.66, 0.5064, 873, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SLAVE_IGNORED_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SLAVE_IGNORED_TABLE = 1237"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L241_C0", "label": "INCORRECT_GLOBAL_LOCAL_VAR =", "type": "assigned_variable", "loc": [241, 241], "level": 0, "parent": null, "vector": [14, 0, 0.5106, 0.0021, 0, 0.66, 0.5085, 503, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "INCORRECT_GLOBAL_LOCAL_VAR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "INCORRECT_GLOBAL_LOCAL_VAR = 1238"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L242_C0", "label": "WRONG_FK_DEF =", "type": "assigned_variable", "loc": [242, 242], "level": 0, "parent": null, "vector": [14, 0, 0.5127, 0.0021, 0, 0.66, 0.5106, 29, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_FK_DEF", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_FK_DEF = 1239"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L243_C0", "label": "KEY_REF_DO_NOT_MATCH_TABLE_REF =", "type": "assigned_variable", "loc": [243, 243], "level": 0, "parent": null, "vector": [14, 0, 0.5148, 0.0021, 0, 0.66, 0.5128, 212, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "KEY_REF_DO_NOT_MATCH_TABLE_REF", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "KEY_REF_DO_NOT_MATCH_TABLE_REF = 1240"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L244_C0", "label": "OPERAND_COLUMNS =", "type": "assigned_variable", "loc": [244, 244], "level": 0, "parent": null, "vector": [14, 0, 0.5169, 0.0021, 0, 0.66, 0.5149, 663, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "OPERAND_COLUMNS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "OPERAND_COLUMNS = 1241"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L245_C0", "label": "SUBQUERY_NO_1_ROW =", "type": "assigned_variable", "loc": [245, 245], "level": 0, "parent": null, "vector": [14, 0, 0.5191, 0.0021, 0, 0.66, 0.517, 887, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SUBQUERY_NO_1_ROW", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SUBQUERY_NO_1_ROW = 1242"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L246_C0", "label": "UNKNOWN_STMT_HANDLER =", "type": "assigned_variable", "loc": [246, 246], "level": 0, "parent": null, "vector": [14, 0, 0.5212, 0.0021, 0, 0.66, 0.5191, 909, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNKNOWN_STMT_HANDLER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNKNOWN_STMT_HANDLER = 1243"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L247_C0", "label": "CORRUPT_HELP_DB =", "type": "assigned_variable", "loc": [247, 247], "level": 0, "parent": null, "vector": [14, 0, 0.5233, 0.0021, 0, 0.66, 0.5213, 817, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CORRUPT_HELP_DB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CORRUPT_HELP_DB = 1244"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L248_C0", "label": "CYCLIC_REFERENCE =", "type": "assigned_variable", "loc": [248, 248], "level": 0, "parent": null, "vector": [14, 0, 0.5254, 0.0021, 0, 0.66, 0.5234, 224, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CYCLIC_REFERENCE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CYCLIC_REFERENCE = 1245"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L249_C0", "label": "AUTO_CONVERT =", "type": "assigned_variable", "loc": [249, 249], "level": 0, "parent": null, "vector": [14, 0, 0.5275, 0.0021, 0, 0.66, 0.5255, 286, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "AUTO_CONVERT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "AUTO_CONVERT = 1246"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L250_C0", "label": "ILLEGAL_REFERENCE =", "type": "assigned_variable", "loc": [250, 250], "level": 0, "parent": null, "vector": [14, 0, 0.5297, 0.0021, 0, 0.66, 0.5277, 234, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ILLEGAL_REFERENCE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ILLEGAL_REFERENCE = 1247"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L251_C0", "label": "DERIVED_MUST_HAVE_ALIAS =", "type": "assigned_variable", "loc": [251, 251], "level": 0, "parent": null, "vector": [14, 0, 0.5318, 0.0021, 0, 0.66, 0.5298, 796, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DERIVED_MUST_HAVE_ALIAS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DERIVED_MUST_HAVE_ALIAS = 1248"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L252_C0", "label": "SELECT_REDUCED =", "type": "assigned_variable", "loc": [252, 252], "level": 0, "parent": null, "vector": [14, 0, 0.5339, 0.0021, 0, 0.66, 0.5319, 977, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SELECT_REDUCED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SELECT_REDUCED = 1249"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L253_C0", "label": "TABLENAME_NOT_ALLOWED_HERE =", "type": "assigned_variable", "loc": [253, 253], "level": 0, "parent": null, "vector": [14, 0, 0.536, 0.0021, 0, 0.66, 0.534, 649, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TABLENAME_NOT_ALLOWED_HERE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TABLENAME_NOT_ALLOWED_HERE = 1250"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L254_C0", "label": "NOT_SUPPORTED_AUTH_MODE =", "type": "assigned_variable", "loc": [254, 254], "level": 0, "parent": null, "vector": [14, 0, 0.5381, 0.0021, 0, 0.66, 0.5362, 380, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NOT_SUPPORTED_AUTH_MODE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NOT_SUPPORTED_AUTH_MODE = 1251"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L255_C0", "label": "SPATIAL_CANT_HAVE_NULL =", "type": "assigned_variable", "loc": [255, 255], "level": 0, "parent": null, "vector": [14, 0, 0.5403, 0.0021, 0, 0.66, 0.5383, 41, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SPATIAL_CANT_HAVE_NULL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SPATIAL_CANT_HAVE_NULL = 1252"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L256_C0", "label": "COLLATION_CHARSET_MISMATCH =", "type": "assigned_variable", "loc": [256, 256], "level": 0, "parent": null, "vector": [14, 0, 0.5424, 0.0021, 0, 0.66, 0.5404, 537, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COLLATION_CHARSET_MISMATCH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COLLATION_CHARSET_MISMATCH = 1253"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L257_C0", "label": "SLAVE_WAS_RUNNING =", "type": "assigned_variable", "loc": [257, 257], "level": 0, "parent": null, "vector": [14, 0, 0.5445, 0.0021, 0, 0.66, 0.5426, 760, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SLAVE_WAS_RUNNING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SLAVE_WAS_RUNNING = 1254"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L258_C0", "label": "SLAVE_WAS_NOT_RUNNING =", "type": "assigned_variable", "loc": [258, 258], "level": 0, "parent": null, "vector": [14, 0, 0.5466, 0.0021, 0, 0.66, 0.5447, 918, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SLAVE_WAS_NOT_RUNNING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SLAVE_WAS_NOT_RUNNING = 1255"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L259_C0", "label": "TOO_BIG_FOR_UNCOMPRESS =", "type": "assigned_variable", "loc": [259, 259], "level": 0, "parent": null, "vector": [14, 0, 0.5487, 0.0021, 0, 0.66, 0.5468, 765, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_BIG_FOR_UNCOMPRESS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_BIG_FOR_UNCOMPRESS = 1256"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L260_C0", "label": "ZLIB_Z_MEM_ERROR =", "type": "assigned_variable", "loc": [260, 260], "level": 0, "parent": null, "vector": [14, 0, 0.5508, 0.0021, 0, 0.66, 0.5489, 789, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ZLIB_Z_MEM_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ZLIB_Z_MEM_ERROR = 1257"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L261_C0", "label": "ZLIB_Z_BUF_ERROR =", "type": "assigned_variable", "loc": [261, 261], "level": 0, "parent": null, "vector": [14, 0, 0.553, 0.0021, 0, 0.66, 0.5511, 922, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ZLIB_Z_BUF_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ZLIB_Z_BUF_ERROR = 1258"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L262_C0", "label": "ZLIB_Z_DATA_ERROR =", "type": "assigned_variable", "loc": [262, 262], "level": 0, "parent": null, "vector": [14, 0, 0.5551, 0.0021, 0, 0.66, 0.5532, 739, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ZLIB_Z_DATA_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ZLIB_Z_DATA_ERROR = 1259"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L263_C0", "label": "CUT_VALUE_GROUP_CONCAT =", "type": "assigned_variable", "loc": [263, 263], "level": 0, "parent": null, "vector": [14, 0, 0.5572, 0.0021, 0, 0.66, 0.5553, 993, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CUT_VALUE_GROUP_CONCAT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CUT_VALUE_GROUP_CONCAT = 1260"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L264_C0", "label": "WARN_TOO_FEW_RECORDS =", "type": "assigned_variable", "loc": [264, 264], "level": 0, "parent": null, "vector": [14, 0, 0.5593, 0.0021, 0, 0.66, 0.5574, 777, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_TOO_FEW_RECORDS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_TOO_FEW_RECORDS = 1261"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L265_C0", "label": "WARN_TOO_MANY_RECORDS =", "type": "assigned_variable", "loc": [265, 265], "level": 0, "parent": null, "vector": [14, 0, 0.5614, 0.0021, 0, 0.66, 0.5596, 320, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_TOO_MANY_RECORDS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_TOO_MANY_RECORDS = 1262"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L266_C0", "label": "WARN_NULL_TO_NOTNULL =", "type": "assigned_variable", "loc": [266, 266], "level": 0, "parent": null, "vector": [14, 0, 0.5636, 0.0021, 0, 0.66, 0.5617, 560, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_NULL_TO_NOTNULL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_NULL_TO_NOTNULL = 1263"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L267_C0", "label": "WARN_DATA_OUT_OF_RANGE =", "type": "assigned_variable", "loc": [267, 267], "level": 0, "parent": null, "vector": [14, 0, 0.5657, 0.0021, 0, 0.66, 0.5638, 115, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_DATA_OUT_OF_RANGE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_DATA_OUT_OF_RANGE = 1264"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L268_C0", "label": "WARN_DATA_TRUNCATED =", "type": "assigned_variable", "loc": [268, 268], "level": 0, "parent": null, "vector": [14, 0, 0.5678, 0.0021, 0, 0.66, 0.566, 213, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_DATA_TRUNCATED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_DATA_TRUNCATED = 1265"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L269_C0", "label": "WARN_USING_OTHER_HANDLER =", "type": "assigned_variable", "loc": [269, 269], "level": 0, "parent": null, "vector": [14, 0, 0.5699, 0.0021, 0, 0.66, 0.5681, 137, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_USING_OTHER_HANDLER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_USING_OTHER_HANDLER = 1266"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L270_C0", "label": "CANT_AGGREGATE_2COLLATIONS =", "type": "assigned_variable", "loc": [270, 270], "level": 0, "parent": null, "vector": [14, 0, 0.572, 0.0021, 0, 0.66, 0.5702, 544, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_AGGREGATE_2COLLATIONS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_AGGREGATE_2COLLATIONS = 1267"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L271_C0", "label": "DROP_USER =", "type": "assigned_variable", "loc": [271, 271], "level": 0, "parent": null, "vector": [14, 0, 0.5742, 0.0021, 0, 0.66, 0.5723, 569, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DROP_USER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DROP_USER = 1268"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L272_C0", "label": "REVOKE_GRANTS =", "type": "assigned_variable", "loc": [272, 272], "level": 0, "parent": null, "vector": [14, 0, 0.5763, 0.0021, 0, 0.66, 0.5745, 714, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "REVOKE_GRANTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "REVOKE_GRANTS = 1269"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L273_C0", "label": "CANT_AGGREGATE_3COLLATIONS =", "type": "assigned_variable", "loc": [273, 273], "level": 0, "parent": null, "vector": [14, 0, 0.5784, 0.0021, 0, 0.66, 0.5766, 811, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_AGGREGATE_3COLLATIONS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_AGGREGATE_3COLLATIONS = 1270"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L274_C0", "label": "CANT_AGGREGATE_NCOLLATIONS =", "type": "assigned_variable", "loc": [274, 274], "level": 0, "parent": null, "vector": [14, 0, 0.5805, 0.0021, 0, 0.66, 0.5787, 901, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_AGGREGATE_NCOLLATIONS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_AGGREGATE_NCOLLATIONS = 1271"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L275_C0", "label": "VARIABLE_IS_NOT_STRUCT =", "type": "assigned_variable", "loc": [275, 275], "level": 0, "parent": null, "vector": [14, 0, 0.5826, 0.0021, 0, 0.66, 0.5809, 112, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VARIABLE_IS_NOT_STRUCT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VARIABLE_IS_NOT_STRUCT = 1272"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L276_C0", "label": "UNKNOWN_COLLATION =", "type": "assigned_variable", "loc": [276, 276], "level": 0, "parent": null, "vector": [14, 0, 0.5847, 0.0021, 0, 0.66, 0.583, 834, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNKNOWN_COLLATION", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNKNOWN_COLLATION = 1273"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L277_C0", "label": "SLAVE_IGNORED_SSL_PARAMS =", "type": "assigned_variable", "loc": [277, 277], "level": 0, "parent": null, "vector": [14, 0, 0.5869, 0.0021, 0, 0.66, 0.5851, 633, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SLAVE_IGNORED_SSL_PARAMS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SLAVE_IGNORED_SSL_PARAMS = 1274"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L278_C0", "label": "SERVER_IS_IN_SECURE_AUTH_MODE =", "type": "assigned_variable", "loc": [278, 278], "level": 0, "parent": null, "vector": [14, 0, 0.589, 0.0021, 0, 0.66, 0.5872, 117, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SERVER_IS_IN_SECURE_AUTH_MODE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SERVER_IS_IN_SECURE_AUTH_MODE = 1275"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L279_C0", "label": "WARN_FIELD_RESOLVED =", "type": "assigned_variable", "loc": [279, 279], "level": 0, "parent": null, "vector": [14, 0, 0.5911, 0.0021, 0, 0.66, 0.5894, 906, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_FIELD_RESOLVED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_FIELD_RESOLVED = 1276"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L280_C0", "label": "BAD_SLAVE_UNTIL_COND =", "type": "assigned_variable", "loc": [280, 280], "level": 0, "parent": null, "vector": [14, 0, 0.5932, 0.0021, 0, 0.66, 0.5915, 761, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BAD_SLAVE_UNTIL_COND", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BAD_SLAVE_UNTIL_COND = 1277"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L281_C0", "label": "MISSING_SKIP_SLAVE =", "type": "assigned_variable", "loc": [281, 281], "level": 0, "parent": null, "vector": [14, 0, 0.5953, 0.0021, 0, 0.66, 0.5936, 430, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MISSING_SKIP_SLAVE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MISSING_SKIP_SLAVE = 1278"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L282_C0", "label": "UNTIL_COND_IGNORED =", "type": "assigned_variable", "loc": [282, 282], "level": 0, "parent": null, "vector": [14, 0, 0.5975, 0.0021, 0, 0.66, 0.5957, 807, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNTIL_COND_IGNORED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNTIL_COND_IGNORED = 1279"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L283_C0", "label": "WRONG_NAME_FOR_INDEX =", "type": "assigned_variable", "loc": [283, 283], "level": 0, "parent": null, "vector": [14, 0, 0.5996, 0.0021, 0, 0.66, 0.5979, 578, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_NAME_FOR_INDEX", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_NAME_FOR_INDEX = 1280"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L284_C0", "label": "WRONG_NAME_FOR_CATALOG =", "type": "assigned_variable", "loc": [284, 284], "level": 0, "parent": null, "vector": [14, 0, 0.6017, 0.0021, 0, 0.66, 0.6, 210, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_NAME_FOR_CATALOG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_NAME_FOR_CATALOG = 1281"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L285_C0", "label": "WARN_QC_RESIZE =", "type": "assigned_variable", "loc": [285, 285], "level": 0, "parent": null, "vector": [14, 0, 0.6038, 0.0021, 0, 0.66, 0.6021, 3, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_QC_RESIZE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_QC_RESIZE = 1282"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L286_C0", "label": "BAD_FT_COLUMN =", "type": "assigned_variable", "loc": [286, 286], "level": 0, "parent": null, "vector": [14, 0, 0.6059, 0.0021, 0, 0.66, 0.6043, 853, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BAD_FT_COLUMN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BAD_FT_COLUMN = 1283"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L287_C0", "label": "UNKNOWN_KEY_CACHE =", "type": "assigned_variable", "loc": [287, 287], "level": 0, "parent": null, "vector": [14, 0, 0.6081, 0.0021, 0, 0.66, 0.6064, 343, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNKNOWN_KEY_CACHE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNKNOWN_KEY_CACHE = 1284"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L288_C0", "label": "WARN_HOSTNAME_WONT_WORK =", "type": "assigned_variable", "loc": [288, 288], "level": 0, "parent": null, "vector": [14, 0, 0.6102, 0.0021, 0, 0.66, 0.6085, 597, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_HOSTNAME_WONT_WORK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_HOSTNAME_WONT_WORK = 1285"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L289_C0", "label": "UNKNOWN_STORAGE_ENGINE =", "type": "assigned_variable", "loc": [289, 289], "level": 0, "parent": null, "vector": [14, 0, 0.6123, 0.0021, 0, 0.66, 0.6106, 83, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNKNOWN_STORAGE_ENGINE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNKNOWN_STORAGE_ENGINE = 1286"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L290_C0", "label": "WARN_DEPRECATED_SYNTAX =", "type": "assigned_variable", "loc": [290, 290], "level": 0, "parent": null, "vector": [14, 0, 0.6144, 0.0021, 0, 0.66, 0.6128, 559, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_DEPRECATED_SYNTAX", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_DEPRECATED_SYNTAX = 1287"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L291_C0", "label": "NON_UPDATABLE_TABLE =", "type": "assigned_variable", "loc": [291, 291], "level": 0, "parent": null, "vector": [14, 0, 0.6165, 0.0021, 0, 0.66, 0.6149, 712, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NON_UPDATABLE_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NON_UPDATABLE_TABLE = 1288"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L292_C0", "label": "FEATURE_DISABLED =", "type": "assigned_variable", "loc": [292, 292], "level": 0, "parent": null, "vector": [14, 0, 0.6186, 0.0021, 0, 0.66, 0.617, 366, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FEATURE_DISABLED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FEATURE_DISABLED = 1289"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L293_C0", "label": "OPTION_PREVENTS_STATEMENT =", "type": "assigned_variable", "loc": [293, 293], "level": 0, "parent": null, "vector": [14, 0, 0.6208, 0.0021, 0, 0.66, 0.6191, 501, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "OPTION_PREVENTS_STATEMENT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "OPTION_PREVENTS_STATEMENT = 1290"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L294_C0", "label": "DUPLICATED_VALUE_IN_TYPE =", "type": "assigned_variable", "loc": [294, 294], "level": 0, "parent": null, "vector": [14, 0, 0.6229, 0.0021, 0, 0.66, 0.6213, 651, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DUPLICATED_VALUE_IN_TYPE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DUPLICATED_VALUE_IN_TYPE = 1291"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L295_C0", "label": "TRUNCATED_WRONG_VALUE =", "type": "assigned_variable", "loc": [295, 295], "level": 0, "parent": null, "vector": [14, 0, 0.625, 0.0021, 0, 0.66, 0.6234, 52, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TRUNCATED_WRONG_VALUE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TRUNCATED_WRONG_VALUE = 1292"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L296_C0", "label": "TOO_MUCH_AUTO_TIMESTAMP_COLS =", "type": "assigned_variable", "loc": [296, 296], "level": 0, "parent": null, "vector": [14, 0, 0.6271, 0.0021, 0, 0.66, 0.6255, 504, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_MUCH_AUTO_TIMESTAMP_COLS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_MUCH_AUTO_TIMESTAMP_COLS = 1293"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L297_C0", "label": "INVALID_ON_UPDATE =", "type": "assigned_variable", "loc": [297, 297], "level": 0, "parent": null, "vector": [14, 0, 0.6292, 0.0021, 0, 0.66, 0.6277, 820, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "INVALID_ON_UPDATE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "INVALID_ON_UPDATE = 1294"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L298_C0", "label": "UNSUPPORTED_PS =", "type": "assigned_variable", "loc": [298, 298], "level": 0, "parent": null, "vector": [14, 0, 0.6314, 0.0021, 0, 0.66, 0.6298, 455, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNSUPPORTED_PS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNSUPPORTED_PS = 1295"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L299_C0", "label": "GET_ERRMSG =", "type": "assigned_variable", "loc": [299, 299], "level": 0, "parent": null, "vector": [14, 0, 0.6335, 0.0021, 0, 0.66, 0.6319, 877, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "GET_ERRMSG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GET_ERRMSG = 1296"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L300_C0", "label": "GET_TEMPORARY_ERRMSG =", "type": "assigned_variable", "loc": [300, 300], "level": 0, "parent": null, "vector": [14, 0, 0.6356, 0.0021, 0, 0.66, 0.634, 869, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "GET_TEMPORARY_ERRMSG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GET_TEMPORARY_ERRMSG = 1297"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L301_C0", "label": "UNKNOWN_TIME_ZONE =", "type": "assigned_variable", "loc": [301, 301], "level": 0, "parent": null, "vector": [14, 0, 0.6377, 0.0021, 0, 0.66, 0.6362, 757, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNKNOWN_TIME_ZONE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNKNOWN_TIME_ZONE = 1298"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L302_C0", "label": "WARN_INVALID_TIMESTAMP =", "type": "assigned_variable", "loc": [302, 302], "level": 0, "parent": null, "vector": [14, 0, 0.6398, 0.0021, 0, 0.66, 0.6383, 88, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_INVALID_TIMESTAMP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_INVALID_TIMESTAMP = 1299"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L303_C0", "label": "INVALID_CHARACTER_STRING =", "type": "assigned_variable", "loc": [303, 303], "level": 0, "parent": null, "vector": [14, 0, 0.6419, 0.0021, 0, 0.66, 0.6404, 638, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "INVALID_CHARACTER_STRING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "INVALID_CHARACTER_STRING = 1300"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L304_C0", "label": "WARN_ALLOWED_PACKET_OVERFLOWED =", "type": "assigned_variable", "loc": [304, 304], "level": 0, "parent": null, "vector": [14, 0, 0.6441, 0.0021, 0, 0.66, 0.6426, 469, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_ALLOWED_PACKET_OVERFLOWED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_ALLOWED_PACKET_OVERFLOWED = 1301"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L305_C0", "label": "CONFLICTING_DECLARATIONS =", "type": "assigned_variable", "loc": [305, 305], "level": 0, "parent": null, "vector": [14, 0, 0.6462, 0.0021, 0, 0.66, 0.6447, 478, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CONFLICTING_DECLARATIONS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CONFLICTING_DECLARATIONS = 1302"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L306_C0", "label": "SP_NO_RECURSIVE_CREATE =", "type": "assigned_variable", "loc": [306, 306], "level": 0, "parent": null, "vector": [14, 0, 0.6483, 0.0021, 0, 0.66, 0.6468, 635, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_NO_RECURSIVE_CREATE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_NO_RECURSIVE_CREATE = 1303"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L307_C0", "label": "SP_ALREADY_EXISTS =", "type": "assigned_variable", "loc": [307, 307], "level": 0, "parent": null, "vector": [14, 0, 0.6504, 0.0021, 0, 0.66, 0.6489, 167, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_ALREADY_EXISTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_ALREADY_EXISTS = 1304"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L308_C0", "label": "SP_DOES_NOT_EXIST =", "type": "assigned_variable", "loc": [308, 308], "level": 0, "parent": null, "vector": [14, 0, 0.6525, 0.0021, 0, 0.66, 0.6511, 171, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_DOES_NOT_EXIST", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_DOES_NOT_EXIST = 1305"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L309_C0", "label": "SP_DROP_FAILED =", "type": "assigned_variable", "loc": [309, 309], "level": 0, "parent": null, "vector": [14, 0, 0.6547, 0.0021, 0, 0.66, 0.6532, 36, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_DROP_FAILED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_DROP_FAILED = 1306"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L310_C0", "label": "SP_STORE_FAILED =", "type": "assigned_variable", "loc": [310, 310], "level": 0, "parent": null, "vector": [14, 0, 0.6568, 0.0021, 0, 0.66, 0.6553, 301, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_STORE_FAILED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_STORE_FAILED = 1307"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L311_C0", "label": "SP_LILABEL_MISMATCH =", "type": "assigned_variable", "loc": [311, 311], "level": 0, "parent": null, "vector": [14, 0, 0.6589, 0.0021, 0, 0.66, 0.6574, 952, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_LILABEL_MISMATCH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_LILABEL_MISMATCH = 1308"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L312_C0", "label": "SP_LABEL_REDEFINE =", "type": "assigned_variable", "loc": [312, 312], "level": 0, "parent": null, "vector": [14, 0, 0.661, 0.0021, 0, 0.66, 0.6596, 855, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_LABEL_REDEFINE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_LABEL_REDEFINE = 1309"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L313_C0", "label": "SP_LABEL_MISMATCH =", "type": "assigned_variable", "loc": [313, 313], "level": 0, "parent": null, "vector": [14, 0, 0.6631, 0.0021, 0, 0.66, 0.6617, 391, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_LABEL_MISMATCH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_LABEL_MISMATCH = 1310"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L314_C0", "label": "SP_UNINIT_VAR =", "type": "assigned_variable", "loc": [314, 314], "level": 0, "parent": null, "vector": [14, 0, 0.6653, 0.0021, 0, 0.66, 0.6638, 557, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_UNINIT_VAR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_UNINIT_VAR = 1311"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L315_C0", "label": "SP_BADSELECT =", "type": "assigned_variable", "loc": [315, 315], "level": 0, "parent": null, "vector": [14, 0, 0.6674, 0.0021, 0, 0.66, 0.666, 980, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_BADSELECT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_BADSELECT = 1312"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L316_C0", "label": "SP_BADRETURN =", "type": "assigned_variable", "loc": [316, 316], "level": 0, "parent": null, "vector": [14, 0, 0.6695, 0.0021, 0, 0.66, 0.6681, 677, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_BADRETURN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_BADRETURN = 1313"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L317_C0", "label": "SP_BADSTATEMENT =", "type": "assigned_variable", "loc": [317, 317], "level": 0, "parent": null, "vector": [14, 0, 0.6716, 0.0021, 0, 0.66, 0.6702, 678, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_BADSTATEMENT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_BADSTATEMENT = 1314"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L318_C0", "label": "UPDATE_LOG_DEPRECATED_IGNORED =", "type": "assigned_variable", "loc": [318, 318], "level": 0, "parent": null, "vector": [14, 0, 0.6737, 0.0021, 0, 0.66, 0.6723, 289, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UPDATE_LOG_DEPRECATED_IGNORED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UPDATE_LOG_DEPRECATED_IGNORED = 1315"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L319_C0", "label": "UPDATE_LOG_DEPRECATED_TRANSLATED =", "type": "assigned_variable", "loc": [319, 319], "level": 0, "parent": null, "vector": [14, 0, 0.6758, 0.0021, 0, 0.66, 0.6745, 591, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UPDATE_LOG_DEPRECATED_TRANSLATED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UPDATE_LOG_DEPRECATED_TRANSLATED = 1316"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L320_C0", "label": "QUERY_INTERRUPTED =", "type": "assigned_variable", "loc": [320, 320], "level": 0, "parent": null, "vector": [14, 0, 0.678, 0.0021, 0, 0.66, 0.6766, 79, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "QUERY_INTERRUPTED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "QUERY_INTERRUPTED = 1317"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L321_C0", "label": "SP_WRONG_NO_OF_ARGS =", "type": "assigned_variable", "loc": [321, 321], "level": 0, "parent": null, "vector": [14, 0, 0.6801, 0.0021, 0, 0.66, 0.6787, 833, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_WRONG_NO_OF_ARGS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_WRONG_NO_OF_ARGS = 1318"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L322_C0", "label": "SP_COND_MISMATCH =", "type": "assigned_variable", "loc": [322, 322], "level": 0, "parent": null, "vector": [14, 0, 0.6822, 0.0021, 0, 0.66, 0.6809, 941, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_COND_MISMATCH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_COND_MISMATCH = 1319"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L323_C0", "label": "SP_NORETURN =", "type": "assigned_variable", "loc": [323, 323], "level": 0, "parent": null, "vector": [14, 0, 0.6843, 0.0021, 0, 0.66, 0.683, 705, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_NORETURN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_NORETURN = 1320"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L324_C0", "label": "SP_NORETURNEND =", "type": "assigned_variable", "loc": [324, 324], "level": 0, "parent": null, "vector": [14, 0, 0.6864, 0.0021, 0, 0.66, 0.6851, 18, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_NORETURNEND", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_NORETURNEND = 1321"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L325_C0", "label": "SP_BAD_CURSOR_QUERY =", "type": "assigned_variable", "loc": [325, 325], "level": 0, "parent": null, "vector": [14, 0, 0.6886, 0.0021, 0, 0.66, 0.6872, 260, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_BAD_CURSOR_QUERY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_BAD_CURSOR_QUERY = 1322"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L326_C0", "label": "SP_BAD_CURSOR_SELECT =", "type": "assigned_variable", "loc": [326, 326], "level": 0, "parent": null, "vector": [14, 0, 0.6907, 0.0021, 0, 0.66, 0.6894, 953, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_BAD_CURSOR_SELECT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_BAD_CURSOR_SELECT = 1323"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L327_C0", "label": "SP_CURSOR_MISMATCH =", "type": "assigned_variable", "loc": [327, 327], "level": 0, "parent": null, "vector": [14, 0, 0.6928, 0.0021, 0, 0.66, 0.6915, 605, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_CURSOR_MISMATCH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_CURSOR_MISMATCH = 1324"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L328_C0", "label": "SP_CURSOR_ALREADY_OPEN =", "type": "assigned_variable", "loc": [328, 328], "level": 0, "parent": null, "vector": [14, 0, 0.6949, 0.0021, 0, 0.66, 0.6936, 245, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_CURSOR_ALREADY_OPEN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_CURSOR_ALREADY_OPEN = 1325"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L329_C0", "label": "SP_CURSOR_NOT_OPEN =", "type": "assigned_variable", "loc": [329, 329], "level": 0, "parent": null, "vector": [14, 0, 0.697, 0.0021, 0, 0.66, 0.6957, 484, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_CURSOR_NOT_OPEN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_CURSOR_NOT_OPEN = 1326"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L330_C0", "label": "SP_UNDECLARED_VAR =", "type": "assigned_variable", "loc": [330, 330], "level": 0, "parent": null, "vector": [14, 0, 0.6992, 0.0021, 0, 0.66, 0.6979, 205, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_UNDECLARED_VAR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_UNDECLARED_VAR = 1327"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L331_C0", "label": "SP_WRONG_NO_OF_FETCH_ARGS =", "type": "assigned_variable", "loc": [331, 331], "level": 0, "parent": null, "vector": [14, 0, 0.7013, 0.0021, 0, 0.66, 0.7, 991, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_WRONG_NO_OF_FETCH_ARGS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_WRONG_NO_OF_FETCH_ARGS = 1328"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L332_C0", "label": "SP_FETCH_NO_DATA =", "type": "assigned_variable", "loc": [332, 332], "level": 0, "parent": null, "vector": [14, 0, 0.7034, 0.0021, 0, 0.66, 0.7021, 243, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_FETCH_NO_DATA", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_FETCH_NO_DATA = 1329"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L333_C0", "label": "SP_DUP_PARAM =", "type": "assigned_variable", "loc": [333, 333], "level": 0, "parent": null, "vector": [14, 0, 0.7055, 0.0021, 0, 0.66, 0.7043, 562, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_DUP_PARAM", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_DUP_PARAM = 1330"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L334_C0", "label": "SP_DUP_VAR =", "type": "assigned_variable", "loc": [334, 334], "level": 0, "parent": null, "vector": [14, 0, 0.7076, 0.0021, 0, 0.66, 0.7064, 488, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_DUP_VAR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_DUP_VAR = 1331"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L335_C0", "label": "SP_DUP_COND =", "type": "assigned_variable", "loc": [335, 335], "level": 0, "parent": null, "vector": [14, 0, 0.7097, 0.0021, 0, 0.66, 0.7085, 187, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_DUP_COND", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_DUP_COND = 1332"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L336_C0", "label": "SP_DUP_CURS =", "type": "assigned_variable", "loc": [336, 336], "level": 0, "parent": null, "vector": [14, 0, 0.7119, 0.0021, 0, 0.66, 0.7106, 55, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_DUP_CURS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_DUP_CURS = 1333"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L337_C0", "label": "SP_CANT_ALTER =", "type": "assigned_variable", "loc": [337, 337], "level": 0, "parent": null, "vector": [14, 0, 0.714, 0.0021, 0, 0.66, 0.7128, 302, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_CANT_ALTER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_CANT_ALTER = 1334"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L338_C0", "label": "SP_SUBSELECT_NYI =", "type": "assigned_variable", "loc": [338, 338], "level": 0, "parent": null, "vector": [14, 0, 0.7161, 0.0021, 0, 0.66, 0.7149, 110, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_SUBSELECT_NYI", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_SUBSELECT_NYI = 1335"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L339_C0", "label": "STMT_NOT_ALLOWED_IN_SF_OR_TRG =", "type": "assigned_variable", "loc": [339, 339], "level": 0, "parent": null, "vector": [14, 0, 0.7182, 0.0021, 0, 0.66, 0.717, 484, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "STMT_NOT_ALLOWED_IN_SF_OR_TRG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "STMT_NOT_ALLOWED_IN_SF_OR_TRG = 1336"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L340_C0", "label": "SP_VARCOND_AFTER_CURSHNDLR =", "type": "assigned_variable", "loc": [340, 340], "level": 0, "parent": null, "vector": [14, 0, 0.7203, 0.0021, 0, 0.66, 0.7191, 375, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_VARCOND_AFTER_CURSHNDLR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_VARCOND_AFTER_CURSHNDLR = 1337"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L341_C0", "label": "SP_CURSOR_AFTER_HANDLER =", "type": "assigned_variable", "loc": [341, 341], "level": 0, "parent": null, "vector": [14, 0, 0.7225, 0.0021, 0, 0.66, 0.7213, 337, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_CURSOR_AFTER_HANDLER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_CURSOR_AFTER_HANDLER = 1338"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L342_C0", "label": "SP_CASE_NOT_FOUND =", "type": "assigned_variable", "loc": [342, 342], "level": 0, "parent": null, "vector": [14, 0, 0.7246, 0.0021, 0, 0.66, 0.7234, 24, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_CASE_NOT_FOUND", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_CASE_NOT_FOUND = 1339"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L343_C0", "label": "FPARSER_TOO_BIG_FILE =", "type": "assigned_variable", "loc": [343, 343], "level": 0, "parent": null, "vector": [14, 0, 0.7267, 0.0021, 0, 0.66, 0.7255, 860, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FPARSER_TOO_BIG_FILE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FPARSER_TOO_BIG_FILE = 1340"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L344_C0", "label": "FPARSER_BAD_HEADER =", "type": "assigned_variable", "loc": [344, 344], "level": 0, "parent": null, "vector": [14, 0, 0.7288, 0.0021, 0, 0.66, 0.7277, 941, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FPARSER_BAD_HEADER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FPARSER_BAD_HEADER = 1341"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L345_C0", "label": "FPARSER_EOF_IN_COMMENT =", "type": "assigned_variable", "loc": [345, 345], "level": 0, "parent": null, "vector": [14, 0, 0.7309, 0.0021, 0, 0.66, 0.7298, 311, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FPARSER_EOF_IN_COMMENT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FPARSER_EOF_IN_COMMENT = 1342"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L346_C0", "label": "FPARSER_ERROR_IN_PARAMETER =", "type": "assigned_variable", "loc": [346, 346], "level": 0, "parent": null, "vector": [14, 0, 0.7331, 0.0021, 0, 0.66, 0.7319, 507, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FPARSER_ERROR_IN_PARAMETER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FPARSER_ERROR_IN_PARAMETER = 1343"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L347_C0", "label": "FPARSER_EOF_IN_UNKNOWN_PARAMETER =", "type": "assigned_variable", "loc": [347, 347], "level": 0, "parent": null, "vector": [14, 0, 0.7352, 0.0021, 0, 0.66, 0.734, 137, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FPARSER_EOF_IN_UNKNOWN_PARAMETER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FPARSER_EOF_IN_UNKNOWN_PARAMETER = 1344"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L348_C0", "label": "VIEW_NO_EXPLAIN =", "type": "assigned_variable", "loc": [348, 348], "level": 0, "parent": null, "vector": [14, 0, 0.7373, 0.0021, 0, 0.66, 0.7362, 173, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_NO_EXPLAIN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_NO_EXPLAIN = 1345"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L349_C0", "label": "FRM_UNKNOWN_TYPE =", "type": "assigned_variable", "loc": [349, 349], "level": 0, "parent": null, "vector": [14, 0, 0.7394, 0.0021, 0, 0.66, 0.7383, 705, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FRM_UNKNOWN_TYPE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FRM_UNKNOWN_TYPE = 1346"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L350_C0", "label": "WRONG_OBJECT =", "type": "assigned_variable", "loc": [350, 350], "level": 0, "parent": null, "vector": [14, 0, 0.7415, 0.0021, 0, 0.66, 0.7404, 86, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_OBJECT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_OBJECT = 1347"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L351_C0", "label": "NONUPDATEABLE_COLUMN =", "type": "assigned_variable", "loc": [351, 351], "level": 0, "parent": null, "vector": [14, 0, 0.7436, 0.0021, 0, 0.66, 0.7426, 374, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NONUPDATEABLE_COLUMN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NONUPDATEABLE_COLUMN = 1348"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L352_C0", "label": "VIEW_SELECT_DERIVED =", "type": "assigned_variable", "loc": [352, 352], "level": 0, "parent": null, "vector": [14, 0, 0.7458, 0.0021, 0, 0.66, 0.7447, 570, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_SELECT_DERIVED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_SELECT_DERIVED = 1349"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L353_C0", "label": "VIEW_SELECT_CLAUSE =", "type": "assigned_variable", "loc": [353, 353], "level": 0, "parent": null, "vector": [14, 0, 0.7479, 0.0021, 0, 0.66, 0.7468, 317, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_SELECT_CLAUSE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_SELECT_CLAUSE = 1350"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L354_C0", "label": "VIEW_SELECT_VARIABLE =", "type": "assigned_variable", "loc": [354, 354], "level": 0, "parent": null, "vector": [14, 0, 0.75, 0.0021, 0, 0.66, 0.7489, 72, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_SELECT_VARIABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_SELECT_VARIABLE = 1351"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L355_C0", "label": "VIEW_SELECT_TMPTABLE =", "type": "assigned_variable", "loc": [355, 355], "level": 0, "parent": null, "vector": [14, 0, 0.7521, 0.0021, 0, 0.66, 0.7511, 265, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_SELECT_TMPTABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_SELECT_TMPTABLE = 1352"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L356_C0", "label": "VIEW_WRONG_LIST =", "type": "assigned_variable", "loc": [356, 356], "level": 0, "parent": null, "vector": [14, 0, 0.7542, 0.0021, 0, 0.66, 0.7532, 353, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_WRONG_LIST", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_WRONG_LIST = 1353"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L357_C0", "label": "WARN_VIEW_MERGE =", "type": "assigned_variable", "loc": [357, 357], "level": 0, "parent": null, "vector": [14, 0, 0.7564, 0.0021, 0, 0.66, 0.7553, 117, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_VIEW_MERGE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_VIEW_MERGE = 1354"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L358_C0", "label": "WARN_VIEW_WITHOUT_KEY =", "type": "assigned_variable", "loc": [358, 358], "level": 0, "parent": null, "vector": [14, 0, 0.7585, 0.0021, 0, 0.66, 0.7574, 327, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_VIEW_WITHOUT_KEY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_VIEW_WITHOUT_KEY = 1355"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L359_C0", "label": "VIEW_INVALID =", "type": "assigned_variable", "loc": [359, 359], "level": 0, "parent": null, "vector": [14, 0, 0.7606, 0.0021, 0, 0.66, 0.7596, 923, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_INVALID", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_INVALID = 1356"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L360_C0", "label": "SP_NO_DROP_SP =", "type": "assigned_variable", "loc": [360, 360], "level": 0, "parent": null, "vector": [14, 0, 0.7627, 0.0021, 0, 0.66, 0.7617, 697, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_NO_DROP_SP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_NO_DROP_SP = 1357"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L361_C0", "label": "SP_GOTO_IN_HNDLR =", "type": "assigned_variable", "loc": [361, 361], "level": 0, "parent": null, "vector": [14, 0, 0.7648, 0.0021, 0, 0.66, 0.7638, 492, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_GOTO_IN_HNDLR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_GOTO_IN_HNDLR = 1358"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L362_C0", "label": "TRG_ALREADY_EXISTS =", "type": "assigned_variable", "loc": [362, 362], "level": 0, "parent": null, "vector": [14, 0, 0.7669, 0.0021, 0, 0.66, 0.766, 3, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TRG_ALREADY_EXISTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TRG_ALREADY_EXISTS = 1359"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L363_C0", "label": "TRG_DOES_NOT_EXIST =", "type": "assigned_variable", "loc": [363, 363], "level": 0, "parent": null, "vector": [14, 0, 0.7691, 0.0021, 0, 0.66, 0.7681, 720, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TRG_DOES_NOT_EXIST", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TRG_DOES_NOT_EXIST = 1360"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L364_C0", "label": "TRG_ON_VIEW_OR_TEMP_TABLE =", "type": "assigned_variable", "loc": [364, 364], "level": 0, "parent": null, "vector": [14, 0, 0.7712, 0.0021, 0, 0.66, 0.7702, 338, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TRG_ON_VIEW_OR_TEMP_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TRG_ON_VIEW_OR_TEMP_TABLE = 1361"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L365_C0", "label": "TRG_CANT_CHANGE_ROW =", "type": "assigned_variable", "loc": [365, 365], "level": 0, "parent": null, "vector": [14, 0, 0.7733, 0.0021, 0, 0.66, 0.7723, 880, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TRG_CANT_CHANGE_ROW", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TRG_CANT_CHANGE_ROW = 1362"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L366_C0", "label": "TRG_NO_SUCH_ROW_IN_TRG =", "type": "assigned_variable", "loc": [366, 366], "level": 0, "parent": null, "vector": [14, 0, 0.7754, 0.0021, 0, 0.66, 0.7745, 538, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TRG_NO_SUCH_ROW_IN_TRG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TRG_NO_SUCH_ROW_IN_TRG = 1363"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L367_C0", "label": "NO_DEFAULT_FOR_FIELD =", "type": "assigned_variable", "loc": [367, 367], "level": 0, "parent": null, "vector": [14, 0, 0.7775, 0.0021, 0, 0.66, 0.7766, 204, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_DEFAULT_FOR_FIELD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_DEFAULT_FOR_FIELD = 1364"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L368_C0", "label": "DIVISION_BY_ZERO =", "type": "assigned_variable", "loc": [368, 368], "level": 0, "parent": null, "vector": [14, 0, 0.7797, 0.0021, 0, 0.66, 0.7787, 766, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DIVISION_BY_ZERO", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DIVISION_BY_ZERO = 1365"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L369_C0", "label": "TRUNCATED_WRONG_VALUE_FOR_FIELD =", "type": "assigned_variable", "loc": [369, 369], "level": 0, "parent": null, "vector": [14, 0, 0.7818, 0.0021, 0, 0.66, 0.7809, 915, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TRUNCATED_WRONG_VALUE_FOR_FIELD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TRUNCATED_WRONG_VALUE_FOR_FIELD = 1366"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L370_C0", "label": "ILLEGAL_VALUE_FOR_TYPE =", "type": "assigned_variable", "loc": [370, 370], "level": 0, "parent": null, "vector": [14, 0, 0.7839, 0.0021, 0, 0.66, 0.783, 582, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ILLEGAL_VALUE_FOR_TYPE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ILLEGAL_VALUE_FOR_TYPE = 1367"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L371_C0", "label": "VIEW_NONUPD_CHECK =", "type": "assigned_variable", "loc": [371, 371], "level": 0, "parent": null, "vector": [14, 0, 0.786, 0.0021, 0, 0.66, 0.7851, 276, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_NONUPD_CHECK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_NONUPD_CHECK = 1368"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L372_C0", "label": "VIEW_CHECK_FAILED =", "type": "assigned_variable", "loc": [372, 372], "level": 0, "parent": null, "vector": [14, 0, 0.7881, 0.0021, 0, 0.66, 0.7872, 896, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_CHECK_FAILED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_CHECK_FAILED = 1369"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L373_C0", "label": "PROCACCESS_DENIED_ERROR =", "type": "assigned_variable", "loc": [373, 373], "level": 0, "parent": null, "vector": [14, 0, 0.7903, 0.0021, 0, 0.66, 0.7894, 402, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PROCACCESS_DENIED_ERROR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PROCACCESS_DENIED_ERROR = 1370"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L374_C0", "label": "RELAY_LOG_FAIL =", "type": "assigned_variable", "loc": [374, 374], "level": 0, "parent": null, "vector": [14, 0, 0.7924, 0.0021, 0, 0.66, 0.7915, 703, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "RELAY_LOG_FAIL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "RELAY_LOG_FAIL = 1371"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L375_C0", "label": "PASSWD_LENGTH =", "type": "assigned_variable", "loc": [375, 375], "level": 0, "parent": null, "vector": [14, 0, 0.7945, 0.0021, 0, 0.66, 0.7936, 551, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PASSWD_LENGTH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PASSWD_LENGTH = 1372"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L376_C0", "label": "UNKNOWN_TARGET_BINLOG =", "type": "assigned_variable", "loc": [376, 376], "level": 0, "parent": null, "vector": [14, 0, 0.7966, 0.0021, 0, 0.66, 0.7957, 170, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNKNOWN_TARGET_BINLOG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNKNOWN_TARGET_BINLOG = 1373"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L377_C0", "label": "IO_ERR_LOG_INDEX_READ =", "type": "assigned_variable", "loc": [377, 377], "level": 0, "parent": null, "vector": [14, 0, 0.7987, 0.0021, 0, 0.66, 0.7979, 324, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "IO_ERR_LOG_INDEX_READ", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "IO_ERR_LOG_INDEX_READ = 1374"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L378_C0", "label": "BINLOG_PURGE_PROHIBITED =", "type": "assigned_variable", "loc": [378, 378], "level": 0, "parent": null, "vector": [14, 0, 0.8008, 0.0021, 0, 0.66, 0.8, 222, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BINLOG_PURGE_PROHIBITED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BINLOG_PURGE_PROHIBITED = 1375"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L379_C0", "label": "FSEEK_FAIL =", "type": "assigned_variable", "loc": [379, 379], "level": 0, "parent": null, "vector": [14, 0, 0.803, 0.0021, 0, 0.66, 0.8021, 866, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FSEEK_FAIL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FSEEK_FAIL = 1376"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L380_C0", "label": "BINLOG_PURGE_FATAL_ERR =", "type": "assigned_variable", "loc": [380, 380], "level": 0, "parent": null, "vector": [14, 0, 0.8051, 0.0021, 0, 0.66, 0.8043, 633, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BINLOG_PURGE_FATAL_ERR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BINLOG_PURGE_FATAL_ERR = 1377"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L381_C0", "label": "LOG_IN_USE =", "type": "assigned_variable", "loc": [381, 381], "level": 0, "parent": null, "vector": [14, 0, 0.8072, 0.0021, 0, 0.66, 0.8064, 768, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LOG_IN_USE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LOG_IN_USE = 1378"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L382_C0", "label": "LOG_PURGE_UNKNOWN_ERR =", "type": "assigned_variable", "loc": [382, 382], "level": 0, "parent": null, "vector": [14, 0, 0.8093, 0.0021, 0, 0.66, 0.8085, 746, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LOG_PURGE_UNKNOWN_ERR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LOG_PURGE_UNKNOWN_ERR = 1379"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L383_C0", "label": "RELAY_LOG_INIT =", "type": "assigned_variable", "loc": [383, 383], "level": 0, "parent": null, "vector": [14, 0, 0.8114, 0.0021, 0, 0.66, 0.8106, 223, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "RELAY_LOG_INIT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "RELAY_LOG_INIT = 1380"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L384_C0", "label": "NO_BINARY_LOGGING =", "type": "assigned_variable", "loc": [384, 384], "level": 0, "parent": null, "vector": [14, 0, 0.8136, 0.0021, 0, 0.66, 0.8128, 398, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_BINARY_LOGGING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_BINARY_LOGGING = 1381"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L385_C0", "label": "RESERVED_SYNTAX =", "type": "assigned_variable", "loc": [385, 385], "level": 0, "parent": null, "vector": [14, 0, 0.8157, 0.0021, 0, 0.66, 0.8149, 576, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "RESERVED_SYNTAX", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "RESERVED_SYNTAX = 1382"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L386_C0", "label": "WSAS_FAILED =", "type": "assigned_variable", "loc": [386, 386], "level": 0, "parent": null, "vector": [14, 0, 0.8178, 0.0021, 0, 0.66, 0.817, 428, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WSAS_FAILED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WSAS_FAILED = 1383"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L387_C0", "label": "DIFF_GROUPS_PROC =", "type": "assigned_variable", "loc": [387, 387], "level": 0, "parent": null, "vector": [14, 0, 0.8199, 0.0021, 0, 0.66, 0.8191, 82, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DIFF_GROUPS_PROC", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DIFF_GROUPS_PROC = 1384"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L388_C0", "label": "NO_GROUP_FOR_PROC =", "type": "assigned_variable", "loc": [388, 388], "level": 0, "parent": null, "vector": [14, 0, 0.822, 0.0021, 0, 0.66, 0.8213, 309, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_GROUP_FOR_PROC", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_GROUP_FOR_PROC = 1385"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L389_C0", "label": "ORDER_WITH_PROC =", "type": "assigned_variable", "loc": [389, 389], "level": 0, "parent": null, "vector": [14, 0, 0.8242, 0.0021, 0, 0.66, 0.8234, 333, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ORDER_WITH_PROC", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ORDER_WITH_PROC = 1386"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L390_C0", "label": "LOGGING_PROHIBIT_CHANGING_OF =", "type": "assigned_variable", "loc": [390, 390], "level": 0, "parent": null, "vector": [14, 0, 0.8263, 0.0021, 0, 0.66, 0.8255, 293, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LOGGING_PROHIBIT_CHANGING_OF", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LOGGING_PROHIBIT_CHANGING_OF = 1387"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L391_C0", "label": "NO_FILE_MAPPING =", "type": "assigned_variable", "loc": [391, 391], "level": 0, "parent": null, "vector": [14, 0, 0.8284, 0.0021, 0, 0.66, 0.8277, 19, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_FILE_MAPPING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_FILE_MAPPING = 1388"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L392_C0", "label": "WRONG_MAGIC =", "type": "assigned_variable", "loc": [392, 392], "level": 0, "parent": null, "vector": [14, 0, 0.8305, 0.0021, 0, 0.66, 0.8298, 266, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_MAGIC", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_MAGIC = 1389"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L393_C0", "label": "PS_MANY_PARAM =", "type": "assigned_variable", "loc": [393, 393], "level": 0, "parent": null, "vector": [14, 0, 0.8326, 0.0021, 0, 0.66, 0.8319, 699, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PS_MANY_PARAM", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PS_MANY_PARAM = 1390"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L394_C0", "label": "KEY_PART_0 =", "type": "assigned_variable", "loc": [394, 394], "level": 0, "parent": null, "vector": [14, 0, 0.8347, 0.0021, 0, 0.66, 0.834, 578, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "KEY_PART_0", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "KEY_PART_0 = 1391"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L395_C0", "label": "VIEW_CHECKSUM =", "type": "assigned_variable", "loc": [395, 395], "level": 0, "parent": null, "vector": [14, 0, 0.8369, 0.0021, 0, 0.66, 0.8362, 154, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_CHECKSUM", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_CHECKSUM = 1392"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L396_C0", "label": "VIEW_MULTIUPDATE =", "type": "assigned_variable", "loc": [396, 396], "level": 0, "parent": null, "vector": [14, 0, 0.839, 0.0021, 0, 0.66, 0.8383, 895, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_MULTIUPDATE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_MULTIUPDATE = 1393"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L397_C0", "label": "VIEW_NO_INSERT_FIELD_LIST =", "type": "assigned_variable", "loc": [397, 397], "level": 0, "parent": null, "vector": [14, 0, 0.8411, 0.0021, 0, 0.66, 0.8404, 533, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_NO_INSERT_FIELD_LIST", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_NO_INSERT_FIELD_LIST = 1394"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L398_C0", "label": "VIEW_DELETE_MERGE_VIEW =", "type": "assigned_variable", "loc": [398, 398], "level": 0, "parent": null, "vector": [14, 0, 0.8432, 0.0021, 0, 0.66, 0.8426, 744, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_DELETE_MERGE_VIEW", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_DELETE_MERGE_VIEW = 1395"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L399_C0", "label": "CANNOT_USER =", "type": "assigned_variable", "loc": [399, 399], "level": 0, "parent": null, "vector": [14, 0, 0.8453, 0.0021, 0, 0.66, 0.8447, 29, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANNOT_USER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANNOT_USER = 1396"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L400_C0", "label": "XAER_NOTA =", "type": "assigned_variable", "loc": [400, 400], "level": 0, "parent": null, "vector": [14, 0, 0.8475, 0.0021, 0, 0.66, 0.8468, 792, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "XAER_NOTA", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "XAER_NOTA = 1397"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L401_C0", "label": "XAER_INVAL =", "type": "assigned_variable", "loc": [401, 401], "level": 0, "parent": null, "vector": [14, 0, 0.8496, 0.0021, 0, 0.66, 0.8489, 370, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "XAER_INVAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "XAER_INVAL = 1398"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L402_C0", "label": "XAER_RMFAIL =", "type": "assigned_variable", "loc": [402, 402], "level": 0, "parent": null, "vector": [14, 0, 0.8517, 0.0021, 0, 0.66, 0.8511, 134, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "XAER_RMFAIL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "XAER_RMFAIL = 1399"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L403_C0", "label": "XAER_OUTSIDE =", "type": "assigned_variable", "loc": [403, 403], "level": 0, "parent": null, "vector": [14, 0, 0.8538, 0.0021, 0, 0.66, 0.8532, 608, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "XAER_OUTSIDE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "XAER_OUTSIDE = 1400"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L404_C0", "label": "XAER_RMERR =", "type": "assigned_variable", "loc": [404, 404], "level": 0, "parent": null, "vector": [14, 0, 0.8559, 0.0021, 0, 0.66, 0.8553, 783, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "XAER_RMERR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "XAER_RMERR = 1401"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L405_C0", "label": "XA_RBROLLBACK =", "type": "assigned_variable", "loc": [405, 405], "level": 0, "parent": null, "vector": [14, 0, 0.8581, 0.0021, 0, 0.66, 0.8574, 673, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "XA_RBROLLBACK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "XA_RBROLLBACK = 1402"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L406_C0", "label": "NONEXISTING_PROC_GRANT =", "type": "assigned_variable", "loc": [406, 406], "level": 0, "parent": null, "vector": [14, 0, 0.8602, 0.0021, 0, 0.66, 0.8596, 549, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NONEXISTING_PROC_GRANT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NONEXISTING_PROC_GRANT = 1403"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L407_C0", "label": "PROC_AUTO_GRANT_FAIL =", "type": "assigned_variable", "loc": [407, 407], "level": 0, "parent": null, "vector": [14, 0, 0.8623, 0.0021, 0, 0.66, 0.8617, 485, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PROC_AUTO_GRANT_FAIL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PROC_AUTO_GRANT_FAIL = 1404"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L408_C0", "label": "PROC_AUTO_REVOKE_FAIL =", "type": "assigned_variable", "loc": [408, 408], "level": 0, "parent": null, "vector": [14, 0, 0.8644, 0.0021, 0, 0.66, 0.8638, 193, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PROC_AUTO_REVOKE_FAIL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PROC_AUTO_REVOKE_FAIL = 1405"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L409_C0", "label": "DATA_TOO_LONG =", "type": "assigned_variable", "loc": [409, 409], "level": 0, "parent": null, "vector": [14, 0, 0.8665, 0.0021, 0, 0.66, 0.866, 170, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DATA_TOO_LONG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DATA_TOO_LONG = 1406"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L410_C0", "label": "SP_BAD_SQLSTATE =", "type": "assigned_variable", "loc": [410, 410], "level": 0, "parent": null, "vector": [14, 0, 0.8686, 0.0021, 0, 0.66, 0.8681, 427, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_BAD_SQLSTATE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_BAD_SQLSTATE = 1407"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L411_C0", "label": "STARTUP =", "type": "assigned_variable", "loc": [411, 411], "level": 0, "parent": null, "vector": [14, 0, 0.8708, 0.0021, 0, 0.66, 0.8702, 948, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "STARTUP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "STARTUP = 1408"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L412_C0", "label": "LOAD_FROM_FIXED_SIZE_ROWS_TO_VAR =", "type": "assigned_variable", "loc": [412, 412], "level": 0, "parent": null, "vector": [14, 0, 0.8729, 0.0021, 0, 0.66, 0.8723, 588, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LOAD_FROM_FIXED_SIZE_ROWS_TO_VAR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LOAD_FROM_FIXED_SIZE_ROWS_TO_VAR = 1409"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L413_C0", "label": "CANT_CREATE_USER_WITH_GRANT =", "type": "assigned_variable", "loc": [413, 413], "level": 0, "parent": null, "vector": [14, 0, 0.875, 0.0021, 0, 0.66, 0.8745, 261, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_CREATE_USER_WITH_GRANT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_CREATE_USER_WITH_GRANT = 1410"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L414_C0", "label": "WRONG_VALUE_FOR_TYPE =", "type": "assigned_variable", "loc": [414, 414], "level": 0, "parent": null, "vector": [14, 0, 0.8771, 0.0021, 0, 0.66, 0.8766, 883, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_VALUE_FOR_TYPE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_VALUE_FOR_TYPE = 1411"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L415_C0", "label": "TABLE_DEF_CHANGED =", "type": "assigned_variable", "loc": [415, 415], "level": 0, "parent": null, "vector": [14, 0, 0.8792, 0.0021, 0, 0.66, 0.8787, 319, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TABLE_DEF_CHANGED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TABLE_DEF_CHANGED = 1412"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L416_C0", "label": "SP_DUP_HANDLER =", "type": "assigned_variable", "loc": [416, 416], "level": 0, "parent": null, "vector": [14, 0, 0.8814, 0.0021, 0, 0.66, 0.8809, 783, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_DUP_HANDLER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_DUP_HANDLER = 1413"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L417_C0", "label": "SP_NOT_VAR_ARG =", "type": "assigned_variable", "loc": [417, 417], "level": 0, "parent": null, "vector": [14, 0, 0.8835, 0.0021, 0, 0.66, 0.883, 261, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_NOT_VAR_ARG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_NOT_VAR_ARG = 1414"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L418_C0", "label": "SP_NO_RETSET =", "type": "assigned_variable", "loc": [418, 418], "level": 0, "parent": null, "vector": [14, 0, 0.8856, 0.0021, 0, 0.66, 0.8851, 926, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_NO_RETSET", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_NO_RETSET = 1415"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L419_C0", "label": "CANT_CREATE_GEOMETRY_OBJECT =", "type": "assigned_variable", "loc": [419, 419], "level": 0, "parent": null, "vector": [14, 0, 0.8877, 0.0021, 0, 0.66, 0.8872, 683, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_CREATE_GEOMETRY_OBJECT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_CREATE_GEOMETRY_OBJECT = 1416"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L420_C0", "label": "FAILED_ROUTINE_BREAK_BINLOG =", "type": "assigned_variable", "loc": [420, 420], "level": 0, "parent": null, "vector": [14, 0, 0.8898, 0.0021, 0, 0.66, 0.8894, 839, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FAILED_ROUTINE_BREAK_BINLOG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FAILED_ROUTINE_BREAK_BINLOG = 1417"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L421_C0", "label": "BINLOG_UNSAFE_ROUTINE =", "type": "assigned_variable", "loc": [421, 421], "level": 0, "parent": null, "vector": [14, 0, 0.8919, 0.0021, 0, 0.66, 0.8915, 443, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BINLOG_UNSAFE_ROUTINE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BINLOG_UNSAFE_ROUTINE = 1418"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L422_C0", "label": "BINLOG_CREATE_ROUTINE_NEED_SUPER =", "type": "assigned_variable", "loc": [422, 422], "level": 0, "parent": null, "vector": [14, 0, 0.8941, 0.0021, 0, 0.66, 0.8936, 993, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BINLOG_CREATE_ROUTINE_NEED_SUPER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BINLOG_CREATE_ROUTINE_NEED_SUPER = 1419"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L423_C0", "label": "EXEC_STMT_WITH_OPEN_CURSOR =", "type": "assigned_variable", "loc": [423, 423], "level": 0, "parent": null, "vector": [14, 0, 0.8962, 0.0021, 0, 0.66, 0.8957, 735, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "EXEC_STMT_WITH_OPEN_CURSOR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "EXEC_STMT_WITH_OPEN_CURSOR = 1420"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L424_C0", "label": "STMT_HAS_NO_OPEN_CURSOR =", "type": "assigned_variable", "loc": [424, 424], "level": 0, "parent": null, "vector": [14, 0, 0.8983, 0.0021, 0, 0.66, 0.8979, 48, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "STMT_HAS_NO_OPEN_CURSOR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "STMT_HAS_NO_OPEN_CURSOR = 1421"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L425_C0", "label": "COMMIT_NOT_ALLOWED_IN_SF_OR_TRG =", "type": "assigned_variable", "loc": [425, 425], "level": 0, "parent": null, "vector": [14, 0, 0.9004, 0.0021, 0, 0.66, 0.9, 321, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COMMIT_NOT_ALLOWED_IN_SF_OR_TRG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COMMIT_NOT_ALLOWED_IN_SF_OR_TRG = 1422"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L426_C0", "label": "NO_DEFAULT_FOR_VIEW_FIELD =", "type": "assigned_variable", "loc": [426, 426], "level": 0, "parent": null, "vector": [14, 0, 0.9025, 0.0021, 0, 0.66, 0.9021, 340, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_DEFAULT_FOR_VIEW_FIELD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_DEFAULT_FOR_VIEW_FIELD = 1423"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L427_C0", "label": "SP_NO_RECURSION =", "type": "assigned_variable", "loc": [427, 427], "level": 0, "parent": null, "vector": [14, 0, 0.9047, 0.0021, 0, 0.66, 0.9043, 676, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_NO_RECURSION", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_NO_RECURSION = 1424"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L428_C0", "label": "TOO_BIG_SCALE =", "type": "assigned_variable", "loc": [428, 428], "level": 0, "parent": null, "vector": [14, 0, 0.9068, 0.0021, 0, 0.66, 0.9064, 462, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_BIG_SCALE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_BIG_SCALE = 1425"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L429_C0", "label": "TOO_BIG_PRECISION =", "type": "assigned_variable", "loc": [429, 429], "level": 0, "parent": null, "vector": [14, 0, 0.9089, 0.0021, 0, 0.66, 0.9085, 369, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_BIG_PRECISION", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_BIG_PRECISION = 1426"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L430_C0", "label": "M_BIGGER_THAN_D =", "type": "assigned_variable", "loc": [430, 430], "level": 0, "parent": null, "vector": [14, 0, 0.911, 0.0021, 0, 0.66, 0.9106, 915, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "M_BIGGER_THAN_D", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "M_BIGGER_THAN_D = 1427"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L431_C0", "label": "WRONG_LOCK_OF_SYSTEM_TABLE =", "type": "assigned_variable", "loc": [431, 431], "level": 0, "parent": null, "vector": [14, 0, 0.9131, 0.0021, 0, 0.66, 0.9128, 617, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_LOCK_OF_SYSTEM_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_LOCK_OF_SYSTEM_TABLE = 1428"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L432_C0", "label": "CONNECT_TO_FOREIGN_DATA_SOURCE =", "type": "assigned_variable", "loc": [432, 432], "level": 0, "parent": null, "vector": [14, 0, 0.9153, 0.0021, 0, 0.66, 0.9149, 519, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CONNECT_TO_FOREIGN_DATA_SOURCE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CONNECT_TO_FOREIGN_DATA_SOURCE = 1429"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L433_C0", "label": "QUERY_ON_FOREIGN_DATA_SOURCE =", "type": "assigned_variable", "loc": [433, 433], "level": 0, "parent": null, "vector": [14, 0, 0.9174, 0.0021, 0, 0.66, 0.917, 722, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "QUERY_ON_FOREIGN_DATA_SOURCE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "QUERY_ON_FOREIGN_DATA_SOURCE = 1430"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L434_C0", "label": "FOREIGN_DATA_SOURCE_DOESNT_EXIST =", "type": "assigned_variable", "loc": [434, 434], "level": 0, "parent": null, "vector": [14, 0, 0.9195, 0.0021, 0, 0.66, 0.9191, 909, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FOREIGN_DATA_SOURCE_DOESNT_EXIST", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FOREIGN_DATA_SOURCE_DOESNT_EXIST = 1431"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L435_C0", "label": "FOREIGN_DATA_STRING_INVALID_CANT_CREATE =", "type": "assigned_variable", "loc": [435, 435], "level": 0, "parent": null, "vector": [14, 0, 0.9216, 0.0021, 0, 0.66, 0.9213, 269, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FOREIGN_DATA_STRING_INVALID_CANT_CREATE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FOREIGN_DATA_STRING_INVALID_CANT_CREATE = 1432"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L436_C0", "label": "FOREIGN_DATA_STRING_INVALID =", "type": "assigned_variable", "loc": [436, 436], "level": 0, "parent": null, "vector": [14, 0, 0.9237, 0.0021, 0, 0.66, 0.9234, 720, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FOREIGN_DATA_STRING_INVALID", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FOREIGN_DATA_STRING_INVALID = 1433"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L437_C0", "label": "CANT_CREATE_FEDERATED_TABLE =", "type": "assigned_variable", "loc": [437, 437], "level": 0, "parent": null, "vector": [14, 0, 0.9258, 0.0021, 0, 0.66, 0.9255, 667, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_CREATE_FEDERATED_TABLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_CREATE_FEDERATED_TABLE = 1434"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L438_C0", "label": "TRG_IN_WRONG_SCHEMA =", "type": "assigned_variable", "loc": [438, 438], "level": 0, "parent": null, "vector": [14, 0, 0.928, 0.0021, 0, 0.66, 0.9277, 51, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TRG_IN_WRONG_SCHEMA", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TRG_IN_WRONG_SCHEMA = 1435"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L439_C0", "label": "STACK_OVERRUN_NEED_MORE =", "type": "assigned_variable", "loc": [439, 439], "level": 0, "parent": null, "vector": [14, 0, 0.9301, 0.0021, 0, 0.66, 0.9298, 117, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "STACK_OVERRUN_NEED_MORE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "STACK_OVERRUN_NEED_MORE = 1436"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L440_C0", "label": "TOO_LONG_BODY =", "type": "assigned_variable", "loc": [440, 440], "level": 0, "parent": null, "vector": [14, 0, 0.9322, 0.0021, 0, 0.66, 0.9319, 563, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_LONG_BODY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_LONG_BODY = 1437"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L441_C0", "label": "WARN_CANT_DROP_DEFAULT_KEYCACHE =", "type": "assigned_variable", "loc": [441, 441], "level": 0, "parent": null, "vector": [14, 0, 0.9343, 0.0021, 0, 0.66, 0.934, 300, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WARN_CANT_DROP_DEFAULT_KEYCACHE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WARN_CANT_DROP_DEFAULT_KEYCACHE = 1438"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L442_C0", "label": "TOO_BIG_DISPLAYWIDTH =", "type": "assigned_variable", "loc": [442, 442], "level": 0, "parent": null, "vector": [14, 0, 0.9364, 0.0021, 0, 0.66, 0.9362, 804, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TOO_BIG_DISPLAYWIDTH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TOO_BIG_DISPLAYWIDTH = 1439"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L443_C0", "label": "XAER_DUPID =", "type": "assigned_variable", "loc": [443, 443], "level": 0, "parent": null, "vector": [14, 0, 0.9386, 0.0021, 0, 0.66, 0.9383, 495, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "XAER_DUPID", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "XAER_DUPID = 1440"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L444_C0", "label": "DATETIME_FUNCTION_OVERFLOW =", "type": "assigned_variable", "loc": [444, 444], "level": 0, "parent": null, "vector": [14, 0, 0.9407, 0.0021, 0, 0.66, 0.9404, 170, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DATETIME_FUNCTION_OVERFLOW", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DATETIME_FUNCTION_OVERFLOW = 1441"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L445_C0", "label": "CANT_UPDATE_USED_TABLE_IN_SF_OR_TRG =", "type": "assigned_variable", "loc": [445, 445], "level": 0, "parent": null, "vector": [14, 0, 0.9428, 0.0021, 0, 0.66, 0.9426, 944, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CANT_UPDATE_USED_TABLE_IN_SF_OR_TRG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CANT_UPDATE_USED_TABLE_IN_SF_OR_TRG = 1442"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L446_C0", "label": "VIEW_PREVENT_UPDATE =", "type": "assigned_variable", "loc": [446, 446], "level": 0, "parent": null, "vector": [14, 0, 0.9449, 0.0021, 0, 0.66, 0.9447, 847, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_PREVENT_UPDATE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_PREVENT_UPDATE = 1443"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L447_C0", "label": "PS_NO_RECURSION =", "type": "assigned_variable", "loc": [447, 447], "level": 0, "parent": null, "vector": [14, 0, 0.947, 0.0021, 0, 0.66, 0.9468, 172, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PS_NO_RECURSION", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PS_NO_RECURSION = 1444"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L448_C0", "label": "SP_CANT_SET_AUTOCOMMIT =", "type": "assigned_variable", "loc": [448, 448], "level": 0, "parent": null, "vector": [14, 0, 0.9492, 0.0021, 0, 0.66, 0.9489, 285, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_CANT_SET_AUTOCOMMIT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_CANT_SET_AUTOCOMMIT = 1445"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L449_C0", "label": "MALFORMED_DEFINER =", "type": "assigned_variable", "loc": [449, 449], "level": 0, "parent": null, "vector": [14, 0, 0.9513, 0.0021, 0, 0.66, 0.9511, 583, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MALFORMED_DEFINER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MALFORMED_DEFINER = 1446"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L450_C0", "label": "VIEW_FRM_NO_USER =", "type": "assigned_variable", "loc": [450, 450], "level": 0, "parent": null, "vector": [14, 0, 0.9534, 0.0021, 0, 0.66, 0.9532, 901, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_FRM_NO_USER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_FRM_NO_USER = 1447"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L451_C0", "label": "VIEW_OTHER_USER =", "type": "assigned_variable", "loc": [451, 451], "level": 0, "parent": null, "vector": [14, 0, 0.9555, 0.0021, 0, 0.66, 0.9553, 331, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_OTHER_USER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_OTHER_USER = 1448"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L452_C0", "label": "NO_SUCH_USER =", "type": "assigned_variable", "loc": [452, 452], "level": 0, "parent": null, "vector": [14, 0, 0.9576, 0.0021, 0, 0.66, 0.9574, 572, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_SUCH_USER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_SUCH_USER = 1449"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L453_C0", "label": "FORBID_SCHEMA_CHANGE =", "type": "assigned_variable", "loc": [453, 453], "level": 0, "parent": null, "vector": [14, 0, 0.9597, 0.0021, 0, 0.66, 0.9596, 203, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FORBID_SCHEMA_CHANGE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FORBID_SCHEMA_CHANGE = 1450"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L454_C0", "label": "ROW_IS_REFERENCED_2 =", "type": "assigned_variable", "loc": [454, 454], "level": 0, "parent": null, "vector": [14, 0, 0.9619, 0.0021, 0, 0.66, 0.9617, 835, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ROW_IS_REFERENCED_2", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ROW_IS_REFERENCED_2 = 1451"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L455_C0", "label": "NO_REFERENCED_ROW_2 =", "type": "assigned_variable", "loc": [455, 455], "level": 0, "parent": null, "vector": [14, 0, 0.964, 0.0021, 0, 0.66, 0.9638, 725, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_REFERENCED_ROW_2", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_REFERENCED_ROW_2 = 1452"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L456_C0", "label": "SP_BAD_VAR_SHADOW =", "type": "assigned_variable", "loc": [456, 456], "level": 0, "parent": null, "vector": [14, 0, 0.9661, 0.0021, 0, 0.66, 0.966, 190, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_BAD_VAR_SHADOW", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_BAD_VAR_SHADOW = 1453"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L457_C0", "label": "TRG_NO_DEFINER =", "type": "assigned_variable", "loc": [457, 457], "level": 0, "parent": null, "vector": [14, 0, 0.9682, 0.0021, 0, 0.66, 0.9681, 6, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TRG_NO_DEFINER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TRG_NO_DEFINER = 1454"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L458_C0", "label": "OLD_FILE_FORMAT =", "type": "assigned_variable", "loc": [458, 458], "level": 0, "parent": null, "vector": [14, 0, 0.9703, 0.0021, 0, 0.66, 0.9702, 749, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "OLD_FILE_FORMAT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "OLD_FILE_FORMAT = 1455"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L459_C0", "label": "SP_RECURSION_LIMIT =", "type": "assigned_variable", "loc": [459, 459], "level": 0, "parent": null, "vector": [14, 0, 0.9725, 0.0021, 0, 0.66, 0.9723, 384, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_RECURSION_LIMIT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_RECURSION_LIMIT = 1456"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L460_C0", "label": "SP_PROC_TABLE_CORRUPT =", "type": "assigned_variable", "loc": [460, 460], "level": 0, "parent": null, "vector": [14, 0, 0.9746, 0.0021, 0, 0.66, 0.9745, 560, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_PROC_TABLE_CORRUPT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_PROC_TABLE_CORRUPT = 1457"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L461_C0", "label": "SP_WRONG_NAME =", "type": "assigned_variable", "loc": [461, 461], "level": 0, "parent": null, "vector": [14, 0, 0.9767, 0.0021, 0, 0.66, 0.9766, 403, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_WRONG_NAME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_WRONG_NAME = 1458"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L462_C0", "label": "TABLE_NEEDS_UPGRADE =", "type": "assigned_variable", "loc": [462, 462], "level": 0, "parent": null, "vector": [14, 0, 0.9788, 0.0021, 0, 0.66, 0.9787, 424, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TABLE_NEEDS_UPGRADE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TABLE_NEEDS_UPGRADE = 1459"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L463_C0", "label": "SP_NO_AGGREGATE =", "type": "assigned_variable", "loc": [463, 463], "level": 0, "parent": null, "vector": [14, 0, 0.9809, 0.0021, 0, 0.66, 0.9809, 518, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SP_NO_AGGREGATE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SP_NO_AGGREGATE = 1460"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L464_C0", "label": "MAX_PREPARED_STMT_COUNT_REACHED =", "type": "assigned_variable", "loc": [464, 464], "level": 0, "parent": null, "vector": [14, 0, 0.9831, 0.0021, 0, 0.66, 0.983, 831, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MAX_PREPARED_STMT_COUNT_REACHED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MAX_PREPARED_STMT_COUNT_REACHED = 1461"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L465_C0", "label": "VIEW_RECURSIVE =", "type": "assigned_variable", "loc": [465, 465], "level": 0, "parent": null, "vector": [14, 0, 0.9852, 0.0021, 0, 0.66, 0.9851, 723, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VIEW_RECURSIVE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "VIEW_RECURSIVE = 1462"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L466_C0", "label": "NON_GROUPING_FIELD_USED =", "type": "assigned_variable", "loc": [466, 466], "level": 0, "parent": null, "vector": [14, 0, 0.9873, 0.0021, 0, 0.66, 0.9872, 401, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NON_GROUPING_FIELD_USED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NON_GROUPING_FIELD_USED = 1463"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L467_C0", "label": "TABLE_CANT_HANDLE_SPKEYS =", "type": "assigned_variable", "loc": [467, 467], "level": 0, "parent": null, "vector": [14, 0, 0.9894, 0.0021, 0, 0.66, 0.9894, 334, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TABLE_CANT_HANDLE_SPKEYS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TABLE_CANT_HANDLE_SPKEYS = 1464"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L468_C0", "label": "NO_TRIGGERS_ON_SYSTEM_SCHEMA =", "type": "assigned_variable", "loc": [468, 468], "level": 0, "parent": null, "vector": [14, 0, 0.9915, 0.0021, 0, 0.66, 0.9915, 873, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_TRIGGERS_ON_SYSTEM_SCHEMA", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_TRIGGERS_ON_SYSTEM_SCHEMA = 1465"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L469_C0", "label": "USERNAME =", "type": "assigned_variable", "loc": [469, 469], "level": 0, "parent": null, "vector": [14, 0, 0.9936, 0.0021, 0, 0.66, 0.9936, 157, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "USERNAME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "USERNAME = 1466"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L470_C0", "label": "HOSTNAME =", "type": "assigned_variable", "loc": [470, 470], "level": 0, "parent": null, "vector": [14, 0, 0.9958, 0.0021, 0, 0.66, 0.9957, 400, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "HOSTNAME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "HOSTNAME = 1467"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L471_C0", "label": "WRONG_STRING_LENGTH =", "type": "assigned_variable", "loc": [471, 471], "level": 0, "parent": null, "vector": [14, 0, 0.9979, 0.0021, 0, 0.66, 0.9979, 328, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRONG_STRING_LENGTH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "WRONG_STRING_LENGTH = 1468"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_536:Assign_L472_C0", "label": "ERROR_LAST =", "type": "assigned_variable", "loc": [472, 472], "level": 0, "parent": null, "vector": [14, 0, 1.0, 0.0021, 0, 0.66, 1.0, 320, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ERROR_LAST", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ERROR_LAST = 1468"}]
[]
SERVER_STATUS_IN_TRANS = 1 SERVER_STATUS_AUTOCOMMIT = 2 SERVER_MORE_RESULTS_EXISTS = 8 SERVER_QUERY_NO_GOOD_INDEX_USED = 16 SERVER_QUERY_NO_INDEX_USED = 32 SERVER_STATUS_CURSOR_EXISTS = 64 SERVER_STATUS_LAST_ROW_SENT = 128 SERVER_STATUS_DB_DROPPED = 256 SERVER_STATUS_NO_BACKSLASH_ESCAPES = 512 SERVER_STATUS_METADATA_CHANGED = 1024
ajibawa-2023/Python-Code-Large/train/row_537
10
12
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_537:Assign_L2_C0", "label": "SERVER_STATUS_IN_TRANS =", "type": "assigned_variable", "loc": [2, 2], "level": 0, "parent": null, "vector": [14, 0, 0.1667, 0.0833, 0, 0.66, 0.0, 869, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SERVER_STATUS_IN_TRANS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SERVER_STATUS_IN_TRANS = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_537:Assign_L3_C0", "label": "SERVER_STATUS_AUTOCOMMIT =", "type": "assigned_variable", "loc": [3, 3], "level": 0, "parent": null, "vector": [14, 0, 0.25, 0.0833, 0, 0.66, 0.1111, 540, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SERVER_STATUS_AUTOCOMMIT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SERVER_STATUS_AUTOCOMMIT = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_537:Assign_L4_C0", "label": "SERVER_MORE_RESULTS_EXISTS =", "type": "assigned_variable", "loc": [4, 4], "level": 0, "parent": null, "vector": [14, 0, 0.3333, 0.0833, 0, 0.66, 0.2222, 674, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SERVER_MORE_RESULTS_EXISTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SERVER_MORE_RESULTS_EXISTS = 8"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_537:Assign_L5_C0", "label": "SERVER_QUERY_NO_GOOD_INDEX_USED =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.4167, 0.0833, 0, 0.66, 0.3333, 174, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SERVER_QUERY_NO_GOOD_INDEX_USED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SERVER_QUERY_NO_GOOD_INDEX_USED = 16"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_537:Assign_L6_C0", "label": "SERVER_QUERY_NO_INDEX_USED =", "type": "assigned_variable", "loc": [6, 6], "level": 0, "parent": null, "vector": [14, 0, 0.5, 0.0833, 0, 0.66, 0.4444, 234, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SERVER_QUERY_NO_INDEX_USED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SERVER_QUERY_NO_INDEX_USED = 32"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_537:Assign_L7_C0", "label": "SERVER_STATUS_CURSOR_EXISTS =", "type": "assigned_variable", "loc": [7, 7], "level": 0, "parent": null, "vector": [14, 0, 0.5833, 0.0833, 0, 0.66, 0.5556, 964, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SERVER_STATUS_CURSOR_EXISTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SERVER_STATUS_CURSOR_EXISTS = 64"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_537:Assign_L8_C0", "label": "SERVER_STATUS_LAST_ROW_SENT =", "type": "assigned_variable", "loc": [8, 8], "level": 0, "parent": null, "vector": [14, 0, 0.6667, 0.0833, 0, 0.66, 0.6667, 590, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SERVER_STATUS_LAST_ROW_SENT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SERVER_STATUS_LAST_ROW_SENT = 128"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_537:Assign_L9_C0", "label": "SERVER_STATUS_DB_DROPPED =", "type": "assigned_variable", "loc": [9, 9], "level": 0, "parent": null, "vector": [14, 0, 0.75, 0.0833, 0, 0.66, 0.7778, 531, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SERVER_STATUS_DB_DROPPED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SERVER_STATUS_DB_DROPPED = 256"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_537:Assign_L10_C0", "label": "SERVER_STATUS_NO_BACKSLASH_ESCAPES =", "type": "assigned_variable", "loc": [10, 10], "level": 0, "parent": null, "vector": [14, 0, 0.8333, 0.0833, 0, 0.66, 0.8889, 650, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SERVER_STATUS_NO_BACKSLASH_ESCAPES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SERVER_STATUS_NO_BACKSLASH_ESCAPES = 512"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_537:Assign_L11_C0", "label": "SERVER_STATUS_METADATA_CHANGED =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.9167, 0.0833, 0, 0.66, 1.0, 22, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SERVER_STATUS_METADATA_CHANGED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SERVER_STATUS_METADATA_CHANGED = 1024"}]
[]
LONG_PASSWORD = 1 FOUND_ROWS = 1 << 1 LONG_FLAG = 1 << 2 CONNECT_WITH_DB = 1 << 3 NO_SCHEMA = 1 << 4 COMPRESS = 1 << 5 ODBC = 1 << 6 LOCAL_FILES = 1 << 7 IGNORE_SPACE = 1 << 8 PROTOCOL_41 = 1 << 9 INTERACTIVE = 1 << 10 SSL = 1 << 11 IGNORE_SIGPIPE = 1 << 12 TRANSACTIONS = 1 << 13 SECURE_CONNECTION = 1 << 15 MULTI_STATEMENTS = 1 << 16 MULTI_RESULTS = 1 << 17 CAPABILITIES = LONG_PASSWORD|LONG_FLAG|TRANSACTIONS| \ PROTOCOL_41|SECURE_CONNECTION
ajibawa-2023/Python-Code-Large/train/row_538
18
20
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L2_C0", "label": "LONG_PASSWORD =", "type": "assigned_variable", "loc": [2, 2], "level": 0, "parent": null, "vector": [14, 0, 0.1, 0.05, 0, 0.66, 0.0, 65, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LONG_PASSWORD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LONG_PASSWORD = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L3_C0", "label": "FOUND_ROWS =", "type": "assigned_variable", "loc": [3, 3], "level": 0, "parent": null, "vector": [14, 0, 0.15, 0.05, 0, 0.66, 0.0588, 129, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "FOUND_ROWS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FOUND_ROWS = 1 << 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L4_C0", "label": "LONG_FLAG =", "type": "assigned_variable", "loc": [4, 4], "level": 0, "parent": null, "vector": [14, 0, 0.2, 0.05, 0, 0.66, 0.1176, 984, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "LONG_FLAG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LONG_FLAG = 1 << 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L5_C0", "label": "CONNECT_WITH_DB =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.25, 0.05, 0, 0.66, 0.1765, 656, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "CONNECT_WITH_DB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CONNECT_WITH_DB = 1 << 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L6_C0", "label": "NO_SCHEMA =", "type": "assigned_variable", "loc": [6, 6], "level": 0, "parent": null, "vector": [14, 0, 0.3, 0.05, 0, 0.66, 0.2353, 445, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "NO_SCHEMA", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NO_SCHEMA = 1 << 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L7_C0", "label": "COMPRESS =", "type": "assigned_variable", "loc": [7, 7], "level": 0, "parent": null, "vector": [14, 0, 0.35, 0.05, 0, 0.66, 0.2941, 328, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "COMPRESS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "COMPRESS = 1 << 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L8_C0", "label": "ODBC =", "type": "assigned_variable", "loc": [8, 8], "level": 0, "parent": null, "vector": [14, 0, 0.4, 0.05, 0, 0.66, 0.3529, 442, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ODBC", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ODBC = 1 << 6"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L9_C0", "label": "LOCAL_FILES =", "type": "assigned_variable", "loc": [9, 9], "level": 0, "parent": null, "vector": [14, 0, 0.45, 0.05, 0, 0.66, 0.4118, 375, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "LOCAL_FILES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "LOCAL_FILES = 1 << 7"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L10_C0", "label": "IGNORE_SPACE =", "type": "assigned_variable", "loc": [10, 10], "level": 0, "parent": null, "vector": [14, 0, 0.5, 0.05, 0, 0.66, 0.4706, 201, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "IGNORE_SPACE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "IGNORE_SPACE = 1 << 8"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L11_C0", "label": "PROTOCOL_41 =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.55, 0.05, 0, 0.66, 0.5294, 230, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "PROTOCOL_41", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PROTOCOL_41 = 1 << 9"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L12_C0", "label": "INTERACTIVE =", "type": "assigned_variable", "loc": [12, 12], "level": 0, "parent": null, "vector": [14, 0, 0.6, 0.05, 0, 0.66, 0.5882, 29, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "INTERACTIVE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "INTERACTIVE = 1 << 10"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L13_C0", "label": "SSL =", "type": "assigned_variable", "loc": [13, 13], "level": 0, "parent": null, "vector": [14, 0, 0.65, 0.05, 0, 0.66, 0.6471, 742, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "SSL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SSL = 1 << 11"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L14_C0", "label": "IGNORE_SIGPIPE =", "type": "assigned_variable", "loc": [14, 14], "level": 0, "parent": null, "vector": [14, 0, 0.7, 0.05, 0, 0.66, 0.7059, 445, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "IGNORE_SIGPIPE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "IGNORE_SIGPIPE = 1 << 12"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L15_C0", "label": "TRANSACTIONS =", "type": "assigned_variable", "loc": [15, 15], "level": 0, "parent": null, "vector": [14, 0, 0.75, 0.05, 0, 0.66, 0.7647, 807, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "TRANSACTIONS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TRANSACTIONS = 1 << 13"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L16_C0", "label": "SECURE_CONNECTION =", "type": "assigned_variable", "loc": [16, 16], "level": 0, "parent": null, "vector": [14, 0, 0.8, 0.05, 0, 0.66, 0.8235, 740, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "SECURE_CONNECTION", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SECURE_CONNECTION = 1 << 15"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L17_C0", "label": "MULTI_STATEMENTS =", "type": "assigned_variable", "loc": [17, 17], "level": 0, "parent": null, "vector": [14, 0, 0.85, 0.05, 0, 0.66, 0.8824, 909, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "MULTI_STATEMENTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MULTI_STATEMENTS = 1 << 16"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L18_C0", "label": "MULTI_RESULTS =", "type": "assigned_variable", "loc": [18, 18], "level": 0, "parent": null, "vector": [14, 0, 0.9, 0.05, 0, 0.66, 0.9412, 306, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "MULTI_RESULTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MULTI_RESULTS = 1 << 17"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_538:Assign_L19_C0", "label": "CAPABILITIES =", "type": "assigned_variable", "loc": [19, 20], "level": 0, "parent": null, "vector": [14, 0, 0.975, 0.1, 0, 0.66, 1.0, 43, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "CAPABILITIES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CAPABILITIES = LONG_PASSWORD|LONG_FLAG|TRANSACTIONS| \\\n PROTOCOL_41|SECURE_CONNECTION"}]
[]
from gluon.contrib.memcache.memcache import Client from gluon.cache import CacheAbstract import time """ examle of usage: cache.memcache = MemcacheClient(request,[127.0.0.1:11211],debug=true) """ import cPickle as pickle import thread from gluon import current DEFAULT_TIME_EXPIRE = 300 # seconds (must be the same as cache.ram) def MemcacheClient(*a, **b): if not hasattr(current,'__mc_instance'): current.__memcache_client = MemcacheClientObj(*a, **b) return current.__memcache_client class MemcacheClientObj(Client): meta_storage = {} max_time_expire = 24*3600 def __init__(self, request, servers, debug=0, pickleProtocol=0, pickler=pickle.Pickler, unpickler=pickle.Unpickler, pload=None, pid=None, default_time_expire = DEFAULT_TIME_EXPIRE): self.request=request self.default_time_expire = default_time_expire if request: app = request.application else: app = '' Client.__init__(self, servers, debug, pickleProtocol, pickler, unpickler, pload, pid) if not app in self.meta_storage: self.storage = self.meta_storage[app] = { CacheAbstract.cache_stats_name: { 'hit_total': 0, 'misses': 0, }} else: self.storage = self.meta_storage[app] def __call__(self, key, f, time_expire = 'default'): if time_expire == 'default': time_expire = self.default_time_expire if time_expire == None: time_expire = self.max_time_expire # this must be commented because get and set are redefined # key = self.__keyFormat__(key) now = time.time() value = None if f is None: # force deletion of value self.delete(key) return None elif time_expire==0: # value forced expired item = None # value to be computed else: item = self.get(key) if item: if not isinstance(item,(list,tuple)): value = item elif (item[0] < now - time_expire): # value expired item = None # value to be computed else: value = item[1] if not item: value = f() self.set(key, (now,value), self.max_time_expire) return value def increment(self, key, value=1, time_expire='default'): """ time_expire is ignored """ if time_expire == 'default': time_expire = self.default_time_expire newKey = self.__keyFormat__(key) obj = Client.get(self, newKey) if obj: if isinstance(obj,(int,float,long)): return Client.incr(self, newKey, value) else: value += obj[1] Client.set(self,newKey,(time.time(),value), self.max_time_expire) return value else: Client.set(self, newKey, value, self.max_time_expire) return value def set(self, key, value, time_expire='default'): if time_expire == 'default': time_expire = self.default_time_expire newKey = self.__keyFormat__(key) return Client.set(self, newKey, value, time_expire) def get(self, key): newKey = self.__keyFormat__(key) return Client.get(self, newKey) def delete(self, key): newKey = self.__keyFormat__(key) return Client.delete(self, newKey) def __keyFormat__(self, key): return '%s/%s' % (self.request.application, key.replace(' ', '_'))
ajibawa-2023/Python-Code-Large/train/row_540
74
111
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_540:ImportFrom_L1_C0", "label": "from gluon.contrib.memcache.memcache import Client", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.009, 0.009, 0, 0.66, 0.0, 698, 0, 1, 0, 0, 698, 0, 0], "semantic": {"name": "gluon.contrib.memcache.memcache", "arg_names": [], "import_names": ["Client"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon.contrib.memcache.memcache import Client"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:ImportFrom_L2_C0", "label": "from gluon.cache import CacheAbstract", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.018, 0.009, 0, 0.66, 0.1111, 38, 0, 1, 0, 0, 38, 0, 0], "semantic": {"name": "gluon.cache", "arg_names": [], "import_names": ["CacheAbstract"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon.cache import CacheAbstract"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Import_L3_C0", "label": "time import time", "type": "import", "loc": [3, 3], "level": 0, "parent": null, "vector": [1, 0, 0.027, 0.009, 0, 0.66, 0.2222, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["time"], "rhs_call_name": "", "annotation": ""}, "snippet": "import time"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L5_C0", "label": "expression", "type": "expression", "loc": [5, 9], "level": 0, "parent": null, "vector": [8, 0, 0.0631, 0.045, 0, 0.66, 0.3333, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nexamle of usage:\n\ncache.memcache = MemcacheClient(request,[127.0.0.1:11211],debug=true)\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Import_L11_C0", "label": "cPickle import pickle", "type": "import", "loc": [11, 11], "level": 0, "parent": null, "vector": [1, 0, 0.0991, 0.009, 0, 0.66, 0.4444, 279, 0, 1, 0, 0, 279, 0, 0], "semantic": {"name": "cPickle", "arg_names": [], "import_names": ["pickle"], "rhs_call_name": "", "annotation": ""}, "snippet": "import cPickle as pickle"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Import_L12_C0", "label": "thread import thread", "type": "import", "loc": [12, 12], "level": 0, "parent": null, "vector": [1, 0, 0.1081, 0.009, 0, 0.66, 0.5556, 260, 0, 1, 0, 0, 260, 0, 0], "semantic": {"name": "thread", "arg_names": [], "import_names": ["thread"], "rhs_call_name": "", "annotation": ""}, "snippet": "import thread"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:ImportFrom_L13_C0", "label": "from gluon import current", "type": "import", "loc": [13, 13], "level": 0, "parent": null, "vector": [1, 0, 0.1171, 0.009, 0, 0.66, 0.6667, 826, 0, 1, 0, 0, 826, 0, 0], "semantic": {"name": "gluon", "arg_names": [], "import_names": ["current"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon import current"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L15_C0", "label": "DEFAULT_TIME_EXPIRE =", "type": "assigned_variable", "loc": [15, 15], "level": 0, "parent": null, "vector": [14, 0, 0.1351, 0.009, 0, 0.66, 0.7778, 209, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DEFAULT_TIME_EXPIRE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DEFAULT_TIME_EXPIRE = 300 # seconds (must be the same as cache.ram)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L17_C0", "label": "MemcacheClient", "type": "function", "loc": [17, 20], "level": 0, "parent": null, "vector": [2, 0, 0.1667, 0.036, 0, 0.66, 0.8889, 121, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "MemcacheClient", "arg_names": ["a", "b"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def MemcacheClient(*a, **b):\n if not hasattr(current,'__mc_instance'):\n current.__memcache_client = MemcacheClientObj(*a, **b)\n return current.__memcache_client"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L18_C4", "label": "if", "type": "if", "loc": [18, 19], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L17_C0", "vector": [4, 1, 0.1667, 0.018, 1, 0.01, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not hasattr(current,'__mc_instance'):\n current.__memcache_client = MemcacheClientObj(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L19_C8", "label": "current.__memcache_client = MemcacheClientObj()", "type": "assigned_variable", "loc": [19, 19], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L18_C4", "vector": [14, 2, 0.1712, 0.009, 2, 0.23, 0.0, 888, 3, 2, 0, 0, 506, 10, 1], "semantic": {"name": "current.__memcache_client", "arg_names": [], "import_names": [], "rhs_call_name": "MemcacheClientObj", "annotation": ""}, "snippet": " current.__memcache_client = MemcacheClientObj(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L20_C4", "label": "return", "type": "return", "loc": [20, 20], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L17_C0", "vector": [13, 1, 0.1802, 0.009, 1, 0.01, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return current.__memcache_client"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "label": "MemcacheClientObj", "type": "class", "loc": [22, 109], "level": 0, "parent": null, "vector": [3, 0, 0.5901, 0.7928, 0, 0.66, 1.0, 506, 0, 7, 0, 0, 412, 0, 21], "semantic": {"name": "MemcacheClientObj", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class MemcacheClientObj(Client):\n\n meta_storage = {}\n max_time_expire = 24*3600\n\n def __init__(self, request, servers, debug=0, pickleProtocol=0,\n pickler=pickle.Pickler, unpickler=pickle.Unpickler,\n pload=None, pid=None,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L24_C4", "label": "meta_storage =", "type": "assigned_variable", "loc": [24, 24], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "vector": [14, 1, 0.2162, 0.009, 1, 0.37, 0.0, 397, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "meta_storage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " meta_storage = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L25_C4", "label": "max_time_expire =", "type": "assigned_variable", "loc": [25, 25], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "vector": [14, 1, 0.2252, 0.009, 1, 0.37, 0.125, 453, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "max_time_expire", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " max_time_expire = 24*3600"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L27_C4", "label": "__init__", "type": "function", "loc": [27, 46], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "vector": [2, 1, 0.3288, 0.1802, 1, 0.37, 0.25, 555, 0, 10, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "request", "servers", "debug", "pickleProtocol", "pickler", "unpickler", "pload", "pid", "default_time_expire"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, request, servers, debug=0, pickleProtocol=0,\n pickler=pickle.Pickler, unpickler=pickle.Unpickler,\n pload=None, pid=None,\n default_time_expire = DEFAULT_TIME_EXPIRE):\n self.request=request\n self.default_time_expire = default_time_expire\n if request:\n app = request.application"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L31_C8", "label": "self.request =", "type": "assigned_variable", "loc": [31, 31], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L27_C4", "vector": [14, 2, 0.2793, 0.009, 2, 0.4, 0.0, 952, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.request", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.request=request"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L32_C8", "label": "self.default_time_expire =", "type": "assigned_variable", "loc": [32, 32], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L27_C4", "vector": [14, 2, 0.2883, 0.009, 2, 0.4, 0.25, 746, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.default_time_expire", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.default_time_expire = default_time_expire"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L33_C8", "label": "if", "type": "if", "loc": [33, 36], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L27_C4", "vector": [4, 2, 0.3108, 0.036, 2, 0.4, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if request:\n app = request.application\n else:\n app = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L34_C12", "label": "app =", "type": "assigned_variable", "loc": [34, 34], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L33_C8", "vector": [14, 3, 0.3063, 0.009, 3, 0.89, 0.0, 494, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "app", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " app = request.application"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L36_C12", "label": "app =", "type": "assigned_variable", "loc": [36, 36], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L33_C8", "vector": [14, 3, 0.3243, 0.009, 3, 0.89, 1.0, 494, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "app", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " app = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L37_C8", "label": "__init__()", "type": "expression", "loc": [37, 38], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L27_C4", "vector": [8, 2, 0.3378, 0.018, 2, 0.4, 0.75, 555, 3, 8, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " Client.__init__(self, servers, debug, pickleProtocol,\n pickler, unpickler, pload, pid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L39_C8", "label": "if", "type": "if", "loc": [39, 46], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L27_C4", "vector": [4, 2, 0.3829, 0.0721, 2, 0.4, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not app in self.meta_storage:\n self.storage = self.meta_storage[app] = {\n CacheAbstract.cache_stats_name: {\n 'hit_total': 0,\n 'misses': 0,\n }}\n else:\n self.storage = self.meta_storage[app]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L40_C12", "label": "self.storage =", "type": "assigned_variable", "loc": [40, 44], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L39_C8", "vector": [14, 3, 0.3784, 0.045, 3, 0.25, 0.0, 956, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.storage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.storage = self.meta_storage[app] = {\n CacheAbstract.cache_stats_name: {\n 'hit_total': 0,\n 'misses': 0,\n }}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L46_C12", "label": "self.storage =", "type": "assigned_variable", "loc": [46, 46], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L39_C8", "vector": [14, 3, 0.4144, 0.009, 3, 0.25, 1.0, 956, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.storage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.storage = self.meta_storage[app]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "label": "__call__", "type": "function", "loc": [48, 74], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "vector": [2, 1, 0.5495, 0.2432, 1, 0.37, 0.375, 319, 0, 4, 1, 0, 0, 0, 6], "semantic": {"name": "__call__", "arg_names": ["self", "key", "f", "time_expire"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __call__(self, key, f, time_expire = 'default'):\n if time_expire == 'default':\n time_expire = self.default_time_expire\n if time_expire == None:\n time_expire = self.max_time_expire\n # this must be commented because get and set are redefined\n # key = self.__keyFormat__(key)\n now = time.time() "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L49_C8", "label": "if", "type": "if", "loc": [49, 50], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "vector": [4, 2, 0.4459, 0.018, 2, 0.27, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if time_expire == 'default':\n time_expire = self.default_time_expire"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L50_C12", "label": "time_expire =", "type": "assigned_variable", "loc": [50, 50], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L49_C8", "vector": [14, 3, 0.4505, 0.009, 3, 0.57, 0.0, 468, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "time_expire", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " time_expire = self.default_time_expire"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L51_C8", "label": "if", "type": "if", "loc": [51, 52], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "vector": [4, 2, 0.464, 0.018, 2, 0.27, 0.1667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if time_expire == None:\n time_expire = self.max_time_expire"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L52_C12", "label": "time_expire =", "type": "assigned_variable", "loc": [52, 52], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L51_C8", "vector": [14, 3, 0.4685, 0.009, 3, 0.73, 0.0, 468, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "time_expire", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " time_expire = self.max_time_expire"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L55_C8", "label": "now = time()", "type": "assigned_variable", "loc": [55, 55], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "vector": [14, 2, 0.4955, 0.009, 2, 0.27, 0.3333, 894, 3, 0, 0, 0, 654, 10, 1], "semantic": {"name": "now", "arg_names": [], "import_names": [], "rhs_call_name": "time", "annotation": ""}, "snippet": " now = time.time() "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L56_C8", "label": "value =", "type": "assigned_variable", "loc": [56, 56], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "vector": [14, 2, 0.5045, 0.009, 2, 0.27, 0.5, 441, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L57_C8", "label": "if", "type": "if", "loc": [57, 70], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "vector": [4, 2, 0.5721, 0.1261, 2, 0.27, 0.6667, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if f is None: # force deletion of value\n self.delete(key)\n return None\n elif time_expire==0: # value forced expired\n item = None # value to be computed\n else:\n item = self.get(key)\n if item:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L58_C12", "label": "delete()", "type": "expression", "loc": [58, 58], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L57_C8", "vector": [8, 3, 0.5225, 0.009, 3, 0.26, 0.0, 266, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "delete", "arg_names": [], "import_names": [], "rhs_call_name": "delete", "annotation": ""}, "snippet": " self.delete(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L59_C12", "label": "return", "type": "return", "loc": [59, 59], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L57_C8", "vector": [13, 3, 0.5315, 0.009, 3, 0.26, 0.5, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L60_C8", "label": "if", "type": "if", "loc": [60, 70], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L57_C8", "vector": [4, 3, 0.5856, 0.0991, 3, 0.26, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif time_expire==0: # value forced expired\n item = None # value to be computed\n else:\n item = self.get(key)\n if item:\n if not isinstance(item,(list,tuple)):\n value = item\n elif (item[0] < now - time_expire): # value expired"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L61_C12", "label": "item =", "type": "assigned_variable", "loc": [61, 61], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L60_C8", "vector": [14, 4, 0.5495, 0.009, 4, 0.59, 0.0, 434, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "item", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " item = None # value to be computed"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L63_C12", "label": "item = get()", "type": "assigned_variable", "loc": [63, 63], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L60_C8", "vector": [14, 4, 0.5676, 0.009, 4, 0.59, 0.5, 434, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "item", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " item = self.get(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L64_C12", "label": "if", "type": "if", "loc": [64, 70], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L60_C8", "vector": [4, 4, 0.6036, 0.0631, 4, 0.59, 1.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if item:\n if not isinstance(item,(list,tuple)):\n value = item\n elif (item[0] < now - time_expire): # value expired\n item = None # value to be computed\n else:\n value = item[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L65_C16", "label": "if", "type": "if", "loc": [65, 70], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L64_C12", "vector": [4, 5, 0.6081, 0.0541, 5, 0.65, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(item,(list,tuple)):\n value = item\n elif (item[0] < now - time_expire): # value expired\n item = None # value to be computed\n else:\n value = item[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L66_C20", "label": "value =", "type": "assigned_variable", "loc": [66, 66], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L65_C16", "vector": [14, 6, 0.5946, 0.009, 6, 0.92, 0.0, 441, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = item"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L67_C16", "label": "if", "type": "if", "loc": [67, 70], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L65_C16", "vector": [4, 6, 0.6171, 0.036, 6, 0.92, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif (item[0] < now - time_expire): # value expired\n item = None # value to be computed\n else:\n value = item[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L68_C20", "label": "item =", "type": "assigned_variable", "loc": [68, 68], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L67_C16", "vector": [14, 7, 0.6126, 0.009, 7, 0.75, 0.0, 434, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "item", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " item = None # value to be computed"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L70_C20", "label": "value =", "type": "assigned_variable", "loc": [70, 70], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L67_C16", "vector": [14, 7, 0.6306, 0.009, 7, 0.75, 1.0, 441, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = item[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L71_C8", "label": "if", "type": "if", "loc": [71, 73], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "vector": [4, 2, 0.6486, 0.027, 2, 0.27, 0.8333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not item:\n value = f()\n self.set(key, (now,value), self.max_time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L72_C12", "label": "value = f()", "type": "assigned_variable", "loc": [72, 72], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L71_C8", "vector": [14, 3, 0.6486, 0.009, 3, 0.95, 0.0, 441, 3, 0, 0, 0, 899, 10, 1], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "f", "annotation": ""}, "snippet": " value = f()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L73_C12", "label": "set()", "type": "expression", "loc": [73, 73], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L71_C8", "vector": [8, 3, 0.6577, 0.009, 3, 0.95, 1.0, 21, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "set", "arg_names": [], "import_names": [], "rhs_call_name": "set", "annotation": ""}, "snippet": " self.set(key, (now,value), self.max_time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L74_C8", "label": "return", "type": "return", "loc": [74, 74], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "vector": [13, 2, 0.6667, 0.009, 2, 0.27, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L76_C4", "label": "increment", "type": "function", "loc": [76, 92], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "vector": [2, 1, 0.7568, 0.1532, 1, 0.37, 0.5, 714, 0, 4, 1, 0, 0, 0, 7], "semantic": {"name": "increment", "arg_names": ["self", "key", "value", "time_expire"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def increment(self, key, value=1, time_expire='default'):\n \"\"\" time_expire is ignored \"\"\"\n if time_expire == 'default':\n time_expire = self.default_time_expire\n newKey = self.__keyFormat__(key)\n obj = Client.get(self, newKey)\n if obj:\n if isinstance(obj,(int,float,long)):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L77_C8", "label": "expression", "type": "expression", "loc": [77, 77], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L76_C4", "vector": [8, 2, 0.6937, 0.009, 2, 0.07, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" time_expire is ignored \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L78_C8", "label": "if", "type": "if", "loc": [78, 79], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L76_C4", "vector": [4, 2, 0.7072, 0.018, 2, 0.07, 0.25, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if time_expire == 'default':\n time_expire = self.default_time_expire"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L79_C12", "label": "time_expire =", "type": "assigned_variable", "loc": [79, 79], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L78_C8", "vector": [14, 3, 0.7117, 0.009, 3, 0.32, 0.0, 468, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "time_expire", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " time_expire = self.default_time_expire"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L80_C8", "label": "newKey = __keyFormat__()", "type": "assigned_variable", "loc": [80, 80], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L76_C4", "vector": [14, 2, 0.7207, 0.009, 2, 0.07, 0.5, 204, 3, 1, 0, 0, 883, 10, 1], "semantic": {"name": "newKey", "arg_names": [], "import_names": [], "rhs_call_name": "__keyFormat__", "annotation": ""}, "snippet": " newKey = self.__keyFormat__(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L81_C8", "label": "obj = get()", "type": "assigned_variable", "loc": [81, 81], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L76_C4", "vector": [14, 2, 0.7297, 0.009, 2, 0.07, 0.75, 505, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "obj", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " obj = Client.get(self, newKey)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L82_C8", "label": "if", "type": "if", "loc": [82, 92], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L76_C4", "vector": [4, 2, 0.7838, 0.0991, 2, 0.07, 1.0, 0, 2, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if obj:\n if isinstance(obj,(int,float,long)):\n return Client.incr(self, newKey, value)\n else:\n value += obj[1]\n Client.set(self,newKey,(time.time(),value),\n self.max_time_expire)\n return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L83_C12", "label": "if", "type": "if", "loc": [83, 89], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L82_C8", "vector": [4, 3, 0.7748, 0.0631, 3, 0.29, 0.0, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(obj,(int,float,long)):\n return Client.incr(self, newKey, value)\n else:\n value += obj[1]\n Client.set(self,newKey,(time.time(),value),\n self.max_time_expire)\n return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L84_C16", "label": "return", "type": "return", "loc": [84, 84], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L83_C12", "vector": [13, 4, 0.7568, 0.009, 4, 0.34, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Client.incr(self, newKey, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L87_C16", "label": "set()", "type": "expression", "loc": [87, 88], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L83_C12", "vector": [8, 4, 0.7883, 0.018, 4, 0.34, 0.5, 21, 3, 4, 0, 0, 0, 0, 2], "semantic": {"name": "set", "arg_names": [], "import_names": [], "rhs_call_name": "set", "annotation": ""}, "snippet": " Client.set(self,newKey,(time.time(),value),\n self.max_time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L89_C16", "label": "return", "type": "return", "loc": [89, 89], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L83_C12", "vector": [13, 4, 0.8018, 0.009, 4, 0.34, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L91_C12", "label": "set()", "type": "expression", "loc": [91, 91], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L82_C8", "vector": [8, 3, 0.8198, 0.009, 3, 0.29, 0.5, 21, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "set", "arg_names": [], "import_names": [], "rhs_call_name": "set", "annotation": ""}, "snippet": " Client.set(self, newKey, value, self.max_time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L92_C12", "label": "return", "type": "return", "loc": [92, 92], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L82_C8", "vector": [13, 3, 0.8288, 0.009, 3, 0.29, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L94_C4", "label": "set", "type": "function", "loc": [94, 98], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "vector": [2, 1, 0.8649, 0.045, 1, 0.37, 0.625, 21, 0, 4, 1, 0, 0, 0, 2], "semantic": {"name": "set", "arg_names": ["self", "key", "value", "time_expire"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def set(self, key, value, time_expire='default'):\n if time_expire == 'default':\n time_expire = self.default_time_expire\n newKey = self.__keyFormat__(key)\n return Client.set(self, newKey, value, time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:If_L95_C8", "label": "if", "type": "if", "loc": [95, 96], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L94_C4", "vector": [4, 2, 0.8604, 0.018, 2, 0.29, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if time_expire == 'default':\n time_expire = self.default_time_expire"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L96_C12", "label": "time_expire =", "type": "assigned_variable", "loc": [96, 96], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:If_L95_C8", "vector": [14, 3, 0.8649, 0.009, 3, 0.63, 0.0, 468, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "time_expire", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " time_expire = self.default_time_expire"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L97_C8", "label": "newKey = __keyFormat__()", "type": "assigned_variable", "loc": [97, 97], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L94_C4", "vector": [14, 2, 0.8739, 0.009, 2, 0.29, 0.5, 204, 3, 1, 0, 0, 883, 10, 1], "semantic": {"name": "newKey", "arg_names": [], "import_names": [], "rhs_call_name": "__keyFormat__", "annotation": ""}, "snippet": " newKey = self.__keyFormat__(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L98_C8", "label": "return", "type": "return", "loc": [98, 98], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L94_C4", "vector": [13, 2, 0.8829, 0.009, 2, 0.29, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Client.set(self, newKey, value, time_expire)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L100_C4", "label": "get", "type": "function", "loc": [100, 102], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "vector": [2, 1, 0.9099, 0.027, 1, 0.37, 0.75, 607, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "get", "arg_names": ["self", "key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get(self, key):\n newKey = self.__keyFormat__(key)\n return Client.get(self, newKey)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L101_C8", "label": "newKey = __keyFormat__()", "type": "assigned_variable", "loc": [101, 101], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L100_C4", "vector": [14, 2, 0.9099, 0.009, 2, 0.0, 0.0, 204, 3, 1, 0, 0, 883, 10, 1], "semantic": {"name": "newKey", "arg_names": [], "import_names": [], "rhs_call_name": "__keyFormat__", "annotation": ""}, "snippet": " newKey = self.__keyFormat__(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L102_C8", "label": "return", "type": "return", "loc": [102, 102], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L100_C4", "vector": [13, 2, 0.9189, 0.009, 2, 0.0, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Client.get(self, newKey)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L104_C4", "label": "delete", "type": "function", "loc": [104, 106], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "vector": [2, 1, 0.9459, 0.027, 1, 0.37, 0.875, 266, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "delete", "arg_names": ["self", "key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def delete(self, key):\n newKey = self.__keyFormat__(key)\n return Client.delete(self, newKey)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L105_C8", "label": "newKey = __keyFormat__()", "type": "assigned_variable", "loc": [105, 105], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L104_C4", "vector": [14, 2, 0.9459, 0.009, 2, 0.71, 0.0, 204, 3, 1, 0, 0, 883, 10, 1], "semantic": {"name": "newKey", "arg_names": [], "import_names": [], "rhs_call_name": "__keyFormat__", "annotation": ""}, "snippet": " newKey = self.__keyFormat__(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L106_C8", "label": "return", "type": "return", "loc": [106, 106], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L104_C4", "vector": [13, 2, 0.955, 0.009, 2, 0.71, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Client.delete(self, newKey)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L108_C4", "label": "__keyFormat__", "type": "function", "loc": [108, 109], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "vector": [2, 1, 0.9775, 0.018, 1, 0.37, 1.0, 883, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__keyFormat__", "arg_names": ["self", "key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __keyFormat__(self, key):\n return '%s/%s' % (self.request.application, key.replace(' ', '_'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L109_C8", "label": "return", "type": "return", "loc": [109, 109], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L108_C4", "vector": [13, 2, 0.982, 0.009, 2, 0.96, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%s' % (self.request.application, key.replace(' ', '_'))"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L18_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L18_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L19_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L20_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L24_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L25_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L27_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L27_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L31_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L27_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L32_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L27_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L33_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L33_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L34_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L33_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L36_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L27_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L37_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L27_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L39_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L39_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L40_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L39_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L46_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L49_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L49_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L50_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L51_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L51_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L52_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L55_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L56_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L57_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L57_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L58_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L57_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L59_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L57_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L60_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L60_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L61_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L60_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L63_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L60_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L64_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L64_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L65_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L65_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L66_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L65_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L67_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L67_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L68_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L67_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L70_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L72_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L73_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L48_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L74_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L76_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L76_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L77_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L76_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L78_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L78_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L79_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L76_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L80_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L76_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L81_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L76_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L82_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L82_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L83_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L83_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L84_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L83_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L87_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L83_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L89_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L82_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Expr_L91_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L82_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L92_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L94_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:If_L95_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:If_L95_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L96_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L97_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L98_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L100_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L100_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L101_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L100_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L102_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L104_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L104_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Assign_L105_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L104_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L106_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:ClassDef_L22_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L108_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_540:FunctionDef_L108_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_540:Return_L109_C8"}]
# (c) 2007 Chris AtLee <chris@atlee.ca> # Licensed under the MIT license: # http://www.opensource.org/licenses/mit-license.php """ PAM module for python Provides an authenticate function that will allow the caller to authenticate a user against the Pluggable Authentication Modules (PAM) on the system. Implemented using ctypes, so no compilation is necessary. """ __all__ = ['authenticate'] from ctypes import CDLL, POINTER, Structure, CFUNCTYPE, cast, pointer, sizeof from ctypes import c_void_p, c_uint, c_char_p, c_char, c_int from ctypes.util import find_library LIBPAM = CDLL(find_library("pam")) LIBC = CDLL(find_library("c")) CALLOC = LIBC.calloc CALLOC.restype = c_void_p CALLOC.argtypes = [c_uint, c_uint] STRDUP = LIBC.strdup STRDUP.argstypes = [c_char_p] STRDUP.restype = POINTER(c_char) # NOT c_char_p !!!! # Various constants PAM_PROMPT_ECHO_OFF = 1 PAM_PROMPT_ECHO_ON = 2 PAM_ERROR_MSG = 3 PAM_TEXT_INFO = 4 class PamHandle(Structure): """wrapper class for pam_handle_t""" _fields_ = [ ("handle", c_void_p) ] def __init__(self): Structure.__init__(self) self.handle = 0 class PamMessage(Structure): """wrapper class for pam_message structure""" _fields_ = [ ("msg_style", c_int), ("msg", c_char_p), ] def __repr__(self): return "<PamMessage %i '%s'>" % (self.msg_style, self.msg) class PamResponse(Structure): """wrapper class for pam_response structure""" _fields_ = [ ("resp", c_char_p), ("resp_retcode", c_int), ] def __repr__(self): return "<PamResponse %i '%s'>" % (self.resp_retcode, self.resp) CONV_FUNC = CFUNCTYPE(c_int, c_int, POINTER(POINTER(PamMessage)), POINTER(POINTER(PamResponse)), c_void_p) class PamConv(Structure): """wrapper class for pam_conv structure""" _fields_ = [ ("conv", CONV_FUNC), ("appdata_ptr", c_void_p) ] PAM_START = LIBPAM.pam_start PAM_START.restype = c_int PAM_START.argtypes = [c_char_p, c_char_p, POINTER(PamConv), POINTER(PamHandle)] PAM_AUTHENTICATE = LIBPAM.pam_authenticate PAM_AUTHENTICATE.restype = c_int PAM_AUTHENTICATE.argtypes = [PamHandle, c_int] def authenticate(username, password, service='login'): """Returns True if the given username and password authenticate for the given service. Returns False otherwise ``username``: the username to authenticate ``password``: the password in plain text ``service``: the PAM service to authenticate against. Defaults to 'login'""" @CONV_FUNC def my_conv(n_messages, messages, p_response, app_data): """Simple conversation function that responds to any prompt where the echo is off with the supplied password""" # Create an array of n_messages response objects addr = CALLOC(n_messages, sizeof(PamResponse)) p_response[0] = cast(addr, POINTER(PamResponse)) for i in range(n_messages): if messages[i].contents.msg_style == PAM_PROMPT_ECHO_OFF: pw_copy = STRDUP(str(password)) p_response.contents[i].resp = cast(pw_copy, c_char_p) p_response.contents[i].resp_retcode = 0 return 0 handle = PamHandle() conv = PamConv(my_conv, 0) retval = PAM_START(service, username, pointer(conv), pointer(handle)) if retval != 0: # TODO: This is not an authentication error, something # has gone wrong starting up PAM return False retval = PAM_AUTHENTICATE(handle, 0) return retval == 0 if __name__ == "__main__": import getpass print authenticate(getpass.getuser(), getpass.getpass())
ajibawa-2023/Python-Code-Large/train/row_541
65
128
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L4_C0", "label": "expression", "type": "expression", "loc": [4, 11], "level": 0, "parent": null, "vector": [8, 0, 0.0586, 0.0625, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nPAM module for python\n\nProvides an authenticate function that will allow the caller to authenticate\na user against the Pluggable Authentication Modules (PAM) on the system.\n\nImplemented using ctypes, so no compilation is necessary.\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L12_C0", "label": "__all__ =", "type": "assigned_variable", "loc": [12, 12], "level": 0, "parent": null, "vector": [14, 0, 0.0938, 0.0078, 0, 0.66, 0.0345, 272, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "__all__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__all__ = ['authenticate']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:ImportFrom_L14_C0", "label": "from ctypes import CDLL, POINTER, Structure\u2026", "type": "import", "loc": [14, 14], "level": 0, "parent": null, "vector": [1, 0, 0.1094, 0.0078, 0, 0.66, 0.069, 182, 0, 7, 0, 0, 182, 0, 0], "semantic": {"name": "ctypes", "arg_names": [], "import_names": ["CDLL", "POINTER", "Structure", "CFUNCTYPE", "cast", "pointer", "sizeof"], "rhs_call_name": "", "annotation": ""}, "snippet": "from ctypes import CDLL, POINTER, Structure, CFUNCTYPE, cast, pointer, sizeof"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:ImportFrom_L15_C0", "label": "from ctypes import c_void_p, c_uint, c_char_p\u2026", "type": "import", "loc": [15, 15], "level": 0, "parent": null, "vector": [1, 0, 0.1172, 0.0078, 0, 0.66, 0.1034, 182, 0, 5, 0, 0, 182, 0, 0], "semantic": {"name": "ctypes", "arg_names": [], "import_names": ["c_void_p", "c_uint", "c_char_p", "c_char", "c_int"], "rhs_call_name": "", "annotation": ""}, "snippet": "from ctypes import c_void_p, c_uint, c_char_p, c_char, c_int"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:ImportFrom_L16_C0", "label": "from ctypes.util import find_library", "type": "import", "loc": [16, 16], "level": 0, "parent": null, "vector": [1, 0, 0.125, 0.0078, 0, 0.66, 0.1379, 426, 0, 1, 0, 0, 426, 0, 0], "semantic": {"name": "ctypes.util", "arg_names": [], "import_names": ["find_library"], "rhs_call_name": "", "annotation": ""}, "snippet": "from ctypes.util import find_library"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L18_C0", "label": "LIBPAM = CDLL()", "type": "assigned_variable", "loc": [18, 18], "level": 0, "parent": null, "vector": [14, 0, 0.1406, 0.0078, 0, 0.66, 0.1724, 787, 3, 1, 0, 0, 453, 10, 2], "semantic": {"name": "LIBPAM", "arg_names": [], "import_names": [], "rhs_call_name": "CDLL", "annotation": ""}, "snippet": "LIBPAM = CDLL(find_library(\"pam\"))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L19_C0", "label": "LIBC = CDLL()", "type": "assigned_variable", "loc": [19, 19], "level": 0, "parent": null, "vector": [14, 0, 0.1484, 0.0078, 0, 0.66, 0.2069, 770, 3, 1, 0, 0, 453, 10, 2], "semantic": {"name": "LIBC", "arg_names": [], "import_names": [], "rhs_call_name": "CDLL", "annotation": ""}, "snippet": "LIBC = CDLL(find_library(\"c\"))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L21_C0", "label": "CALLOC =", "type": "assigned_variable", "loc": [21, 21], "level": 0, "parent": null, "vector": [14, 0, 0.1641, 0.0078, 0, 0.66, 0.2414, 295, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "CALLOC", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CALLOC = LIBC.calloc"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L22_C0", "label": "CALLOC.restype =", "type": "assigned_variable", "loc": [22, 22], "level": 0, "parent": null, "vector": [14, 0, 0.1719, 0.0078, 0, 0.66, 0.2759, 697, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "CALLOC.restype", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CALLOC.restype = c_void_p"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L23_C0", "label": "CALLOC.argtypes =", "type": "assigned_variable", "loc": [23, 23], "level": 0, "parent": null, "vector": [14, 0, 0.1797, 0.0078, 0, 0.66, 0.3103, 265, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "CALLOC.argtypes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CALLOC.argtypes = [c_uint, c_uint]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L25_C0", "label": "STRDUP =", "type": "assigned_variable", "loc": [25, 25], "level": 0, "parent": null, "vector": [14, 0, 0.1953, 0.0078, 0, 0.66, 0.3448, 182, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "STRDUP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "STRDUP = LIBC.strdup"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L26_C0", "label": "STRDUP.argstypes =", "type": "assigned_variable", "loc": [26, 26], "level": 0, "parent": null, "vector": [14, 0, 0.2031, 0.0078, 0, 0.66, 0.3793, 123, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "STRDUP.argstypes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "STRDUP.argstypes = [c_char_p]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L27_C0", "label": "STRDUP.restype = POINTER()", "type": "assigned_variable", "loc": [27, 27], "level": 0, "parent": null, "vector": [14, 0, 0.2109, 0.0078, 0, 0.66, 0.4138, 148, 3, 1, 0, 0, 785, 10, 1], "semantic": {"name": "STRDUP.restype", "arg_names": [], "import_names": [], "rhs_call_name": "POINTER", "annotation": ""}, "snippet": "STRDUP.restype = POINTER(c_char) # NOT c_char_p !!!!"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L30_C0", "label": "PAM_PROMPT_ECHO_OFF =", "type": "assigned_variable", "loc": [30, 30], "level": 0, "parent": null, "vector": [14, 0, 0.2344, 0.0078, 0, 0.66, 0.4483, 67, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PAM_PROMPT_ECHO_OFF", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PAM_PROMPT_ECHO_OFF = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L31_C0", "label": "PAM_PROMPT_ECHO_ON =", "type": "assigned_variable", "loc": [31, 31], "level": 0, "parent": null, "vector": [14, 0, 0.2422, 0.0078, 0, 0.66, 0.4828, 2, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PAM_PROMPT_ECHO_ON", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PAM_PROMPT_ECHO_ON = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L32_C0", "label": "PAM_ERROR_MSG =", "type": "assigned_variable", "loc": [32, 32], "level": 0, "parent": null, "vector": [14, 0, 0.25, 0.0078, 0, 0.66, 0.5172, 448, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PAM_ERROR_MSG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PAM_ERROR_MSG = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L33_C0", "label": "PAM_TEXT_INFO =", "type": "assigned_variable", "loc": [33, 33], "level": 0, "parent": null, "vector": [14, 0, 0.2578, 0.0078, 0, 0.66, 0.5517, 901, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PAM_TEXT_INFO", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PAM_TEXT_INFO = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L36_C0", "label": "PamHandle", "type": "class", "loc": [36, 44], "level": 0, "parent": null, "vector": [3, 0, 0.3125, 0.0703, 0, 0.66, 0.5862, 937, 0, 1, 0, 0, 183, 0, 1], "semantic": {"name": "PamHandle", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class PamHandle(Structure):\n \"\"\"wrapper class for pam_handle_t\"\"\"\n _fields_ = [\n (\"handle\", c_void_p)\n ]\n\n def __init__(self):\n Structure.__init__(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L37_C4", "label": "expression", "type": "expression", "loc": [37, 37], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L36_C0", "vector": [8, 1, 0.2891, 0.0078, 1, 0.29, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"wrapper class for pam_handle_t\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L38_C4", "label": "_fields_ =", "type": "assigned_variable", "loc": [38, 40], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L36_C0", "vector": [14, 1, 0.3047, 0.0234, 1, 0.29, 0.5, 283, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "_fields_", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _fields_ = [\n (\"handle\", c_void_p)\n ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L42_C4", "label": "__init__", "type": "function", "loc": [42, 44], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L36_C0", "vector": [2, 1, 0.3359, 0.0234, 1, 0.29, 1.0, 555, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self):\n Structure.__init__(self)\n self.handle = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L43_C8", "label": "__init__()", "type": "expression", "loc": [43, 43], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L42_C4", "vector": [8, 2, 0.3359, 0.0078, 2, 0.38, 0.0, 555, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " Structure.__init__(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L44_C8", "label": "self.handle =", "type": "assigned_variable", "loc": [44, 44], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L42_C4", "vector": [14, 2, 0.3438, 0.0078, 2, 0.38, 1.0, 411, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.handle", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.handle = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L47_C0", "label": "PamMessage", "type": "class", "loc": [47, 55], "level": 0, "parent": null, "vector": [3, 0, 0.3984, 0.0703, 0, 0.66, 0.6207, 263, 0, 1, 0, 0, 183, 0, 0], "semantic": {"name": "PamMessage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class PamMessage(Structure):\n \"\"\"wrapper class for pam_message structure\"\"\"\n _fields_ = [\n (\"msg_style\", c_int),\n (\"msg\", c_char_p),\n ]\n\n def __repr__(self):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L48_C4", "label": "expression", "type": "expression", "loc": [48, 48], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L47_C0", "vector": [8, 1, 0.375, 0.0078, 1, 0.54, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"wrapper class for pam_message structure\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L49_C4", "label": "_fields_ =", "type": "assigned_variable", "loc": [49, 52], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L47_C0", "vector": [14, 1, 0.3945, 0.0312, 1, 0.54, 0.5, 283, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "_fields_", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _fields_ = [\n (\"msg_style\", c_int),\n (\"msg\", c_char_p),\n ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L54_C4", "label": "__repr__", "type": "function", "loc": [54, 55], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L47_C0", "vector": [2, 1, 0.4258, 0.0156, 1, 0.54, 1.0, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<PamMessage %i '%s'>\" % (self.msg_style, self.msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Return_L55_C8", "label": "return", "type": "return", "loc": [55, 55], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L54_C4", "vector": [13, 2, 0.4297, 0.0078, 2, 0.04, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<PamMessage %i '%s'>\" % (self.msg_style, self.msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L58_C0", "label": "PamResponse", "type": "class", "loc": [58, 66], "level": 0, "parent": null, "vector": [3, 0, 0.4844, 0.0703, 0, 0.66, 0.6552, 668, 0, 1, 0, 0, 183, 0, 0], "semantic": {"name": "PamResponse", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class PamResponse(Structure):\n \"\"\"wrapper class for pam_response structure\"\"\"\n _fields_ = [\n (\"resp\", c_char_p),\n (\"resp_retcode\", c_int),\n ]\n\n def __repr__(self):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L59_C4", "label": "expression", "type": "expression", "loc": [59, 59], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L58_C0", "vector": [8, 1, 0.4609, 0.0078, 1, 0.96, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"wrapper class for pam_response structure\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L60_C4", "label": "_fields_ =", "type": "assigned_variable", "loc": [60, 63], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L58_C0", "vector": [14, 1, 0.4805, 0.0312, 1, 0.96, 0.5, 283, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "_fields_", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _fields_ = [\n (\"resp\", c_char_p),\n (\"resp_retcode\", c_int),\n ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L65_C4", "label": "__repr__", "type": "function", "loc": [65, 66], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L58_C0", "vector": [2, 1, 0.5117, 0.0156, 1, 0.96, 1.0, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<PamResponse %i '%s'>\" % (self.resp_retcode, self.resp)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Return_L66_C8", "label": "return", "type": "return", "loc": [66, 66], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L65_C4", "vector": [13, 2, 0.5156, 0.0078, 2, 0.29, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<PamResponse %i '%s'>\" % (self.resp_retcode, self.resp)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L68_C0", "label": "CONV_FUNC = CFUNCTYPE()", "type": "assigned_variable", "loc": [68, 70], "level": 0, "parent": null, "vector": [14, 0, 0.5391, 0.0234, 0, 0.66, 0.6897, 384, 3, 5, 0, 0, 133, 10, 5], "semantic": {"name": "CONV_FUNC", "arg_names": [], "import_names": [], "rhs_call_name": "CFUNCTYPE", "annotation": ""}, "snippet": "CONV_FUNC = CFUNCTYPE(c_int,\n c_int, POINTER(POINTER(PamMessage)),\n POINTER(POINTER(PamResponse)), c_void_p)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L73_C0", "label": "PamConv", "type": "class", "loc": [73, 78], "level": 0, "parent": null, "vector": [3, 0, 0.5898, 0.0469, 0, 0.66, 0.7241, 209, 0, 0, 0, 0, 183, 0, 0], "semantic": {"name": "PamConv", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class PamConv(Structure):\n \"\"\"wrapper class for pam_conv structure\"\"\"\n _fields_ = [\n (\"conv\", CONV_FUNC),\n (\"appdata_ptr\", c_void_p)\n ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L74_C4", "label": "expression", "type": "expression", "loc": [74, 74], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L73_C0", "vector": [8, 1, 0.5781, 0.0078, 1, 0.16, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"wrapper class for pam_conv structure\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L75_C4", "label": "_fields_ =", "type": "assigned_variable", "loc": [75, 78], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L73_C0", "vector": [14, 1, 0.5977, 0.0312, 1, 0.16, 1.0, 283, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "_fields_", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _fields_ = [\n (\"conv\", CONV_FUNC),\n (\"appdata_ptr\", c_void_p)\n ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L80_C0", "label": "PAM_START =", "type": "assigned_variable", "loc": [80, 80], "level": 0, "parent": null, "vector": [14, 0, 0.625, 0.0078, 0, 0.66, 0.7586, 607, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "PAM_START", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PAM_START = LIBPAM.pam_start"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L81_C0", "label": "PAM_START.restype =", "type": "assigned_variable", "loc": [81, 81], "level": 0, "parent": null, "vector": [14, 0, 0.6328, 0.0078, 0, 0.66, 0.7931, 873, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "PAM_START.restype", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PAM_START.restype = c_int"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L82_C0", "label": "PAM_START.argtypes =", "type": "assigned_variable", "loc": [82, 83], "level": 0, "parent": null, "vector": [14, 0, 0.6445, 0.0156, 0, 0.66, 0.8276, 718, 0, 0, 0, 0, 0, 5, 2], "semantic": {"name": "PAM_START.argtypes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PAM_START.argtypes = [c_char_p, c_char_p, POINTER(PamConv),\n POINTER(PamHandle)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L85_C0", "label": "PAM_AUTHENTICATE =", "type": "assigned_variable", "loc": [85, 85], "level": 0, "parent": null, "vector": [14, 0, 0.6641, 0.0078, 0, 0.66, 0.8621, 838, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "PAM_AUTHENTICATE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PAM_AUTHENTICATE = LIBPAM.pam_authenticate"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L86_C0", "label": "PAM_AUTHENTICATE.restype =", "type": "assigned_variable", "loc": [86, 86], "level": 0, "parent": null, "vector": [14, 0, 0.6719, 0.0078, 0, 0.66, 0.8966, 361, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "PAM_AUTHENTICATE.restype", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PAM_AUTHENTICATE.restype = c_int"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L87_C0", "label": "PAM_AUTHENTICATE.argtypes =", "type": "assigned_variable", "loc": [87, 87], "level": 0, "parent": null, "vector": [14, 0, 0.6797, 0.0078, 0, 0.66, 0.931, 930, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "PAM_AUTHENTICATE.argtypes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PAM_AUTHENTICATE.argtypes = [PamHandle, c_int]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "label": "authenticate", "type": "function", "loc": [90, 124], "level": 0, "parent": null, "vector": [2, 0, 0.8359, 0.2734, 0, 0.66, 0.9655, 751, 0, 3, 1, 0, 0, 0, 14], "semantic": {"name": "authenticate", "arg_names": ["username", "password", "service"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def authenticate(username, password, service='login'):\n \"\"\"Returns True if the given username and password authenticate for the\n given service. Returns False otherwise\n\n ``username``: the username to authenticate\n\n ``password``: the password in plain text\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L91_C4", "label": "expression", "type": "expression", "loc": [91, 99], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "vector": [8, 1, 0.7422, 0.0703, 1, 0.44, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Returns True if the given username and password authenticate for the\n given service. Returns False otherwise\n\n ``username``: the username to authenticate\n\n ``password``: the password in plain text\n\n ``service``: the PAM service to authenticate against."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L101_C4", "label": "my_conv", "type": "function", "loc": [101, 112], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "vector": [2, 1, 0.832, 0.0938, 1, 0.44, 0.1429, 866, 0, 4, 1, 0, 0, 0, 8], "semantic": {"name": "my_conv", "arg_names": ["n_messages", "messages", "p_response", "app_data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def my_conv(n_messages, messages, p_response, app_data):\n \"\"\"Simple conversation function that responds to any\n prompt where the echo is off with the supplied password\"\"\"\n # Create an array of n_messages response objects\n addr = CALLOC(n_messages, sizeof(PamResponse))\n p_response[0] = cast(addr, POINTER(PamResponse))\n for i in range(n_messages):\n if messages[i].contents.msg_style == PAM_PROMPT_ECHO_OFF:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L102_C8", "label": "expression", "type": "expression", "loc": [102, 103], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L101_C4", "vector": [8, 2, 0.8008, 0.0156, 2, 0.49, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Simple conversation function that responds to any\n prompt where the echo is off with the supplied password\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L105_C8", "label": "addr = CALLOC()", "type": "assigned_variable", "loc": [105, 105], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L101_C4", "vector": [14, 2, 0.8203, 0.0078, 2, 0.49, 0.25, 526, 3, 2, 0, 0, 295, 10, 2], "semantic": {"name": "addr", "arg_names": [], "import_names": [], "rhs_call_name": "CALLOC", "annotation": ""}, "snippet": " addr = CALLOC(n_messages, sizeof(PamResponse))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L106_C8", "label": " = cast()", "type": "assigned_variable", "loc": [106, 106], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L101_C4", "vector": [14, 2, 0.8281, 0.0078, 2, 0.49, 0.5, 0, 3, 2, 0, 0, 590, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "cast", "annotation": ""}, "snippet": " p_response[0] = cast(addr, POINTER(PamResponse))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:For_L107_C8", "label": "for i", "type": "for", "loc": [107, 111], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L101_C4", "vector": [6, 2, 0.8516, 0.0391, 2, 0.49, 0.75, 826, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(n_messages):\n if messages[i].contents.msg_style == PAM_PROMPT_ECHO_OFF:\n pw_copy = STRDUP(str(password))\n p_response.contents[i].resp = cast(pw_copy, c_char_p)\n p_response.contents[i].resp_retcode = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:If_L108_C12", "label": "if", "type": "if", "loc": [108, 111], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:For_L107_C8", "vector": [4, 3, 0.8555, 0.0312, 3, 0.55, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if messages[i].contents.msg_style == PAM_PROMPT_ECHO_OFF:\n pw_copy = STRDUP(str(password))\n p_response.contents[i].resp = cast(pw_copy, c_char_p)\n p_response.contents[i].resp_retcode = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L109_C16", "label": "pw_copy = STRDUP()", "type": "assigned_variable", "loc": [109, 109], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:If_L108_C12", "vector": [14, 4, 0.8516, 0.0078, 4, 0.18, 0.0, 74, 3, 1, 0, 0, 182, 10, 2], "semantic": {"name": "pw_copy", "arg_names": [], "import_names": [], "rhs_call_name": "STRDUP", "annotation": ""}, "snippet": " pw_copy = STRDUP(str(password))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L110_C16", "label": "p_response.contents[i].resp = cast()", "type": "assigned_variable", "loc": [110, 110], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:If_L108_C12", "vector": [14, 4, 0.8594, 0.0078, 4, 0.18, 0.5, 822, 3, 2, 0, 0, 590, 10, 1], "semantic": {"name": "p_response.contents[i].resp", "arg_names": [], "import_names": [], "rhs_call_name": "cast", "annotation": ""}, "snippet": " p_response.contents[i].resp = cast(pw_copy, c_char_p)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L111_C16", "label": "p_response.contents[i].resp_retcode =", "type": "assigned_variable", "loc": [111, 111], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:If_L108_C12", "vector": [14, 4, 0.8672, 0.0078, 4, 0.18, 1.0, 890, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "p_response.contents[i].resp_retcode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " p_response.contents[i].resp_retcode = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Return_L112_C8", "label": "return", "type": "return", "loc": [112, 112], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L101_C4", "vector": [13, 2, 0.875, 0.0078, 2, 0.49, 1.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L114_C4", "label": "handle = PamHandle()", "type": "assigned_variable", "loc": [114, 114], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "vector": [14, 1, 0.8906, 0.0078, 1, 0.44, 0.2857, 346, 3, 0, 0, 0, 937, 10, 1], "semantic": {"name": "handle", "arg_names": [], "import_names": [], "rhs_call_name": "PamHandle", "annotation": ""}, "snippet": " handle = PamHandle()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L115_C4", "label": "conv = PamConv()", "type": "assigned_variable", "loc": [115, 115], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "vector": [14, 1, 0.8984, 0.0078, 1, 0.44, 0.4286, 326, 3, 2, 0, 0, 209, 10, 1], "semantic": {"name": "conv", "arg_names": [], "import_names": [], "rhs_call_name": "PamConv", "annotation": ""}, "snippet": " conv = PamConv(my_conv, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L116_C4", "label": "retval = PAM_START()", "type": "assigned_variable", "loc": [116, 116], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "vector": [14, 1, 0.9062, 0.0078, 1, 0.44, 0.5714, 991, 3, 4, 0, 0, 607, 10, 3], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "PAM_START", "annotation": ""}, "snippet": " retval = PAM_START(service, username, pointer(conv), pointer(handle))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:If_L118_C4", "label": "if", "type": "if", "loc": [118, 121], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "vector": [4, 1, 0.9336, 0.0312, 1, 0.44, 0.7143, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if retval != 0:\n # TODO: This is not an authentication error, something\n # has gone wrong starting up PAM\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Return_L121_C8", "label": "return", "type": "return", "loc": [121, 121], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:If_L118_C4", "vector": [13, 2, 0.9453, 0.0078, 2, 0.13, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L123_C4", "label": "retval = PAM_AUTHENTICATE()", "type": "assigned_variable", "loc": [123, 123], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "vector": [14, 1, 0.9609, 0.0078, 1, 0.44, 0.8571, 991, 3, 2, 0, 0, 838, 10, 1], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "PAM_AUTHENTICATE", "annotation": ""}, "snippet": " retval = PAM_AUTHENTICATE(handle, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Return_L124_C4", "label": "return", "type": "return", "loc": [124, 124], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "vector": [13, 1, 0.9688, 0.0078, 1, 0.44, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return retval == 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:If_L126_C0", "label": "if", "type": "if", "loc": [126, 128], "level": 0, "parent": null, "vector": [4, 0, 0.9922, 0.0234, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == \"__main__\":\n import getpass\n print(authenticate(getpass.getuser(), getpass.getpass()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Import_L127_C4", "label": "getpass import getpass", "type": "import", "loc": [127, 127], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:If_L126_C0", "vector": [1, 1, 0.9922, 0.0078, 1, 0.56, 0.0, 784, 0, 1, 0, 0, 784, 0, 0], "semantic": {"name": "getpass", "arg_names": [], "import_names": ["getpass"], "rhs_call_name": "", "annotation": ""}, "snippet": " import getpass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L128_C4", "label": "print()", "type": "expression", "loc": [128, 128], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_541:If_L126_C0", "vector": [8, 1, 1.0, 0.0078, 1, 0.56, 1.0, 535, 3, 1, 0, 0, 0, 0, 4], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(authenticate(getpass.getuser(), getpass.getpass()))"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L37_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L38_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L42_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L43_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L44_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L47_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L48_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L47_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L49_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L47_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L54_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L54_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Return_L55_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L58_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L59_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L58_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L60_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L58_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L65_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L65_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Return_L66_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L73_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L74_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:ClassDef_L73_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L75_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L91_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L101_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L102_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L105_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L106_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_541:For_L107_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:For_L107_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_541:If_L108_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:If_L108_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L109_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:If_L108_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L110_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:If_L108_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L111_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Return_L112_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L114_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L115_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L116_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:If_L118_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:If_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Return_L121_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Assign_L123_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:FunctionDef_L90_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Return_L124_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:If_L126_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Import_L127_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_541:If_L126_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_541:Expr_L128_C4"}]
# # Copyright 2007 Google Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # # Modified by Massimo Di Pierro so it works with and without GAE with web2py # the modified version of this file is still released under the original Apache license # and it is not released under the web2py license. # # This should be compatible with the Apache license since it states: # "For the purposes of this License, Derivative Works shall not include works # that remain separable from, or merely link (or bind by name) to the interfaces of, # the Work and Derivative Works thereof." # # In fact this file is Apache-licensed and it is separable from the rest of web2py. """ An interactive, stateful AJAX shell that runs Python code on the server. """ import logging import new import os import cPickle import sys import traceback import types import wsgiref.handlers import StringIO import threading locker = threading.RLock() # Set to True if stack traces should be shown in the browser, etc. _DEBUG = True # The entity kind for shell historys. Feel free to rename to suit your app. _HISTORY_KIND = '_Shell_History' # Types that can't be pickled. UNPICKLABLE_TYPES = ( types.ModuleType, types.TypeType, types.ClassType, types.FunctionType, ) # Unpicklable statements to seed new historys with. INITIAL_UNPICKLABLES = [ 'import logging', 'import os', 'import sys', ] class History: """A shell history. Stores the history's globals. Each history globals is stored in one of two places: If the global is picklable, it's stored in the parallel globals and global_names list properties. (They're parallel lists to work around the unfortunate fact that the datastore can't store dictionaries natively.) If the global is not picklable (e.g. modules, classes, and functions), or if it was created by the same statement that created an unpicklable global, it's not stored directly. Instead, the statement is stored in the unpicklables list property. On each request, before executing the current statement, the unpicklable statements are evaluated to recreate the unpicklable globals. The unpicklable_names property stores all of the names of globals that were added by unpicklable statements. When we pickle and store the globals after executing a statement, we skip the ones in unpicklable_names. Using Text instead of string is an optimization. We don't query on any of these properties, so they don't need to be indexed. """ global_names = [] globals = [] unpicklable_names = [] unpicklables = [] def set_global(self, name, value): """Adds a global, or updates it if it already exists. Also removes the global from the list of unpicklable names. Args: name: the name of the global to remove value: any picklable value """ blob = cPickle.dumps(value) if name in self.global_names: index = self.global_names.index(name) self.globals[index] = blob else: self.global_names.append(name) self.globals.append(blob) self.remove_unpicklable_name(name) def remove_global(self, name): """Removes a global, if it exists. Args: name: string, the name of the global to remove """ if name in self.global_names: index = self.global_names.index(name) del self.global_names[index] del self.globals[index] def globals_dict(self): """Returns a dictionary view of the globals. """ return dict((name, cPickle.loads(val)) for name, val in zip(self.global_names, self.globals)) def add_unpicklable(self, statement, names): """Adds a statement and list of names to the unpicklables. Also removes the names from the globals. Args: statement: string, the statement that created new unpicklable global(s). names: list of strings; the names of the globals created by the statement. """ self.unpicklables.append(statement) for name in names: self.remove_global(name) if name not in self.unpicklable_names: self.unpicklable_names.append(name) def remove_unpicklable_name(self, name): """Removes a name from the list of unpicklable names, if it exists. Args: name: string, the name of the unpicklable global to remove """ if name in self.unpicklable_names: self.unpicklable_names.remove(name) def represent(obj): """Returns a string representing the given object's value, which should allow the code below to determine whether the object changes over time. """ try: return cPickle.dumps(obj) except: return repr(obj) def run(history, statement, env={}): """ Evaluates a python statement in a given history and returns the result. """ history.unpicklables = INITIAL_UNPICKLABLES # extract the statement to be run if not statement: return '' # the python compiler doesn't like network line endings statement = statement.replace('\r\n', '\n') # add a couple newlines at the end of the statement. this makes # single-line expressions such as 'class Foo: pass' evaluate happily. statement += '\n\n' # log and compile the statement up front try: logging.info('Compiling and evaluating:\n%s' % statement) compiled = compile(statement, '<string>', 'single') except: return str(traceback.format_exc()) # create a dedicated module to be used as this statement's __main__ statement_module = new.module('__main__') # use this request's __builtin__, since it changes on each request. # this is needed for import statements, among other things. import __builtin__ statement_module.__builtins__ = __builtin__ # load the history from the datastore history = History() # swap in our custom module for __main__. then unpickle the history # globals, run the statement, and re-pickle the history globals, all # inside it. old_main = sys.modules.get('__main__') output = StringIO.StringIO() try: sys.modules['__main__'] = statement_module statement_module.__name__ = '__main__' statement_module.__dict__.update(env) # re-evaluate the unpicklables for code in history.unpicklables: exec code in statement_module.__dict__ # re-initialize the globals for name, val in history.globals_dict().items(): try: statement_module.__dict__[name] = val except: msg = 'Dropping %s since it could not be unpickled.\n' % name output.write(msg) logging.warning(msg + traceback.format_exc()) history.remove_global(name) # run! old_globals = dict((key, represent( value)) for key, value in statement_module.__dict__.items()) try: old_stdout, old_stderr = sys.stdout, sys.stderr try: sys.stderr = sys.stdout = output locker.acquire() exec compiled in statement_module.__dict__ finally: locker.release() sys.stdout, sys.stderr = old_stdout, old_stderr except: output.write(str(traceback.format_exc())) return output.getvalue() # extract the new globals that this statement added new_globals = {} for name, val in statement_module.__dict__.items(): if name not in old_globals or represent(val) != old_globals[name]: new_globals[name] = val if True in [isinstance(val, UNPICKLABLE_TYPES) for val in new_globals.values()]: # this statement added an unpicklable global. store the statement and # the names of all of the globals it added in the unpicklables. history.add_unpicklable(statement, new_globals.keys()) logging.debug('Storing this statement as an unpicklable.') else: # this statement didn't add any unpicklables. pickle and store the # new globals back into the datastore. for name, val in new_globals.items(): if not name.startswith('__'): history.set_global(name, val) finally: sys.modules['__main__'] = old_main return output.getvalue() if __name__ == '__main__': history = History() while True: print run(history, raw_input('>>> ')).rstrip()
ajibawa-2023/Python-Code-Large/train/row_542
110
268
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L28_C0", "label": "expression", "type": "expression", "loc": [28, 30], "level": 0, "parent": null, "vector": [8, 0, 0.1082, 0.0112, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nAn interactive, stateful AJAX shell that runs Python code on the server.\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Import_L32_C0", "label": "logging import logging", "type": "import", "loc": [32, 32], "level": 0, "parent": null, "vector": [1, 0, 0.1194, 0.0037, 0, 0.66, 0.0526, 715, 0, 1, 0, 0, 715, 0, 0], "semantic": {"name": "logging", "arg_names": [], "import_names": ["logging"], "rhs_call_name": "", "annotation": ""}, "snippet": "import logging"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Import_L33_C0", "label": "new import new", "type": "import", "loc": [33, 33], "level": 0, "parent": null, "vector": [1, 0, 0.1231, 0.0037, 0, 0.66, 0.1053, 145, 0, 1, 0, 0, 145, 0, 0], "semantic": {"name": "new", "arg_names": [], "import_names": ["new"], "rhs_call_name": "", "annotation": ""}, "snippet": "import new"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Import_L34_C0", "label": "os import os", "type": "import", "loc": [34, 34], "level": 0, "parent": null, "vector": [1, 0, 0.1269, 0.0037, 0, 0.66, 0.1579, 688, 0, 1, 0, 0, 688, 0, 0], "semantic": {"name": "os", "arg_names": [], "import_names": ["os"], "rhs_call_name": "", "annotation": ""}, "snippet": "import os"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Import_L35_C0", "label": "cPickle import cPickle", "type": "import", "loc": [35, 35], "level": 0, "parent": null, "vector": [1, 0, 0.1306, 0.0037, 0, 0.66, 0.2105, 279, 0, 1, 0, 0, 279, 0, 0], "semantic": {"name": "cPickle", "arg_names": [], "import_names": ["cPickle"], "rhs_call_name": "", "annotation": ""}, "snippet": "import cPickle"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Import_L36_C0", "label": "sys import sys", "type": "import", "loc": [36, 36], "level": 0, "parent": null, "vector": [1, 0, 0.1343, 0.0037, 0, 0.66, 0.2632, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Import_L37_C0", "label": "traceback import traceback", "type": "import", "loc": [37, 37], "level": 0, "parent": null, "vector": [1, 0, 0.1381, 0.0037, 0, 0.66, 0.3158, 423, 0, 1, 0, 0, 423, 0, 0], "semantic": {"name": "traceback", "arg_names": [], "import_names": ["traceback"], "rhs_call_name": "", "annotation": ""}, "snippet": "import traceback"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Import_L38_C0", "label": "types import types", "type": "import", "loc": [38, 38], "level": 0, "parent": null, "vector": [1, 0, 0.1418, 0.0037, 0, 0.66, 0.3684, 209, 0, 1, 0, 0, 209, 0, 0], "semantic": {"name": "types", "arg_names": [], "import_names": ["types"], "rhs_call_name": "", "annotation": ""}, "snippet": "import types"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Import_L39_C0", "label": "wsgiref.handlers import wsgiref.handlers", "type": "import", "loc": [39, 39], "level": 0, "parent": null, "vector": [1, 0, 0.1455, 0.0037, 0, 0.66, 0.4211, 709, 0, 1, 0, 0, 709, 0, 0], "semantic": {"name": "wsgiref.handlers", "arg_names": [], "import_names": ["wsgiref.handlers"], "rhs_call_name": "", "annotation": ""}, "snippet": "import wsgiref.handlers"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Import_L40_C0", "label": "StringIO import StringIO", "type": "import", "loc": [40, 40], "level": 0, "parent": null, "vector": [1, 0, 0.1493, 0.0037, 0, 0.66, 0.4737, 609, 0, 1, 0, 0, 609, 0, 0], "semantic": {"name": "StringIO", "arg_names": [], "import_names": ["StringIO"], "rhs_call_name": "", "annotation": ""}, "snippet": "import StringIO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Import_L41_C0", "label": "threading import threading", "type": "import", "loc": [41, 41], "level": 0, "parent": null, "vector": [1, 0, 0.153, 0.0037, 0, 0.66, 0.5263, 83, 0, 1, 0, 0, 83, 0, 0], "semantic": {"name": "threading", "arg_names": [], "import_names": ["threading"], "rhs_call_name": "", "annotation": ""}, "snippet": "import threading"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L42_C0", "label": "locker = RLock()", "type": "assigned_variable", "loc": [42, 42], "level": 0, "parent": null, "vector": [14, 0, 0.1567, 0.0037, 0, 0.66, 0.5789, 240, 3, 0, 0, 0, 207, 10, 1], "semantic": {"name": "locker", "arg_names": [], "import_names": [], "rhs_call_name": "RLock", "annotation": ""}, "snippet": "locker = threading.RLock()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L45_C0", "label": "_DEBUG =", "type": "assigned_variable", "loc": [45, 45], "level": 0, "parent": null, "vector": [14, 0, 0.1679, 0.0037, 0, 0.66, 0.6316, 531, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "_DEBUG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "_DEBUG = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L48_C0", "label": "_HISTORY_KIND =", "type": "assigned_variable", "loc": [48, 48], "level": 0, "parent": null, "vector": [14, 0, 0.1791, 0.0037, 0, 0.66, 0.6842, 664, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "_HISTORY_KIND", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "_HISTORY_KIND = '_Shell_History'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L51_C0", "label": "UNPICKLABLE_TYPES =", "type": "assigned_variable", "loc": [51, 56], "level": 0, "parent": null, "vector": [14, 0, 0.1996, 0.0224, 0, 0.66, 0.7368, 423, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "UNPICKLABLE_TYPES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "UNPICKLABLE_TYPES = (\n types.ModuleType,\n types.TypeType,\n types.ClassType,\n types.FunctionType,\n)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L59_C0", "label": "INITIAL_UNPICKLABLES =", "type": "assigned_variable", "loc": [59, 63], "level": 0, "parent": null, "vector": [14, 0, 0.2276, 0.0187, 0, 0.66, 0.7895, 38, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "INITIAL_UNPICKLABLES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "INITIAL_UNPICKLABLES = [\n 'import logging',\n 'import os',\n 'import sys',\n]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "label": "History", "type": "class", "loc": [66, 154], "level": 0, "parent": null, "vector": [3, 0, 0.4104, 0.3321, 0, 0.66, 0.8421, 941, 0, 5, 0, 0, 0, 0, 13], "semantic": {"name": "History", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class History:\n \"\"\"A shell history. Stores the history's globals.\n\n Each history globals is stored in one of two places:\n\n If the global is picklable, it's stored in the parallel globals and\n global_names list properties. (They're parallel lists to work around the\n unfortunate fact that the datastore can't store dictionaries natively.)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L67_C4", "label": "expression", "type": "expression", "loc": [67, 88], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "vector": [8, 1, 0.2892, 0.0821, 1, 0.97, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"A shell history. Stores the history's globals.\n\n Each history globals is stored in one of two places:\n\n If the global is picklable, it's stored in the parallel globals and\n global_names list properties. (They're parallel lists to work around the\n unfortunate fact that the datastore can't store dictionaries natively.)\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L89_C4", "label": "global_names =", "type": "assigned_variable", "loc": [89, 89], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "vector": [14, 1, 0.3321, 0.0037, 1, 0.97, 0.1111, 966, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "global_names", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " global_names = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L90_C4", "label": "globals =", "type": "assigned_variable", "loc": [90, 90], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "vector": [14, 1, 0.3358, 0.0037, 1, 0.97, 0.2222, 926, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "globals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " globals = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L91_C4", "label": "unpicklable_names =", "type": "assigned_variable", "loc": [91, 91], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "vector": [14, 1, 0.3396, 0.0037, 1, 0.97, 0.3333, 20, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "unpicklable_names", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " unpicklable_names = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L92_C4", "label": "unpicklables =", "type": "assigned_variable", "loc": [92, 92], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "vector": [14, 1, 0.3433, 0.0037, 1, 0.97, 0.4444, 107, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "unpicklables", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " unpicklables = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L94_C4", "label": "set_global", "type": "function", "loc": [94, 112], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "vector": [2, 1, 0.3843, 0.0709, 1, 0.97, 0.5556, 85, 0, 3, 0, 0, 0, 0, 5], "semantic": {"name": "set_global", "arg_names": ["self", "name", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def set_global(self, name, value):\n \"\"\"Adds a global, or updates it if it already exists.\n\n Also removes the global from the list of unpicklable names.\n\n Args:\n name: the name of the global to remove\n value: any picklable value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L95_C8", "label": "expression", "type": "expression", "loc": [95, 102], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L94_C4", "vector": [8, 2, 0.3675, 0.0299, 2, 0.19, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Adds a global, or updates it if it already exists.\n\n Also removes the global from the list of unpicklable names.\n\n Args:\n name: the name of the global to remove\n value: any picklable value\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L103_C8", "label": "blob = dumps()", "type": "assigned_variable", "loc": [103, 103], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L94_C4", "vector": [14, 2, 0.3843, 0.0037, 2, 0.19, 0.3333, 657, 3, 1, 0, 0, 160, 10, 1], "semantic": {"name": "blob", "arg_names": [], "import_names": [], "rhs_call_name": "dumps", "annotation": ""}, "snippet": " blob = cPickle.dumps(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:If_L105_C8", "label": "if", "type": "if", "loc": [105, 110], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L94_C4", "vector": [4, 2, 0.4011, 0.0224, 2, 0.19, 0.6667, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if name in self.global_names:\n index = self.global_names.index(name)\n self.globals[index] = blob\n else:\n self.global_names.append(name)\n self.globals.append(blob)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L106_C12", "label": "index = index()", "type": "assigned_variable", "loc": [106, 106], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L105_C8", "vector": [14, 3, 0.3955, 0.0037, 3, 0.13, 0.0, 780, 3, 1, 0, 0, 780, 10, 1], "semantic": {"name": "index", "arg_names": [], "import_names": [], "rhs_call_name": "index", "annotation": ""}, "snippet": " index = self.global_names.index(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L107_C12", "label": "assign", "type": "assigned_variable", "loc": [107, 107], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L105_C8", "vector": [14, 3, 0.3993, 0.0037, 3, 0.13, 0.3333, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.globals[index] = blob"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L109_C12", "label": "append()", "type": "expression", "loc": [109, 109], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L105_C8", "vector": [8, 3, 0.4067, 0.0037, 3, 0.13, 0.6667, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.global_names.append(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L110_C12", "label": "append()", "type": "expression", "loc": [110, 110], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L105_C8", "vector": [8, 3, 0.4104, 0.0037, 3, 0.13, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.globals.append(blob)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L112_C8", "label": "remove_unpicklable_name()", "type": "expression", "loc": [112, 112], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L94_C4", "vector": [8, 2, 0.4179, 0.0037, 2, 0.19, 1.0, 334, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "remove_unpicklable_name", "arg_names": [], "import_names": [], "rhs_call_name": "remove_unpicklable_name", "annotation": ""}, "snippet": " self.remove_unpicklable_name(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L114_C4", "label": "remove_global", "type": "function", "loc": [114, 123], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "vector": [2, 1, 0.4422, 0.0373, 1, 0.97, 0.6667, 174, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "remove_global", "arg_names": ["self", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def remove_global(self, name):\n \"\"\"Removes a global, if it exists.\n\n Args:\n name: string, the name of the global to remove\n \"\"\"\n if name in self.global_names:\n index = self.global_names.index(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L115_C8", "label": "expression", "type": "expression", "loc": [115, 119], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L114_C4", "vector": [8, 2, 0.4366, 0.0187, 2, 0.5, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Removes a global, if it exists.\n\n Args:\n name: string, the name of the global to remove\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:If_L120_C8", "label": "if", "type": "if", "loc": [120, 123], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L114_C4", "vector": [4, 2, 0.4534, 0.0149, 2, 0.5, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if name in self.global_names:\n index = self.global_names.index(name)\n del self.global_names[index]\n del self.globals[index]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L121_C12", "label": "index = index()", "type": "assigned_variable", "loc": [121, 121], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L120_C8", "vector": [14, 3, 0.4515, 0.0037, 3, 0.51, 0.0, 780, 3, 1, 0, 0, 780, 10, 1], "semantic": {"name": "index", "arg_names": [], "import_names": [], "rhs_call_name": "index", "annotation": ""}, "snippet": " index = self.global_names.index(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L125_C4", "label": "globals_dict", "type": "function", "loc": [125, 129], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "vector": [2, 1, 0.4739, 0.0187, 1, 0.97, 0.7778, 78, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "globals_dict", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def globals_dict(self):\n \"\"\"Returns a dictionary view of the globals.\n \"\"\"\n return dict((name, cPickle.loads(val))\n for name, val in zip(self.global_names, self.globals))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L126_C8", "label": "expression", "type": "expression", "loc": [126, 127], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L125_C4", "vector": [8, 2, 0.472, 0.0075, 2, 0.0, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Returns a dictionary view of the globals.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L128_C8", "label": "return", "type": "return", "loc": [128, 129], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L125_C4", "vector": [13, 2, 0.4795, 0.0075, 2, 0.0, 1.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return dict((name, cPickle.loads(val))\n for name, val in zip(self.global_names, self.globals))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L131_C4", "label": "add_unpicklable", "type": "function", "loc": [131, 145], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "vector": [2, 1, 0.5149, 0.056, 1, 0.97, 0.8889, 500, 0, 3, 0, 0, 0, 0, 3], "semantic": {"name": "add_unpicklable", "arg_names": ["self", "statement", "names"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def add_unpicklable(self, statement, names):\n \"\"\"Adds a statement and list of names to the unpicklables.\n\n Also removes the names from the globals.\n\n Args:\n statement: string, the statement that created new unpicklable global(s).\n names: list of strings; the names of the globals created by the statement."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L132_C8", "label": "expression", "type": "expression", "loc": [132, 139], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L131_C4", "vector": [8, 2, 0.5056, 0.0299, 2, 0.75, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Adds a statement and list of names to the unpicklables.\n\n Also removes the names from the globals.\n\n Args:\n statement: string, the statement that created new unpicklable global(s).\n names: list of strings; the names of the globals created by the statement.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L140_C8", "label": "append()", "type": "expression", "loc": [140, 140], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L131_C4", "vector": [8, 2, 0.5224, 0.0037, 2, 0.75, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.unpicklables.append(statement)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:For_L142_C8", "label": "for name", "type": "for", "loc": [142, 145], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L131_C4", "vector": [6, 2, 0.5354, 0.0149, 2, 0.75, 1.0, 57, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for name in names:\n self.remove_global(name)\n if name not in self.unpicklable_names:\n self.unpicklable_names.append(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L143_C12", "label": "remove_global()", "type": "expression", "loc": [143, 143], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:For_L142_C8", "vector": [8, 3, 0.5336, 0.0037, 3, 0.83, 0.0, 174, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "remove_global", "arg_names": [], "import_names": [], "rhs_call_name": "remove_global", "annotation": ""}, "snippet": " self.remove_global(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:If_L144_C12", "label": "if", "type": "if", "loc": [144, 145], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:For_L142_C8", "vector": [4, 3, 0.5392, 0.0075, 3, 0.83, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if name not in self.unpicklable_names:\n self.unpicklable_names.append(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L145_C16", "label": "append()", "type": "expression", "loc": [145, 145], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L144_C12", "vector": [8, 4, 0.541, 0.0037, 4, 0.47, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.unpicklable_names.append(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L147_C4", "label": "remove_unpicklable_name", "type": "function", "loc": [147, 154], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "vector": [2, 1, 0.5616, 0.0299, 1, 0.97, 1.0, 334, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "remove_unpicklable_name", "arg_names": ["self", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def remove_unpicklable_name(self, name):\n \"\"\"Removes a name from the list of unpicklable names, if it exists.\n\n Args:\n name: string, the name of the unpicklable global to remove\n \"\"\"\n if name in self.unpicklable_names:\n self.unpicklable_names.remove(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L148_C8", "label": "expression", "type": "expression", "loc": [148, 152], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L147_C4", "vector": [8, 2, 0.5597, 0.0187, 2, 0.1, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Removes a name from the list of unpicklable names, if it exists.\n\n Args:\n name: string, the name of the unpicklable global to remove\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:If_L153_C8", "label": "if", "type": "if", "loc": [153, 154], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L147_C4", "vector": [4, 2, 0.5728, 0.0075, 2, 0.1, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if name in self.unpicklable_names:\n self.unpicklable_names.remove(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L154_C12", "label": "remove()", "type": "expression", "loc": [154, 154], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L153_C8", "vector": [8, 3, 0.5746, 0.0037, 3, 0.84, 0.0, 185, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "remove", "arg_names": [], "import_names": [], "rhs_call_name": "remove", "annotation": ""}, "snippet": " self.unpicklable_names.remove(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L157_C0", "label": "represent", "type": "function", "loc": [157, 164], "level": 0, "parent": null, "vector": [2, 0, 0.5989, 0.0299, 0, 0.66, 0.8947, 442, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "represent", "arg_names": ["obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def represent(obj):\n \"\"\"Returns a string representing the given object's value, which should allow the\n code below to determine whether the object changes over time.\n \"\"\"\n try:\n return cPickle.dumps(obj)\n except:\n return repr(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L158_C4", "label": "expression", "type": "expression", "loc": [158, 160], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L157_C0", "vector": [8, 1, 0.5933, 0.0112, 1, 0.34, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Returns a string representing the given object's value, which should allow the\n code below to determine whether the object changes over time.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L161_C4", "label": "try", "type": "try", "loc": [161, 164], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L157_C0", "vector": [7, 1, 0.6063, 0.0149, 1, 0.34, 1.0, 0, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return cPickle.dumps(obj)\n except:\n return repr(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L162_C8", "label": "return", "type": "return", "loc": [162, 162], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L161_C4", "vector": [13, 2, 0.6045, 0.0037, 2, 0.22, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return cPickle.dumps(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L164_C8", "label": "return", "type": "return", "loc": [164, 164], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L161_C4", "vector": [13, 2, 0.6119, 0.0037, 2, 0.22, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return repr(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "label": "run", "type": "function", "loc": [167, 263], "level": 0, "parent": null, "vector": [2, 0, 0.8022, 0.3619, 0, 0.66, 0.9474, 679, 0, 3, 1, 0, 0, 0, 38], "semantic": {"name": "run", "arg_names": ["history", "statement", "env"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def run(history, statement, env={}):\n \"\"\"\n Evaluates a python statement in a given history and returns the result.\n \"\"\"\n history.unpicklables = INITIAL_UNPICKLABLES\n\n # extract the statement to be run\n if not statement:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L168_C4", "label": "expression", "type": "expression", "loc": [168, 170], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [8, 1, 0.6306, 0.0112, 1, 0.58, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Evaluates a python statement in a given history and returns the result.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L171_C4", "label": "history.unpicklables =", "type": "assigned_variable", "loc": [171, 171], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [14, 1, 0.6381, 0.0037, 1, 0.58, 0.0833, 1, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "history.unpicklables", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " history.unpicklables = INITIAL_UNPICKLABLES"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:If_L174_C4", "label": "if", "type": "if", "loc": [174, 175], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [4, 1, 0.6511, 0.0075, 1, 0.58, 0.1667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not statement:\n return ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L175_C8", "label": "return", "type": "return", "loc": [175, 175], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L174_C4", "vector": [13, 2, 0.653, 0.0037, 2, 0.48, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L178_C4", "label": "statement = replace()", "type": "assigned_variable", "loc": [178, 178], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [14, 1, 0.6642, 0.0037, 1, 0.58, 0.25, 92, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "statement", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " statement = statement.replace('\\r\\n', '\\n')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L185_C4", "label": "try", "type": "try", "loc": [185, 189], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [7, 1, 0.6978, 0.0187, 1, 0.58, 0.3333, 0, 0, 1, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n logging.info('Compiling and evaluating:\\n%s' % statement)\n compiled = compile(statement, '<string>', 'single')\n except:\n return str(traceback.format_exc())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L186_C8", "label": "info()", "type": "expression", "loc": [186, 186], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L185_C4", "vector": [8, 2, 0.694, 0.0037, 2, 0.55, 0.0, 730, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "info", "arg_names": [], "import_names": [], "rhs_call_name": "info", "annotation": ""}, "snippet": " logging.info('Compiling and evaluating:\\n%s' % statement)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L187_C8", "label": "compiled = compile()", "type": "assigned_variable", "loc": [187, 187], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L185_C4", "vector": [14, 2, 0.6978, 0.0037, 2, 0.55, 1.0, 71, 3, 3, 0, 0, 821, 10, 1], "semantic": {"name": "compiled", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": " compiled = compile(statement, '<string>', 'single')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L189_C8", "label": "return", "type": "return", "loc": [189, 189], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L185_C4", "vector": [13, 2, 0.7052, 0.0037, 2, 0.55, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(traceback.format_exc())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L192_C4", "label": "statement_module = module()", "type": "assigned_variable", "loc": [192, 192], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [14, 1, 0.7164, 0.0037, 1, 0.58, 0.4167, 500, 3, 1, 0, 0, 98, 10, 1], "semantic": {"name": "statement_module", "arg_names": [], "import_names": [], "rhs_call_name": "module", "annotation": ""}, "snippet": " statement_module = new.module('__main__')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Import_L196_C4", "label": "__builtin__ import __builtin__", "type": "import", "loc": [196, 196], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [1, 1, 0.7313, 0.0037, 1, 0.58, 0.5, 364, 0, 1, 0, 0, 364, 0, 0], "semantic": {"name": "__builtin__", "arg_names": [], "import_names": ["__builtin__"], "rhs_call_name": "", "annotation": ""}, "snippet": " import __builtin__"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L197_C4", "label": "statement_module.__builtins__ =", "type": "assigned_variable", "loc": [197, 197], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [14, 1, 0.7351, 0.0037, 1, 0.58, 0.5833, 365, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "statement_module.__builtins__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " statement_module.__builtins__ = __builtin__"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L200_C4", "label": "history = History()", "type": "assigned_variable", "loc": [200, 200], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [14, 1, 0.7463, 0.0037, 1, 0.58, 0.6667, 770, 3, 0, 0, 0, 941, 10, 1], "semantic": {"name": "history", "arg_names": [], "import_names": [], "rhs_call_name": "History", "annotation": ""}, "snippet": " history = History()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L205_C4", "label": "old_main = get()", "type": "assigned_variable", "loc": [205, 205], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [14, 1, 0.7649, 0.0037, 1, 0.58, 0.75, 515, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "old_main", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " old_main = sys.modules.get('__main__')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L206_C4", "label": "output = StringIO()", "type": "assigned_variable", "loc": [206, 206], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [14, 1, 0.7687, 0.0037, 1, 0.58, 0.8333, 886, 3, 0, 0, 0, 609, 10, 1], "semantic": {"name": "output", "arg_names": [], "import_names": [], "rhs_call_name": "StringIO", "annotation": ""}, "snippet": " output = StringIO.StringIO()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "label": "try", "type": "try", "loc": [207, 262], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [7, 1, 0.875, 0.209, 1, 0.58, 0.9167, 0, 0, 0, 0, 0, 0, 0, 28], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n sys.modules['__main__'] = statement_module\n statement_module.__name__ = '__main__'\n statement_module.__dict__.update(env)\n\n # re-evaluate the unpicklables\n for code in history.unpicklables:\n exec(code in statement_module.__dict__)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L208_C8", "label": "assign", "type": "assigned_variable", "loc": [208, 208], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "vector": [14, 2, 0.7761, 0.0037, 2, 0.81, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sys.modules['__main__'] = statement_module"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L209_C8", "label": "statement_module.__name__ =", "type": "assigned_variable", "loc": [209, 209], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "vector": [14, 2, 0.7799, 0.0037, 2, 0.81, 0.1, 295, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "statement_module.__name__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " statement_module.__name__ = '__main__'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L210_C8", "label": "update()", "type": "expression", "loc": [210, 210], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "vector": [8, 2, 0.7836, 0.0037, 2, 0.81, 0.2, 637, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "update", "arg_names": [], "import_names": [], "rhs_call_name": "update", "annotation": ""}, "snippet": " statement_module.__dict__.update(env)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:For_L213_C8", "label": "for code", "type": "for", "loc": [213, 214], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "vector": [6, 2, 0.7966, 0.0075, 2, 0.81, 0.3, 44, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for code in history.unpicklables:\n exec(code in statement_module.__dict__)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L214_C12", "label": "exec()", "type": "expression", "loc": [214, 214], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:For_L213_C8", "vector": [8, 3, 0.7985, 0.0037, 3, 0.39, 0.0, 272, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "exec", "arg_names": [], "import_names": [], "rhs_call_name": "exec", "annotation": ""}, "snippet": " exec(code in statement_module.__dict__)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:For_L217_C8", "label": "for name, val", "type": "for", "loc": [217, 224], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "vector": [6, 2, 0.8228, 0.0299, 2, 0.81, 0.4, 762, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "name, val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for name, val in history.globals_dict().items():\n try:\n statement_module.__dict__[name] = val\n except:\n msg = 'Dropping %s since it could not be unpickled.\\n' % name\n output.write(msg)\n logging.warning(msg + traceback.format_exc())\n history.remove_global(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L218_C12", "label": "try", "type": "try", "loc": [218, 224], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:For_L217_C8", "vector": [7, 3, 0.8246, 0.0261, 3, 0.19, 0.0, 0, 0, 1, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n statement_module.__dict__[name] = val\n except:\n msg = 'Dropping %s since it could not be unpickled.\\n' % name\n output.write(msg)\n logging.warning(msg + traceback.format_exc())\n history.remove_global(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L219_C16", "label": "assign", "type": "assigned_variable", "loc": [219, 219], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L218_C12", "vector": [14, 4, 0.8172, 0.0037, 4, 0.66, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " statement_module.__dict__[name] = val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L221_C16", "label": "msg =", "type": "assigned_variable", "loc": [221, 221], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L218_C12", "vector": [14, 4, 0.8246, 0.0037, 4, 0.66, 0.0, 712, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "msg", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " msg = 'Dropping %s since it could not be unpickled.\\n' % name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L222_C16", "label": "write()", "type": "expression", "loc": [222, 222], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L218_C12", "vector": [8, 4, 0.8284, 0.0037, 4, 0.66, 0.3333, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " output.write(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L223_C16", "label": "warning()", "type": "expression", "loc": [223, 223], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L218_C12", "vector": [8, 4, 0.8321, 0.0037, 4, 0.66, 0.6667, 320, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "warning", "arg_names": [], "import_names": [], "rhs_call_name": "warning", "annotation": ""}, "snippet": " logging.warning(msg + traceback.format_exc())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L224_C16", "label": "remove_global()", "type": "expression", "loc": [224, 224], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L218_C12", "vector": [8, 4, 0.8358, 0.0037, 4, 0.66, 1.0, 174, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "remove_global", "arg_names": [], "import_names": [], "rhs_call_name": "remove_global", "annotation": ""}, "snippet": " history.remove_global(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L227_C8", "label": "old_globals = dict()", "type": "assigned_variable", "loc": [227, 228], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "vector": [14, 2, 0.8489, 0.0075, 2, 0.81, 0.5, 261, 3, 1, 0, 0, 827, 10, 3], "semantic": {"name": "old_globals", "arg_names": [], "import_names": [], "rhs_call_name": "dict", "annotation": ""}, "snippet": " old_globals = dict((key, represent(\n value)) for key, value in statement_module.__dict__.items())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L229_C8", "label": "try", "type": "try", "loc": [229, 240], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "vector": [7, 2, 0.875, 0.0448, 2, 0.81, 0.6, 0, 0, 1, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n old_stdout, old_stderr = sys.stdout, sys.stderr\n try:\n sys.stderr = sys.stdout = output\n locker.acquire()\n exec(compiled in statement_module.__dict__)\n finally:\n locker.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L230_C12", "label": "old_stdout, old_stderr =", "type": "assigned_variable", "loc": [230, 230], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L229_C8", "vector": [14, 3, 0.8582, 0.0037, 3, 0.85, 0.0, 744, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "old_stdout, old_stderr", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " old_stdout, old_stderr = sys.stdout, sys.stderr"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L231_C12", "label": "try", "type": "try", "loc": [231, 237], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L229_C8", "vector": [7, 3, 0.8731, 0.0261, 3, 0.85, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n sys.stderr = sys.stdout = output\n locker.acquire()\n exec(compiled in statement_module.__dict__)\n finally:\n locker.release()\n sys.stdout, sys.stderr = old_stdout, old_stderr"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L232_C16", "label": "sys.stderr =", "type": "assigned_variable", "loc": [232, 232], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L231_C12", "vector": [14, 4, 0.8657, 0.0037, 4, 0.51, 0.0, 387, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "sys.stderr", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sys.stderr = sys.stdout = output"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L233_C16", "label": "acquire()", "type": "expression", "loc": [233, 233], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L231_C12", "vector": [8, 4, 0.8694, 0.0037, 4, 0.51, 0.25, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " locker.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L234_C16", "label": "exec()", "type": "expression", "loc": [234, 234], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L231_C12", "vector": [8, 4, 0.8731, 0.0037, 4, 0.51, 0.5, 272, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "exec", "arg_names": [], "import_names": [], "rhs_call_name": "exec", "annotation": ""}, "snippet": " exec(compiled in statement_module.__dict__)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L236_C16", "label": "release()", "type": "expression", "loc": [236, 236], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L231_C12", "vector": [8, 4, 0.8806, 0.0037, 4, 0.51, 0.75, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " locker.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L237_C16", "label": "assign", "type": "assigned_variable", "loc": [237, 237], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L231_C12", "vector": [14, 4, 0.8843, 0.0037, 4, 0.51, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sys.stdout, sys.stderr = old_stdout, old_stderr"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L239_C12", "label": "write()", "type": "expression", "loc": [239, 239], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L229_C8", "vector": [8, 3, 0.8918, 0.0037, 3, 0.85, 0.0, 837, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " output.write(str(traceback.format_exc()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L240_C12", "label": "return", "type": "return", "loc": [240, 240], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L229_C8", "vector": [13, 3, 0.8955, 0.0037, 3, 0.85, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return output.getvalue()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L243_C8", "label": "new_globals =", "type": "assigned_variable", "loc": [243, 243], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "vector": [14, 2, 0.9067, 0.0037, 2, 0.81, 0.7, 239, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "new_globals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " new_globals = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:For_L244_C8", "label": "for name, val", "type": "for", "loc": [244, 246], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "vector": [6, 2, 0.9142, 0.0112, 2, 0.81, 0.8, 762, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "name, val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for name, val in statement_module.__dict__.items():\n if name not in old_globals or represent(val) != old_globals[name]:\n new_globals[name] = val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:If_L245_C12", "label": "if", "type": "if", "loc": [245, 246], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:For_L244_C8", "vector": [4, 3, 0.916, 0.0075, 3, 0.4, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if name not in old_globals or represent(val) != old_globals[name]:\n new_globals[name] = val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L246_C16", "label": "assign", "type": "assigned_variable", "loc": [246, 246], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L245_C12", "vector": [14, 4, 0.9179, 0.0037, 4, 0.93, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " new_globals[name] = val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:If_L248_C8", "label": "if", "type": "if", "loc": [248, 259], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "vector": [4, 2, 0.9459, 0.0448, 2, 0.81, 0.9, 0, 0, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if True in [isinstance(val, UNPICKLABLE_TYPES)\n for val in new_globals.values()]:\n # this statement added an unpicklable global. store the statement and\n # the names of all of the globals it added in the unpicklables.\n history.add_unpicklable(statement, new_globals.keys())\n logging.debug('Storing this statement as an unpicklable.')\n else:\n # this statement didn't add any unpicklables. pickle and store the"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L252_C12", "label": "add_unpicklable()", "type": "expression", "loc": [252, 252], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L248_C8", "vector": [8, 3, 0.9403, 0.0037, 3, 0.14, 0.0, 500, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "add_unpicklable", "arg_names": [], "import_names": [], "rhs_call_name": "add_unpicklable", "annotation": ""}, "snippet": " history.add_unpicklable(statement, new_globals.keys())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L253_C12", "label": "debug()", "type": "expression", "loc": [253, 253], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L248_C8", "vector": [8, 3, 0.944, 0.0037, 3, 0.14, 0.5, 924, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "debug", "arg_names": [], "import_names": [], "rhs_call_name": "debug", "annotation": ""}, "snippet": " logging.debug('Storing this statement as an unpicklable.')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:For_L257_C12", "label": "for name, val", "type": "for", "loc": [257, 259], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L248_C8", "vector": [6, 3, 0.9627, 0.0112, 3, 0.14, 1.0, 762, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "name, val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for name, val in new_globals.items():\n if not name.startswith('__'):\n history.set_global(name, val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:If_L258_C16", "label": "if", "type": "if", "loc": [258, 259], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:For_L257_C12", "vector": [4, 4, 0.9646, 0.0075, 4, 0.55, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not name.startswith('__'):\n history.set_global(name, val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L259_C20", "label": "set_global()", "type": "expression", "loc": [259, 259], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L258_C16", "vector": [8, 5, 0.9664, 0.0037, 5, 0.21, 0.0, 85, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "set_global", "arg_names": [], "import_names": [], "rhs_call_name": "set_global", "annotation": ""}, "snippet": " history.set_global(name, val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L262_C8", "label": "assign", "type": "assigned_variable", "loc": [262, 262], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "vector": [14, 2, 0.9776, 0.0037, 2, 0.81, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sys.modules['__main__'] = old_main"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L263_C4", "label": "return", "type": "return", "loc": [263, 263], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "vector": [13, 1, 0.9813, 0.0037, 1, 0.58, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return output.getvalue()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:If_L265_C0", "label": "if", "type": "if", "loc": [265, 268], "level": 0, "parent": null, "vector": [4, 0, 0.9944, 0.0149, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == '__main__':\n history = History()\n while True:\n print(run(history, raw_input('>>> ')).rstrip())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L266_C4", "label": "history = History()", "type": "assigned_variable", "loc": [266, 266], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L265_C0", "vector": [14, 1, 0.9925, 0.0037, 1, 0.35, 0.0, 770, 3, 0, 0, 0, 941, 10, 1], "semantic": {"name": "history", "arg_names": [], "import_names": [], "rhs_call_name": "History", "annotation": ""}, "snippet": " history = History()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:While_L267_C4", "label": "while", "type": "while", "loc": [267, 268], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:If_L265_C0", "vector": [5, 1, 0.9981, 0.0075, 1, 0.35, 1.0, 0, 1, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while True:\n print(run(history, raw_input('>>> ')).rstrip())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L268_C8", "label": "print()", "type": "expression", "loc": [268, 268], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_542:While_L267_C4", "vector": [8, 2, 1.0, 0.0037, 2, 0.8, 0.0, 535, 3, 1, 0, 0, 0, 0, 4], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(run(history, raw_input('>>> ')).rstrip())"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L67_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L89_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L90_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L91_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L92_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L94_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L95_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L103_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:If_L105_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L105_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L106_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L105_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L107_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L105_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L109_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L105_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L110_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L112_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L114_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L114_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L115_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L114_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:If_L120_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L120_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L121_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L125_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L125_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L126_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L125_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L128_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L131_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L131_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L132_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L131_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L140_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L131_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:For_L142_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:For_L142_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L143_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:For_L142_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:If_L144_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L144_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L145_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:ClassDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L147_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L147_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L148_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L147_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:If_L153_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L153_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L154_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L157_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L158_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L157_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L161_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L161_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L162_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L161_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L164_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L168_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L171_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:If_L174_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L174_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L175_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L178_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L185_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L185_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L186_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L185_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L187_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L185_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L189_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L192_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Import_L196_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L197_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L200_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L205_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L206_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L208_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L209_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L210_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:For_L213_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:For_L213_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L214_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:For_L217_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:For_L217_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L218_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L218_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L219_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L218_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L221_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L218_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L222_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L218_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L223_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L218_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L224_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L227_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L229_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L229_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L230_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L229_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L231_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L231_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L232_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L231_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L233_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L231_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L234_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L231_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L236_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L231_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L237_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L229_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L239_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L229_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L240_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L243_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:For_L244_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:For_L244_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:If_L245_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L245_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L246_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:If_L248_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L248_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L252_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L248_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L253_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L248_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_542:For_L257_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:For_L257_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_542:If_L258_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L258_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L259_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L262_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:FunctionDef_L167_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Return_L263_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Assign_L266_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:If_L265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_542:While_L267_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_542:While_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_542:Expr_L268_C8"}]
""" Developed by niphlod@gmail.com """ import redis from redis.exceptions import ConnectionError from gluon import current from gluon.storage import Storage import cPickle as pickle import time import re import logging import thread logger = logging.getLogger("web2py.session.redis") locker = thread.allocate_lock() def RedisSession(*args, **vars): """ Usage example: put in models from gluon.contrib.redis_session import RedisSession sessiondb = RedisSession('localhost:6379',db=0, session_expiry=False) session.connect(request, response, db = sessiondb) Simple slip-in storage for session """ locker.acquire() try: instance_name = 'redis_instance_' + current.request.application if not hasattr(RedisSession, instance_name): setattr(RedisSession, instance_name, RedisClient(*args, **vars)) return getattr(RedisSession, instance_name) finally: locker.release() class RedisClient(object): meta_storage = {} MAX_RETRIES = 5 RETRIES = 0 def __init__(self, server='localhost:6379', db=None, debug=False, session_expiry=False): """session_expiry can be an integer, in seconds, to set the default expiration of sessions. The corresponding record will be deleted from the redis instance, and there's virtually no need to run sessions2trash.py """ self.server = server self.db = db or 0 host, port = (self.server.split(':') + ['6379'])[:2] port = int(port) self.debug = debug if current and current.request: self.app = current.request.application else: self.app = '' self.r_server = redis.Redis(host=host, port=port, db=self.db) self.tablename = None self.session_expiry = session_expiry def get(self, what, default): return self.tablename def Field(self, fieldname, type='string', length=None, default=None, required=False, requires=None): return None def define_table(self, tablename, *fields, **args): if not self.tablename: self.tablename = MockTable( self, self.r_server, tablename, self.session_expiry) return self.tablename def __getitem__(self, key): return self.tablename def __call__(self, where=''): q = self.tablename.query return q def commit(self): #this is only called by session2trash.py pass class MockTable(object): def __init__(self, db, r_server, tablename, session_expiry): self.db = db self.r_server = r_server self.tablename = tablename #set the namespace for sessions of this app self.keyprefix = 'w2p:sess:%s' % tablename.replace( 'web2py_session_', '') #fast auto-increment id (needed for session handling) self.serial = "%s:serial" % self.keyprefix #index of all the session keys of this app self.id_idx = "%s:id_idx" % self.keyprefix #remember the session_expiry setting self.session_expiry = session_expiry def getserial(self): #return an auto-increment id return "%s" % self.r_server.incr(self.serial, 1) def __getattr__(self, key): if key == 'id': #return a fake query. We need to query it just by id for normal operations self.query = MockQuery(field='id', db=self.r_server, prefix=self.keyprefix, session_expiry=self.session_expiry) return self.query elif key == '_db': #needed because of the calls in sessions2trash.py and globals.py return self.db def insert(self, **kwargs): #usually kwargs would be a Storage with several keys: #'locked', 'client_ip','created_datetime','modified_datetime' #'unique_key', 'session_data' #retrieve a new key newid = self.getserial() key = "%s:%s" % (self.keyprefix, newid) #add it to the index self.r_server.sadd(self.id_idx, key) #set a hash key with the Storage self.r_server.hmset(key, kwargs) if self.session_expiry: self.r_server.expire(key, self.session_expiry) return newid class MockQuery(object): """a fake Query object that supports querying by id and listing all keys. No other operation is supported """ def __init__(self, field=None, db=None, prefix=None, session_expiry=False): self.field = field self.value = None self.db = db self.keyprefix = prefix self.op = None self.session_expiry = session_expiry def __eq__(self, value, op='eq'): self.value = value self.op = op def __gt__(self, value, op='ge'): self.value = value self.op = op def select(self): if self.op == 'eq' and self.field == 'id' and self.value: #means that someone wants to retrieve the key self.value rtn = self.db.hgetall("%s:%s" % (self.keyprefix, self.value)) if rtn == dict(): #return an empty resultset for non existing key return [] else: return [Storage(rtn)] elif self.op == 'ge' and self.field == 'id' and self.value == 0: #means that someone wants the complete list rtn = [] id_idx = "%s:id_idx" % self.keyprefix #find all session keys of this app allkeys = self.db.smembers(id_idx) for sess in allkeys: val = self.db.hgetall(sess) if val == dict(): if self.session_expiry: #clean up the idx, because the key expired self.db.srem(id_idx, sess) continue else: continue val = Storage(val) #add a delete_record method (necessary for sessions2trash.py) val.delete_record = RecordDeleter( self.db, sess, self.keyprefix) rtn.append(val) return rtn else: raise Exception("Operation not supported") def update(self, **kwargs): #means that the session has been found and needs an update if self.op == 'eq' and self.field == 'id' and self.value: key = "%s:%s" % (self.keyprefix, self.value) rtn = self.db.hmset(key, kwargs) if self.session_expiry: self.db.expire(key, self.session_expiry) return rtn class RecordDeleter(object): """Dumb record deleter to support sessions2trash.py""" def __init__(self, db, key, keyprefix): self.db, self.key, self.keyprefix = db, key, keyprefix def __call__(self): id_idx = "%s:id_idx" % self.keyprefix #remove from the index self.db.srem(id_idx, self.key) #remove the key itself self.db.delete(self.key)
ajibawa-2023/Python-Code-Large/train/row_543
126
208
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 3], "level": 0, "parent": null, "vector": [8, 0, 0.0096, 0.0144, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nDeveloped by niphlod@gmail.com\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Import_L5_C0", "label": "redis import redis", "type": "import", "loc": [5, 5], "level": 0, "parent": null, "vector": [1, 0, 0.024, 0.0048, 0, 0.66, 0.0625, 977, 0, 1, 0, 0, 977, 0, 0], "semantic": {"name": "redis", "arg_names": [], "import_names": ["redis"], "rhs_call_name": "", "annotation": ""}, "snippet": "import redis"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:ImportFrom_L6_C0", "label": "from redis.exceptions import ConnectionError", "type": "import", "loc": [6, 6], "level": 0, "parent": null, "vector": [1, 0, 0.0288, 0.0048, 0, 0.66, 0.125, 343, 0, 1, 0, 0, 343, 0, 0], "semantic": {"name": "redis.exceptions", "arg_names": [], "import_names": ["ConnectionError"], "rhs_call_name": "", "annotation": ""}, "snippet": "from redis.exceptions import ConnectionError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:ImportFrom_L7_C0", "label": "from gluon import current", "type": "import", "loc": [7, 7], "level": 0, "parent": null, "vector": [1, 0, 0.0337, 0.0048, 0, 0.66, 0.1875, 826, 0, 1, 0, 0, 826, 0, 0], "semantic": {"name": "gluon", "arg_names": [], "import_names": ["current"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon import current"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:ImportFrom_L8_C0", "label": "from gluon.storage import Storage", "type": "import", "loc": [8, 8], "level": 0, "parent": null, "vector": [1, 0, 0.0385, 0.0048, 0, 0.66, 0.25, 696, 0, 1, 0, 0, 696, 0, 0], "semantic": {"name": "gluon.storage", "arg_names": [], "import_names": ["Storage"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon.storage import Storage"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Import_L9_C0", "label": "cPickle import pickle", "type": "import", "loc": [9, 9], "level": 0, "parent": null, "vector": [1, 0, 0.0433, 0.0048, 0, 0.66, 0.3125, 279, 0, 1, 0, 0, 279, 0, 0], "semantic": {"name": "cPickle", "arg_names": [], "import_names": ["pickle"], "rhs_call_name": "", "annotation": ""}, "snippet": "import cPickle as pickle"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Import_L10_C0", "label": "time import time", "type": "import", "loc": [10, 10], "level": 0, "parent": null, "vector": [1, 0, 0.0481, 0.0048, 0, 0.66, 0.375, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["time"], "rhs_call_name": "", "annotation": ""}, "snippet": "import time"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Import_L11_C0", "label": "re import re", "type": "import", "loc": [11, 11], "level": 0, "parent": null, "vector": [1, 0, 0.0529, 0.0048, 0, 0.66, 0.4375, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Import_L12_C0", "label": "logging import logging", "type": "import", "loc": [12, 12], "level": 0, "parent": null, "vector": [1, 0, 0.0577, 0.0048, 0, 0.66, 0.5, 715, 0, 1, 0, 0, 715, 0, 0], "semantic": {"name": "logging", "arg_names": [], "import_names": ["logging"], "rhs_call_name": "", "annotation": ""}, "snippet": "import logging"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Import_L13_C0", "label": "thread import thread", "type": "import", "loc": [13, 13], "level": 0, "parent": null, "vector": [1, 0, 0.0625, 0.0048, 0, 0.66, 0.5625, 260, 0, 1, 0, 0, 260, 0, 0], "semantic": {"name": "thread", "arg_names": [], "import_names": ["thread"], "rhs_call_name": "", "annotation": ""}, "snippet": "import thread"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L15_C0", "label": "logger = getLogger()", "type": "assigned_variable", "loc": [15, 15], "level": 0, "parent": null, "vector": [14, 0, 0.0721, 0.0048, 0, 0.66, 0.625, 532, 3, 1, 0, 0, 71, 10, 1], "semantic": {"name": "logger", "arg_names": [], "import_names": [], "rhs_call_name": "getLogger", "annotation": ""}, "snippet": "logger = logging.getLogger(\"web2py.session.redis\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L17_C0", "label": "locker = allocate_lock()", "type": "assigned_variable", "loc": [17, 17], "level": 0, "parent": null, "vector": [14, 0, 0.0817, 0.0048, 0, 0.66, 0.6875, 240, 3, 0, 0, 0, 538, 10, 1], "semantic": {"name": "locker", "arg_names": [], "import_names": [], "rhs_call_name": "allocate_lock", "annotation": ""}, "snippet": "locker = thread.allocate_lock()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L20_C0", "label": "RedisSession", "type": "function", "loc": [20, 37], "level": 0, "parent": null, "vector": [2, 0, 0.137, 0.0865, 0, 0.66, 0.75, 34, 0, 2, 1, 0, 0, 0, 6], "semantic": {"name": "RedisSession", "arg_names": ["args", "vars"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def RedisSession(*args, **vars):\n \"\"\"\n Usage example: put in models\n from gluon.contrib.redis_session import RedisSession\n sessiondb = RedisSession('localhost:6379',db=0, session_expiry=False)\n session.connect(request, response, db = sessiondb)\n\n Simple slip-in storage for session"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L21_C4", "label": "expression", "type": "expression", "loc": [21, 28], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L20_C0", "vector": [8, 1, 0.1178, 0.0385, 1, 0.29, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Usage example: put in models\n from gluon.contrib.redis_session import RedisSession\n sessiondb = RedisSession('localhost:6379',db=0, session_expiry=False)\n session.connect(request, response, db = sessiondb)\n\n Simple slip-in storage for session\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L30_C4", "label": "acquire()", "type": "expression", "loc": [30, 30], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L20_C0", "vector": [8, 1, 0.1442, 0.0048, 1, 0.29, 0.5, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " locker.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Try_L31_C4", "label": "try", "type": "try", "loc": [31, 37], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L20_C0", "vector": [7, 1, 0.1635, 0.0337, 1, 0.29, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n instance_name = 'redis_instance_' + current.request.application\n if not hasattr(RedisSession, instance_name):\n setattr(RedisSession, instance_name, RedisClient(*args, **vars))\n return getattr(RedisSession, instance_name)\n finally:\n locker.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L32_C8", "label": "instance_name =", "type": "assigned_variable", "loc": [32, 32], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:Try_L31_C4", "vector": [14, 2, 0.1538, 0.0048, 2, 0.74, 0.0, 930, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "instance_name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " instance_name = 'redis_instance_' + current.request.application"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L33_C8", "label": "if", "type": "if", "loc": [33, 34], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:Try_L31_C4", "vector": [4, 2, 0.1611, 0.0096, 2, 0.74, 0.3333, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not hasattr(RedisSession, instance_name):\n setattr(RedisSession, instance_name, RedisClient(*args, **vars))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L34_C12", "label": "setattr()", "type": "expression", "loc": [34, 34], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L33_C8", "vector": [8, 3, 0.1635, 0.0048, 3, 0.7, 0.0, 501, 3, 3, 0, 0, 0, 0, 2], "semantic": {"name": "setattr", "arg_names": [], "import_names": [], "rhs_call_name": "setattr", "annotation": ""}, "snippet": " setattr(RedisSession, instance_name, RedisClient(*args, **vars))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L35_C8", "label": "return", "type": "return", "loc": [35, 35], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:Try_L31_C4", "vector": [13, 2, 0.1683, 0.0048, 2, 0.74, 0.6667, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return getattr(RedisSession, instance_name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L37_C8", "label": "release()", "type": "expression", "loc": [37, 37], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:Try_L31_C4", "vector": [8, 2, 0.1779, 0.0048, 2, 0.74, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " locker.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "label": "RedisClient", "type": "class", "loc": [40, 86], "level": 0, "parent": null, "vector": [3, 0, 0.3029, 0.226, 0, 0.66, 0.8125, 654, 0, 7, 0, 0, 186, 0, 4], "semantic": {"name": "RedisClient", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class RedisClient(object):\n\n meta_storage = {}\n MAX_RETRIES = 5\n RETRIES = 0\n\n def __init__(self, server='localhost:6379', db=None, debug=False, session_expiry=False):\n \"\"\"session_expiry can be an integer, in seconds, to set the default expiration"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L42_C4", "label": "meta_storage =", "type": "assigned_variable", "loc": [42, 42], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "vector": [14, 1, 0.2019, 0.0048, 1, 0.96, 0.0, 397, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "meta_storage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " meta_storage = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L43_C4", "label": "MAX_RETRIES =", "type": "assigned_variable", "loc": [43, 43], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "vector": [14, 1, 0.2067, 0.0048, 1, 0.96, 0.1111, 371, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MAX_RETRIES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " MAX_RETRIES = 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L44_C4", "label": "RETRIES =", "type": "assigned_variable", "loc": [44, 44], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "vector": [14, 1, 0.2115, 0.0048, 1, 0.96, 0.2222, 283, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "RETRIES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " RETRIES = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "label": "__init__", "type": "function", "loc": [46, 62], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "vector": [2, 1, 0.2596, 0.0817, 1, 0.96, 0.3333, 555, 0, 5, 0, 0, 0, 0, 3], "semantic": {"name": "__init__", "arg_names": ["self", "server", "db", "debug", "session_expiry"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, server='localhost:6379', db=None, debug=False, session_expiry=False):\n \"\"\"session_expiry can be an integer, in seconds, to set the default expiration\n of sessions. The corresponding record will be deleted from the redis instance,\n and there's virtually no need to run sessions2trash.py\n \"\"\"\n self.server = server\n self.db = db or 0\n host, port = (self.server.split(':') + ['6379'])[:2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L47_C8", "label": "expression", "type": "expression", "loc": [47, 50], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "vector": [8, 2, 0.2332, 0.0192, 2, 0.07, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"session_expiry can be an integer, in seconds, to set the default expiration\n of sessions. The corresponding record will be deleted from the redis instance,\n and there's virtually no need to run sessions2trash.py\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L51_C8", "label": "self.server =", "type": "assigned_variable", "loc": [51, 51], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "vector": [14, 2, 0.2452, 0.0048, 2, 0.07, 0.1111, 81, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.server", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.server = server"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L52_C8", "label": "self.db =", "type": "assigned_variable", "loc": [52, 52], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "vector": [14, 2, 0.25, 0.0048, 2, 0.07, 0.2222, 990, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.db", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.db = db or 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L53_C8", "label": "host, port =", "type": "assigned_variable", "loc": [53, 53], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "vector": [14, 2, 0.2548, 0.0048, 2, 0.07, 0.3333, 364, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "host, port", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " host, port = (self.server.split(':') + ['6379'])[:2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L54_C8", "label": "port = int()", "type": "assigned_variable", "loc": [54, 54], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "vector": [14, 2, 0.2596, 0.0048, 2, 0.07, 0.4444, 308, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "port", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " port = int(port)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L55_C8", "label": "self.debug =", "type": "assigned_variable", "loc": [55, 55], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "vector": [14, 2, 0.2644, 0.0048, 2, 0.07, 0.5556, 168, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.debug", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.debug = debug"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L56_C8", "label": "if", "type": "if", "loc": [56, 59], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "vector": [4, 2, 0.2764, 0.0192, 2, 0.07, 0.6667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if current and current.request:\n self.app = current.request.application\n else:\n self.app = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L57_C12", "label": "self.app =", "type": "assigned_variable", "loc": [57, 57], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L56_C8", "vector": [14, 3, 0.274, 0.0048, 3, 0.81, 0.0, 809, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.app", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.app = current.request.application"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L59_C12", "label": "self.app =", "type": "assigned_variable", "loc": [59, 59], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L56_C8", "vector": [14, 3, 0.2837, 0.0048, 3, 0.81, 1.0, 809, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self.app", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.app = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L60_C8", "label": "self.r_server = Redis()", "type": "assigned_variable", "loc": [60, 60], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "vector": [14, 2, 0.2885, 0.0048, 2, 0.07, 0.7778, 612, 3, 3, 0, 0, 131, 10, 1], "semantic": {"name": "self.r_server", "arg_names": [], "import_names": [], "rhs_call_name": "Redis", "annotation": ""}, "snippet": " self.r_server = redis.Redis(host=host, port=port, db=self.db)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L61_C8", "label": "self.tablename =", "type": "assigned_variable", "loc": [61, 61], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "vector": [14, 2, 0.2933, 0.0048, 2, 0.07, 0.8889, 128, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.tablename", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.tablename = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L62_C8", "label": "self.session_expiry =", "type": "assigned_variable", "loc": [62, 62], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "vector": [14, 2, 0.2981, 0.0048, 2, 0.07, 1.0, 929, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.session_expiry", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.session_expiry = session_expiry"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L64_C4", "label": "get", "type": "function", "loc": [64, 65], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "vector": [2, 1, 0.3101, 0.0096, 1, 0.96, 0.4444, 607, 0, 3, 1, 0, 0, 0, 0], "semantic": {"name": "get", "arg_names": ["self", "what", "default"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get(self, what, default):\n return self.tablename"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L65_C8", "label": "return", "type": "return", "loc": [65, 65], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L64_C4", "vector": [13, 2, 0.3125, 0.0048, 2, 0.13, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.tablename"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L67_C4", "label": "Field", "type": "function", "loc": [67, 69], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "vector": [2, 1, 0.3269, 0.0144, 1, 0.96, 0.5556, 949, 0, 7, 1, 0, 0, 0, 0], "semantic": {"name": "Field", "arg_names": ["self", "fieldname", "type", "length", "default", "required", "requires"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def Field(self, fieldname, type='string', length=None, default=None,\n required=False, requires=None):\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L69_C8", "label": "return", "type": "return", "loc": [69, 69], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L67_C4", "vector": [13, 2, 0.3317, 0.0048, 2, 0.04, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L71_C4", "label": "define_table", "type": "function", "loc": [71, 75], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "vector": [2, 1, 0.351, 0.024, 1, 0.96, 0.6667, 874, 0, 4, 1, 0, 0, 0, 1], "semantic": {"name": "define_table", "arg_names": ["self", "tablename", "fields", "args"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def define_table(self, tablename, *fields, **args):\n if not self.tablename:\n self.tablename = MockTable(\n self, self.r_server, tablename, self.session_expiry)\n return self.tablename"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L72_C8", "label": "if", "type": "if", "loc": [72, 74], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L71_C4", "vector": [4, 2, 0.351, 0.0144, 2, 0.96, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self.tablename:\n self.tablename = MockTable(\n self, self.r_server, tablename, self.session_expiry)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L73_C12", "label": "self.tablename = MockTable()", "type": "assigned_variable", "loc": [73, 74], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L72_C8", "vector": [14, 3, 0.3534, 0.0096, 3, 0.02, 0.0, 128, 3, 4, 0, 0, 185, 10, 1], "semantic": {"name": "self.tablename", "arg_names": [], "import_names": [], "rhs_call_name": "MockTable", "annotation": ""}, "snippet": " self.tablename = MockTable(\n self, self.r_server, tablename, self.session_expiry)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L75_C8", "label": "return", "type": "return", "loc": [75, 75], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L71_C4", "vector": [13, 2, 0.3606, 0.0048, 2, 0.96, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.tablename"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L77_C4", "label": "__getitem__", "type": "function", "loc": [77, 78], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "vector": [2, 1, 0.3726, 0.0096, 1, 0.96, 0.7778, 698, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "__getitem__", "arg_names": ["self", "key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __getitem__(self, key):\n return self.tablename"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L78_C8", "label": "return", "type": "return", "loc": [78, 78], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L77_C4", "vector": [13, 2, 0.375, 0.0048, 2, 0.04, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.tablename"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L80_C4", "label": "__call__", "type": "function", "loc": [80, 82], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "vector": [2, 1, 0.3894, 0.0144, 1, 0.96, 0.8889, 319, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "__call__", "arg_names": ["self", "where"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __call__(self, where=''):\n q = self.tablename.query\n return q"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L81_C8", "label": "q =", "type": "assigned_variable", "loc": [81, 81], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L80_C4", "vector": [14, 2, 0.3894, 0.0048, 2, 0.31, 0.0, 516, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "q", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " q = self.tablename.query"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L82_C8", "label": "return", "type": "return", "loc": [82, 82], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L80_C4", "vector": [13, 2, 0.3942, 0.0048, 2, 0.31, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return q"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L84_C4", "label": "commit", "type": "function", "loc": [84, 86], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "vector": [2, 1, 0.4087, 0.0144, 1, 0.96, 1.0, 281, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "commit", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def commit(self):\n #this is only called by session2trash.py\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L89_C0", "label": "MockTable", "type": "class", "loc": [89, 131], "level": 0, "parent": null, "vector": [3, 0, 0.5288, 0.2067, 0, 0.66, 0.875, 185, 0, 4, 0, 0, 186, 0, 7], "semantic": {"name": "MockTable", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class MockTable(object):\n\n def __init__(self, db, r_server, tablename, session_expiry):\n self.db = db\n self.r_server = r_server\n self.tablename = tablename\n #set the namespace for sessions of this app\n self.keyprefix = 'w2p:sess:%s' % tablename.replace("}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "label": "__init__", "type": "function", "loc": [91, 103], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L89_C0", "vector": [2, 1, 0.4663, 0.0625, 1, 0.14, 0.0, 555, 0, 5, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "db", "r_server", "tablename", "session_expiry"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, db, r_server, tablename, session_expiry):\n self.db = db\n self.r_server = r_server\n self.tablename = tablename\n #set the namespace for sessions of this app\n self.keyprefix = 'w2p:sess:%s' % tablename.replace(\n 'web2py_session_', '')\n #fast auto-increment id (needed for session handling)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L92_C8", "label": "self.db =", "type": "assigned_variable", "loc": [92, 92], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "vector": [14, 2, 0.4423, 0.0048, 2, 0.38, 0.0, 990, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.db", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.db = db"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L93_C8", "label": "self.r_server =", "type": "assigned_variable", "loc": [93, 93], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "vector": [14, 2, 0.4471, 0.0048, 2, 0.38, 0.1667, 612, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.r_server", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.r_server = r_server"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L94_C8", "label": "self.tablename =", "type": "assigned_variable", "loc": [94, 94], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "vector": [14, 2, 0.4519, 0.0048, 2, 0.38, 0.3333, 128, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.tablename", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.tablename = tablename"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L96_C8", "label": "self.keyprefix =", "type": "assigned_variable", "loc": [96, 97], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "vector": [14, 2, 0.4639, 0.0096, 2, 0.38, 0.5, 188, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.keyprefix", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.keyprefix = 'w2p:sess:%s' % tablename.replace(\n 'web2py_session_', '')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L99_C8", "label": "self.serial =", "type": "assigned_variable", "loc": [99, 99], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "vector": [14, 2, 0.476, 0.0048, 2, 0.38, 0.6667, 772, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.serial", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.serial = \"%s:serial\" % self.keyprefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L101_C8", "label": "self.id_idx =", "type": "assigned_variable", "loc": [101, 101], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "vector": [14, 2, 0.4856, 0.0048, 2, 0.38, 0.8333, 860, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.id_idx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.id_idx = \"%s:id_idx\" % self.keyprefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L103_C8", "label": "self.session_expiry =", "type": "assigned_variable", "loc": [103, 103], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "vector": [14, 2, 0.4952, 0.0048, 2, 0.38, 1.0, 929, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.session_expiry", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.session_expiry = session_expiry"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L105_C4", "label": "getserial", "type": "function", "loc": [105, 107], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L89_C0", "vector": [2, 1, 0.5096, 0.0144, 1, 0.14, 0.3333, 787, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "getserial", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def getserial(self):\n #return an auto-increment id\n return \"%s\" % self.r_server.incr(self.serial, 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L107_C8", "label": "return", "type": "return", "loc": [107, 107], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L105_C4", "vector": [13, 2, 0.5144, 0.0048, 2, 0.9, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"%s\" % self.r_server.incr(self.serial, 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L109_C4", "label": "__getattr__", "type": "function", "loc": [109, 116], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L89_C0", "vector": [2, 1, 0.5409, 0.0385, 1, 0.14, 0.6667, 210, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__getattr__", "arg_names": ["self", "key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __getattr__(self, key):\n if key == 'id':\n #return a fake query. We need to query it just by id for normal operations\n self.query = MockQuery(field='id', db=self.r_server, prefix=self.keyprefix, session_expiry=self.session_expiry)\n return self.query\n elif key == '_db':\n #needed because of the calls in sessions2trash.py and globals.py\n return self.db"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L110_C8", "label": "if", "type": "if", "loc": [110, 116], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L109_C4", "vector": [4, 2, 0.5433, 0.0337, 2, 0.63, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if key == 'id':\n #return a fake query. We need to query it just by id for normal operations\n self.query = MockQuery(field='id', db=self.r_server, prefix=self.keyprefix, session_expiry=self.session_expiry)\n return self.query\n elif key == '_db':\n #needed because of the calls in sessions2trash.py and globals.py\n return self.db"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L112_C12", "label": "self.query = MockQuery()", "type": "assigned_variable", "loc": [112, 112], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L110_C8", "vector": [14, 3, 0.5385, 0.0048, 3, 0.91, 0.0, 241, 3, 4, 0, 0, 993, 10, 1], "semantic": {"name": "self.query", "arg_names": [], "import_names": [], "rhs_call_name": "MockQuery", "annotation": ""}, "snippet": " self.query = MockQuery(field='id', db=self.r_server, prefix=self.keyprefix, session_expiry=self.session_expiry)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L113_C12", "label": "return", "type": "return", "loc": [113, 113], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L110_C8", "vector": [13, 3, 0.5433, 0.0048, 3, 0.91, 0.5, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.query"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L114_C8", "label": "if", "type": "if", "loc": [114, 116], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L110_C8", "vector": [4, 3, 0.5529, 0.0144, 3, 0.91, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif key == '_db':\n #needed because of the calls in sessions2trash.py and globals.py\n return self.db"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L116_C12", "label": "return", "type": "return", "loc": [116, 116], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L114_C8", "vector": [13, 4, 0.5577, 0.0048, 4, 0.06, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.db"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "label": "insert", "type": "function", "loc": [118, 131], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L89_C0", "vector": [2, 1, 0.5986, 0.0673, 1, 0.14, 1.0, 368, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "insert", "arg_names": ["self", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def insert(self, **kwargs):\n #usually kwargs would be a Storage with several keys:\n #'locked', 'client_ip','created_datetime','modified_datetime'\n #'unique_key', 'session_data'\n #retrieve a new key\n newid = self.getserial()\n key = \"%s:%s\" % (self.keyprefix, newid)\n #add it to the index"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L123_C8", "label": "newid = getserial()", "type": "assigned_variable", "loc": [123, 123], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "vector": [14, 2, 0.5913, 0.0048, 2, 0.81, 0.0, 189, 3, 0, 0, 0, 787, 10, 1], "semantic": {"name": "newid", "arg_names": [], "import_names": [], "rhs_call_name": "getserial", "annotation": ""}, "snippet": " newid = self.getserial()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L124_C8", "label": "key =", "type": "assigned_variable", "loc": [124, 124], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "vector": [14, 2, 0.5962, 0.0048, 2, 0.81, 0.2, 230, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key = \"%s:%s\" % (self.keyprefix, newid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L126_C8", "label": "sadd()", "type": "expression", "loc": [126, 126], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "vector": [8, 2, 0.6058, 0.0048, 2, 0.81, 0.4, 344, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "sadd", "arg_names": [], "import_names": [], "rhs_call_name": "sadd", "annotation": ""}, "snippet": " self.r_server.sadd(self.id_idx, key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L128_C8", "label": "hmset()", "type": "expression", "loc": [128, 128], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "vector": [8, 2, 0.6154, 0.0048, 2, 0.81, 0.6, 916, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "hmset", "arg_names": [], "import_names": [], "rhs_call_name": "hmset", "annotation": ""}, "snippet": " self.r_server.hmset(key, kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L129_C8", "label": "if", "type": "if", "loc": [129, 130], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "vector": [4, 2, 0.6226, 0.0096, 2, 0.81, 0.8, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.session_expiry:\n self.r_server.expire(key, self.session_expiry)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L130_C12", "label": "expire()", "type": "expression", "loc": [130, 130], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L129_C8", "vector": [8, 3, 0.625, 0.0048, 3, 0.32, 0.0, 12, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "expire", "arg_names": [], "import_names": [], "rhs_call_name": "expire", "annotation": ""}, "snippet": " self.r_server.expire(key, self.session_expiry)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L131_C8", "label": "return", "type": "return", "loc": [131, 131], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "vector": [13, 2, 0.6298, 0.0048, 2, 0.81, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return newid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "label": "MockQuery", "type": "class", "loc": [134, 194], "level": 0, "parent": null, "vector": [3, 0, 0.7885, 0.2933, 0, 0.66, 0.9375, 993, 0, 5, 0, 0, 186, 0, 13], "semantic": {"name": "MockQuery", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class MockQuery(object):\n \"\"\"a fake Query object that supports querying by id\n and listing all keys. No other operation is supported\n \"\"\"\n def __init__(self, field=None, db=None, prefix=None, session_expiry=False):\n self.field = field\n self.value = None\n self.db = db"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L135_C4", "label": "expression", "type": "expression", "loc": [135, 137], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "vector": [8, 1, 0.6538, 0.0144, 1, 0.85, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"a fake Query object that supports querying by id\n and listing all keys. No other operation is supported\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "label": "__init__", "type": "function", "loc": [138, 144], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "vector": [2, 1, 0.6779, 0.0337, 1, 0.85, 0.2, 555, 0, 5, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "field", "db", "prefix", "session_expiry"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, field=None, db=None, prefix=None, session_expiry=False):\n self.field = field\n self.value = None\n self.db = db\n self.keyprefix = prefix\n self.op = None\n self.session_expiry = session_expiry"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L139_C8", "label": "self.field =", "type": "assigned_variable", "loc": [139, 139], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "vector": [14, 2, 0.6683, 0.0048, 2, 0.51, 0.0, 951, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.field", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.field = field"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L140_C8", "label": "self.value =", "type": "assigned_variable", "loc": [140, 140], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "vector": [14, 2, 0.6731, 0.0048, 2, 0.51, 0.2, 966, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.value = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L141_C8", "label": "self.db =", "type": "assigned_variable", "loc": [141, 141], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "vector": [14, 2, 0.6779, 0.0048, 2, 0.51, 0.4, 990, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.db", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.db = db"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L142_C8", "label": "self.keyprefix =", "type": "assigned_variable", "loc": [142, 142], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "vector": [14, 2, 0.6827, 0.0048, 2, 0.51, 0.6, 188, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.keyprefix", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.keyprefix = prefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L143_C8", "label": "self.op =", "type": "assigned_variable", "loc": [143, 143], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "vector": [14, 2, 0.6875, 0.0048, 2, 0.51, 0.8, 265, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.op", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.op = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L144_C8", "label": "self.session_expiry =", "type": "assigned_variable", "loc": [144, 144], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "vector": [14, 2, 0.6923, 0.0048, 2, 0.51, 1.0, 929, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.session_expiry", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.session_expiry = session_expiry"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L146_C4", "label": "__eq__", "type": "function", "loc": [146, 148], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "vector": [2, 1, 0.7067, 0.0144, 1, 0.85, 0.4, 763, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__eq__", "arg_names": ["self", "value", "op"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __eq__(self, value, op='eq'):\n self.value = value\n self.op = op"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L147_C8", "label": "self.value =", "type": "assigned_variable", "loc": [147, 147], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L146_C4", "vector": [14, 2, 0.7067, 0.0048, 2, 0.89, 0.0, 966, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.value = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L148_C8", "label": "self.op =", "type": "assigned_variable", "loc": [148, 148], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L146_C4", "vector": [14, 2, 0.7115, 0.0048, 2, 0.89, 1.0, 265, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.op", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.op = op"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L150_C4", "label": "__gt__", "type": "function", "loc": [150, 152], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "vector": [2, 1, 0.726, 0.0144, 1, 0.85, 0.6, 974, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__gt__", "arg_names": ["self", "value", "op"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __gt__(self, value, op='ge'):\n self.value = value\n self.op = op"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L151_C8", "label": "self.value =", "type": "assigned_variable", "loc": [151, 151], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L150_C4", "vector": [14, 2, 0.726, 0.0048, 2, 0.87, 0.0, 966, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.value = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L152_C8", "label": "self.op =", "type": "assigned_variable", "loc": [152, 152], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L150_C4", "vector": [14, 2, 0.7308, 0.0048, 2, 0.87, 1.0, 265, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.op", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.op = op"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L154_C4", "label": "select", "type": "function", "loc": [154, 185], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "vector": [2, 1, 0.8149, 0.1538, 1, 0.85, 0.8, 438, 0, 1, 1, 0, 0, 0, 11], "semantic": {"name": "select", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def select(self):\n if self.op == 'eq' and self.field == 'id' and self.value:\n #means that someone wants to retrieve the key self.value\n rtn = self.db.hgetall(\"%s:%s\" % (self.keyprefix, self.value))\n if rtn == dict():\n #return an empty resultset for non existing key\n return []\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L155_C8", "label": "if", "type": "if", "loc": [155, 185], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L154_C4", "vector": [4, 2, 0.8173, 0.149, 2, 0.38, 0.0, 0, 0, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.op == 'eq' and self.field == 'id' and self.value:\n #means that someone wants to retrieve the key self.value\n rtn = self.db.hgetall(\"%s:%s\" % (self.keyprefix, self.value))\n if rtn == dict():\n #return an empty resultset for non existing key\n return []\n else:\n return [Storage(rtn)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L157_C12", "label": "rtn = hgetall()", "type": "assigned_variable", "loc": [157, 157], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L155_C8", "vector": [14, 3, 0.7548, 0.0048, 3, 0.07, 0.0, 781, 3, 1, 0, 0, 251, 10, 1], "semantic": {"name": "rtn", "arg_names": [], "import_names": [], "rhs_call_name": "hgetall", "annotation": ""}, "snippet": " rtn = self.db.hgetall(\"%s:%s\" % (self.keyprefix, self.value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L158_C12", "label": "if", "type": "if", "loc": [158, 162], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L155_C8", "vector": [4, 3, 0.7692, 0.024, 3, 0.07, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if rtn == dict():\n #return an empty resultset for non existing key\n return []\n else:\n return [Storage(rtn)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L160_C16", "label": "return", "type": "return", "loc": [160, 160], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L158_C12", "vector": [13, 4, 0.7692, 0.0048, 4, 0.21, 0.0, 0, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L162_C16", "label": "return", "type": "return", "loc": [162, 162], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L158_C12", "vector": [13, 4, 0.7788, 0.0048, 4, 0.21, 1.0, 0, 0, 0, 0, 0, 0, 5, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return [Storage(rtn)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L163_C8", "label": "if", "type": "if", "loc": [163, 185], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L155_C8", "vector": [4, 3, 0.8365, 0.1106, 3, 0.07, 1.0, 0, 0, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif self.op == 'ge' and self.field == 'id' and self.value == 0:\n #means that someone wants the complete list\n rtn = []\n id_idx = \"%s:id_idx\" % self.keyprefix\n #find all session keys of this app\n allkeys = self.db.smembers(id_idx)\n for sess in allkeys:\n val = self.db.hgetall(sess)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L165_C12", "label": "rtn =", "type": "assigned_variable", "loc": [165, 165], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L163_C8", "vector": [14, 4, 0.7933, 0.0048, 4, 0.67, 0.0, 781, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "rtn", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " rtn = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L166_C12", "label": "id_idx =", "type": "assigned_variable", "loc": [166, 166], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L163_C8", "vector": [14, 4, 0.7981, 0.0048, 4, 0.67, 0.25, 312, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "id_idx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " id_idx = \"%s:id_idx\" % self.keyprefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L168_C12", "label": "allkeys = smembers()", "type": "assigned_variable", "loc": [168, 168], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L163_C8", "vector": [14, 4, 0.8077, 0.0048, 4, 0.67, 0.5, 855, 3, 1, 0, 0, 478, 10, 1], "semantic": {"name": "allkeys", "arg_names": [], "import_names": [], "rhs_call_name": "smembers", "annotation": ""}, "snippet": " allkeys = self.db.smembers(id_idx)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:For_L169_C12", "label": "for sess", "type": "for", "loc": [169, 182], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L163_C8", "vector": [6, 4, 0.8438, 0.0673, 4, 0.67, 0.75, 584, 2, 0, 0, 0, 0, 0, 6], "semantic": {"name": "sess", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for sess in allkeys:\n val = self.db.hgetall(sess)\n if val == dict():\n if self.session_expiry:\n #clean up the idx, because the key expired\n self.db.srem(id_idx, sess)\n continue\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L170_C16", "label": "val = hgetall()", "type": "assigned_variable", "loc": [170, 170], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:For_L169_C12", "vector": [14, 5, 0.8173, 0.0048, 5, 0.48, 0.0, 618, 3, 1, 0, 0, 251, 10, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "hgetall", "annotation": ""}, "snippet": " val = self.db.hgetall(sess)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L171_C16", "label": "if", "type": "if", "loc": [171, 177], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:For_L169_C12", "vector": [4, 5, 0.8365, 0.0337, 5, 0.48, 0.25, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if val == dict():\n if self.session_expiry:\n #clean up the idx, because the key expired\n self.db.srem(id_idx, sess)\n continue\n else:\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L172_C20", "label": "if", "type": "if", "loc": [172, 177], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L171_C16", "vector": [4, 6, 0.8389, 0.0288, 6, 0.61, 0.0, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.session_expiry:\n #clean up the idx, because the key expired\n self.db.srem(id_idx, sess)\n continue\n else:\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L174_C24", "label": "srem()", "type": "expression", "loc": [174, 174], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L172_C20", "vector": [8, 7, 0.8365, 0.0048, 7, 0.83, 0.0, 977, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "srem", "arg_names": [], "import_names": [], "rhs_call_name": "srem", "annotation": ""}, "snippet": " self.db.srem(id_idx, sess)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L178_C16", "label": "val = Storage()", "type": "assigned_variable", "loc": [178, 178], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:For_L169_C12", "vector": [14, 5, 0.8558, 0.0048, 5, 0.48, 0.5, 618, 3, 1, 0, 0, 850, 10, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "Storage", "annotation": ""}, "snippet": " val = Storage(val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L180_C16", "label": "val.delete_record = RecordDeleter()", "type": "assigned_variable", "loc": [180, 181], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:For_L169_C12", "vector": [14, 5, 0.8678, 0.0096, 5, 0.48, 0.75, 945, 3, 3, 0, 0, 308, 10, 1], "semantic": {"name": "val.delete_record", "arg_names": [], "import_names": [], "rhs_call_name": "RecordDeleter", "annotation": ""}, "snippet": " val.delete_record = RecordDeleter(\n self.db, sess, self.keyprefix)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L182_C16", "label": "append()", "type": "expression", "loc": [182, 182], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:For_L169_C12", "vector": [8, 5, 0.875, 0.0048, 5, 0.48, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " rtn.append(val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L183_C12", "label": "return", "type": "return", "loc": [183, 183], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L163_C8", "vector": [13, 4, 0.8798, 0.0048, 4, 0.67, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return rtn"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L187_C4", "label": "update", "type": "function", "loc": [187, 194], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "vector": [2, 1, 0.9159, 0.0385, 1, 0.85, 1.0, 637, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "update", "arg_names": ["self", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def update(self, **kwargs):\n #means that the session has been found and needs an update\n if self.op == 'eq' and self.field == 'id' and self.value:\n key = \"%s:%s\" % (self.keyprefix, self.value)\n rtn = self.db.hmset(key, kwargs)\n if self.session_expiry:\n self.db.expire(key, self.session_expiry)\n return rtn"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L189_C8", "label": "if", "type": "if", "loc": [189, 194], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L187_C4", "vector": [4, 2, 0.9207, 0.0288, 2, 0.77, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.op == 'eq' and self.field == 'id' and self.value:\n key = \"%s:%s\" % (self.keyprefix, self.value)\n rtn = self.db.hmset(key, kwargs)\n if self.session_expiry:\n self.db.expire(key, self.session_expiry)\n return rtn"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L190_C12", "label": "key =", "type": "assigned_variable", "loc": [190, 190], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L189_C8", "vector": [14, 3, 0.9135, 0.0048, 3, 0.28, 0.0, 230, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key = \"%s:%s\" % (self.keyprefix, self.value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L191_C12", "label": "rtn = hmset()", "type": "assigned_variable", "loc": [191, 191], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L189_C8", "vector": [14, 3, 0.9183, 0.0048, 3, 0.28, 0.3333, 781, 3, 2, 0, 0, 916, 10, 1], "semantic": {"name": "rtn", "arg_names": [], "import_names": [], "rhs_call_name": "hmset", "annotation": ""}, "snippet": " rtn = self.db.hmset(key, kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:If_L192_C12", "label": "if", "type": "if", "loc": [192, 193], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L189_C8", "vector": [4, 3, 0.9255, 0.0096, 3, 0.28, 0.6667, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.session_expiry:\n self.db.expire(key, self.session_expiry)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L193_C16", "label": "expire()", "type": "expression", "loc": [193, 193], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L192_C12", "vector": [8, 4, 0.9279, 0.0048, 4, 0.57, 0.0, 12, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "expire", "arg_names": [], "import_names": [], "rhs_call_name": "expire", "annotation": ""}, "snippet": " self.db.expire(key, self.session_expiry)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L194_C12", "label": "return", "type": "return", "loc": [194, 194], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:If_L189_C8", "vector": [13, 3, 0.9327, 0.0048, 3, 0.28, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return rtn"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L197_C0", "label": "RecordDeleter", "type": "class", "loc": [197, 208], "level": 0, "parent": null, "vector": [3, 0, 0.9736, 0.0577, 0, 0.66, 1.0, 308, 0, 2, 0, 0, 186, 0, 2], "semantic": {"name": "RecordDeleter", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class RecordDeleter(object):\n \"\"\"Dumb record deleter to support sessions2trash.py\"\"\"\n\n def __init__(self, db, key, keyprefix):\n self.db, self.key, self.keyprefix = db, key, keyprefix\n\n def __call__(self):\n id_idx = \"%s:id_idx\" % self.keyprefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L198_C4", "label": "expression", "type": "expression", "loc": [198, 198], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L197_C0", "vector": [8, 1, 0.9519, 0.0048, 1, 0.57, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Dumb record deleter to support sessions2trash.py\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L200_C4", "label": "__init__", "type": "function", "loc": [200, 201], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L197_C0", "vector": [2, 1, 0.9639, 0.0096, 1, 0.57, 0.5, 555, 0, 4, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "db", "key", "keyprefix"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, db, key, keyprefix):\n self.db, self.key, self.keyprefix = db, key, keyprefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L201_C8", "label": "assign", "type": "assigned_variable", "loc": [201, 201], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L200_C4", "vector": [14, 2, 0.9663, 0.0048, 2, 0.28, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.db, self.key, self.keyprefix = db, key, keyprefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L203_C4", "label": "__call__", "type": "function", "loc": [203, 208], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L197_C0", "vector": [2, 1, 0.988, 0.0288, 1, 0.57, 1.0, 319, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "__call__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __call__(self):\n id_idx = \"%s:id_idx\" % self.keyprefix\n #remove from the index\n self.db.srem(id_idx, self.key)\n #remove the key itself\n self.db.delete(self.key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L204_C8", "label": "id_idx =", "type": "assigned_variable", "loc": [204, 204], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L203_C4", "vector": [14, 2, 0.9808, 0.0048, 2, 0.92, 0.0, 312, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "id_idx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " id_idx = \"%s:id_idx\" % self.keyprefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L206_C8", "label": "srem()", "type": "expression", "loc": [206, 206], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L203_C4", "vector": [8, 2, 0.9904, 0.0048, 2, 0.92, 0.5, 977, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "srem", "arg_names": [], "import_names": [], "rhs_call_name": "srem", "annotation": ""}, "snippet": " self.db.srem(id_idx, self.key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L208_C8", "label": "delete()", "type": "expression", "loc": [208, 208], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L203_C4", "vector": [8, 2, 1.0, 0.0048, 2, 0.92, 1.0, 266, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "delete", "arg_names": [], "import_names": [], "rhs_call_name": "delete", "annotation": ""}, "snippet": " self.db.delete(self.key)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L20_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L21_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L20_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L30_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L20_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Try_L31_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:Try_L31_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L32_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:Try_L31_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L33_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L33_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L34_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:Try_L31_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L35_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:Try_L31_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L37_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L42_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L43_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L44_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L47_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L51_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L52_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L53_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L54_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L55_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L56_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L56_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L57_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L56_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L59_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L60_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L61_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L46_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L62_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L64_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L64_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L65_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L67_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L67_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L69_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L71_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L71_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L72_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L72_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L73_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L71_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L75_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L77_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L77_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L78_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L80_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L80_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L81_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L80_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L82_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L84_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L92_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L93_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L94_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L96_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L99_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L101_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L91_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L103_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L105_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L107_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L109_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L109_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L110_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L110_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L112_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L110_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L113_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L110_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L114_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L114_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L116_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L123_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L124_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L126_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L128_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L129_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L129_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L130_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L131_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L135_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L139_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L140_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L141_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L142_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L143_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L138_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L144_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L146_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L146_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L147_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L146_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L148_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L150_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L150_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L151_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L150_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L152_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L154_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L154_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L155_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L155_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L157_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L155_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L158_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L158_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L160_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L158_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L162_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L155_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L163_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L163_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L165_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L163_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L166_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L163_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L168_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L163_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:For_L169_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:For_L169_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L170_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:For_L169_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L171_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L171_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L172_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L172_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L174_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:For_L169_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L178_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:For_L169_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L180_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:For_L169_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L182_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L163_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L183_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L134_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L187_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L187_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L189_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L189_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L190_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L189_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L191_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L189_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:If_L192_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L192_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L193_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:If_L189_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Return_L194_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L197_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L198_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L197_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L200_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L200_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L201_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:ClassDef_L197_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L203_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L203_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Assign_L204_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L203_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L206_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_543:FunctionDef_L203_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_543:Expr_L208_C8"}]
# vim: sw=4:expandtab:foldmethod=marker # # Copyright (c) 2007-2009, Mathieu Fenniak # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above copyright notice, # this list of conditions and the following disclaimer. # * Redistributions in binary form must reproduce the above copyright notice, # this list of conditions and the following disclaimer in the documentation # and/or other materials provided with the distribution. # * The name of the author may not be used to endorse or promote products # derived from this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" # AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE # IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE # ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE # LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR # CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF # SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS # INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN # CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) # ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE # POSSIBILITY OF SUCH DAMAGE. __author__ = "Mathieu Fenniak" __version__ = "1.10" import datetime import time import interface import types import threading from errors import * from warnings import warn ## # The DBAPI level supported. Currently 2.0. This property is part of the # DBAPI 2.0 specification. apilevel = "2.0" ## # Integer constant stating the level of thread safety the DBAPI interface # supports. This DBAPI interface supports sharing of the module, connections, # and cursors. This property is part of the DBAPI 2.0 specification. threadsafety = 3 ## # String property stating the type of parameter marker formatting expected by # the interface. This value defaults to "format". This property is part of # the DBAPI 2.0 specification. # <p> # Unlike the DBAPI specification, this value is not constant. It can be # changed to any standard paramstyle value (ie. qmark, numeric, named, format, # and pyformat). paramstyle = 'format' # paramstyle can be changed to any DB-API paramstyle def convert_paramstyle(src_style, query, args): # I don't see any way to avoid scanning the query string char by char, # so we might as well take that careful approach and create a # state-based scanner. We'll use int variables for the state. # 0 -- outside quoted string # 1 -- inside single-quote string '...' # 2 -- inside quoted identifier "..." # 3 -- inside escaped single-quote string, E'...' state = 0 output_query = "" output_args = [] if src_style == "numeric": output_args = args elif src_style in ("pyformat", "named"): mapping_to_idx = {} i = 0 while 1: if i == len(query): break c = query[i] # print "begin loop", repr(i), repr(c), repr(state) if state == 0: if c == "'": i += 1 output_query += c state = 1 elif c == '"': i += 1 output_query += c state = 2 elif c == 'E': # check for escaped single-quote string i += 1 if i < len(query) and i > 1 and query[i] == "'": i += 1 output_query += "E'" state = 3 else: output_query += c elif src_style == "qmark" and c == "?": i += 1 param_idx = len(output_args) if param_idx == len(args): raise QueryParameterIndexError("too many parameter fields, not enough parameters") output_args.append(args[param_idx]) output_query += "$" + str(param_idx + 1) elif src_style == "numeric" and c == ":": i += 1 if i < len(query) and i > 1 and query[i].isdigit(): output_query += "$" + query[i] i += 1 else: raise QueryParameterParseError("numeric parameter : does not have numeric arg") elif src_style == "named" and c == ":": name = "" while 1: i += 1 if i == len(query): break c = query[i] if c.isalnum() or c == '_': name += c else: break if name == "": raise QueryParameterParseError("empty name of named parameter") idx = mapping_to_idx.get(name) if idx == None: idx = len(output_args) output_args.append(args[name]) idx += 1 mapping_to_idx[name] = idx output_query += "$" + str(idx) elif src_style == "format" and c == "%": i += 1 if i < len(query) and i > 1: if query[i] == "s": param_idx = len(output_args) if param_idx == len(args): raise QueryParameterIndexError("too many parameter fields, not enough parameters") output_args.append(args[param_idx]) output_query += "$" + str(param_idx + 1) elif query[i] == "%": output_query += "%" else: raise QueryParameterParseError("Only %s and %% are supported") i += 1 else: raise QueryParameterParseError("format parameter % does not have format code") elif src_style == "pyformat" and c == "%": i += 1 if i < len(query) and i > 1: if query[i] == "(": i += 1 # begin mapping name end_idx = query.find(')', i) if end_idx == -1: raise QueryParameterParseError("began pyformat dict read, but couldn't find end of name") else: name = query[i:end_idx] i = end_idx + 1 if i < len(query) and query[i] == "s": i += 1 idx = mapping_to_idx.get(name) if idx == None: idx = len(output_args) output_args.append(args[name]) idx += 1 mapping_to_idx[name] = idx output_query += "$" + str(idx) else: raise QueryParameterParseError("format not specified or not supported (only %(...)s supported)") elif query[i] == "%": output_query += "%" elif query[i] == "s": # we have a %s in a pyformat query string. Assume # support for format instead. i -= 1 src_style = "format" else: raise QueryParameterParseError("Only %(name)s, %s and %% are supported") else: i += 1 output_query += c elif state == 1: output_query += c i += 1 if c == "'": # Could be a double '' if i < len(query) and query[i] == "'": # is a double quote. output_query += query[i] i += 1 else: state = 0 elif src_style in ("pyformat","format") and c == "%": # hm... we're only going to support an escaped percent sign if i < len(query): if query[i] == "%": # good. We already output the first percent sign. i += 1 else: raise QueryParameterParseError("'%" + query[i] + "' not supported in quoted string") elif state == 2: output_query += c i += 1 if c == '"': state = 0 elif src_style in ("pyformat","format") and c == "%": # hm... we're only going to support an escaped percent sign if i < len(query): if query[i] == "%": # good. We already output the first percent sign. i += 1 else: raise QueryParameterParseError("'%" + query[i] + "' not supported in quoted string") elif state == 3: output_query += c i += 1 if c == "\\": # check for escaped single-quote if i < len(query) and query[i] == "'": output_query += "'" i += 1 elif c == "'": state = 0 elif src_style in ("pyformat","format") and c == "%": # hm... we're only going to support an escaped percent sign if i < len(query): if query[i] == "%": # good. We already output the first percent sign. i += 1 else: raise QueryParameterParseError("'%" + query[i] + "' not supported in quoted string") return output_query, tuple(output_args) def require_open_cursor(fn): def _fn(self, *args, **kwargs): if self.cursor == None: raise CursorClosedError() return fn(self, *args, **kwargs) return _fn ## # The class of object returned by the {@link #ConnectionWrapper.cursor cursor method}. class CursorWrapper(object): def __init__(self, conn, connection): self.cursor = interface.Cursor(conn) self.arraysize = 1 self._connection = connection self._override_rowcount = None ## # This read-only attribute returns a reference to the connection object on # which the cursor was created. # <p> # Stability: Part of a DBAPI 2.0 extension. A warning "DB-API extension # cursor.connection used" will be fired. connection = property(lambda self: self._getConnection()) def _getConnection(self): warn("DB-API extension cursor.connection used", stacklevel=3) return self._connection ## # This read-only attribute specifies the number of rows that the last # .execute*() produced (for DQL statements like 'select') or affected (for # DML statements like 'update' or 'insert'). # <p> # The attribute is -1 in case no .execute*() has been performed on the # cursor or the rowcount of the last operation is cannot be determined by # the interface. # <p> # Stability: Part of the DBAPI 2.0 specification. rowcount = property(lambda self: self._getRowCount()) @require_open_cursor def _getRowCount(self): if self._override_rowcount != None: return self._override_rowcount return self.cursor.row_count ## # This read-only attribute is a sequence of 7-item sequences. Each value # contains information describing one result column. The 7 items returned # for each column are (name, type_code, display_size, internal_size, # precision, scale, null_ok). Only the first two values are provided by # this interface implementation. # <p> # Stability: Part of the DBAPI 2.0 specification. description = property(lambda self: self._getDescription()) @require_open_cursor def _getDescription(self): if self.cursor.row_description == None: return None columns = [] for col in self.cursor.row_description: columns.append((col["name"], col["type_oid"], None, None, None, None, None)) return columns ## # Executes a database operation. Parameters may be provided as a sequence # or mapping and will be bound to variables in the operation. # <p> # Stability: Part of the DBAPI 2.0 specification. @require_open_cursor def execute(self, operation, args=()): if not self._connection.in_transaction: self._connection.begin() self._override_rowcount = None self._execute(operation, args) def _execute(self, operation, args=()): new_query, new_args = convert_paramstyle(paramstyle, operation, args) try: self.cursor.execute(new_query, *new_args) except ConnectionClosedError: # can't rollback in this case raise except: # any error will rollback the transaction to-date self._connection.rollback() raise def copy_from(self, fileobj, table=None, sep='\t', null=None, query=None): if query == None: if table == None: raise CopyQueryOrTableRequiredError() query = "COPY %s FROM stdout DELIMITER '%s'" % (table, sep) if null is not None: query += " NULL '%s'" % (null,) self.copy_execute(fileobj, query) def copy_to(self, fileobj, table=None, sep='\t', null=None, query=None): if query == None: if table == None: raise CopyQueryOrTableRequiredError() query = "COPY %s TO stdout DELIMITER '%s'" % (table, sep) if null is not None: query += " NULL '%s'" % (null,) self.copy_execute(fileobj, query) @require_open_cursor def copy_execute(self, fileobj, query): try: self.cursor.execute(query, stream=fileobj) except ConnectionClosedError: # can't rollback in this case raise except: # any error will rollback the transaction to-date import traceback; traceback.print_exc() self._connection.rollback() raise ## # Prepare a database operation and then execute it against all parameter # sequences or mappings provided. # <p> # Stability: Part of the DBAPI 2.0 specification. @require_open_cursor def executemany(self, operation, parameter_sets): if not self._connection.in_transaction: self._connection.begin() self._override_rowcount = 0 for parameters in parameter_sets: self._execute(operation, parameters) if self.cursor.row_count == -1 or self._override_rowcount == -1: self._override_rowcount = -1 else: self._override_rowcount += self.cursor.row_count ## # Fetch the next row of a query result set, returning a single sequence, or # None when no more data is available. # <p> # Stability: Part of the DBAPI 2.0 specification. @require_open_cursor def fetchone(self): return self.cursor.read_tuple() ## # Fetch the next set of rows of a query result, returning a sequence of # sequences. An empty sequence is returned when no more rows are # available. # <p> # Stability: Part of the DBAPI 2.0 specification. # @param size The number of rows to fetch when called. If not provided, # the arraysize property value is used instead. def fetchmany(self, size=None): if size == None: size = self.arraysize rows = [] for i in range(size): value = self.fetchone() if value == None: break rows.append(value) return rows ## # Fetch all remaining rows of a query result, returning them as a sequence # of sequences. # <p> # Stability: Part of the DBAPI 2.0 specification. @require_open_cursor def fetchall(self): return tuple(self.cursor.iterate_tuple()) ## # Close the cursor. # <p> # Stability: Part of the DBAPI 2.0 specification. @require_open_cursor def close(self): self.cursor.close() self.cursor = None self._override_rowcount = None def next(self): warn("DB-API extension cursor.next() used", stacklevel=2) retval = self.fetchone() if retval == None: raise StopIteration() return retval def __iter__(self): warn("DB-API extension cursor.__iter__() used", stacklevel=2) return self def setinputsizes(self, sizes): pass def setoutputsize(self, size, column=None): pass @require_open_cursor def fileno(self): return self.cursor.fileno() @require_open_cursor def isready(self): return self.cursor.isready() def require_open_connection(fn): def _fn(self, *args, **kwargs): if self.conn == None: raise ConnectionClosedError() return fn(self, *args, **kwargs) return _fn ## # The class of object returned by the {@link #connect connect method}. class ConnectionWrapper(object): # DBAPI Extension: supply exceptions as attributes on the connection Warning = property(lambda self: self._getError(Warning)) Error = property(lambda self: self._getError(Error)) InterfaceError = property(lambda self: self._getError(InterfaceError)) DatabaseError = property(lambda self: self._getError(DatabaseError)) OperationalError = property(lambda self: self._getError(OperationalError)) IntegrityError = property(lambda self: self._getError(IntegrityError)) InternalError = property(lambda self: self._getError(InternalError)) ProgrammingError = property(lambda self: self._getError(ProgrammingError)) NotSupportedError = property(lambda self: self._getError(NotSupportedError)) def _getError(self, error): warn("DB-API extension connection.%s used" % error.__name__, stacklevel=3) return error @property def in_transaction(self): if self.conn: return self.conn.in_transaction return False def __init__(self, **kwargs): self.conn = interface.Connection(**kwargs) self.notifies = [] self.notifies_lock = threading.Lock() self.conn.NotificationReceived += self._notificationReceived # Two Phase Commit internal attributes: self.__tpc_xid = None self.__tpc_prepared = None def set_autocommit(self, state): if self.conn.in_transaction and state and not self.conn.autocommit: warn("enabling autocommit in an open transaction!") self.conn.autocommit = state def get_autocommit(self): return self.conn.autocommit autocommit = property(get_autocommit, set_autocommit) @require_open_connection def begin(self): self.conn.begin() def _notificationReceived(self, notice): try: # psycopg2 compatible notification interface self.notifies_lock.acquire() self.notifies.append((notice.backend_pid, notice.condition)) finally: self.notifies_lock.release() ## # Creates a {@link #CursorWrapper CursorWrapper} object bound to this # connection. # <p> # Stability: Part of the DBAPI 2.0 specification. @require_open_connection def cursor(self): return CursorWrapper(self.conn, self) ## # Commits the current database transaction. # <p> # Stability: Part of the DBAPI 2.0 specification. @require_open_connection def commit(self): # There's a threading bug here. If a query is sent after the # commit, but before the begin, it will be executed immediately # without a surrounding transaction. Like all threading bugs -- it # sounds unlikely, until it happens every time in one # application... however, to fix this, we need to lock the # database connection entirely, so that no cursors can execute # statements on other threads. Support for that type of lock will # be done later. if self.__tpc_xid: raise ProgrammingError("Cannot do a normal commit() inside a " "TPC transaction!") self.conn.commit() ## # Rolls back the current database transaction. # <p> # Stability: Part of the DBAPI 2.0 specification. @require_open_connection def rollback(self): # see bug description in commit. if self.__tpc_xid: raise ProgrammingError("Cannot do a normal rollback() inside a " "TPC transaction!") self.conn.rollback() ## # Closes the database connection. # <p> # Stability: Part of the DBAPI 2.0 specification. @require_open_connection def close(self): self.conn.close() self.conn = None ## # Returns the "server_version" string provided by the connected server. # <p> # Stability: Extension of the DBAPI 2.0 specification. @property @require_open_connection def server_version(self): return self.conn.server_version() # Stability: psycopg2 compatibility @require_open_connection def set_client_encoding(self, encoding=None): "Set the client encoding for the current session" if encoding: self.conn.execute("SET client_encoding TO '%s';" % (encoding, ), simple_query=True) return self.conn.encoding() def xid(self,format_id, global_transaction_id, branch_qualifier): """Create a Transaction IDs (only global_transaction_id is used in pg) format_id and branch_qualifier are not used in postgres global_transaction_id may be any string identifier supported by postgres returns a tuple (format_id, global_transaction_id, branch_qualifier)""" return (format_id, global_transaction_id, branch_qualifier) @require_open_connection def tpc_begin(self,xid): "Begin a two-phase transaction" # set auto-commit mode to begin a TPC transaction self.autocommit = False # (actually in postgres at this point it is a normal one) if self.conn.in_transaction: warn("tpc_begin() should be called outside a transaction block", stacklevel=3) self.conn.begin() # store actual TPC transaction id self.__tpc_xid = xid self.__tpc_prepared = False @require_open_connection def tpc_prepare(self): "Prepare a two-phase transaction" if not self.__tpc_xid: raise ProgrammingError("tpc_prepare() outside a TPC transaction " "is not allowed!") # Prepare the TPC self.conn.execute("PREPARE TRANSACTION '%s';" % (self.__tpc_xid[1],), simple_query=True) self.conn.in_transaction = False self.__tpc_prepared = True @require_open_connection def tpc_commit(self, xid=None): "Commit a prepared two-phase transaction" try: # save current autocommit status (to be recovered later) previous_autocommit_mode = self.autocommit if not xid: # use current tpc transaction tpc_xid = self.__tpc_xid else: # use a recovered tpc transaction tpc_xid = xid if not xid in self.tpc_recover(): raise ProgrammingError("Requested TPC transaction is not " "prepared!") if not tpc_xid: raise ProgrammingError("Cannot tpc_commit() without a TPC " "transaction!") if self.__tpc_prepared or (xid != self.__tpc_xid and xid): # a two-phase commit: # set the auto-commit mode for TPC commit self.autocommit = True try: self.conn.execute("COMMIT PREPARED '%s';" % (tpc_xid[1], ), simple_query=True) finally: # return to previous auto-commit mode self.autocommit = previous_autocommit_mode else: try: # a single-phase commit self.conn.commit() finally: # return to previous auto-commit mode self.autocommit = previous_autocommit_mode finally: # transaction is done, clear xid self.__tpc_xid = None @require_open_connection def tpc_rollback(self, xid=None): "Commit a prepared two-phase transaction" try: # save current autocommit status (to be recovered later) previous_autocommit_mode = self.autocommit if not xid: # use current tpc transaction tpc_xid = self.__tpc_xid else: # use a recovered tpc transaction tpc_xid = xid if not xid in self.tpc_recover(): raise ProgrammingError("Requested TPC transaction is not prepared!") if not tpc_xid: raise ProgrammingError("Cannot tpc_rollback() without a TPC prepared transaction!") if self.__tpc_prepared or (xid != self.__tpc_xid and xid): # a two-phase rollback # set auto-commit for the TPC rollback self.autocommit = True try: self.conn.execute("ROLLBACK PREPARED '%s';" % (tpc_xid[1],), simple_query=True) finally: # return to previous auto-commit mode self.autocommit = previous_autocommit_mode else: # a single-phase rollback try: self.conn.rollback() finally: # return to previous auto-commit mode self.autocommit = previous_autocommit_mode finally: # transaction is done, clear xid self.__tpc_xid = None @require_open_connection def tpc_recover(self): "Returns a list of pending transaction IDs" previous_autocommit_mode = self.autocommit if not self.conn.in_transaction and not self.autocommit: self.autocommit = True elif not self.autocommit: warn("tpc_recover() will open a transaction block", stacklevel=3) curs = self.cursor() xids = [] try: # query system view that stores open (prepared) TPC transactions curs.execute("SELECT gid FROM pg_prepared_xacts;"); xids.extend([self.xid(0,row[0],'') for row in curs]) finally: curs.close() # return to previous auto-commit mode self.autocommit = previous_autocommit_mode # return a list of TPC transaction ids (xid) return xids ## # Creates a DBAPI 2.0 compatible interface to a PostgreSQL database. # <p> # Stability: Part of the DBAPI 2.0 specification. # # @param user The username to connect to the PostgreSQL server with. This # parameter is required. # # @keyparam host The hostname of the PostgreSQL server to connect with. # Providing this parameter is necessary for TCP/IP connections. One of either # host, or unix_sock, must be provided. # # @keyparam unix_sock The path to the UNIX socket to access the database # through, for example, '/tmp/.s.PGSQL.5432'. One of either unix_sock or host # must be provided. The port parameter will have no affect if unix_sock is # provided. # # @keyparam port The TCP/IP port of the PostgreSQL server instance. This # parameter defaults to 5432, the registered and common port of PostgreSQL # TCP/IP servers. # # @keyparam database The name of the database instance to connect with. This # parameter is optional, if omitted the PostgreSQL server will assume the # database name is the same as the username. # # @keyparam password The user password to connect to the server with. This # parameter is optional. If omitted, and the database server requests password # based authentication, the connection will fail. On the other hand, if this # parameter is provided and the database does not request password # authentication, then the password will not be used. # # @keyparam socket_timeout Socket connect timeout measured in seconds. # Defaults to 60 seconds. # # @keyparam ssl Use SSL encryption for TCP/IP socket. Defaults to False. # # @return An instance of {@link #ConnectionWrapper ConnectionWrapper}. def connect(dsn="", user=None, host=None, unix_sock=None, port=5432, database=None, password=None, socket_timeout=60, ssl=False): return ConnectionWrapper(dsn=dsn, user=user, host=host, unix_sock=unix_sock, port=port, database=database, password=password, socket_timeout=socket_timeout, ssl=ssl) def Date(year, month, day): return datetime.date(year, month, day) def Time(hour, minute, second): return datetime.time(hour, minute, second) def Timestamp(year, month, day, hour, minute, second): return datetime.datetime(year, month, day, hour, minute, second) def DateFromTicks(ticks): return Date(*time.localtime(ticks)[:3]) def TimeFromTicks(ticks): return Time(*time.localtime(ticks)[3:6]) def TimestampFromTicks(ticks): return Timestamp(*time.localtime(ticks)[:6]) ## # Construct an object holding binary data. def Binary(value): return types.Bytea(value) # I have no idea what this would be used for by a client app. Should it be # TEXT, VARCHAR, CHAR? It will only compare against row_description's # type_code if it is this one type. It is the varchar type oid for now, this # appears to match expectations in the DB API 2.0 compliance test suite. STRING = 1043 # bytea type_oid BINARY = 17 # numeric type_oid NUMBER = 1700 # timestamp type_oid DATETIME = 1114 # oid type_oid ROWID = 26
ajibawa-2023/Python-Code-Large/train/row_544
339
795
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L30_C0", "label": "__author__ =", "type": "assigned_variable", "loc": [30, 30], "level": 0, "parent": null, "vector": [14, 0, 0.0377, 0.0013, 0, 0.66, 0.0, 777, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__author__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__author__ = \"Mathieu Fenniak\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L32_C0", "label": "__version__ =", "type": "assigned_variable", "loc": [32, 32], "level": 0, "parent": null, "vector": [14, 0, 0.0403, 0.0013, 0, 0.66, 0.0345, 162, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__version__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__version__ = \"1.10\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Import_L34_C0", "label": "datetime import datetime", "type": "import", "loc": [34, 34], "level": 0, "parent": null, "vector": [1, 0, 0.0428, 0.0013, 0, 0.66, 0.069, 426, 0, 1, 0, 0, 426, 0, 0], "semantic": {"name": "datetime", "arg_names": [], "import_names": ["datetime"], "rhs_call_name": "", "annotation": ""}, "snippet": "import datetime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Import_L35_C0", "label": "time import time", "type": "import", "loc": [35, 35], "level": 0, "parent": null, "vector": [1, 0, 0.044, 0.0013, 0, 0.66, 0.1034, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["time"], "rhs_call_name": "", "annotation": ""}, "snippet": "import time"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Import_L36_C0", "label": "interface import interface", "type": "import", "loc": [36, 36], "level": 0, "parent": null, "vector": [1, 0, 0.0453, 0.0013, 0, 0.66, 0.1379, 396, 0, 1, 0, 0, 396, 0, 0], "semantic": {"name": "interface", "arg_names": [], "import_names": ["interface"], "rhs_call_name": "", "annotation": ""}, "snippet": "import interface"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Import_L37_C0", "label": "types import types", "type": "import", "loc": [37, 37], "level": 0, "parent": null, "vector": [1, 0, 0.0465, 0.0013, 0, 0.66, 0.1724, 209, 0, 1, 0, 0, 209, 0, 0], "semantic": {"name": "types", "arg_names": [], "import_names": ["types"], "rhs_call_name": "", "annotation": ""}, "snippet": "import types"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Import_L38_C0", "label": "threading import threading", "type": "import", "loc": [38, 38], "level": 0, "parent": null, "vector": [1, 0, 0.0478, 0.0013, 0, 0.66, 0.2069, 83, 0, 1, 0, 0, 83, 0, 0], "semantic": {"name": "threading", "arg_names": [], "import_names": ["threading"], "rhs_call_name": "", "annotation": ""}, "snippet": "import threading"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:ImportFrom_L39_C0", "label": "from errors import *", "type": "import", "loc": [39, 39], "level": 0, "parent": null, "vector": [1, 0, 0.0491, 0.0013, 0, 0.66, 0.2414, 841, 0, 1, 0, 0, 841, 0, 0], "semantic": {"name": "errors", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from errors import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:ImportFrom_L41_C0", "label": "from warnings import warn", "type": "import", "loc": [41, 41], "level": 0, "parent": null, "vector": [1, 0, 0.0516, 0.0013, 0, 0.66, 0.2759, 358, 0, 1, 0, 0, 358, 0, 0], "semantic": {"name": "warnings", "arg_names": [], "import_names": ["warn"], "rhs_call_name": "", "annotation": ""}, "snippet": "from warnings import warn"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L46_C0", "label": "apilevel =", "type": "assigned_variable", "loc": [46, 46], "level": 0, "parent": null, "vector": [14, 0, 0.0579, 0.0013, 0, 0.66, 0.3103, 193, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "apilevel", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "apilevel = \"2.0\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L52_C0", "label": "threadsafety =", "type": "assigned_variable", "loc": [52, 52], "level": 0, "parent": null, "vector": [14, 0, 0.0654, 0.0013, 0, 0.66, 0.3448, 420, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "threadsafety", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "threadsafety = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L62_C0", "label": "paramstyle =", "type": "assigned_variable", "loc": [62, 62], "level": 0, "parent": null, "vector": [14, 0, 0.078, 0.0013, 0, 0.66, 0.3793, 386, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "paramstyle", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "paramstyle = 'format' # paramstyle can be changed to any DB-API paramstyle"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "label": "convert_paramstyle", "type": "function", "loc": [64, 239], "level": 0, "parent": null, "vector": [2, 0, 0.1906, 0.2214, 0, 0.66, 0.4138, 165, 0, 3, 1, 0, 0, 0, 44], "semantic": {"name": "convert_paramstyle", "arg_names": ["src_style", "query", "args"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def convert_paramstyle(src_style, query, args):\n # I don't see any way to avoid scanning the query string char by char,\n # so we might as well take that careful approach and create a\n # state-based scanner. We'll use int variables for the state.\n # 0 -- outside quoted string\n # 1 -- inside single-quote string '...'\n # 2 -- inside quoted identifier \"...\"\n # 3 -- inside escaped single-quote string, E'...'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L72_C4", "label": "state =", "type": "assigned_variable", "loc": [72, 72], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "vector": [14, 1, 0.0906, 0.0013, 1, 0.73, 0.0, 688, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "state", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " state = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L73_C4", "label": "output_query =", "type": "assigned_variable", "loc": [73, 73], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "vector": [14, 1, 0.0918, 0.0013, 1, 0.73, 0.1667, 373, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "output_query", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " output_query = \"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L74_C4", "label": "output_args =", "type": "assigned_variable", "loc": [74, 74], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "vector": [14, 1, 0.0931, 0.0013, 1, 0.73, 0.3333, 925, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "output_args", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " output_args = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L75_C4", "label": "if", "type": "if", "loc": [75, 78], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "vector": [4, 1, 0.0962, 0.005, 1, 0.73, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if src_style == \"numeric\":\n output_args = args\n elif src_style in (\"pyformat\", \"named\"):\n mapping_to_idx = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L76_C8", "label": "output_args =", "type": "assigned_variable", "loc": [76, 76], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L75_C4", "vector": [14, 2, 0.0956, 0.0013, 2, 0.42, 0.0, 925, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "output_args", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " output_args = args"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L77_C4", "label": "if", "type": "if", "loc": [77, 78], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L75_C4", "vector": [4, 2, 0.0975, 0.0025, 2, 0.42, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif src_style in (\"pyformat\", \"named\"):\n mapping_to_idx = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L78_C8", "label": "mapping_to_idx =", "type": "assigned_variable", "loc": [78, 78], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L77_C4", "vector": [14, 3, 0.0981, 0.0013, 3, 0.13, 0.0, 752, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "mapping_to_idx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " mapping_to_idx = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L79_C4", "label": "i =", "type": "assigned_variable", "loc": [79, 79], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "vector": [14, 1, 0.0994, 0.0013, 1, 0.73, 0.6667, 826, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " i = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:While_L80_C4", "label": "while", "type": "while", "loc": [80, 237], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "vector": [5, 1, 0.1994, 0.1987, 1, 0.73, 0.8333, 0, 1, 0, 0, 0, 0, 0, 43], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while 1:\n if i == len(query):\n break\n c = query[i]\n # print \"begin loop\", repr(i), repr(c), repr(state)\n if state == 0:\n if c == \"'\":\n i += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L81_C8", "label": "if", "type": "if", "loc": [81, 82], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:While_L80_C4", "vector": [4, 2, 0.1025, 0.0025, 2, 0.93, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i == len(query):\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L83_C8", "label": "c =", "type": "assigned_variable", "loc": [83, 83], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:While_L80_C4", "vector": [14, 2, 0.1044, 0.0013, 2, 0.93, 0.5, 411, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " c = query[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L85_C8", "label": "if", "type": "if", "loc": [85, 237], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:While_L80_C4", "vector": [4, 2, 0.2025, 0.1925, 2, 0.93, 1.0, 0, 0, 0, 0, 0, 0, 0, 42], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if state == 0:\n if c == \"'\":\n i += 1\n output_query += c\n state = 1\n elif c == '\"':\n i += 1\n output_query += c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L86_C12", "label": "if", "type": "if", "loc": [86, 187], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L85_C8", "vector": [4, 3, 0.1717, 0.1283, 3, 0.69, 0.0, 0, 0, 0, 0, 0, 0, 0, 34], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if c == \"'\":\n i += 1\n output_query += c\n state = 1\n elif c == '\"':\n i += 1\n output_query += c\n state = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L89_C16", "label": "state =", "type": "assigned_variable", "loc": [89, 89], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L86_C12", "vector": [14, 4, 0.1119, 0.0013, 4, 0.23, 0.0, 688, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "state", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " state = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L90_C12", "label": "if", "type": "if", "loc": [90, 187], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L86_C12", "vector": [4, 4, 0.1742, 0.1233, 4, 0.23, 1.0, 0, 0, 0, 0, 0, 0, 0, 34], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif c == '\"':\n i += 1\n output_query += c\n state = 2\n elif c == 'E':\n # check for escaped single-quote string\n i += 1\n if i < len(query) and i > 1 and query[i] == \"'\":"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L93_C16", "label": "state =", "type": "assigned_variable", "loc": [93, 93], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L90_C12", "vector": [14, 5, 0.117, 0.0013, 5, 0.79, 0.0, 688, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "state", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " state = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L94_C12", "label": "if", "type": "if", "loc": [94, 187], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L90_C12", "vector": [4, 5, 0.1767, 0.1182, 5, 0.79, 1.0, 0, 0, 0, 0, 0, 0, 0, 34], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif c == 'E':\n # check for escaped single-quote string\n i += 1\n if i < len(query) and i > 1 and query[i] == \"'\":\n i += 1\n output_query += \"E'\"\n state = 3\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L97_C16", "label": "if", "type": "if", "loc": [97, 102], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L94_C12", "vector": [4, 6, 0.1252, 0.0075, 6, 0.9, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i < len(query) and i > 1 and query[i] == \"'\":\n i += 1\n output_query += \"E'\"\n state = 3\n else:\n output_query += c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L100_C20", "label": "state =", "type": "assigned_variable", "loc": [100, 100], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L97_C16", "vector": [14, 7, 0.1258, 0.0013, 7, 0.41, 0.0, 688, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "state", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " state = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L103_C12", "label": "if", "type": "if", "loc": [103, 187], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L94_C12", "vector": [4, 6, 0.1824, 0.1069, 6, 0.9, 1.0, 0, 0, 0, 0, 0, 0, 0, 33], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif src_style == \"qmark\" and c == \"?\":\n i += 1\n param_idx = len(output_args)\n if param_idx == len(args):\n raise QueryParameterIndexError(\"too many parameter fields, not enough parameters\")\n output_args.append(args[param_idx])\n output_query += \"$\" + str(param_idx + 1)\n elif src_style == \"numeric\" and c == \":\":"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L105_C16", "label": "param_idx = len()", "type": "assigned_variable", "loc": [105, 105], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L103_C12", "vector": [14, 7, 0.1321, 0.0013, 7, 0.42, 0.0, 77, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "param_idx", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " param_idx = len(output_args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L106_C16", "label": "if", "type": "if", "loc": [106, 107], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L103_C12", "vector": [4, 7, 0.134, 0.0025, 7, 0.42, 0.3333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if param_idx == len(args):\n raise QueryParameterIndexError(\"too many parameter fields, not enough parameters\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L108_C16", "label": "append()", "type": "expression", "loc": [108, 108], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L103_C12", "vector": [8, 7, 0.1358, 0.0013, 7, 0.42, 0.6667, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " output_args.append(args[param_idx])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L110_C12", "label": "if", "type": "if", "loc": [110, 187], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L103_C12", "vector": [4, 7, 0.1868, 0.0981, 7, 0.42, 1.0, 0, 0, 0, 0, 0, 0, 0, 28], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif src_style == \"numeric\" and c == \":\":\n i += 1\n if i < len(query) and i > 1 and query[i].isdigit():\n output_query += \"$\" + query[i]\n i += 1\n else:\n raise QueryParameterParseError(\"numeric parameter : does not have numeric arg\")\n elif src_style == \"named\" and c == \":\":"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L112_C16", "label": "if", "type": "if", "loc": [112, 116], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L110_C12", "vector": [4, 8, 0.1434, 0.0063, 8, 0.64, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i < len(query) and i > 1 and query[i].isdigit():\n output_query += \"$\" + query[i]\n i += 1\n else:\n raise QueryParameterParseError(\"numeric parameter : does not have numeric arg\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "label": "if", "type": "if", "loc": [117, 187], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L110_C12", "vector": [4, 8, 0.1912, 0.0893, 8, 0.64, 1.0, 0, 0, 0, 0, 0, 0, 0, 25], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif src_style == \"named\" and c == \":\":\n name = \"\"\n while 1:\n i += 1\n if i == len(query):\n break\n c = query[i]\n if c.isalnum() or c == '_':"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L118_C16", "label": "name =", "type": "assigned_variable", "loc": [118, 118], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "vector": [14, 9, 0.1484, 0.0013, 9, 0.92, 0.0, 57, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " name = \"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:While_L119_C16", "label": "while", "type": "while", "loc": [119, 127], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "vector": [5, 9, 0.1547, 0.0113, 9, 0.92, 0.2, 0, 1, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while 1:\n i += 1\n if i == len(query):\n break\n c = query[i]\n if c.isalnum() or c == '_':\n name += c\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L121_C20", "label": "if", "type": "if", "loc": [121, 122], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:While_L119_C16", "vector": [4, 10, 0.1528, 0.0025, 10, 0.01, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i == len(query):\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L123_C20", "label": "c =", "type": "assigned_variable", "loc": [123, 123], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:While_L119_C16", "vector": [14, 10, 0.1547, 0.0013, 10, 0.01, 0.5, 411, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " c = query[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L124_C20", "label": "if", "type": "if", "loc": [124, 127], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:While_L119_C16", "vector": [4, 10, 0.1579, 0.005, 10, 0.01, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if c.isalnum() or c == '_':\n name += c\n else:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L128_C16", "label": "if", "type": "if", "loc": [128, 129], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "vector": [4, 9, 0.1616, 0.0025, 9, 0.92, 0.4, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if name == \"\":\n raise QueryParameterParseError(\"empty name of named parameter\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L130_C16", "label": "idx = get()", "type": "assigned_variable", "loc": [130, 130], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "vector": [14, 9, 0.1635, 0.0013, 9, 0.92, 0.6, 187, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "idx", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " idx = mapping_to_idx.get(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L131_C16", "label": "if", "type": "if", "loc": [131, 135], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "vector": [4, 9, 0.1673, 0.0063, 9, 0.92, 0.8, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if idx == None:\n idx = len(output_args)\n output_args.append(args[name])\n idx += 1\n mapping_to_idx[name] = idx"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L132_C20", "label": "idx = len()", "type": "assigned_variable", "loc": [132, 132], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L131_C16", "vector": [14, 10, 0.166, 0.0013, 10, 0.12, 0.0, 187, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "idx", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " idx = len(output_args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L133_C20", "label": "append()", "type": "expression", "loc": [133, 133], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L131_C16", "vector": [8, 10, 0.1673, 0.0013, 10, 0.12, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " output_args.append(args[name])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L135_C20", "label": "assign", "type": "assigned_variable", "loc": [135, 135], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L131_C16", "vector": [14, 10, 0.1698, 0.0013, 10, 0.12, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " mapping_to_idx[name] = idx"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L137_C12", "label": "if", "type": "if", "loc": [137, 187], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "vector": [4, 9, 0.2038, 0.0642, 9, 0.92, 1.0, 0, 0, 0, 0, 0, 0, 0, 18], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif src_style == \"format\" and c == \"%\":\n i += 1\n if i < len(query) and i > 1:\n if query[i] == \"s\":\n param_idx = len(output_args)\n if param_idx == len(args):\n raise QueryParameterIndexError(\"too many parameter fields, not enough parameters\")\n output_args.append(args[param_idx])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L139_C16", "label": "if", "type": "if", "loc": [139, 152], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L137_C12", "vector": [4, 10, 0.183, 0.0176, 10, 0.66, 0.0, 0, 0, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i < len(query) and i > 1:\n if query[i] == \"s\":\n param_idx = len(output_args)\n if param_idx == len(args):\n raise QueryParameterIndexError(\"too many parameter fields, not enough parameters\")\n output_args.append(args[param_idx])\n output_query += \"$\" + str(param_idx + 1)\n elif query[i] == \"%\":"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L140_C20", "label": "if", "type": "if", "loc": [140, 149], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L139_C16", "vector": [4, 11, 0.1818, 0.0126, 11, 0.5, 0.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if query[i] == \"s\":\n param_idx = len(output_args)\n if param_idx == len(args):\n raise QueryParameterIndexError(\"too many parameter fields, not enough parameters\")\n output_args.append(args[param_idx])\n output_query += \"$\" + str(param_idx + 1)\n elif query[i] == \"%\":\n output_query += \"%\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L141_C24", "label": "param_idx = len()", "type": "assigned_variable", "loc": [141, 141], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L140_C20", "vector": [14, 12, 0.1774, 0.0013, 12, 0.37, 0.0, 77, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "param_idx", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " param_idx = len(output_args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L142_C24", "label": "if", "type": "if", "loc": [142, 143], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L140_C20", "vector": [4, 12, 0.1792, 0.0025, 12, 0.37, 0.3333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if param_idx == len(args):\n raise QueryParameterIndexError(\"too many parameter fields, not enough parameters\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L144_C24", "label": "append()", "type": "expression", "loc": [144, 144], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L140_C20", "vector": [8, 12, 0.1811, 0.0013, 12, 0.37, 0.6667, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " output_args.append(args[param_idx])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L146_C20", "label": "if", "type": "if", "loc": [146, 149], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L140_C20", "vector": [4, 12, 0.1855, 0.005, 12, 0.37, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif query[i] == \"%\":\n output_query += \"%\"\n else:\n raise QueryParameterParseError(\"Only %s and %% are supported\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L153_C12", "label": "if", "type": "if", "loc": [153, 187], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L137_C12", "vector": [4, 10, 0.2138, 0.044, 10, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif src_style == \"pyformat\" and c == \"%\":\n i += 1\n if i < len(query) and i > 1:\n if query[i] == \"(\":\n i += 1\n # begin mapping name\n end_idx = query.find(')', i)\n if end_idx == -1:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L155_C16", "label": "if", "type": "if", "loc": [155, 184], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L153_C12", "vector": [4, 11, 0.2132, 0.0377, 11, 0.07, 0.0, 0, 0, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i < len(query) and i > 1:\n if query[i] == \"(\":\n i += 1\n # begin mapping name\n end_idx = query.find(')', i)\n if end_idx == -1:\n raise QueryParameterParseError(\"began pyformat dict read, but couldn't find end of name\")\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L156_C20", "label": "if", "type": "if", "loc": [156, 184], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L155_C16", "vector": [4, 12, 0.2138, 0.0365, 12, 0.19, 0.0, 0, 0, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if query[i] == \"(\":\n i += 1\n # begin mapping name\n end_idx = query.find(')', i)\n if end_idx == -1:\n raise QueryParameterParseError(\"began pyformat dict read, but couldn't find end of name\")\n else:\n name = query[i:end_idx]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L159_C24", "label": "end_idx = find()", "type": "assigned_variable", "loc": [159, 159], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L156_C20", "vector": [14, 13, 0.2, 0.0013, 13, 0.25, 0.0, 539, 3, 2, 0, 0, 340, 10, 1], "semantic": {"name": "end_idx", "arg_names": [], "import_names": [], "rhs_call_name": "find", "annotation": ""}, "snippet": " end_idx = query.find(')', i)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L160_C24", "label": "if", "type": "if", "loc": [160, 175], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L156_C20", "vector": [4, 13, 0.2107, 0.0201, 13, 0.25, 0.5, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if end_idx == -1:\n raise QueryParameterParseError(\"began pyformat dict read, but couldn't find end of name\")\n else:\n name = query[i:end_idx]\n i = end_idx + 1\n if i < len(query) and query[i] == \"s\":\n i += 1\n idx = mapping_to_idx.get(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L163_C28", "label": "name =", "type": "assigned_variable", "loc": [163, 163], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L160_C24", "vector": [14, 14, 0.205, 0.0013, 14, 0.14, 0.0, 57, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " name = query[i:end_idx]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L164_C28", "label": "i =", "type": "assigned_variable", "loc": [164, 164], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L160_C24", "vector": [14, 14, 0.2063, 0.0013, 14, 0.14, 0.5, 826, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " i = end_idx + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L165_C28", "label": "if", "type": "if", "loc": [165, 175], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L160_C24", "vector": [4, 14, 0.2138, 0.0138, 14, 0.14, 1.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i < len(query) and query[i] == \"s\":\n i += 1\n idx = mapping_to_idx.get(name)\n if idx == None:\n idx = len(output_args)\n output_args.append(args[name])\n idx += 1\n mapping_to_idx[name] = idx"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L167_C32", "label": "idx = get()", "type": "assigned_variable", "loc": [167, 167], "level": 15, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L165_C28", "vector": [14, 15, 0.2101, 0.0013, 15, 0.08, 0.0, 187, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "idx", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " idx = mapping_to_idx.get(name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L168_C32", "label": "if", "type": "if", "loc": [168, 172], "level": 15, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L165_C28", "vector": [4, 15, 0.2138, 0.0063, 15, 0.08, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if idx == None:\n idx = len(output_args)\n output_args.append(args[name])\n idx += 1\n mapping_to_idx[name] = idx"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L169_C36", "label": "idx = len()", "type": "assigned_variable", "loc": [169, 169], "level": 16, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L168_C32", "vector": [14, 16, 0.2126, 0.0013, 16, 0.89, 0.0, 187, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "idx", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " idx = len(output_args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L170_C36", "label": "append()", "type": "expression", "loc": [170, 170], "level": 16, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L168_C32", "vector": [8, 16, 0.2138, 0.0013, 16, 0.89, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " output_args.append(args[name])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L172_C36", "label": "assign", "type": "assigned_variable", "loc": [172, 172], "level": 16, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L168_C32", "vector": [14, 16, 0.2164, 0.0013, 16, 0.89, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " mapping_to_idx[name] = idx"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L176_C20", "label": "if", "type": "if", "loc": [176, 184], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L156_C20", "vector": [4, 13, 0.2264, 0.0113, 13, 0.25, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif query[i] == \"%\":\n output_query += \"%\"\n elif query[i] == \"s\":\n # we have a %s in a pyformat query string. Assume\n # support for format instead.\n i -= 1\n src_style = \"format\"\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L178_C20", "label": "if", "type": "if", "loc": [178, 184], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L176_C20", "vector": [4, 14, 0.2277, 0.0088, 14, 0.23, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif query[i] == \"s\":\n # we have a %s in a pyformat query string. Assume\n # support for format instead.\n i -= 1\n src_style = \"format\"\n else:\n raise QueryParameterParseError(\"Only %(name)s, %s and %% are supported\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L182_C24", "label": "src_style =", "type": "assigned_variable", "loc": [182, 182], "level": 15, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L178_C20", "vector": [14, 15, 0.2289, 0.0013, 15, 0.94, 0.0, 793, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "src_style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " src_style = \"format\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L188_C8", "label": "if", "type": "if", "loc": [188, 237], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L85_C8", "vector": [4, 3, 0.2673, 0.0629, 3, 0.69, 1.0, 0, 0, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif state == 1:\n output_query += c\n i += 1\n if c == \"'\":\n # Could be a double ''\n if i < len(query) and query[i] == \"'\":\n # is a double quote.\n output_query += query[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L191_C12", "label": "if", "type": "if", "loc": [191, 206], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L188_C8", "vector": [4, 4, 0.2497, 0.0201, 4, 0.77, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if c == \"'\":\n # Could be a double ''\n if i < len(query) and query[i] == \"'\":\n # is a double quote.\n output_query += query[i]\n i += 1\n else:\n state = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L193_C16", "label": "if", "type": "if", "loc": [193, 198], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L191_C12", "vector": [4, 5, 0.2459, 0.0075, 5, 0.8, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i < len(query) and query[i] == \"'\":\n # is a double quote.\n output_query += query[i]\n i += 1\n else:\n state = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L198_C20", "label": "state =", "type": "assigned_variable", "loc": [198, 198], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L193_C16", "vector": [14, 6, 0.2491, 0.0013, 6, 0.09, 0.0, 688, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "state", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " state = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L199_C12", "label": "if", "type": "if", "loc": [199, 206], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L191_C12", "vector": [4, 5, 0.2547, 0.0101, 5, 0.8, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif src_style in (\"pyformat\",\"format\") and c == \"%\":\n # hm... we're only going to support an escaped percent sign\n if i < len(query):\n if query[i] == \"%\":\n # good. We already output the first percent sign.\n i += 1\n else:\n raise QueryParameterParseError(\"'%\" + query[i] + \"' not supported in quoted string\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L201_C16", "label": "if", "type": "if", "loc": [201, 206], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L199_C12", "vector": [4, 6, 0.256, 0.0075, 6, 0.55, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i < len(query):\n if query[i] == \"%\":\n # good. We already output the first percent sign.\n i += 1\n else:\n raise QueryParameterParseError(\"'%\" + query[i] + \"' not supported in quoted string\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L202_C20", "label": "if", "type": "if", "loc": [202, 206], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L201_C16", "vector": [4, 7, 0.2566, 0.0063, 7, 0.51, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if query[i] == \"%\":\n # good. We already output the first percent sign.\n i += 1\n else:\n raise QueryParameterParseError(\"'%\" + query[i] + \"' not supported in quoted string\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L207_C8", "label": "if", "type": "if", "loc": [207, 237], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L188_C8", "vector": [4, 4, 0.2792, 0.039, 4, 0.77, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif state == 2:\n output_query += c\n i += 1\n if c == '\"':\n state = 0\n elif src_style in (\"pyformat\",\"format\") and c == \"%\":\n # hm... we're only going to support an escaped percent sign\n if i < len(query):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L210_C12", "label": "if", "type": "if", "loc": [210, 219], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L207_C8", "vector": [4, 5, 0.2698, 0.0126, 5, 0.01, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if c == '\"':\n state = 0\n elif src_style in (\"pyformat\",\"format\") and c == \"%\":\n # hm... we're only going to support an escaped percent sign\n if i < len(query):\n if query[i] == \"%\":\n # good. We already output the first percent sign.\n i += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L211_C16", "label": "state =", "type": "assigned_variable", "loc": [211, 211], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L210_C12", "vector": [14, 6, 0.2654, 0.0013, 6, 0.93, 0.0, 688, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "state", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " state = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L212_C12", "label": "if", "type": "if", "loc": [212, 219], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L210_C12", "vector": [4, 6, 0.2711, 0.0101, 6, 0.93, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif src_style in (\"pyformat\",\"format\") and c == \"%\":\n # hm... we're only going to support an escaped percent sign\n if i < len(query):\n if query[i] == \"%\":\n # good. We already output the first percent sign.\n i += 1\n else:\n raise QueryParameterParseError(\"'%\" + query[i] + \"' not supported in quoted string\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L214_C16", "label": "if", "type": "if", "loc": [214, 219], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L212_C12", "vector": [4, 7, 0.2723, 0.0075, 7, 0.21, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i < len(query):\n if query[i] == \"%\":\n # good. We already output the first percent sign.\n i += 1\n else:\n raise QueryParameterParseError(\"'%\" + query[i] + \"' not supported in quoted string\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L215_C20", "label": "if", "type": "if", "loc": [215, 219], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L214_C16", "vector": [4, 8, 0.273, 0.0063, 8, 0.79, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if query[i] == \"%\":\n # good. We already output the first percent sign.\n i += 1\n else:\n raise QueryParameterParseError(\"'%\" + query[i] + \"' not supported in quoted string\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L220_C8", "label": "if", "type": "if", "loc": [220, 237], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L207_C8", "vector": [4, 5, 0.2874, 0.0226, 5, 0.01, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif state == 3:\n output_query += c\n i += 1\n if c == \"\\\\\":\n # check for escaped single-quote\n if i < len(query) and query[i] == \"'\":\n output_query += \"'\"\n i += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L223_C12", "label": "if", "type": "if", "loc": [223, 237], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L220_C8", "vector": [4, 6, 0.2893, 0.0189, 6, 0.3, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if c == \"\\\\\":\n # check for escaped single-quote\n if i < len(query) and query[i] == \"'\":\n output_query += \"'\"\n i += 1\n elif c == \"'\":\n state = 0\n elif src_style in (\"pyformat\",\"format\") and c == \"%\":"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L225_C16", "label": "if", "type": "if", "loc": [225, 227], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L223_C12", "vector": [4, 7, 0.2843, 0.0038, 7, 0.33, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i < len(query) and query[i] == \"'\":\n output_query += \"'\"\n i += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L228_C12", "label": "if", "type": "if", "loc": [228, 237], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L223_C12", "vector": [4, 7, 0.2925, 0.0126, 7, 0.33, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif c == \"'\":\n state = 0\n elif src_style in (\"pyformat\",\"format\") and c == \"%\":\n # hm... we're only going to support an escaped percent sign\n if i < len(query):\n if query[i] == \"%\":\n # good. We already output the first percent sign.\n i += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L229_C16", "label": "state =", "type": "assigned_variable", "loc": [229, 229], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L228_C12", "vector": [14, 8, 0.2881, 0.0013, 8, 0.94, 0.0, 688, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "state", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " state = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L230_C12", "label": "if", "type": "if", "loc": [230, 237], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L228_C12", "vector": [4, 8, 0.2937, 0.0101, 8, 0.94, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif src_style in (\"pyformat\",\"format\") and c == \"%\":\n # hm... we're only going to support an escaped percent sign\n if i < len(query):\n if query[i] == \"%\":\n # good. We already output the first percent sign.\n i += 1\n else:\n raise QueryParameterParseError(\"'%\" + query[i] + \"' not supported in quoted string\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L232_C16", "label": "if", "type": "if", "loc": [232, 237], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L230_C12", "vector": [4, 9, 0.295, 0.0075, 9, 0.53, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i < len(query):\n if query[i] == \"%\":\n # good. We already output the first percent sign.\n i += 1\n else:\n raise QueryParameterParseError(\"'%\" + query[i] + \"' not supported in quoted string\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L233_C20", "label": "if", "type": "if", "loc": [233, 237], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L232_C16", "vector": [4, 10, 0.2956, 0.0063, 10, 0.42, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if query[i] == \"%\":\n # good. We already output the first percent sign.\n i += 1\n else:\n raise QueryParameterParseError(\"'%\" + query[i] + \"' not supported in quoted string\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L239_C4", "label": "return", "type": "return", "loc": [239, 239], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "vector": [13, 1, 0.3006, 0.0013, 1, 0.73, 1.0, 0, 0, 0, 0, 0, 0, 8, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return output_query, tuple(output_args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L242_C0", "label": "require_open_cursor", "type": "function", "loc": [242, 247], "level": 0, "parent": null, "vector": [2, 0, 0.3075, 0.0075, 0, 0.66, 0.4483, 197, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "require_open_cursor", "arg_names": ["fn"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def require_open_cursor(fn):\n def _fn(self, *args, **kwargs):\n if self.cursor == None:\n raise CursorClosedError()\n return fn(self, *args, **kwargs)\n return _fn"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L243_C4", "label": "_fn", "type": "function", "loc": [243, 246], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L242_C0", "vector": [2, 1, 0.3075, 0.005, 1, 0.55, 0.0, 24, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "_fn", "arg_names": ["self", "args", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _fn(self, *args, **kwargs):\n if self.cursor == None:\n raise CursorClosedError()\n return fn(self, *args, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L244_C8", "label": "if", "type": "if", "loc": [244, 245], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L243_C4", "vector": [4, 2, 0.3075, 0.0025, 2, 0.37, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.cursor == None:\n raise CursorClosedError()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L246_C8", "label": "return", "type": "return", "loc": [246, 246], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L243_C4", "vector": [13, 2, 0.3094, 0.0013, 2, 0.37, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return fn(self, *args, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L247_C4", "label": "return", "type": "return", "loc": [247, 247], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L242_C0", "vector": [13, 1, 0.3107, 0.0013, 1, 0.55, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _fn"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "label": "CursorWrapper", "type": "class", "loc": [251, 449], "level": 0, "parent": null, "vector": [3, 0, 0.4403, 0.2503, 0, 0.66, 0.4828, 5, 0, 20, 0, 0, 186, 0, 36], "semantic": {"name": "CursorWrapper", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class CursorWrapper(object):\n def __init__(self, conn, connection):\n self.cursor = interface.Cursor(conn)\n self.arraysize = 1\n self._connection = connection\n self._override_rowcount = None\n\n ##"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L252_C4", "label": "__init__", "type": "function", "loc": [252, 256], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.3195, 0.0063, 1, 0.11, 0.0, 555, 0, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "conn", "connection"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, conn, connection):\n self.cursor = interface.Cursor(conn)\n self.arraysize = 1\n self._connection = connection\n self._override_rowcount = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L253_C8", "label": "self.cursor = Cursor()", "type": "assigned_variable", "loc": [253, 253], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L252_C4", "vector": [14, 2, 0.3182, 0.0013, 2, 0.75, 0.0, 538, 3, 1, 0, 0, 647, 10, 1], "semantic": {"name": "self.cursor", "arg_names": [], "import_names": [], "rhs_call_name": "Cursor", "annotation": ""}, "snippet": " self.cursor = interface.Cursor(conn)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L254_C8", "label": "self.arraysize =", "type": "assigned_variable", "loc": [254, 254], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L252_C4", "vector": [14, 2, 0.3195, 0.0013, 2, 0.75, 0.3333, 123, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.arraysize", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.arraysize = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L255_C8", "label": "self._connection =", "type": "assigned_variable", "loc": [255, 255], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L252_C4", "vector": [14, 2, 0.3208, 0.0013, 2, 0.75, 0.6667, 866, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._connection", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._connection = connection"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L256_C8", "label": "self._override_rowcount =", "type": "assigned_variable", "loc": [256, 256], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L252_C4", "vector": [14, 2, 0.322, 0.0013, 2, 0.75, 1.0, 852, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self._override_rowcount", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._override_rowcount = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L264_C4", "label": "connection = property()", "type": "assigned_variable", "loc": [264, 264], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [14, 1, 0.3321, 0.0013, 1, 0.11, 0.0455, 351, 3, 1, 0, 0, 244, 10, 2], "semantic": {"name": "connection", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " connection = property(lambda self: self._getConnection())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L266_C4", "label": "_getConnection", "type": "function", "loc": [266, 268], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.3358, 0.0038, 1, 0.11, 0.0909, 634, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "_getConnection", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _getConnection(self):\n warn(\"DB-API extension cursor.connection used\", stacklevel=3)\n return self._connection"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L267_C8", "label": "warn()", "type": "expression", "loc": [267, 267], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L266_C4", "vector": [8, 2, 0.3358, 0.0013, 2, 0.81, 0.0, 960, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " warn(\"DB-API extension cursor.connection used\", stacklevel=3)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L268_C8", "label": "return", "type": "return", "loc": [268, 268], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L266_C4", "vector": [13, 2, 0.3371, 0.0013, 2, 0.81, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._connection"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L280_C4", "label": "rowcount = property()", "type": "assigned_variable", "loc": [280, 280], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [14, 1, 0.3522, 0.0013, 1, 0.11, 0.1364, 756, 3, 1, 0, 0, 244, 10, 2], "semantic": {"name": "rowcount", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " rowcount = property(lambda self: self._getRowCount())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L283_C4", "label": "_getRowCount", "type": "function", "loc": [283, 286], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.3579, 0.005, 1, 0.11, 0.1818, 260, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "_getRowCount", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _getRowCount(self):\n if self._override_rowcount != None:\n return self._override_rowcount\n return self.cursor.row_count"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L284_C8", "label": "if", "type": "if", "loc": [284, 285], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L283_C4", "vector": [4, 2, 0.3579, 0.0025, 2, 0.28, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._override_rowcount != None:\n return self._override_rowcount"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L285_C12", "label": "return", "type": "return", "loc": [285, 285], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L284_C8", "vector": [13, 3, 0.3585, 0.0013, 3, 0.91, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._override_rowcount"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L286_C8", "label": "return", "type": "return", "loc": [286, 286], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L283_C4", "vector": [13, 2, 0.3597, 0.0013, 2, 0.28, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.cursor.row_count"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L296_C4", "label": "description = property()", "type": "assigned_variable", "loc": [296, 296], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [14, 1, 0.3723, 0.0013, 1, 0.11, 0.2273, 306, 3, 1, 0, 0, 244, 10, 2], "semantic": {"name": "description", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " description = property(lambda self: self._getDescription())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L299_C4", "label": "_getDescription", "type": "function", "loc": [299, 305], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.3799, 0.0088, 1, 0.11, 0.2727, 10, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "_getDescription", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _getDescription(self):\n if self.cursor.row_description == None:\n return None\n columns = []\n for col in self.cursor.row_description:\n columns.append((col[\"name\"], col[\"type_oid\"], None, None, None, None, None))\n return columns"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L300_C8", "label": "if", "type": "if", "loc": [300, 301], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L299_C4", "vector": [4, 2, 0.378, 0.0025, 2, 0.17, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.cursor.row_description == None:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L301_C12", "label": "return", "type": "return", "loc": [301, 301], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L300_C8", "vector": [13, 3, 0.3786, 0.0013, 3, 0.54, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L302_C8", "label": "columns =", "type": "assigned_variable", "loc": [302, 302], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L299_C4", "vector": [14, 2, 0.3799, 0.0013, 2, 0.17, 0.3333, 225, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "columns", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " columns = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:For_L303_C8", "label": "for col", "type": "for", "loc": [303, 304], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L299_C4", "vector": [6, 2, 0.3818, 0.0025, 2, 0.17, 0.6667, 157, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "col", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for col in self.cursor.row_description:\n columns.append((col[\"name\"], col[\"type_oid\"], None, None, None, None, None))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L304_C12", "label": "append()", "type": "expression", "loc": [304, 304], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:For_L303_C8", "vector": [8, 3, 0.3824, 0.0013, 3, 0.35, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " columns.append((col[\"name\"], col[\"type_oid\"], None, None, None, None, None))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L305_C8", "label": "return", "type": "return", "loc": [305, 305], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L299_C4", "vector": [13, 2, 0.3836, 0.0013, 2, 0.17, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return columns"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L313_C4", "label": "execute", "type": "function", "loc": [313, 317], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.3962, 0.0063, 1, 0.11, 0.3182, 569, 0, 3, 0, 0, 0, 0, 2], "semantic": {"name": "execute", "arg_names": ["self", "operation", "args"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def execute(self, operation, args=()):\n if not self._connection.in_transaction:\n self._connection.begin()\n self._override_rowcount = None\n self._execute(operation, args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L314_C8", "label": "if", "type": "if", "loc": [314, 315], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L313_C4", "vector": [4, 2, 0.3956, 0.0025, 2, 0.85, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self._connection.in_transaction:\n self._connection.begin()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L315_C12", "label": "begin()", "type": "expression", "loc": [315, 315], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L314_C8", "vector": [8, 3, 0.3962, 0.0013, 3, 0.63, 0.0, 969, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "begin", "arg_names": [], "import_names": [], "rhs_call_name": "begin", "annotation": ""}, "snippet": " self._connection.begin()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L316_C8", "label": "self._override_rowcount =", "type": "assigned_variable", "loc": [316, 316], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L313_C4", "vector": [14, 2, 0.3975, 0.0013, 2, 0.85, 0.5, 852, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self._override_rowcount", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._override_rowcount = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L317_C8", "label": "_execute()", "type": "expression", "loc": [317, 317], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L313_C4", "vector": [8, 2, 0.3987, 0.0013, 2, 0.85, 1.0, 205, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_execute", "arg_names": [], "import_names": [], "rhs_call_name": "_execute", "annotation": ""}, "snippet": " self._execute(operation, args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L319_C4", "label": "_execute", "type": "function", "loc": [319, 329], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.4075, 0.0138, 1, 0.11, 0.3636, 205, 0, 3, 0, 0, 0, 0, 3], "semantic": {"name": "_execute", "arg_names": ["self", "operation", "args"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _execute(self, operation, args=()):\n new_query, new_args = convert_paramstyle(paramstyle, operation, args)\n try:\n self.cursor.execute(new_query, *new_args)\n except ConnectionClosedError:\n # can't rollback in this case\n raise\n except:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L320_C8", "label": "new_query, new_args = convert_paramstyle()", "type": "assigned_variable", "loc": [320, 320], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L319_C4", "vector": [14, 2, 0.4025, 0.0013, 2, 0.07, 0.0, 814, 3, 3, 0, 0, 165, 10, 1], "semantic": {"name": "new_query, new_args", "arg_names": [], "import_names": [], "rhs_call_name": "convert_paramstyle", "annotation": ""}, "snippet": " new_query, new_args = convert_paramstyle(paramstyle, operation, args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L321_C8", "label": "try", "type": "try", "loc": [321, 329], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L319_C4", "vector": [7, 2, 0.4088, 0.0113, 2, 0.07, 1.0, 0, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self.cursor.execute(new_query, *new_args)\n except ConnectionClosedError:\n # can't rollback in this case\n raise\n except:\n # any error will rollback the transaction to-date\n self._connection.rollback()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L322_C12", "label": "execute()", "type": "expression", "loc": [322, 322], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L321_C8", "vector": [8, 3, 0.405, 0.0013, 3, 0.6, 0.0, 569, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "execute", "arg_names": [], "import_names": [], "rhs_call_name": "execute", "annotation": ""}, "snippet": " self.cursor.execute(new_query, *new_args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L328_C12", "label": "rollback()", "type": "expression", "loc": [328, 328], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L321_C8", "vector": [8, 3, 0.4126, 0.0013, 3, 0.6, 0.0, 484, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "rollback", "arg_names": [], "import_names": [], "rhs_call_name": "rollback", "annotation": ""}, "snippet": " self._connection.rollback()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L331_C4", "label": "copy_from", "type": "function", "loc": [331, 338], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.4208, 0.0101, 1, 0.11, 0.4091, 49, 0, 6, 0, 0, 0, 0, 2], "semantic": {"name": "copy_from", "arg_names": ["self", "fileobj", "table", "sep", "null", "query"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def copy_from(self, fileobj, table=None, sep='\\t', null=None, query=None):\n if query == None:\n if table == None:\n raise CopyQueryOrTableRequiredError()\n query = \"COPY %s FROM stdout DELIMITER '%s'\" % (table, sep)\n if null is not None:\n query += \" NULL '%s'\" % (null,)\n self.copy_execute(fileobj, query)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L332_C8", "label": "if", "type": "if", "loc": [332, 337], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L331_C4", "vector": [4, 2, 0.4208, 0.0075, 2, 0.67, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if query == None:\n if table == None:\n raise CopyQueryOrTableRequiredError()\n query = \"COPY %s FROM stdout DELIMITER '%s'\" % (table, sep)\n if null is not None:\n query += \" NULL '%s'\" % (null,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L333_C12", "label": "if", "type": "if", "loc": [333, 334], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L332_C8", "vector": [4, 3, 0.4195, 0.0025, 3, 0.38, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if table == None:\n raise CopyQueryOrTableRequiredError()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L335_C12", "label": "query =", "type": "assigned_variable", "loc": [335, 335], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L332_C8", "vector": [14, 3, 0.4214, 0.0013, 3, 0.38, 0.5, 546, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "query", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " query = \"COPY %s FROM stdout DELIMITER '%s'\" % (table, sep)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L336_C12", "label": "if", "type": "if", "loc": [336, 337], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L332_C8", "vector": [4, 3, 0.4233, 0.0025, 3, 0.38, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if null is not None:\n query += \" NULL '%s'\" % (null,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L338_C8", "label": "copy_execute()", "type": "expression", "loc": [338, 338], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L331_C4", "vector": [8, 2, 0.4252, 0.0013, 2, 0.67, 1.0, 679, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "copy_execute", "arg_names": [], "import_names": [], "rhs_call_name": "copy_execute", "annotation": ""}, "snippet": " self.copy_execute(fileobj, query)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L340_C4", "label": "copy_to", "type": "function", "loc": [340, 347], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.4321, 0.0101, 1, 0.11, 0.4545, 294, 0, 6, 0, 0, 0, 0, 2], "semantic": {"name": "copy_to", "arg_names": ["self", "fileobj", "table", "sep", "null", "query"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def copy_to(self, fileobj, table=None, sep='\\t', null=None, query=None):\n if query == None:\n if table == None:\n raise CopyQueryOrTableRequiredError()\n query = \"COPY %s TO stdout DELIMITER '%s'\" % (table, sep)\n if null is not None:\n query += \" NULL '%s'\" % (null,)\n self.copy_execute(fileobj, query)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L341_C8", "label": "if", "type": "if", "loc": [341, 346], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L340_C4", "vector": [4, 2, 0.4321, 0.0075, 2, 0.01, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if query == None:\n if table == None:\n raise CopyQueryOrTableRequiredError()\n query = \"COPY %s TO stdout DELIMITER '%s'\" % (table, sep)\n if null is not None:\n query += \" NULL '%s'\" % (null,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L342_C12", "label": "if", "type": "if", "loc": [342, 343], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L341_C8", "vector": [4, 3, 0.4308, 0.0025, 3, 0.4, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if table == None:\n raise CopyQueryOrTableRequiredError()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L344_C12", "label": "query =", "type": "assigned_variable", "loc": [344, 344], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L341_C8", "vector": [14, 3, 0.4327, 0.0013, 3, 0.4, 0.5, 546, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "query", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " query = \"COPY %s TO stdout DELIMITER '%s'\" % (table, sep)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L345_C12", "label": "if", "type": "if", "loc": [345, 346], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L341_C8", "vector": [4, 3, 0.4346, 0.0025, 3, 0.4, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if null is not None:\n query += \" NULL '%s'\" % (null,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L347_C8", "label": "copy_execute()", "type": "expression", "loc": [347, 347], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L340_C4", "vector": [8, 2, 0.4365, 0.0013, 2, 0.01, 1.0, 679, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "copy_execute", "arg_names": [], "import_names": [], "rhs_call_name": "copy_execute", "annotation": ""}, "snippet": " self.copy_execute(fileobj, query)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L350_C4", "label": "copy_execute", "type": "function", "loc": [350, 360], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.4465, 0.0138, 1, 0.11, 0.5, 679, 0, 3, 0, 0, 0, 0, 3], "semantic": {"name": "copy_execute", "arg_names": ["self", "fileobj", "query"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def copy_execute(self, fileobj, query):\n try:\n self.cursor.execute(query, stream=fileobj)\n except ConnectionClosedError:\n # can't rollback in this case\n raise\n except:\n # any error will rollback the transaction to-date"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L351_C8", "label": "try", "type": "try", "loc": [351, 360], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L350_C4", "vector": [7, 2, 0.4472, 0.0126, 2, 0.65, 0.0, 0, 0, 2, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self.cursor.execute(query, stream=fileobj)\n except ConnectionClosedError:\n # can't rollback in this case\n raise\n except:\n # any error will rollback the transaction to-date\n import traceback; traceback.print_exc()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L352_C12", "label": "execute()", "type": "expression", "loc": [352, 352], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L351_C8", "vector": [8, 3, 0.4428, 0.0013, 3, 0.62, 0.0, 569, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "execute", "arg_names": [], "import_names": [], "rhs_call_name": "execute", "annotation": ""}, "snippet": " self.cursor.execute(query, stream=fileobj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Import_L358_C12", "label": "traceback import traceback", "type": "import", "loc": [358, 358], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L351_C8", "vector": [1, 3, 0.4503, 0.0013, 3, 0.62, 0.0, 423, 0, 1, 0, 0, 423, 0, 0], "semantic": {"name": "traceback", "arg_names": [], "import_names": ["traceback"], "rhs_call_name": "", "annotation": ""}, "snippet": " import traceback; traceback.print_exc()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L358_C30", "label": "print_exc()", "type": "expression", "loc": [358, 358], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L351_C8", "vector": [8, 3, 0.4503, 0.0013, 3, 0.62, 0.5, 234, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "print_exc", "arg_names": [], "import_names": [], "rhs_call_name": "print_exc", "annotation": ""}, "snippet": " import traceback; traceback.print_exc()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L359_C12", "label": "rollback()", "type": "expression", "loc": [359, 359], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L351_C8", "vector": [8, 3, 0.4516, 0.0013, 3, 0.62, 1.0, 484, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "rollback", "arg_names": [], "import_names": [], "rhs_call_name": "rollback", "annotation": ""}, "snippet": " self._connection.rollback()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L368_C4", "label": "executemany", "type": "function", "loc": [368, 377], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.4686, 0.0126, 1, 0.11, 0.5455, 175, 0, 3, 0, 0, 0, 0, 2], "semantic": {"name": "executemany", "arg_names": ["self", "operation", "parameter_sets"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def executemany(self, operation, parameter_sets):\n if not self._connection.in_transaction:\n self._connection.begin()\n self._override_rowcount = 0\n for parameters in parameter_sets:\n self._execute(operation, parameters)\n if self.cursor.row_count == -1 or self._override_rowcount == -1:\n self._override_rowcount = -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L369_C8", "label": "if", "type": "if", "loc": [369, 370], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L368_C4", "vector": [4, 2, 0.4648, 0.0025, 2, 0.38, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self._connection.in_transaction:\n self._connection.begin()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L370_C12", "label": "begin()", "type": "expression", "loc": [370, 370], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L369_C8", "vector": [8, 3, 0.4654, 0.0013, 3, 0.9, 0.0, 969, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "begin", "arg_names": [], "import_names": [], "rhs_call_name": "begin", "annotation": ""}, "snippet": " self._connection.begin()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L371_C8", "label": "self._override_rowcount =", "type": "assigned_variable", "loc": [371, 371], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L368_C4", "vector": [14, 2, 0.4667, 0.0013, 2, 0.38, 0.5, 852, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self._override_rowcount", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._override_rowcount = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:For_L372_C8", "label": "for parameters", "type": "for", "loc": [372, 377], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L368_C4", "vector": [6, 2, 0.4711, 0.0075, 2, 0.38, 1.0, 29, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "parameters", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for parameters in parameter_sets:\n self._execute(operation, parameters)\n if self.cursor.row_count == -1 or self._override_rowcount == -1:\n self._override_rowcount = -1\n else:\n self._override_rowcount += self.cursor.row_count"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L373_C12", "label": "_execute()", "type": "expression", "loc": [373, 373], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:For_L372_C8", "vector": [8, 3, 0.4692, 0.0013, 3, 0.26, 0.0, 205, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_execute", "arg_names": [], "import_names": [], "rhs_call_name": "_execute", "annotation": ""}, "snippet": " self._execute(operation, parameters)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L374_C12", "label": "if", "type": "if", "loc": [374, 377], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:For_L372_C8", "vector": [4, 3, 0.4723, 0.005, 3, 0.26, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.cursor.row_count == -1 or self._override_rowcount == -1:\n self._override_rowcount = -1\n else:\n self._override_rowcount += self.cursor.row_count"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L375_C16", "label": "self._override_rowcount =", "type": "assigned_variable", "loc": [375, 375], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L374_C12", "vector": [14, 4, 0.4717, 0.0013, 4, 0.57, 0.0, 852, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._override_rowcount", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._override_rowcount = -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L385_C4", "label": "fetchone", "type": "function", "loc": [385, 386], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.4849, 0.0025, 1, 0.11, 0.5909, 561, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "fetchone", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchone(self):\n return self.cursor.read_tuple()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L386_C8", "label": "return", "type": "return", "loc": [386, 386], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L385_C4", "vector": [13, 2, 0.4855, 0.0013, 2, 0.33, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.cursor.read_tuple()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L396_C4", "label": "fetchmany", "type": "function", "loc": [396, 405], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.5038, 0.0126, 1, 0.11, 0.6364, 582, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "fetchmany", "arg_names": ["self", "size"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchmany(self, size=None):\n if size == None:\n size = self.arraysize\n rows = []\n for i in range(size):\n value = self.fetchone()\n if value == None:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L397_C8", "label": "if", "type": "if", "loc": [397, 398], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L396_C4", "vector": [4, 2, 0.5, 0.0025, 2, 0.87, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if size == None:\n size = self.arraysize"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L398_C12", "label": "size =", "type": "assigned_variable", "loc": [398, 398], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L397_C8", "vector": [14, 3, 0.5006, 0.0013, 3, 0.25, 0.0, 714, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "size", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " size = self.arraysize"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L399_C8", "label": "rows =", "type": "assigned_variable", "loc": [399, 399], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L396_C4", "vector": [14, 2, 0.5019, 0.0013, 2, 0.87, 0.3333, 275, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "rows", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " rows = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:For_L400_C8", "label": "for i", "type": "for", "loc": [400, 404], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L396_C4", "vector": [6, 2, 0.5057, 0.0063, 2, 0.87, 0.6667, 826, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(size):\n value = self.fetchone()\n if value == None:\n break\n rows.append(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L401_C12", "label": "value = fetchone()", "type": "assigned_variable", "loc": [401, 401], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:For_L400_C8", "vector": [14, 3, 0.5044, 0.0013, 3, 0.08, 0.0, 441, 3, 0, 0, 0, 561, 10, 1], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "fetchone", "annotation": ""}, "snippet": " value = self.fetchone()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L402_C12", "label": "if", "type": "if", "loc": [402, 403], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:For_L400_C8", "vector": [4, 3, 0.5063, 0.0025, 3, 0.08, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value == None:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L404_C12", "label": "append()", "type": "expression", "loc": [404, 404], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:For_L400_C8", "vector": [8, 3, 0.5082, 0.0013, 3, 0.08, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " rows.append(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L405_C8", "label": "return", "type": "return", "loc": [405, 405], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L396_C4", "vector": [13, 2, 0.5094, 0.0013, 2, 0.87, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return rows"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L413_C4", "label": "fetchall", "type": "function", "loc": [413, 414], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.5201, 0.0025, 1, 0.11, 0.6818, 133, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "fetchall", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetchall(self):\n return tuple(self.cursor.iterate_tuple())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L414_C8", "label": "return", "type": "return", "loc": [414, 414], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L413_C4", "vector": [13, 2, 0.5208, 0.0013, 2, 0.46, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return tuple(self.cursor.iterate_tuple())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L421_C4", "label": "close", "type": "function", "loc": [421, 424], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.5314, 0.005, 1, 0.11, 0.7273, 77, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def close(self):\n self.cursor.close()\n self.cursor = None\n self._override_rowcount = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L422_C8", "label": "close()", "type": "expression", "loc": [422, 422], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L421_C4", "vector": [8, 2, 0.5308, 0.0013, 2, 0.1, 0.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " self.cursor.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L423_C8", "label": "self.cursor =", "type": "assigned_variable", "loc": [423, 423], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L421_C4", "vector": [14, 2, 0.5321, 0.0013, 2, 0.1, 0.5, 538, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.cursor", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.cursor = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L424_C8", "label": "self._override_rowcount =", "type": "assigned_variable", "loc": [424, 424], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L421_C4", "vector": [14, 2, 0.5333, 0.0013, 2, 0.1, 1.0, 852, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self._override_rowcount", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._override_rowcount = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L426_C4", "label": "next", "type": "function", "loc": [426, 431], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.539, 0.0075, 1, 0.11, 0.7727, 11, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "next", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def next(self):\n warn(\"DB-API extension cursor.next() used\", stacklevel=2)\n retval = self.fetchone()\n if retval == None:\n raise StopIteration()\n return retval"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L427_C8", "label": "warn()", "type": "expression", "loc": [427, 427], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L426_C4", "vector": [8, 2, 0.5371, 0.0013, 2, 0.37, 0.0, 960, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " warn(\"DB-API extension cursor.next() used\", stacklevel=2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L428_C8", "label": "retval = fetchone()", "type": "assigned_variable", "loc": [428, 428], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L426_C4", "vector": [14, 2, 0.5384, 0.0013, 2, 0.37, 0.3333, 991, 3, 0, 0, 0, 561, 10, 1], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "fetchone", "annotation": ""}, "snippet": " retval = self.fetchone()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L429_C8", "label": "if", "type": "if", "loc": [429, 430], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L426_C4", "vector": [4, 2, 0.5403, 0.0025, 2, 0.37, 0.6667, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if retval == None:\n raise StopIteration()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L431_C8", "label": "return", "type": "return", "loc": [431, 431], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L426_C4", "vector": [13, 2, 0.5421, 0.0013, 2, 0.37, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return retval"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L433_C4", "label": "__iter__", "type": "function", "loc": [433, 435], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.5459, 0.0038, 1, 0.11, 0.8182, 891, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "__iter__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __iter__(self):\n warn(\"DB-API extension cursor.__iter__() used\", stacklevel=2)\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L434_C8", "label": "warn()", "type": "expression", "loc": [434, 434], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L433_C4", "vector": [8, 2, 0.5459, 0.0013, 2, 0.17, 0.0, 960, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " warn(\"DB-API extension cursor.__iter__() used\", stacklevel=2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L435_C8", "label": "return", "type": "return", "loc": [435, 435], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L433_C4", "vector": [13, 2, 0.5472, 0.0013, 2, 0.17, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L437_C4", "label": "setinputsizes", "type": "function", "loc": [437, 438], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.5503, 0.0025, 1, 0.11, 0.8636, 675, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "setinputsizes", "arg_names": ["self", "sizes"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def setinputsizes(self, sizes):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L440_C4", "label": "setoutputsize", "type": "function", "loc": [440, 441], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.5541, 0.0025, 1, 0.11, 0.9091, 430, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "setoutputsize", "arg_names": ["self", "size", "column"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def setoutputsize(self, size, column=None):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L444_C4", "label": "fileno", "type": "function", "loc": [444, 445], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.5591, 0.0025, 1, 0.11, 0.9545, 15, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "fileno", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fileno(self):\n return self.cursor.fileno()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L445_C8", "label": "return", "type": "return", "loc": [445, 445], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L444_C4", "vector": [13, 2, 0.5597, 0.0013, 2, 0.16, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.cursor.fileno()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L448_C4", "label": "isready", "type": "function", "loc": [448, 449], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "vector": [2, 1, 0.5642, 0.0025, 1, 0.11, 1.0, 706, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "isready", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def isready(self):\n return self.cursor.isready()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L449_C8", "label": "return", "type": "return", "loc": [449, 449], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L448_C4", "vector": [13, 2, 0.5648, 0.0013, 2, 0.47, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.cursor.isready()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L451_C0", "label": "require_open_connection", "type": "function", "loc": [451, 456], "level": 0, "parent": null, "vector": [2, 0, 0.5704, 0.0075, 0, 0.66, 0.5172, 358, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "require_open_connection", "arg_names": ["fn"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def require_open_connection(fn):\n def _fn(self, *args, **kwargs):\n if self.conn == None:\n raise ConnectionClosedError()\n return fn(self, *args, **kwargs)\n return _fn"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L452_C4", "label": "_fn", "type": "function", "loc": [452, 455], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L451_C0", "vector": [2, 1, 0.5704, 0.005, 1, 0.6, 0.0, 24, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "_fn", "arg_names": ["self", "args", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _fn(self, *args, **kwargs):\n if self.conn == None:\n raise ConnectionClosedError()\n return fn(self, *args, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L453_C8", "label": "if", "type": "if", "loc": [453, 454], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L452_C4", "vector": [4, 2, 0.5704, 0.0025, 2, 0.66, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.conn == None:\n raise ConnectionClosedError()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L455_C8", "label": "return", "type": "return", "loc": [455, 455], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L452_C4", "vector": [13, 2, 0.5723, 0.0013, 2, 0.66, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return fn(self, *args, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L456_C4", "label": "return", "type": "return", "loc": [456, 456], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L451_C0", "vector": [13, 1, 0.5736, 0.0013, 1, 0.6, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _fn"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "label": "ConnectionWrapper", "type": "class", "loc": [460, 709], "level": 0, "parent": null, "vector": [3, 0, 0.7352, 0.3145, 0, 0.66, 0.5517, 138, 0, 19, 0, 0, 186, 0, 56], "semantic": {"name": "ConnectionWrapper", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ConnectionWrapper(object):\n # DBAPI Extension: supply exceptions as attributes on the connection\n Warning = property(lambda self: self._getError(Warning))\n Error = property(lambda self: self._getError(Error))\n InterfaceError = property(lambda self: self._getError(InterfaceError))\n DatabaseError = property(lambda self: self._getError(DatabaseError))\n OperationalError = property(lambda self: self._getError(OperationalError))\n IntegrityError = property(lambda self: self._getError(IntegrityError))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L462_C4", "label": "Warning = property()", "type": "assigned_variable", "loc": [462, 462], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [14, 1, 0.5811, 0.0013, 1, 0.53, 0.0, 781, 3, 1, 0, 0, 244, 10, 2], "semantic": {"name": "Warning", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " Warning = property(lambda self: self._getError(Warning))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L463_C4", "label": "Error = property()", "type": "assigned_variable", "loc": [463, 463], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [14, 1, 0.5824, 0.0013, 1, 0.53, 0.0357, 529, 3, 1, 0, 0, 244, 10, 2], "semantic": {"name": "Error", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " Error = property(lambda self: self._getError(Error))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L464_C4", "label": "InterfaceError = property()", "type": "assigned_variable", "loc": [464, 464], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [14, 1, 0.5836, 0.0013, 1, 0.53, 0.0714, 681, 3, 1, 0, 0, 244, 10, 2], "semantic": {"name": "InterfaceError", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " InterfaceError = property(lambda self: self._getError(InterfaceError))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L465_C4", "label": "DatabaseError = property()", "type": "assigned_variable", "loc": [465, 465], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [14, 1, 0.5849, 0.0013, 1, 0.53, 0.1071, 848, 3, 1, 0, 0, 244, 10, 2], "semantic": {"name": "DatabaseError", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " DatabaseError = property(lambda self: self._getError(DatabaseError))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L466_C4", "label": "OperationalError = property()", "type": "assigned_variable", "loc": [466, 466], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [14, 1, 0.5862, 0.0013, 1, 0.53, 0.1429, 379, 3, 1, 0, 0, 244, 10, 2], "semantic": {"name": "OperationalError", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " OperationalError = property(lambda self: self._getError(OperationalError))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L467_C4", "label": "IntegrityError = property()", "type": "assigned_variable", "loc": [467, 467], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [14, 1, 0.5874, 0.0013, 1, 0.53, 0.1786, 69, 3, 1, 0, 0, 244, 10, 2], "semantic": {"name": "IntegrityError", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " IntegrityError = property(lambda self: self._getError(IntegrityError))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L468_C4", "label": "InternalError = property()", "type": "assigned_variable", "loc": [468, 468], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [14, 1, 0.5887, 0.0013, 1, 0.53, 0.2143, 988, 3, 1, 0, 0, 244, 10, 2], "semantic": {"name": "InternalError", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " InternalError = property(lambda self: self._getError(InternalError))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L469_C4", "label": "ProgrammingError = property()", "type": "assigned_variable", "loc": [469, 469], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [14, 1, 0.5899, 0.0013, 1, 0.53, 0.25, 524, 3, 1, 0, 0, 244, 10, 2], "semantic": {"name": "ProgrammingError", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " ProgrammingError = property(lambda self: self._getError(ProgrammingError))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L470_C4", "label": "NotSupportedError = property()", "type": "assigned_variable", "loc": [470, 470], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [14, 1, 0.5912, 0.0013, 1, 0.53, 0.2857, 135, 3, 1, 0, 0, 244, 10, 2], "semantic": {"name": "NotSupportedError", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " NotSupportedError = property(lambda self: self._getError(NotSupportedError))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L472_C4", "label": "_getError", "type": "function", "loc": [472, 474], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.595, 0.0038, 1, 0.53, 0.3214, 665, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "_getError", "arg_names": ["self", "error"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _getError(self, error):\n warn(\"DB-API extension connection.%s used\" % error.__name__, stacklevel=3)\n return error"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L473_C8", "label": "warn()", "type": "expression", "loc": [473, 473], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L472_C4", "vector": [8, 2, 0.595, 0.0013, 2, 0.36, 0.0, 960, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " warn(\"DB-API extension connection.%s used\" % error.__name__, stacklevel=3)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L474_C8", "label": "return", "type": "return", "loc": [474, 474], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L472_C4", "vector": [13, 2, 0.5962, 0.0013, 2, 0.36, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return error"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L477_C4", "label": "in_transaction", "type": "function", "loc": [477, 480], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.6019, 0.005, 1, 0.53, 0.3571, 824, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "in_transaction", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def in_transaction(self):\n if self.conn:\n return self.conn.in_transaction\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L478_C8", "label": "if", "type": "if", "loc": [478, 479], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L477_C4", "vector": [4, 2, 0.6019, 0.0025, 2, 0.98, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.conn:\n return self.conn.in_transaction"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L479_C13", "label": "return", "type": "return", "loc": [479, 479], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L478_C8", "vector": [13, 3, 0.6025, 0.0013, 3, 0.7, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.conn.in_transaction"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L480_C8", "label": "return", "type": "return", "loc": [480, 480], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L477_C4", "vector": [13, 2, 0.6038, 0.0013, 2, 0.98, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L482_C4", "label": "__init__", "type": "function", "loc": [482, 489], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.6107, 0.0101, 1, 0.53, 0.3929, 555, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, **kwargs):\n self.conn = interface.Connection(**kwargs)\n self.notifies = []\n self.notifies_lock = threading.Lock()\n self.conn.NotificationReceived += self._notificationReceived\n # Two Phase Commit internal attributes:\n self.__tpc_xid = None\n self.__tpc_prepared = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L483_C8", "label": "self.conn = Connection()", "type": "assigned_variable", "loc": [483, 483], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L482_C4", "vector": [14, 2, 0.6075, 0.0013, 2, 0.33, 0.0, 6, 3, 1, 0, 0, 823, 10, 1], "semantic": {"name": "self.conn", "arg_names": [], "import_names": [], "rhs_call_name": "Connection", "annotation": ""}, "snippet": " self.conn = interface.Connection(**kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L484_C8", "label": "self.notifies =", "type": "assigned_variable", "loc": [484, 484], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L482_C4", "vector": [14, 2, 0.6088, 0.0013, 2, 0.33, 0.25, 438, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.notifies", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.notifies = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L485_C8", "label": "self.notifies_lock = Lock()", "type": "assigned_variable", "loc": [485, 485], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L482_C4", "vector": [14, 2, 0.6101, 0.0013, 2, 0.33, 0.5, 910, 3, 0, 0, 0, 843, 10, 1], "semantic": {"name": "self.notifies_lock", "arg_names": [], "import_names": [], "rhs_call_name": "Lock", "annotation": ""}, "snippet": " self.notifies_lock = threading.Lock()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L488_C8", "label": "self.__tpc_xid =", "type": "assigned_variable", "loc": [488, 488], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L482_C4", "vector": [14, 2, 0.6138, 0.0013, 2, 0.33, 0.75, 43, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.__tpc_xid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.__tpc_xid = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L489_C8", "label": "self.__tpc_prepared =", "type": "assigned_variable", "loc": [489, 489], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L482_C4", "vector": [14, 2, 0.6151, 0.0013, 2, 0.33, 1.0, 65, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.__tpc_prepared", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.__tpc_prepared = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L491_C4", "label": "set_autocommit", "type": "function", "loc": [491, 494], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.6195, 0.005, 1, 0.53, 0.4286, 960, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "set_autocommit", "arg_names": ["self", "state"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def set_autocommit(self, state):\n if self.conn.in_transaction and state and not self.conn.autocommit:\n warn(\"enabling autocommit in an open transaction!\")\n self.conn.autocommit = state"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L492_C8", "label": "if", "type": "if", "loc": [492, 493], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L491_C4", "vector": [4, 2, 0.6195, 0.0025, 2, 0.47, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.conn.in_transaction and state and not self.conn.autocommit:\n warn(\"enabling autocommit in an open transaction!\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L493_C12", "label": "warn()", "type": "expression", "loc": [493, 493], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L492_C8", "vector": [8, 3, 0.6201, 0.0013, 3, 0.69, 0.0, 960, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " warn(\"enabling autocommit in an open transaction!\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L494_C8", "label": "self.conn.autocommit =", "type": "assigned_variable", "loc": [494, 494], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L491_C4", "vector": [14, 2, 0.6214, 0.0013, 2, 0.47, 1.0, 114, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.conn.autocommit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.conn.autocommit = state"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L496_C4", "label": "get_autocommit", "type": "function", "loc": [496, 497], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.6245, 0.0025, 1, 0.53, 0.4643, 528, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "get_autocommit", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_autocommit(self):\n return self.conn.autocommit"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L497_C8", "label": "return", "type": "return", "loc": [497, 497], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L496_C4", "vector": [13, 2, 0.6252, 0.0013, 2, 0.11, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.conn.autocommit"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L499_C4", "label": "autocommit = property()", "type": "assigned_variable", "loc": [499, 499], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [14, 1, 0.6277, 0.0013, 1, 0.53, 0.5, 615, 3, 2, 0, 0, 244, 10, 1], "semantic": {"name": "autocommit", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " autocommit = property(get_autocommit, set_autocommit)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L502_C4", "label": "begin", "type": "function", "loc": [502, 503], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.6321, 0.0025, 1, 0.53, 0.5357, 969, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "begin", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def begin(self):\n self.conn.begin()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L503_C8", "label": "begin()", "type": "expression", "loc": [503, 503], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L502_C4", "vector": [8, 2, 0.6327, 0.0013, 2, 0.73, 0.0, 969, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "begin", "arg_names": [], "import_names": [], "rhs_call_name": "begin", "annotation": ""}, "snippet": " self.conn.begin()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L505_C4", "label": "_notificationReceived", "type": "function", "loc": [505, 511], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.639, 0.0088, 1, 0.53, 0.5714, 892, 0, 2, 0, 0, 0, 0, 3], "semantic": {"name": "_notificationReceived", "arg_names": ["self", "notice"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _notificationReceived(self, notice):\n try:\n # psycopg2 compatible notification interface\n self.notifies_lock.acquire()\n self.notifies.append((notice.backend_pid, notice.condition))\n finally:\n self.notifies_lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L506_C8", "label": "try", "type": "try", "loc": [506, 511], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L505_C4", "vector": [7, 2, 0.6396, 0.0075, 2, 0.28, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n # psycopg2 compatible notification interface\n self.notifies_lock.acquire()\n self.notifies.append((notice.backend_pid, notice.condition))\n finally:\n self.notifies_lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L508_C12", "label": "acquire()", "type": "expression", "loc": [508, 508], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L506_C8", "vector": [8, 3, 0.639, 0.0013, 3, 0.99, 0.0, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " self.notifies_lock.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L509_C12", "label": "append()", "type": "expression", "loc": [509, 509], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L506_C8", "vector": [8, 3, 0.6403, 0.0013, 3, 0.99, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.notifies.append((notice.backend_pid, notice.condition))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L511_C12", "label": "release()", "type": "expression", "loc": [511, 511], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L506_C8", "vector": [8, 3, 0.6428, 0.0013, 3, 0.99, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " self.notifies_lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L519_C4", "label": "cursor", "type": "function", "loc": [519, 520], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.6535, 0.0025, 1, 0.53, 0.6071, 231, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "cursor", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def cursor(self):\n return CursorWrapper(self.conn, self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L520_C8", "label": "return", "type": "return", "loc": [520, 520], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L519_C4", "vector": [13, 2, 0.6541, 0.0013, 2, 0.26, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return CursorWrapper(self.conn, self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L527_C4", "label": "commit", "type": "function", "loc": [527, 539], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.6704, 0.0164, 1, 0.53, 0.6429, 281, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "commit", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def commit(self):\n # There's a threading bug here. If a query is sent after the\n # commit, but before the begin, it will be executed immediately\n # without a surrounding transaction. Like all threading bugs -- it\n # sounds unlikely, until it happens every time in one\n # application... however, to fix this, we need to lock the\n # database connection entirely, so that no cursors can execute\n # statements on other threads. Support for that type of lock will"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L536_C8", "label": "if", "type": "if", "loc": [536, 538], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L527_C4", "vector": [4, 2, 0.6755, 0.0038, 2, 0.43, 0.0, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.__tpc_xid:\n raise ProgrammingError(\"Cannot do a normal commit() inside a \"\n \"TPC transaction!\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L539_C8", "label": "commit()", "type": "expression", "loc": [539, 539], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L527_C4", "vector": [8, 2, 0.678, 0.0013, 2, 0.43, 1.0, 281, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "commit", "arg_names": [], "import_names": [], "rhs_call_name": "commit", "annotation": ""}, "snippet": " self.conn.commit()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L546_C4", "label": "rollback", "type": "function", "loc": [546, 551], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.6899, 0.0075, 1, 0.53, 0.6786, 484, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "rollback", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def rollback(self):\n # see bug description in commit.\n if self.__tpc_xid:\n raise ProgrammingError(\"Cannot do a normal rollback() inside a \"\n \"TPC transaction!\")\n self.conn.rollback()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L548_C8", "label": "if", "type": "if", "loc": [548, 550], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L546_C4", "vector": [4, 2, 0.6906, 0.0038, 2, 0.25, 0.0, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.__tpc_xid:\n raise ProgrammingError(\"Cannot do a normal rollback() inside a \"\n \"TPC transaction!\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L551_C8", "label": "rollback()", "type": "expression", "loc": [551, 551], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L546_C4", "vector": [8, 2, 0.6931, 0.0013, 2, 0.25, 1.0, 484, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "rollback", "arg_names": [], "import_names": [], "rhs_call_name": "rollback", "annotation": ""}, "snippet": " self.conn.rollback()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L558_C4", "label": "close", "type": "function", "loc": [558, 560], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.7031, 0.0038, 1, 0.53, 0.7143, 77, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def close(self):\n self.conn.close()\n self.conn = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L559_C8", "label": "close()", "type": "expression", "loc": [559, 559], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L558_C4", "vector": [8, 2, 0.7031, 0.0013, 2, 0.29, 0.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " self.conn.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L560_C8", "label": "self.conn =", "type": "assigned_variable", "loc": [560, 560], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L558_C4", "vector": [14, 2, 0.7044, 0.0013, 2, 0.29, 1.0, 6, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.conn", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.conn = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L568_C4", "label": "server_version", "type": "function", "loc": [568, 569], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.7151, 0.0025, 1, 0.53, 0.75, 261, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "server_version", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def server_version(self):\n return self.conn.server_version()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L569_C8", "label": "return", "type": "return", "loc": [569, 569], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L568_C4", "vector": [13, 2, 0.7157, 0.0013, 2, 0.53, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.conn.server_version()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L573_C4", "label": "set_client_encoding", "type": "function", "loc": [573, 577], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.7233, 0.0063, 1, 0.53, 0.7857, 34, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "set_client_encoding", "arg_names": ["self", "encoding"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def set_client_encoding(self, encoding=None):\n \"Set the client encoding for the current session\"\n if encoding:\n self.conn.execute(\"SET client_encoding TO '%s';\" % (encoding, ), simple_query=True)\n return self.conn.encoding()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L574_C8", "label": "expression", "type": "expression", "loc": [574, 574], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L573_C4", "vector": [8, 2, 0.722, 0.0013, 2, 0.76, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Set the client encoding for the current session\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L575_C8", "label": "if", "type": "if", "loc": [575, 576], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L573_C4", "vector": [4, 2, 0.7239, 0.0025, 2, 0.76, 0.5, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if encoding:\n self.conn.execute(\"SET client_encoding TO '%s';\" % (encoding, ), simple_query=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L576_C12", "label": "execute()", "type": "expression", "loc": [576, 576], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L575_C8", "vector": [8, 3, 0.7245, 0.0013, 3, 0.08, 0.0, 569, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "execute", "arg_names": [], "import_names": [], "rhs_call_name": "execute", "annotation": ""}, "snippet": " self.conn.execute(\"SET client_encoding TO '%s';\" % (encoding, ), simple_query=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L577_C8", "label": "return", "type": "return", "loc": [577, 577], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L573_C4", "vector": [13, 2, 0.7258, 0.0013, 2, 0.76, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.conn.encoding()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L580_C4", "label": "xid", "type": "function", "loc": [580, 585], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.7327, 0.0075, 1, 0.53, 0.8214, 383, 0, 4, 1, 0, 0, 0, 0], "semantic": {"name": "xid", "arg_names": ["self", "format_id", "global_transaction_id", "branch_qualifier"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def xid(self,format_id, global_transaction_id, branch_qualifier):\n \"\"\"Create a Transaction IDs (only global_transaction_id is used in pg)\n format_id and branch_qualifier are not used in postgres\n global_transaction_id may be any string identifier supported by postgres\n returns a tuple (format_id, global_transaction_id, branch_qualifier)\"\"\"\n return (format_id, global_transaction_id, branch_qualifier)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L581_C8", "label": "expression", "type": "expression", "loc": [581, 584], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L580_C4", "vector": [8, 2, 0.7327, 0.005, 2, 0.61, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Create a Transaction IDs (only global_transaction_id is used in pg)\n format_id and branch_qualifier are not used in postgres\n global_transaction_id may be any string identifier supported by postgres\n returns a tuple (format_id, global_transaction_id, branch_qualifier)\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L585_C8", "label": "return", "type": "return", "loc": [585, 585], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L580_C4", "vector": [13, 2, 0.7358, 0.0013, 2, 0.61, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (format_id, global_transaction_id, branch_qualifier)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "label": "tpc_begin", "type": "function", "loc": [588, 599], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.7465, 0.0151, 1, 0.53, 0.8571, 97, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "tpc_begin", "arg_names": ["self", "xid"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def tpc_begin(self,xid):\n \"Begin a two-phase transaction\"\n # set auto-commit mode to begin a TPC transaction\n self.autocommit = False\n # (actually in postgres at this point it is a normal one)\n if self.conn.in_transaction:\n warn(\"tpc_begin() should be called outside a transaction block\", \n stacklevel=3)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L589_C8", "label": "expression", "type": "expression", "loc": [589, 589], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "vector": [8, 2, 0.7409, 0.0013, 2, 0.78, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Begin a two-phase transaction\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L591_C8", "label": "self.autocommit =", "type": "assigned_variable", "loc": [591, 591], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "vector": [14, 2, 0.7434, 0.0013, 2, 0.78, 0.2, 347, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.autocommit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.autocommit = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L593_C8", "label": "if", "type": "if", "loc": [593, 595], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "vector": [4, 2, 0.7472, 0.0038, 2, 0.78, 0.4, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.conn.in_transaction:\n warn(\"tpc_begin() should be called outside a transaction block\", \n stacklevel=3)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L594_C12", "label": "warn()", "type": "expression", "loc": [594, 595], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L593_C8", "vector": [8, 3, 0.7478, 0.0025, 3, 0.05, 0.0, 960, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " warn(\"tpc_begin() should be called outside a transaction block\", \n stacklevel=3)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L596_C8", "label": "begin()", "type": "expression", "loc": [596, 596], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "vector": [8, 2, 0.7497, 0.0013, 2, 0.78, 0.6, 969, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "begin", "arg_names": [], "import_names": [], "rhs_call_name": "begin", "annotation": ""}, "snippet": " self.conn.begin()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L598_C8", "label": "self.__tpc_xid =", "type": "assigned_variable", "loc": [598, 598], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "vector": [14, 2, 0.7522, 0.0013, 2, 0.78, 0.8, 43, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.__tpc_xid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.__tpc_xid = xid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L599_C8", "label": "self.__tpc_prepared =", "type": "assigned_variable", "loc": [599, 599], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "vector": [14, 2, 0.7535, 0.0013, 2, 0.78, 1.0, 65, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.__tpc_prepared", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.__tpc_prepared = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L602_C4", "label": "tpc_prepare", "type": "function", "loc": [602, 611], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.7629, 0.0126, 1, 0.53, 0.8929, 608, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "tpc_prepare", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def tpc_prepare(self):\n \"Prepare a two-phase transaction\"\n if not self.__tpc_xid:\n raise ProgrammingError(\"tpc_prepare() outside a TPC transaction \"\n \"is not allowed!\")\n # Prepare the TPC\n self.conn.execute(\"PREPARE TRANSACTION '%s';\" % (self.__tpc_xid[1],), \n simple_query=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L603_C8", "label": "expression", "type": "expression", "loc": [603, 603], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L602_C4", "vector": [8, 2, 0.7585, 0.0013, 2, 0.77, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Prepare a two-phase transaction\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L604_C8", "label": "if", "type": "if", "loc": [604, 606], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L602_C4", "vector": [4, 2, 0.761, 0.0038, 2, 0.77, 0.25, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self.__tpc_xid:\n raise ProgrammingError(\"tpc_prepare() outside a TPC transaction \"\n \"is not allowed!\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L608_C8", "label": "execute()", "type": "expression", "loc": [608, 609], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L602_C4", "vector": [8, 2, 0.7654, 0.0025, 2, 0.77, 0.5, 569, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "execute", "arg_names": [], "import_names": [], "rhs_call_name": "execute", "annotation": ""}, "snippet": " self.conn.execute(\"PREPARE TRANSACTION '%s';\" % (self.__tpc_xid[1],), \n simple_query=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L610_C8", "label": "self.conn.in_transaction =", "type": "assigned_variable", "loc": [610, 610], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L602_C4", "vector": [14, 2, 0.7673, 0.0013, 2, 0.77, 0.75, 155, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.conn.in_transaction", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.conn.in_transaction = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L611_C8", "label": "self.__tpc_prepared =", "type": "assigned_variable", "loc": [611, 611], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L602_C4", "vector": [14, 2, 0.7686, 0.0013, 2, 0.77, 1.0, 65, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.__tpc_prepared", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.__tpc_prepared = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L614_C4", "label": "tpc_commit", "type": "function", "loc": [614, 650], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.795, 0.0465, 1, 0.53, 0.9286, 933, 0, 2, 0, 0, 0, 0, 5], "semantic": {"name": "tpc_commit", "arg_names": ["self", "xid"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def tpc_commit(self, xid=None):\n \"Commit a prepared two-phase transaction\"\n try:\n # save current autocommit status (to be recovered later)\n previous_autocommit_mode = self.autocommit\n if not xid:\n # use current tpc transaction\n tpc_xid = self.__tpc_xid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L615_C8", "label": "expression", "type": "expression", "loc": [615, 615], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L614_C4", "vector": [8, 2, 0.7736, 0.0013, 2, 0.39, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Commit a prepared two-phase transaction\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L616_C8", "label": "try", "type": "try", "loc": [616, 650], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L614_C4", "vector": [7, 2, 0.7962, 0.044, 2, 0.39, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n # save current autocommit status (to be recovered later)\n previous_autocommit_mode = self.autocommit\n if not xid:\n # use current tpc transaction\n tpc_xid = self.__tpc_xid\n else:\n # use a recovered tpc transaction"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L618_C12", "label": "previous_autocommit_mode =", "type": "assigned_variable", "loc": [618, 618], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L616_C8", "vector": [14, 3, 0.7774, 0.0013, 3, 0.64, 0.0, 597, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "previous_autocommit_mode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " previous_autocommit_mode = self.autocommit"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L619_C12", "label": "if", "type": "if", "loc": [619, 627], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L616_C8", "vector": [4, 3, 0.7836, 0.0113, 3, 0.64, 0.25, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not xid:\n # use current tpc transaction\n tpc_xid = self.__tpc_xid\n else:\n # use a recovered tpc transaction\n tpc_xid = xid\n if not xid in self.tpc_recover():\n raise ProgrammingError(\"Requested TPC transaction is not \""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L621_C16", "label": "tpc_xid =", "type": "assigned_variable", "loc": [621, 621], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L619_C12", "vector": [14, 4, 0.7811, 0.0013, 4, 0.33, 0.0, 970, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "tpc_xid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tpc_xid = self.__tpc_xid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L624_C16", "label": "tpc_xid =", "type": "assigned_variable", "loc": [624, 624], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L619_C12", "vector": [14, 4, 0.7849, 0.0013, 4, 0.33, 0.5, 970, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "tpc_xid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tpc_xid = xid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L625_C16", "label": "if", "type": "if", "loc": [625, 627], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L619_C12", "vector": [4, 4, 0.7874, 0.0038, 4, 0.33, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not xid in self.tpc_recover():\n raise ProgrammingError(\"Requested TPC transaction is not \"\n \"prepared!\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L628_C12", "label": "if", "type": "if", "loc": [628, 630], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L616_C8", "vector": [4, 3, 0.7912, 0.0038, 3, 0.64, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not tpc_xid:\n raise ProgrammingError(\"Cannot tpc_commit() without a TPC \"\n \"transaction!\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L631_C12", "label": "if", "type": "if", "loc": [631, 647], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L616_C8", "vector": [4, 3, 0.8038, 0.0214, 3, 0.64, 0.75, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.__tpc_prepared or (xid != self.__tpc_xid and xid):\n # a two-phase commit:\n # set the auto-commit mode for TPC commit\n self.autocommit = True\n try:\n self.conn.execute(\"COMMIT PREPARED '%s';\" % (tpc_xid[1], ), \n simple_query=True)\n finally:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L634_C16", "label": "self.autocommit =", "type": "assigned_variable", "loc": [634, 634], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L631_C12", "vector": [14, 4, 0.7975, 0.0013, 4, 0.3, 0.0, 347, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.autocommit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.autocommit = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L635_C16", "label": "try", "type": "try", "loc": [635, 640], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L631_C12", "vector": [7, 4, 0.8019, 0.0075, 4, 0.3, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self.conn.execute(\"COMMIT PREPARED '%s';\" % (tpc_xid[1], ), \n simple_query=True)\n finally:\n # return to previous auto-commit mode\n self.autocommit = previous_autocommit_mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L636_C20", "label": "execute()", "type": "expression", "loc": [636, 637], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L635_C16", "vector": [8, 5, 0.8006, 0.0025, 5, 0.05, 0.0, 569, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "execute", "arg_names": [], "import_names": [], "rhs_call_name": "execute", "annotation": ""}, "snippet": " self.conn.execute(\"COMMIT PREPARED '%s';\" % (tpc_xid[1], ), \n simple_query=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L640_C20", "label": "self.autocommit =", "type": "assigned_variable", "loc": [640, 640], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L635_C16", "vector": [14, 5, 0.805, 0.0013, 5, 0.05, 1.0, 347, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.autocommit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.autocommit = previous_autocommit_mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L642_C16", "label": "try", "type": "try", "loc": [642, 647], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L631_C12", "vector": [7, 4, 0.8107, 0.0075, 4, 0.3, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n # a single-phase commit\n self.conn.commit()\n finally:\n # return to previous auto-commit mode\n self.autocommit = previous_autocommit_mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L644_C20", "label": "commit()", "type": "expression", "loc": [644, 644], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L642_C16", "vector": [8, 5, 0.8101, 0.0013, 5, 0.9, 0.0, 281, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "commit", "arg_names": [], "import_names": [], "rhs_call_name": "commit", "annotation": ""}, "snippet": " self.conn.commit()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L647_C20", "label": "self.autocommit =", "type": "assigned_variable", "loc": [647, 647], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L642_C16", "vector": [14, 5, 0.8138, 0.0013, 5, 0.9, 1.0, 347, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.autocommit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.autocommit = previous_autocommit_mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L650_C12", "label": "self.__tpc_xid =", "type": "assigned_variable", "loc": [650, 650], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L616_C8", "vector": [14, 3, 0.8176, 0.0013, 3, 0.64, 1.0, 43, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.__tpc_xid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.__tpc_xid = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L653_C4", "label": "tpc_rollback", "type": "function", "loc": [653, 687], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.8428, 0.044, 1, 0.53, 0.9643, 421, 0, 2, 0, 0, 0, 0, 5], "semantic": {"name": "tpc_rollback", "arg_names": ["self", "xid"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def tpc_rollback(self, xid=None):\n \"Commit a prepared two-phase transaction\"\n try:\n # save current autocommit status (to be recovered later)\n previous_autocommit_mode = self.autocommit\n if not xid:\n # use current tpc transaction\n tpc_xid = self.__tpc_xid "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L654_C8", "label": "expression", "type": "expression", "loc": [654, 654], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L653_C4", "vector": [8, 2, 0.8226, 0.0013, 2, 0.25, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Commit a prepared two-phase transaction\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L655_C8", "label": "try", "type": "try", "loc": [655, 687], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L653_C4", "vector": [7, 2, 0.844, 0.0415, 2, 0.25, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n # save current autocommit status (to be recovered later)\n previous_autocommit_mode = self.autocommit\n if not xid:\n # use current tpc transaction\n tpc_xid = self.__tpc_xid \n else:\n # use a recovered tpc transaction"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L657_C12", "label": "previous_autocommit_mode =", "type": "assigned_variable", "loc": [657, 657], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L655_C8", "vector": [14, 3, 0.8264, 0.0013, 3, 0.5, 0.0, 597, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "previous_autocommit_mode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " previous_autocommit_mode = self.autocommit"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L658_C12", "label": "if", "type": "if", "loc": [658, 665], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L655_C8", "vector": [4, 3, 0.8321, 0.0101, 3, 0.5, 0.25, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not xid:\n # use current tpc transaction\n tpc_xid = self.__tpc_xid \n else:\n # use a recovered tpc transaction\n tpc_xid = xid\n if not xid in self.tpc_recover():\n raise ProgrammingError(\"Requested TPC transaction is not prepared!\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L660_C16", "label": "tpc_xid =", "type": "assigned_variable", "loc": [660, 660], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L658_C12", "vector": [14, 4, 0.8302, 0.0013, 4, 0.65, 0.0, 970, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "tpc_xid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tpc_xid = self.__tpc_xid "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L663_C16", "label": "tpc_xid =", "type": "assigned_variable", "loc": [663, 663], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L658_C12", "vector": [14, 4, 0.834, 0.0013, 4, 0.65, 0.5, 970, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "tpc_xid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tpc_xid = xid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L664_C16", "label": "if", "type": "if", "loc": [664, 665], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L658_C12", "vector": [4, 4, 0.8358, 0.0025, 4, 0.65, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not xid in self.tpc_recover():\n raise ProgrammingError(\"Requested TPC transaction is not prepared!\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L666_C12", "label": "if", "type": "if", "loc": [666, 667], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L655_C8", "vector": [4, 3, 0.8384, 0.0025, 3, 0.5, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not tpc_xid:\n raise ProgrammingError(\"Cannot tpc_rollback() without a TPC prepared transaction!\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L668_C12", "label": "if", "type": "if", "loc": [668, 684], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L655_C8", "vector": [4, 3, 0.8503, 0.0214, 3, 0.5, 0.75, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.__tpc_prepared or (xid != self.__tpc_xid and xid):\n # a two-phase rollback\n # set auto-commit for the TPC rollback\n self.autocommit = True\n try:\n self.conn.execute(\"ROLLBACK PREPARED '%s';\" % (tpc_xid[1],), \n simple_query=True)\n finally:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L671_C16", "label": "self.autocommit =", "type": "assigned_variable", "loc": [671, 671], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L668_C12", "vector": [14, 4, 0.844, 0.0013, 4, 0.82, 0.0, 347, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.autocommit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.autocommit = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L672_C16", "label": "try", "type": "try", "loc": [672, 677], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L668_C12", "vector": [7, 4, 0.8484, 0.0075, 4, 0.82, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self.conn.execute(\"ROLLBACK PREPARED '%s';\" % (tpc_xid[1],), \n simple_query=True)\n finally:\n # return to previous auto-commit mode\n self.autocommit = previous_autocommit_mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L673_C20", "label": "execute()", "type": "expression", "loc": [673, 674], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L672_C16", "vector": [8, 5, 0.8472, 0.0025, 5, 0.44, 0.0, 569, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "execute", "arg_names": [], "import_names": [], "rhs_call_name": "execute", "annotation": ""}, "snippet": " self.conn.execute(\"ROLLBACK PREPARED '%s';\" % (tpc_xid[1],), \n simple_query=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L677_C20", "label": "self.autocommit =", "type": "assigned_variable", "loc": [677, 677], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L672_C16", "vector": [14, 5, 0.8516, 0.0013, 5, 0.44, 1.0, 347, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.autocommit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.autocommit = previous_autocommit_mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L680_C16", "label": "try", "type": "try", "loc": [680, 684], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L668_C12", "vector": [7, 4, 0.8579, 0.0063, 4, 0.82, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self.conn.rollback()\n finally:\n # return to previous auto-commit mode\n self.autocommit = previous_autocommit_mode "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L681_C20", "label": "rollback()", "type": "expression", "loc": [681, 681], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L680_C16", "vector": [8, 5, 0.8566, 0.0013, 5, 0.51, 0.0, 484, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "rollback", "arg_names": [], "import_names": [], "rhs_call_name": "rollback", "annotation": ""}, "snippet": " self.conn.rollback()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L684_C20", "label": "self.autocommit =", "type": "assigned_variable", "loc": [684, 684], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L680_C16", "vector": [14, 5, 0.8604, 0.0013, 5, 0.51, 1.0, 347, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.autocommit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.autocommit = previous_autocommit_mode "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L687_C12", "label": "self.__tpc_xid =", "type": "assigned_variable", "loc": [687, 687], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L655_C8", "vector": [14, 3, 0.8642, 0.0013, 3, 0.5, 1.0, 43, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.__tpc_xid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.__tpc_xid = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "label": "tpc_recover", "type": "function", "loc": [690, 709], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "vector": [2, 1, 0.8799, 0.0252, 1, 0.53, 1.0, 573, 0, 1, 1, 0, 0, 0, 6], "semantic": {"name": "tpc_recover", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def tpc_recover(self):\n \"Returns a list of pending transaction IDs\"\n previous_autocommit_mode = self.autocommit \n if not self.conn.in_transaction and not self.autocommit:\n self.autocommit = True\n elif not self.autocommit:\n warn(\"tpc_recover() will open a transaction block\", stacklevel=3)\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L691_C8", "label": "expression", "type": "expression", "loc": [691, 691], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "vector": [8, 2, 0.8692, 0.0013, 2, 0.57, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Returns a list of pending transaction IDs\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L692_C8", "label": "previous_autocommit_mode =", "type": "assigned_variable", "loc": [692, 692], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "vector": [14, 2, 0.8704, 0.0013, 2, 0.57, 0.1667, 597, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "previous_autocommit_mode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " previous_autocommit_mode = self.autocommit "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L693_C8", "label": "if", "type": "if", "loc": [693, 696], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "vector": [4, 2, 0.8736, 0.005, 2, 0.57, 0.3333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self.conn.in_transaction and not self.autocommit:\n self.autocommit = True\n elif not self.autocommit:\n warn(\"tpc_recover() will open a transaction block\", stacklevel=3)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L694_C12", "label": "self.autocommit =", "type": "assigned_variable", "loc": [694, 694], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L693_C8", "vector": [14, 3, 0.873, 0.0013, 3, 0.55, 0.0, 347, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.autocommit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.autocommit = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:If_L695_C8", "label": "if", "type": "if", "loc": [695, 696], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L693_C8", "vector": [4, 3, 0.8748, 0.0025, 3, 0.55, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif not self.autocommit:\n warn(\"tpc_recover() will open a transaction block\", stacklevel=3)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L696_C12", "label": "warn()", "type": "expression", "loc": [696, 696], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:If_L695_C8", "vector": [8, 4, 0.8755, 0.0013, 4, 0.67, 0.0, 960, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " warn(\"tpc_recover() will open a transaction block\", stacklevel=3)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L698_C8", "label": "curs = cursor()", "type": "assigned_variable", "loc": [698, 698], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "vector": [14, 2, 0.878, 0.0013, 2, 0.57, 0.5, 480, 3, 0, 0, 0, 231, 10, 1], "semantic": {"name": "curs", "arg_names": [], "import_names": [], "rhs_call_name": "cursor", "annotation": ""}, "snippet": " curs = self.cursor()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L699_C8", "label": "xids =", "type": "assigned_variable", "loc": [699, 699], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "vector": [14, 2, 0.8792, 0.0013, 2, 0.57, 0.6667, 860, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "xids", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xids = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L700_C8", "label": "try", "type": "try", "loc": [700, 707], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "vector": [7, 2, 0.8849, 0.0101, 2, 0.57, 0.8333, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n # query system view that stores open (prepared) TPC transactions \n curs.execute(\"SELECT gid FROM pg_prepared_xacts;\");\n xids.extend([self.xid(0,row[0],'') for row in curs])\n finally:\n curs.close()\n # return to previous auto-commit mode\n self.autocommit = previous_autocommit_mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L702_C12", "label": "execute()", "type": "expression", "loc": [702, 702], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L700_C8", "vector": [8, 3, 0.883, 0.0013, 3, 0.2, 0.0, 569, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "execute", "arg_names": [], "import_names": [], "rhs_call_name": "execute", "annotation": ""}, "snippet": " curs.execute(\"SELECT gid FROM pg_prepared_xacts;\");"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L703_C12", "label": "extend()", "type": "expression", "loc": [703, 703], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L700_C8", "vector": [8, 3, 0.8843, 0.0013, 3, 0.2, 0.3333, 660, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "extend", "arg_names": [], "import_names": [], "rhs_call_name": "extend", "annotation": ""}, "snippet": " xids.extend([self.xid(0,row[0],'') for row in curs])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L705_C12", "label": "close()", "type": "expression", "loc": [705, 705], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L700_C8", "vector": [8, 3, 0.8868, 0.0013, 3, 0.2, 0.6667, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " curs.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L707_C12", "label": "self.autocommit =", "type": "assigned_variable", "loc": [707, 707], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L700_C8", "vector": [14, 3, 0.8893, 0.0013, 3, 0.2, 1.0, 347, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.autocommit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.autocommit = previous_autocommit_mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L709_C8", "label": "return", "type": "return", "loc": [709, 709], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "vector": [13, 2, 0.8918, 0.0013, 2, 0.57, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return xids"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L749_C0", "label": "connect", "type": "function", "loc": [749, 752], "level": 0, "parent": null, "vector": [2, 0, 0.944, 0.005, 0, 0.66, 0.5862, 242, 0, 9, 1, 0, 0, 0, 1], "semantic": {"name": "connect", "arg_names": ["dsn", "user", "host", "unix_sock", "port", "database", "password", "socket_timeout", "ssl"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def connect(dsn=\"\", user=None, host=None, unix_sock=None, port=5432, database=None, password=None, socket_timeout=60, ssl=False):\n return ConnectionWrapper(dsn=dsn, user=user, host=host,\n unix_sock=unix_sock, port=port, database=database,\n password=password, socket_timeout=socket_timeout, ssl=ssl)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L750_C4", "label": "return", "type": "return", "loc": [750, 752], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L749_C0", "vector": [13, 1, 0.9447, 0.0038, 1, 0.37, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ConnectionWrapper(dsn=dsn, user=user, host=host,\n unix_sock=unix_sock, port=port, database=database,\n password=password, socket_timeout=socket_timeout, ssl=ssl)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L754_C0", "label": "Date", "type": "function", "loc": [754, 755], "level": 0, "parent": null, "vector": [2, 0, 0.9491, 0.0025, 0, 0.66, 0.6207, 929, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "Date", "arg_names": ["year", "month", "day"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def Date(year, month, day):\n return datetime.date(year, month, day)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L755_C4", "label": "return", "type": "return", "loc": [755, 755], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L754_C0", "vector": [13, 1, 0.9497, 0.0013, 1, 0.21, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return datetime.date(year, month, day)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L757_C0", "label": "Time", "type": "function", "loc": [757, 758], "level": 0, "parent": null, "vector": [2, 0, 0.9528, 0.0025, 0, 0.66, 0.6552, 451, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "Time", "arg_names": ["hour", "minute", "second"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def Time(hour, minute, second):\n return datetime.time(hour, minute, second)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L758_C4", "label": "return", "type": "return", "loc": [758, 758], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L757_C0", "vector": [13, 1, 0.9535, 0.0013, 1, 0.2, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return datetime.time(hour, minute, second)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L760_C0", "label": "Timestamp", "type": "function", "loc": [760, 761], "level": 0, "parent": null, "vector": [2, 0, 0.9566, 0.0025, 0, 0.66, 0.6897, 137, 0, 6, 1, 0, 0, 0, 1], "semantic": {"name": "Timestamp", "arg_names": ["year", "month", "day", "hour", "minute", "second"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def Timestamp(year, month, day, hour, minute, second):\n return datetime.datetime(year, month, day, hour, minute, second)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L761_C4", "label": "return", "type": "return", "loc": [761, 761], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L760_C0", "vector": [13, 1, 0.9572, 0.0013, 1, 0.97, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return datetime.datetime(year, month, day, hour, minute, second)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L763_C0", "label": "DateFromTicks", "type": "function", "loc": [763, 764], "level": 0, "parent": null, "vector": [2, 0, 0.9604, 0.0025, 0, 0.66, 0.7241, 60, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "DateFromTicks", "arg_names": ["ticks"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def DateFromTicks(ticks):\n return Date(*time.localtime(ticks)[:3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L764_C4", "label": "return", "type": "return", "loc": [764, 764], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L763_C0", "vector": [13, 1, 0.961, 0.0013, 1, 0.38, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Date(*time.localtime(ticks)[:3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L766_C0", "label": "TimeFromTicks", "type": "function", "loc": [766, 767], "level": 0, "parent": null, "vector": [2, 0, 0.9642, 0.0025, 0, 0.66, 0.7586, 786, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "TimeFromTicks", "arg_names": ["ticks"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def TimeFromTicks(ticks):\n return Time(*time.localtime(ticks)[3:6])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L767_C4", "label": "return", "type": "return", "loc": [767, 767], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L766_C0", "vector": [13, 1, 0.9648, 0.0013, 1, 0.46, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Time(*time.localtime(ticks)[3:6])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L769_C0", "label": "TimestampFromTicks", "type": "function", "loc": [769, 770], "level": 0, "parent": null, "vector": [2, 0, 0.9679, 0.0025, 0, 0.66, 0.7931, 822, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "TimestampFromTicks", "arg_names": ["ticks"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def TimestampFromTicks(ticks):\n return Timestamp(*time.localtime(ticks)[:6])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L770_C4", "label": "return", "type": "return", "loc": [770, 770], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L769_C0", "vector": [13, 1, 0.9686, 0.0013, 1, 0.73, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Timestamp(*time.localtime(ticks)[:6])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L774_C0", "label": "Binary", "type": "function", "loc": [774, 775], "level": 0, "parent": null, "vector": [2, 0, 0.9742, 0.0025, 0, 0.66, 0.8276, 906, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "Binary", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def Binary(value):\n return types.Bytea(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L775_C4", "label": "return", "type": "return", "loc": [775, 775], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L774_C0", "vector": [13, 1, 0.9748, 0.0013, 1, 0.58, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return types.Bytea(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L781_C0", "label": "STRING =", "type": "assigned_variable", "loc": [781, 781], "level": 0, "parent": null, "vector": [14, 0, 0.9824, 0.0013, 0, 0.66, 0.8621, 560, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "STRING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "STRING = 1043"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L784_C0", "label": "BINARY =", "type": "assigned_variable", "loc": [784, 784], "level": 0, "parent": null, "vector": [14, 0, 0.9862, 0.0013, 0, 0.66, 0.8966, 994, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BINARY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BINARY = 17"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L787_C0", "label": "NUMBER =", "type": "assigned_variable", "loc": [787, 787], "level": 0, "parent": null, "vector": [14, 0, 0.9899, 0.0013, 0, 0.66, 0.931, 678, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NUMBER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NUMBER = 1700"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L790_C0", "label": "DATETIME =", "type": "assigned_variable", "loc": [790, 790], "level": 0, "parent": null, "vector": [14, 0, 0.9937, 0.0013, 0, 0.66, 0.9655, 7, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DATETIME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DATETIME = 1114"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L793_C0", "label": "ROWID =", "type": "assigned_variable", "loc": [793, 793], "level": 0, "parent": null, "vector": [14, 0, 0.9975, 0.0013, 0, 0.66, 1.0, 948, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ROWID", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ROWID = 26"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L72_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L73_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L74_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L75_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L76_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L77_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L77_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L78_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L79_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:While_L80_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:While_L80_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L81_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:While_L80_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L83_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:While_L80_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L85_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L85_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L86_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L86_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L89_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L86_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L90_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L90_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L93_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L90_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L94_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L94_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L97_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L97_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L100_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L94_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L103_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L103_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L105_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L103_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L106_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L103_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L108_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L103_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L110_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L110_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L112_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L110_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L118_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:While_L119_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:While_L119_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L121_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:While_L119_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L123_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:While_L119_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L124_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L128_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L130_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L131_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L131_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L132_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L131_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L133_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L131_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L135_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L117_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L137_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L137_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L139_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L139_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L140_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L140_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L141_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L140_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L142_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L140_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L144_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L140_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L146_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L137_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L153_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L153_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L155_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L155_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L156_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L156_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L159_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L156_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L160_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L160_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L163_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L160_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L164_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L160_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L165_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L165_C28", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L167_C32"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L165_C28", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L168_C32"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L168_C32", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L169_C36"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L168_C32", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L170_C36"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L168_C32", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L172_C36"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L156_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L176_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L176_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L178_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L178_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L182_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L85_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L188_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L188_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L191_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L191_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L193_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L193_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L198_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L191_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L199_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L199_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L201_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L201_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L202_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L188_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L207_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L207_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L210_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L210_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L211_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L210_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L212_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L212_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L214_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L214_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L215_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L207_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L220_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L220_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L223_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L223_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L225_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L223_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L228_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L228_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L229_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L228_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L230_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L230_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L232_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L232_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L233_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L64_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L239_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L242_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L243_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L243_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L244_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L243_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L246_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L242_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L247_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L252_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L253_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L254_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L255_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L252_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L256_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L264_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L266_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L266_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L267_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L266_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L268_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L280_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L283_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L284_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L284_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L285_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L286_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L296_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L299_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L299_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L300_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L300_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L301_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L299_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L302_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L299_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:For_L303_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:For_L303_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L304_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L299_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L305_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L313_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L313_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L314_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L314_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L315_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L313_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L316_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L313_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L317_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L319_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L319_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L320_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L319_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L321_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L321_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L322_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L321_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L328_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L331_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L331_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L332_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L332_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L333_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L332_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L335_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L332_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L336_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L331_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L338_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L340_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L341_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L341_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L342_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L341_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L344_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L341_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L345_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L347_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L350_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L350_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L351_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L351_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L352_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L351_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Import_L358_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L351_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L358_C30"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L351_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L359_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L368_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L368_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L369_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L369_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L370_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L368_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L371_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L368_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:For_L372_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:For_L372_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L373_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:For_L372_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L374_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L374_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L375_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L385_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L385_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L386_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L396_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L396_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L397_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L397_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L398_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L396_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L399_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L396_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:For_L400_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:For_L400_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L401_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:For_L400_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L402_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:For_L400_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L404_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L396_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L405_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L413_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L414_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L421_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L421_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L422_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L421_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L423_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L421_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L424_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L426_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L426_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L427_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L426_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L428_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L426_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L429_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L426_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L431_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L433_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L433_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L434_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L433_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L435_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L437_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L440_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L444_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L444_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L445_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L448_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L448_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L449_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L451_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L452_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L452_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L453_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L452_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L455_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L451_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L456_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L462_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L463_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L464_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L465_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L466_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L467_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L468_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L469_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L470_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L472_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L472_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L473_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L472_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L474_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L477_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L477_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L478_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L478_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L479_C13"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L477_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L480_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L482_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L482_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L483_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L482_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L484_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L482_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L485_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L482_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L488_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L482_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L489_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L491_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L492_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L492_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L493_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L494_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L496_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L496_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L497_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L499_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L502_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L502_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L503_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L505_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L505_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L506_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L506_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L508_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L506_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L509_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L506_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L511_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L519_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L519_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L520_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L527_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L527_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L536_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L527_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L539_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L546_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L546_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L548_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L546_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L551_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L558_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L558_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L559_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L558_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L560_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L568_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L568_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L569_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L573_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L573_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L574_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L573_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L575_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L575_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L576_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L573_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L577_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L580_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L580_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L581_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L580_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L585_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L589_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L591_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L593_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L593_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L594_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L596_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L598_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L588_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L599_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L602_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L602_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L603_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L602_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L604_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L602_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L608_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L602_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L610_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L602_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L611_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L614_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L614_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L615_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L614_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L616_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L616_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L618_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L616_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L619_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L619_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L621_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L619_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L624_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L619_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L625_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L616_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L628_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L616_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L631_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L631_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L634_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L631_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L635_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L635_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L636_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L635_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L640_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L631_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L642_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L642_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L644_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L642_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L647_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L616_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L650_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L653_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L653_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L654_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L653_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L655_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L655_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L657_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L655_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L658_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L658_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L660_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L658_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L663_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L658_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L664_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L655_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L666_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L655_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L668_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L668_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L671_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L668_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L672_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L672_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L673_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L672_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L677_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L668_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L680_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L680_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L681_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L680_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L684_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L655_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L687_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:ClassDef_L460_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L691_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L692_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L693_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L693_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L694_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L693_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:If_L695_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:If_L695_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L696_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L698_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L699_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L700_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L700_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L702_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L700_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L703_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L700_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Expr_L705_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:Try_L700_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Assign_L707_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L690_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L709_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L749_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L750_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L754_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L755_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L757_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L758_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L760_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L761_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L763_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L764_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L766_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L767_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L769_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L770_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_544:FunctionDef_L774_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_544:Return_L775_C4"}]
# vim: sw=4:expandtab:foldmethod=marker # # Copyright (c) 2007-2009, Mathieu Fenniak # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above copyright notice, # this list of conditions and the following disclaimer. # * Redistributions in binary form must reproduce the above copyright notice, # this list of conditions and the following disclaimer in the documentation # and/or other materials provided with the distribution. # * The name of the author may not be used to endorse or promote products # derived from this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" # AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE # IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE # ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE # LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR # CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF # SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS # INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN # CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) # ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE # POSSIBILITY OF SUCH DAMAGE. __author__ = "Mathieu Fenniak" import socket try: import ssl as sslmodule except ImportError: sslmodule = None import select import threading import struct import hashlib from cStringIO import StringIO from errors import * from util import MulticastDelegate import types ## # An SSLRequest message. To initiate an SSL-encrypted connection, an # SSLRequest message is used rather than a {@link StartupMessage # StartupMessage}. A StartupMessage is still sent, but only after SSL # negotiation (if accepted). # <p> # Stability: This is an internal class. No stability guarantee is made. class SSLRequest(object): def __init__(self): pass # Int32(8) - Message length, including self.<br> # Int32(80877103) - The SSL request code.<br> def serialize(self): return struct.pack("!ii", 8, 80877103) ## # A StartupMessage message. Begins a DB session, identifying the user to be # authenticated as and the database to connect to. # <p> # Stability: This is an internal class. No stability guarantee is made. class StartupMessage(object): def __init__(self, user, database=None): self.user = user self.database = database # Int32 - Message length, including self. # Int32(196608) - Protocol version number. Version 3.0. # Any number of key/value pairs, terminated by a zero byte: # String - A parameter name (user, database, or options) # String - Parameter value def serialize(self): protocol = 196608 val = struct.pack("!i", protocol) val += "user\x00" + self.user + "\x00" if self.database: val += "database\x00" + self.database + "\x00" val += "\x00" val = struct.pack("!i", len(val) + 4) + val return val ## # Parse message. Creates a prepared statement in the DB session. # <p> # Stability: This is an internal class. No stability guarantee is made. # # @param ps Name of the prepared statement to create. # @param qs Query string. # @param type_oids An iterable that contains the PostgreSQL type OIDs for # parameters in the query string. class Parse(object): def __init__(self, ps, qs, type_oids): if isinstance(qs, unicode): raise TypeError("qs must be encoded byte data") self.ps = ps self.qs = qs self.type_oids = type_oids def __repr__(self): return "<Parse ps=%r qs=%r>" % (self.ps, self.qs) # Byte1('P') - Identifies the message as a Parse command. # Int32 - Message length, including self. # String - Prepared statement name. An empty string selects the unnamed # prepared statement. # String - The query string. # Int16 - Number of parameter data types specified (can be zero). # For each parameter: # Int32 - The OID of the parameter data type. def serialize(self): val = self.ps + "\x00" + self.qs + "\x00" val = val + struct.pack("!h", len(self.type_oids)) for oid in self.type_oids: # Parse message doesn't seem to handle the -1 type_oid for NULL # values that other messages handle. So we'll provide type_oid 705, # the PG "unknown" type. if oid == -1: oid = 705 val = val + struct.pack("!i", oid) val = struct.pack("!i", len(val) + 4) + val val = "P" + val return val ## # Bind message. Readies a prepared statement for execution. # <p> # Stability: This is an internal class. No stability guarantee is made. # # @param portal Name of the destination portal. # @param ps Name of the source prepared statement. # @param in_fc An iterable containing the format codes for input # parameters. 0 = Text, 1 = Binary. # @param params The parameters. # @param out_fc An iterable containing the format codes for output # parameters. 0 = Text, 1 = Binary. # @param kwargs Additional arguments to pass to the type conversion # methods. class Bind(object): def __init__(self, portal, ps, in_fc, params, out_fc, **kwargs): self.portal = portal self.ps = ps self.in_fc = in_fc self.params = [] for i in range(len(params)): if len(self.in_fc) == 0: fc = 0 elif len(self.in_fc) == 1: fc = self.in_fc[0] else: fc = self.in_fc[i] self.params.append(types.pg_value(params[i], fc, **kwargs)) self.out_fc = out_fc def __repr__(self): return "<Bind p=%r s=%r>" % (self.portal, self.ps) # Byte1('B') - Identifies the Bind command. # Int32 - Message length, including self. # String - Name of the destination portal. # String - Name of the source prepared statement. # Int16 - Number of parameter format codes. # For each parameter format code: # Int16 - The parameter format code. # Int16 - Number of parameter values. # For each parameter value: # Int32 - The length of the parameter value, in bytes, not including this # this length. -1 indicates a NULL parameter value, in which no # value bytes follow. # Byte[n] - Value of the parameter. # Int16 - The number of result-column format codes. # For each result-column format code: # Int16 - The format code. def serialize(self): retval = StringIO() retval.write(self.portal + "\x00") retval.write(self.ps + "\x00") retval.write(struct.pack("!h", len(self.in_fc))) for fc in self.in_fc: retval.write(struct.pack("!h", fc)) retval.write(struct.pack("!h", len(self.params))) for param in self.params: if param == None: # special case, NULL value retval.write(struct.pack("!i", -1)) else: retval.write(struct.pack("!i", len(param))) retval.write(param) retval.write(struct.pack("!h", len(self.out_fc))) for fc in self.out_fc: retval.write(struct.pack("!h", fc)) val = retval.getvalue() val = struct.pack("!i", len(val) + 4) + val val = "B" + val return val ## # A Close message, used for closing prepared statements and portals. # <p> # Stability: This is an internal class. No stability guarantee is made. # # @param typ 'S' for prepared statement, 'P' for portal. # @param name The name of the item to close. class Close(object): def __init__(self, typ, name): if len(typ) != 1: raise InternalError("Close typ must be 1 char") self.typ = typ self.name = name # Byte1('C') - Identifies the message as a close command. # Int32 - Message length, including self. # Byte1 - 'S' for prepared statement, 'P' for portal. # String - The name of the item to close. def serialize(self): val = self.typ + self.name + "\x00" val = struct.pack("!i", len(val) + 4) + val val = "C" + val return val ## # A specialized Close message for a portal. # <p> # Stability: This is an internal class. No stability guarantee is made. class ClosePortal(Close): def __init__(self, name): Close.__init__(self, "P", name) ## # A specialized Close message for a prepared statement. # <p> # Stability: This is an internal class. No stability guarantee is made. class ClosePreparedStatement(Close): def __init__(self, name): Close.__init__(self, "S", name) ## # A Describe message, used for obtaining information on prepared statements # and portals. # <p> # Stability: This is an internal class. No stability guarantee is made. # # @param typ 'S' for prepared statement, 'P' for portal. # @param name The name of the item to close. class Describe(object): def __init__(self, typ, name): if len(typ) != 1: raise InternalError("Describe typ must be 1 char") self.typ = typ self.name = name # Byte1('D') - Identifies the message as a describe command. # Int32 - Message length, including self. # Byte1 - 'S' for prepared statement, 'P' for portal. # String - The name of the item to close. def serialize(self): val = self.typ + self.name + "\x00" val = struct.pack("!i", len(val) + 4) + val val = "D" + val return val ## # A specialized Describe message for a portal. # <p> # Stability: This is an internal class. No stability guarantee is made. class DescribePortal(Describe): def __init__(self, name): Describe.__init__(self, "P", name) def __repr__(self): return "<DescribePortal %r>" % (self.name) ## # A specialized Describe message for a prepared statement. # <p> # Stability: This is an internal class. No stability guarantee is made. class DescribePreparedStatement(Describe): def __init__(self, name): Describe.__init__(self, "S", name) def __repr__(self): return "<DescribePreparedStatement %r>" % (self.name) ## # A Flush message forces the backend to deliver any data pending in its # output buffers. # <p> # Stability: This is an internal class. No stability guarantee is made. class Flush(object): # Byte1('H') - Identifies the message as a flush command. # Int32(4) - Length of message, including self. def serialize(self): return 'H\x00\x00\x00\x04' def __repr__(self): return "<Flush>" ## # Causes the backend to close the current transaction (if not in a BEGIN/COMMIT # block), and issue ReadyForQuery. # <p> # Stability: This is an internal class. No stability guarantee is made. class Sync(object): # Byte1('S') - Identifies the message as a sync command. # Int32(4) - Length of message, including self. def serialize(self): return 'S\x00\x00\x00\x04' def __repr__(self): return "<Sync>" ## # Transmits a password. # <p> # Stability: This is an internal class. No stability guarantee is made. class PasswordMessage(object): def __init__(self, pwd): self.pwd = pwd # Byte1('p') - Identifies the message as a password message. # Int32 - Message length including self. # String - The password. Password may be encrypted. def serialize(self): val = self.pwd + "\x00" val = struct.pack("!i", len(val) + 4) + val val = "p" + val return val ## # Requests that the backend execute a portal and retrieve any number of rows. # <p> # Stability: This is an internal class. No stability guarantee is made. # @param row_count The number of rows to return. Can be zero to indicate the # backend should return all rows. If the portal represents a # query that does not return rows, no rows will be returned # no matter what the row_count. class Execute(object): def __init__(self, portal, row_count): self.portal = portal self.row_count = row_count # Byte1('E') - Identifies the message as an execute message. # Int32 - Message length, including self. # String - The name of the portal to execute. # Int32 - Maximum number of rows to return, if portal contains a query that # returns rows. 0 = no limit. def serialize(self): val = self.portal + "\x00" + struct.pack("!i", self.row_count) val = struct.pack("!i", len(val) + 4) + val val = "E" + val return val class SimpleQuery(object): "Requests that the backend execute a Simple Query (SQL string)" def __init__(self, query_string): self.query_string = query_string # Byte1('Q') - Identifies the message as an query message. # Int32 - Message length, including self. # String - The query string itself. def serialize(self): val = self.query_string + "\x00" val = struct.pack("!i", len(val) + 4) + val val = "Q" + val return val def __repr__(self): return "<SimpleQuery qs=%r>" % (self.query_string) ## # Informs the backend that the connection is being closed. # <p> # Stability: This is an internal class. No stability guarantee is made. class Terminate(object): def __init__(self): pass # Byte1('X') - Identifies the message as a terminate message. # Int32(4) - Message length, including self. def serialize(self): return 'X\x00\x00\x00\x04' ## # Base class of all Authentication[*] messages. # <p> # Stability: This is an internal class. No stability guarantee is made. class AuthenticationRequest(object): def __init__(self, data): pass # Byte1('R') - Identifies the message as an authentication request. # Int32(8) - Message length, including self. # Int32 - An authentication code that represents different # authentication messages: # 0 = AuthenticationOk # 5 = MD5 pwd # 2 = Kerberos v5 (not supported by pg8000) # 3 = Cleartext pwd (not supported by pg8000) # 4 = crypt() pwd (not supported by pg8000) # 6 = SCM credential (not supported by pg8000) # 7 = GSSAPI (not supported by pg8000) # 8 = GSSAPI data (not supported by pg8000) # 9 = SSPI (not supported by pg8000) # Some authentication messages have additional data following the # authentication code. That data is documented in the appropriate class. def createFromData(data): ident = struct.unpack("!i", data[:4])[0] klass = authentication_codes.get(ident, None) if klass != None: return klass(data[4:]) else: raise NotSupportedError("authentication method %r not supported" % (ident,)) createFromData = staticmethod(createFromData) def ok(self, conn, user, **kwargs): raise InternalError("ok method should be overridden on AuthenticationRequest instance") ## # A message representing that the backend accepting the provided username # without any challenge. # <p> # Stability: This is an internal class. No stability guarantee is made. class AuthenticationOk(AuthenticationRequest): def ok(self, conn, user, **kwargs): return True ## # A message representing the backend requesting an MD5 hashed password # response. The response will be sent as md5(md5(pwd + login) + salt). # <p> # Stability: This is an internal class. No stability guarantee is made. class AuthenticationMD5Password(AuthenticationRequest): # Additional message data: # Byte4 - Hash salt. def __init__(self, data): self.salt = "".join(struct.unpack("4c", data)) def ok(self, conn, user, password=None, **kwargs): if password == None: raise InterfaceError("server requesting MD5 password authentication, but no password was provided") pwd = "md5" + hashlib.md5(hashlib.md5(password + user).hexdigest() + self.salt).hexdigest() conn._send(PasswordMessage(pwd)) conn._flush() reader = MessageReader(conn) reader.add_message(AuthenticationRequest, lambda msg, reader: reader.return_value(msg.ok(conn, user)), reader) reader.add_message(ErrorResponse, self._ok_error) return reader.handle_messages() def _ok_error(self, msg): if msg.code == "28000": raise InterfaceError("md5 password authentication failed") else: raise msg.createException() authentication_codes = { 0: AuthenticationOk, 5: AuthenticationMD5Password, } ## # ParameterStatus message sent from backend, used to inform the frotnend of # runtime configuration parameter changes. # <p> # Stability: This is an internal class. No stability guarantee is made. class ParameterStatus(object): def __init__(self, key, value): self.key = key self.value = value # Byte1('S') - Identifies ParameterStatus # Int32 - Message length, including self. # String - Runtime parameter name. # String - Runtime parameter value. def createFromData(data): key = data[:data.find("\x00")] value = data[data.find("\x00")+1:-1] return ParameterStatus(key, value) createFromData = staticmethod(createFromData) ## # BackendKeyData message sent from backend. Contains a connection's process # ID and a secret key. Can be used to terminate the connection's current # actions, such as a long running query. Not supported by pg8000 yet. # <p> # Stability: This is an internal class. No stability guarantee is made. class BackendKeyData(object): def __init__(self, process_id, secret_key): self.process_id = process_id self.secret_key = secret_key # Byte1('K') - Identifier. # Int32(12) - Message length, including self. # Int32 - Process ID. # Int32 - Secret key. def createFromData(data): process_id, secret_key = struct.unpack("!2i", data) return BackendKeyData(process_id, secret_key) createFromData = staticmethod(createFromData) ## # Message representing a query with no data. # <p> # Stability: This is an internal class. No stability guarantee is made. class NoData(object): # Byte1('n') - Identifier. # Int32(4) - Message length, including self. def createFromData(data): return NoData() createFromData = staticmethod(createFromData) ## # Message representing a successful Parse. # <p> # Stability: This is an internal class. No stability guarantee is made. class ParseComplete(object): # Byte1('1') - Identifier. # Int32(4) - Message length, including self. def createFromData(data): return ParseComplete() createFromData = staticmethod(createFromData) ## # Message representing a successful Bind. # <p> # Stability: This is an internal class. No stability guarantee is made. class BindComplete(object): # Byte1('2') - Identifier. # Int32(4) - Message length, including self. def createFromData(data): return BindComplete() createFromData = staticmethod(createFromData) ## # Message representing a successful Close. # <p> # Stability: This is an internal class. No stability guarantee is made. class CloseComplete(object): # Byte1('3') - Identifier. # Int32(4) - Message length, including self. def createFromData(data): return CloseComplete() createFromData = staticmethod(createFromData) ## # Message representing data from an Execute has been received, but more data # exists in the portal. # <p> # Stability: This is an internal class. No stability guarantee is made. class PortalSuspended(object): # Byte1('s') - Identifier. # Int32(4) - Message length, including self. def createFromData(data): return PortalSuspended() createFromData = staticmethod(createFromData) ## # Message representing the backend is ready to process a new query. # <p> # Stability: This is an internal class. No stability guarantee is made. class ReadyForQuery(object): def __init__(self, status): self._status = status ## # I = Idle, T = Idle in Transaction, E = idle in failed transaction. status = property(lambda self: self._status) def __repr__(self): return "<ReadyForQuery %s>" % \ {"I": "Idle", "T": "Idle in Transaction", "E": "Idle in Failed Transaction"}[self.status] # Byte1('Z') - Identifier. # Int32(5) - Message length, including self. # Byte1 - Status indicator. def createFromData(data): return ReadyForQuery(data) createFromData = staticmethod(createFromData) ## # Represents a notice sent from the server. This is not the same as a # notification. A notice is just additional information about a query, such # as a notice that a primary key has automatically been created for a table. # <p> # A NoticeResponse instance will have properties containing the data sent # from the server: # <ul> # <li>severity -- "ERROR", "FATAL', "PANIC", "WARNING", "NOTICE", "DEBUG", # "INFO", or "LOG". Always present.</li> # <li>code -- the SQLSTATE code for the error. See Appendix A of the # PostgreSQL documentation for specific error codes. Always present.</li> # <li>msg -- human-readable error message. Always present.</li> # <li>detail -- Optional additional information.</li> # <li>hint -- Optional suggestion about what to do about the issue.</li> # <li>position -- Optional index into the query string.</li> # <li>where -- Optional context.</li> # <li>file -- Source-code file.</li> # <li>line -- Source-code line.</li> # <li>routine -- Source-code routine.</li> # </ul> # <p> # Stability: Added in pg8000 v1.03. Required properties severity, code, and # msg are guaranteed for v1.xx. Other properties should be checked with # hasattr before accessing. class NoticeResponse(object): responseKeys = { "S": "severity", # always present "C": "code", # always present "M": "msg", # always present "D": "detail", "H": "hint", "P": "position", "p": "_position", "q": "_query", "W": "where", "F": "file", "L": "line", "R": "routine", } def __init__(self, **kwargs): for arg, value in kwargs.items(): setattr(self, arg, value) def __repr__(self): return "<NoticeResponse %s %s %r>" % (self.severity, self.code, self.msg) def dataIntoDict(data): retval = {} for s in data.split("\x00"): if not s: continue key, value = s[0], s[1:] key = NoticeResponse.responseKeys.get(key, key) retval[key] = value return retval dataIntoDict = staticmethod(dataIntoDict) # Byte1('N') - Identifier # Int32 - Message length # Any number of these, followed by a zero byte: # Byte1 - code identifying the field type (see responseKeys) # String - field value def createFromData(data): return NoticeResponse(**NoticeResponse.dataIntoDict(data)) createFromData = staticmethod(createFromData) ## # A message sent in case of a server-side error. Contains the same properties # that {@link NoticeResponse NoticeResponse} contains. # <p> # Stability: Added in pg8000 v1.03. Required properties severity, code, and # msg are guaranteed for v1.xx. Other properties should be checked with # hasattr before accessing. class ErrorResponse(object): def __init__(self, **kwargs): for arg, value in kwargs.items(): setattr(self, arg, value) def __repr__(self): return "<ErrorResponse %s %s %r>" % (self.severity, self.code, self.msg) def createException(self): return ProgrammingError(self.severity, self.code, self.msg) def createFromData(data): return ErrorResponse(**NoticeResponse.dataIntoDict(data)) createFromData = staticmethod(createFromData) ## # A message sent if this connection receives a NOTIFY that it was LISTENing for. # <p> # Stability: Added in pg8000 v1.03. When limited to accessing properties from # a notification event dispatch, stability is guaranteed for v1.xx. class NotificationResponse(object): def __init__(self, backend_pid, condition, additional_info): self._backend_pid = backend_pid self._condition = condition self._additional_info = additional_info ## # An integer representing the process ID of the backend that triggered # the NOTIFY. # <p> # Stability: Added in pg8000 v1.03, stability guaranteed for v1.xx. backend_pid = property(lambda self: self._backend_pid) ## # The name of the notification fired. # <p> # Stability: Added in pg8000 v1.03, stability guaranteed for v1.xx. condition = property(lambda self: self._condition) ## # Currently unspecified by the PostgreSQL documentation as of v8.3.1. # <p> # Stability: Added in pg8000 v1.03, stability guaranteed for v1.xx. additional_info = property(lambda self: self._additional_info) def __repr__(self): return "<NotificationResponse %s %s %r>" % (self.backend_pid, self.condition, self.additional_info) def createFromData(data): backend_pid = struct.unpack("!i", data[:4])[0] data = data[4:] null = data.find("\x00") condition = data[:null] data = data[null+1:] null = data.find("\x00") additional_info = data[:null] return NotificationResponse(backend_pid, condition, additional_info) createFromData = staticmethod(createFromData) class ParameterDescription(object): def __init__(self, type_oids): self.type_oids = type_oids def createFromData(data): count = struct.unpack("!h", data[:2])[0] type_oids = struct.unpack("!" + "i"*count, data[2:]) return ParameterDescription(type_oids) createFromData = staticmethod(createFromData) class RowDescription(object): def __init__(self, fields): self.fields = fields def createFromData(data): count = struct.unpack("!h", data[:2])[0] data = data[2:] fields = [] for i in range(count): null = data.find("\x00") field = {"name": data[:null]} data = data[null+1:] field["table_oid"], field["column_attrnum"], field["type_oid"], field["type_size"], field["type_modifier"], field["format"] = struct.unpack("!ihihih", data[:18]) data = data[18:] fields.append(field) return RowDescription(fields) createFromData = staticmethod(createFromData) class CommandComplete(object): def __init__(self, command, rows=None, oid=None): self.command = command self.rows = rows self.oid = oid def createFromData(data): values = data[:-1].split(" ") args = {} args['command'] = values[0] if args['command'] in ("INSERT", "DELETE", "UPDATE", "MOVE", "FETCH", "COPY", "SELECT"): args['rows'] = int(values[-1]) if args['command'] == "INSERT": args['oid'] = int(values[1]) else: args['command'] = data[:-1] return CommandComplete(**args) createFromData = staticmethod(createFromData) class DataRow(object): def __init__(self, fields): self.fields = fields def createFromData(data): count = struct.unpack("!h", data[:2])[0] data = data[2:] fields = [] for i in range(count): val_len = struct.unpack("!i", data[:4])[0] data = data[4:] if val_len == -1: fields.append(None) else: fields.append(data[:val_len]) data = data[val_len:] return DataRow(fields) createFromData = staticmethod(createFromData) class CopyData(object): # "d": CopyData, def __init__(self, data): self.data = data def createFromData(data): return CopyData(data) createFromData = staticmethod(createFromData) def serialize(self): return 'd' + struct.pack('!i', len(self.data) + 4) + self.data class CopyDone(object): # Byte1('c') - Identifier. # Int32(4) - Message length, including self. def createFromData(data): return CopyDone() createFromData = staticmethod(createFromData) def serialize(self): return 'c\x00\x00\x00\x04' class CopyOutResponse(object): # Byte1('H') # Int32(4) - Length of message contents in bytes, including self. # Int8(1) - 0 textual, 1 binary # Int16(2) - Number of columns # Int16(N) - Format codes for each column (0 text, 1 binary) def __init__(self, is_binary, column_formats): self.is_binary = is_binary self.column_formats = column_formats def createFromData(data): is_binary, num_cols = struct.unpack('!bh', data[:3]) column_formats = struct.unpack('!' + ('h' * num_cols), data[3:]) return CopyOutResponse(is_binary, column_formats) createFromData = staticmethod(createFromData) class CopyInResponse(object): # Byte1('G') # Otherwise the same as CopyOutResponse def __init__(self, is_binary, column_formats): self.is_binary = is_binary self.column_formats = column_formats def createFromData(data): is_binary, num_cols = struct.unpack('!bh', data[:3]) column_formats = struct.unpack('!' + ('h' * num_cols), data[3:]) return CopyInResponse(is_binary, column_formats) createFromData = staticmethod(createFromData) class EmptyQueryResponse(object): # Byte1('I') # Response to an empty query string. (This substitutes for CommandComplete.) def createFromData(data): return EmptyQueryResponse() createFromData = staticmethod(createFromData) class MessageReader(object): def __init__(self, connection): self._conn = connection self._msgs = [] # If true, raise exception from an ErrorResponse after messages are # processed. This can be used to leave the connection in a usable # state after an error response, rather than having unconsumed # messages that won't be understood in another context. self.delay_raising_exception = False self.ignore_unhandled_messages = False def add_message(self, msg_class, handler, *args, **kwargs): self._msgs.append((msg_class, handler, args, kwargs)) def clear_messages(self): self._msgs = [] def return_value(self, value): self._retval = value def handle_messages(self): exc = None while 1: msg = self._conn._read_message() msg_handled = False for (msg_class, handler, args, kwargs) in self._msgs: if isinstance(msg, msg_class): msg_handled = True retval = handler(msg, *args, **kwargs) if retval: # The handler returned a true value, meaning that the # message loop should be aborted. if exc != None: raise exc return retval elif hasattr(self, "_retval"): # The handler told us to return -- used for non-true # return values if exc != None: raise exc return self._retval if msg_handled: continue elif isinstance(msg, ErrorResponse): exc = msg.createException() if not self.delay_raising_exception: raise exc elif isinstance(msg, NoticeResponse): self._conn.handleNoticeResponse(msg) elif isinstance(msg, ParameterStatus): self._conn.handleParameterStatus(msg) elif isinstance(msg, NotificationResponse): self._conn.handleNotificationResponse(msg) elif not self.ignore_unhandled_messages: raise InternalError("Unexpected response msg %r" % (msg)) def sync_on_error(fn): def _fn(self, *args, **kwargs): try: self._sock_lock.acquire() return fn(self, *args, **kwargs) except: self._sync() raise finally: self._sock_lock.release() return _fn class Connection(object): def __init__(self, unix_sock=None, host=None, port=5432, socket_timeout=60, ssl=False): self._client_encoding = "ascii" self._integer_datetimes = False self._server_version = None self._sock_buf = "" self._sock_buf_pos = 0 self._send_sock_buf = [] self._block_size = 8192 self._sock_lock = threading.Lock() if unix_sock == None and host != None: self._sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) elif unix_sock != None: if not hasattr(socket, "AF_UNIX"): raise InterfaceError("attempt to connect to unix socket on unsupported platform") self._sock = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM) else: raise ProgrammingError("one of host or unix_sock must be provided") if unix_sock == None and host != None: self._sock.connect((host, port)) elif unix_sock != None: self._sock.connect(unix_sock) if ssl: self._sock_lock.acquire() try: self._send(SSLRequest()) self._flush() resp = self._sock.recv(1) if resp == 'S' and sslmodule is not None: self._sock = sslmodule.wrap_socket(self._sock) elif sslmodule is None: raise InterfaceError("SSL required but ssl module not available in this python installation") else: raise InterfaceError("server refuses SSL") finally: self._sock_lock.release() else: # settimeout causes ssl failure, on windows. Python bug 1462352. self._sock.settimeout(socket_timeout) self._state = "noauth" self._backend_key_data = None self.NoticeReceived = MulticastDelegate() self.ParameterStatusReceived = MulticastDelegate() self.NotificationReceived = MulticastDelegate() self.ParameterStatusReceived += self._onParameterStatusReceived def verifyState(self, state): if self._state != state: raise InternalError("connection state must be %s, is %s" % (state, self._state)) def _send(self, msg): assert self._sock_lock.locked() ##print "_send(%r)" % msg data = msg.serialize() if not isinstance(data, str): raise TypeError("bytes data expected") self._send_sock_buf.append(data) def _flush(self): assert self._sock_lock.locked() self._sock.sendall("".join(self._send_sock_buf)) del self._send_sock_buf[:] def _read_bytes(self, byte_count): retval = [] bytes_read = 0 while bytes_read < byte_count: if self._sock_buf_pos == len(self._sock_buf): self._sock_buf = self._sock.recv(1024) self._sock_buf_pos = 0 rpos = min(len(self._sock_buf), self._sock_buf_pos + (byte_count - bytes_read)) addt_data = self._sock_buf[self._sock_buf_pos:rpos] bytes_read += (rpos - self._sock_buf_pos) assert bytes_read <= byte_count self._sock_buf_pos = rpos retval.append(addt_data) return "".join(retval) def _read_message(self): assert self._sock_lock.locked() bytes = self._read_bytes(5) message_code = bytes[0] data_len = struct.unpack("!i", bytes[1:])[0] - 4 bytes = self._read_bytes(data_len) assert len(bytes) == data_len msg = message_types[message_code].createFromData(bytes) ##print "_read_message() -> %r" % msg return msg def authenticate(self, user, **kwargs): self.verifyState("noauth") self._sock_lock.acquire() try: self._send(StartupMessage(user, database=kwargs.get("database",None))) self._flush() reader = MessageReader(self) reader.add_message(AuthenticationRequest, self._authentication_request(user, **kwargs)) reader.handle_messages() finally: self._sock_lock.release() def _authentication_request(self, user, **kwargs): def _func(msg): assert self._sock_lock.locked() if not msg.ok(self, user, **kwargs): raise InterfaceError("authentication method %s failed" % msg.__class__.__name__) self._state = "auth" reader = MessageReader(self) reader.add_message(ReadyForQuery, self._ready_for_query) reader.add_message(BackendKeyData, self._receive_backend_key_data) reader.handle_messages() return 1 return _func def _ready_for_query(self, msg): self._state = "ready" return True def _receive_backend_key_data(self, msg): self._backend_key_data = msg @sync_on_error def parse(self, statement, qs, param_types): self.verifyState("ready") type_info = [types.pg_type_info(x) for x in param_types] param_types, param_fc = [x[0] for x in type_info], [x[1] for x in type_info] # zip(*type_info) -- fails on empty arr if isinstance(qs, unicode): qs = qs.encode(self._client_encoding) self._send(Parse(statement, qs, param_types)) self._send(DescribePreparedStatement(statement)) self._send(Flush()) self._flush() reader = MessageReader(self) # ParseComplete is good. reader.add_message(ParseComplete, lambda msg: 0) # Well, we don't really care -- we're going to send whatever we # want and let the database deal with it. But thanks anyways! reader.add_message(ParameterDescription, lambda msg: 0) # We're not waiting for a row description. Return something # destinctive to let bind know that there is no output. reader.add_message(NoData, lambda msg: (None, param_fc)) # Common row description response reader.add_message(RowDescription, lambda msg: (msg, param_fc)) return reader.handle_messages() @sync_on_error def bind(self, portal, statement, params, parse_data, copy_stream): self.verifyState("ready") row_desc, param_fc = parse_data if row_desc == None: # no data coming out output_fc = () else: # We've got row_desc that allows us to identify what we're going to # get back from this statement. output_fc = [types.py_type_info(f) for f in row_desc.fields] self._send(Bind(portal, statement, param_fc, params, output_fc, client_encoding = self._client_encoding, integer_datetimes = self._integer_datetimes)) # We need to describe the portal after bind, since the return # format codes will be different (hopefully, always what we # requested). self._send(DescribePortal(portal)) self._send(Flush()) self._flush() # Read responses from server... reader = MessageReader(self) # BindComplete is good -- just ignore reader.add_message(BindComplete, lambda msg: 0) # NoData in this case means we're not executing a query. As a # result, we won't be fetching rows, so we'll never execute the # portal we just created... unless we execute it right away, which # we'll do. reader.add_message(NoData, self._bind_nodata, portal, reader, copy_stream) # Return the new row desc, since it will have the format types we # asked the server for reader.add_message(RowDescription, lambda msg: (msg, None)) return reader.handle_messages() def _copy_in_response(self, copyin, fileobj, old_reader): if fileobj == None: raise CopyQueryWithoutStreamError() while True: data = fileobj.read(self._block_size) if not data: break self._send(CopyData(data)) self._flush() self._send(CopyDone()) self._send(Sync()) self._flush() def _copy_out_response(self, copyout, fileobj, old_reader): if fileobj == None: raise CopyQueryWithoutStreamError() reader = MessageReader(self) reader.add_message(CopyData, self._copy_data, fileobj) reader.add_message(CopyDone, lambda msg: 1) reader.handle_messages() def _copy_data(self, copydata, fileobj): fileobj.write(copydata.data) def _bind_nodata(self, msg, portal, old_reader, copy_stream): # Bind message returned NoData, causing us to execute the command. self._send(Execute(portal, 0)) self._send(Sync()) self._flush() output = {} reader = MessageReader(self) reader.add_message(CopyOutResponse, self._copy_out_response, copy_stream, reader) reader.add_message(CopyInResponse, self._copy_in_response, copy_stream, reader) reader.add_message(CommandComplete, lambda msg, out: out.setdefault('msg', msg) and False, output) reader.add_message(ReadyForQuery, lambda msg: 1) reader.delay_raising_exception = True reader.handle_messages() old_reader.return_value((None, output['msg'])) @sync_on_error def send_simple_query(self, query_string, copy_stream=None): "Submit a simple query (PQsendQuery)" # Only use this for trivial queries, as its use is discouraged because: # CONS: # - Parameter are "injected" (they should be escaped by the app) # - Exesive memory usage (allways returns all rows on completion) # - Inneficient transmission of data in plain text (except for FETCH) # - No Prepared Statement support, each query is parsed every time # - Basic implementation: minimal error recovery and type support # PROS: # - compact: equivalent to Parse, Bind, Describe, Execute, Close, Sync # - doesn't returns ParseComplete, BindComplete, CloseComplete, NoData # - it supports multiple statements in a single query string # - it is available when the Streaming Replication Protocol is actived # NOTE: this is the protocol used by psycopg2 # (they also uses named cursors to overcome some drawbacks) self.verifyState("ready") if isinstance(query_string, unicode): query_string = query_string.encode(self._client_encoding) self._send(SimpleQuery(query_string)) self._flush() # define local storage for message handlers: output = {} rows = [] # create and add handlers for all the possible messages: reader = MessageReader(self) # read row description but continue processing messages... (return false) reader.add_message(RowDescription, lambda msg, out: out.setdefault('row_desc', msg) and False, output) reader.add_message(DataRow, lambda msg: self._fetch_datarow(msg, rows, output['row_desc'])) reader.add_message(EmptyQueryResponse, lambda msg: False) reader.add_message(CommandComplete, lambda msg, out: out.setdefault('complete', msg) and False, output) reader.add_message(CopyInResponse, self._copy_in_response, copy_stream, reader) reader.add_message(CopyOutResponse, self._copy_out_response, copy_stream, reader) # messages indicating that we've hit the end of the available data for this command reader.add_message(ReadyForQuery, lambda msg: 1) # process all messages and then raise exceptions (if any) reader.delay_raising_exception = True # start processing the messages from the backend: retval = reader.handle_messages() # return a dict with command complete / row description message values return output.get('row_desc'), output.get('complete'), rows @sync_on_error def fetch_rows(self, portal, row_count, row_desc): self.verifyState("ready") self._send(Execute(portal, row_count)) self._send(Flush()) self._flush() rows = [] reader = MessageReader(self) reader.add_message(DataRow, self._fetch_datarow, rows, row_desc) reader.add_message(PortalSuspended, lambda msg: 1) reader.add_message(CommandComplete, self._fetch_commandcomplete, portal) retval = reader.handle_messages() # retval = 2 when command complete, indicating that we've hit the # end of the available data for this command return (retval == 2), rows def _fetch_datarow(self, msg, rows, row_desc): rows.append( [ types.py_value( msg.fields[i], row_desc.fields[i], client_encoding=self._client_encoding, integer_datetimes=self._integer_datetimes, ) for i in range(len(msg.fields)) ] ) def _fetch_commandcomplete(self, msg, portal): self._send(ClosePortal(portal)) self._send(Sync()) self._flush() reader = MessageReader(self) reader.add_message(ReadyForQuery, self._fetch_commandcomplete_rfq) reader.add_message(CloseComplete, lambda msg: False) reader.handle_messages() return 2 # signal end-of-data def _fetch_commandcomplete_rfq(self, msg): self._state = "ready" return True # Send a Sync message, then read and discard all messages until we # receive a ReadyForQuery message. def _sync(self): # it is assumed _sync is called from sync_on_error, which holds # a _sock_lock throughout the call self._send(Sync()) self._flush() reader = MessageReader(self) reader.ignore_unhandled_messages = True reader.add_message(ReadyForQuery, lambda msg: True) reader.handle_messages() def close_statement(self, statement): if self._state == "closed": return self.verifyState("ready") self._sock_lock.acquire() try: self._send(ClosePreparedStatement(statement)) self._send(Sync()) self._flush() reader = MessageReader(self) reader.add_message(CloseComplete, lambda msg: 0) reader.add_message(ReadyForQuery, lambda msg: 1) reader.handle_messages() finally: self._sock_lock.release() def close_portal(self, portal): if self._state == "closed": return self.verifyState("ready") self._sock_lock.acquire() try: self._send(ClosePortal(portal)) self._send(Sync()) self._flush() reader = MessageReader(self) reader.add_message(CloseComplete, lambda msg: 0) reader.add_message(ReadyForQuery, lambda msg: 1) reader.handle_messages() finally: self._sock_lock.release() def close(self): self._sock_lock.acquire() try: self._send(Terminate()) self._flush() self._sock.close() self._state = "closed" finally: self._sock_lock.release() def _onParameterStatusReceived(self, msg): if msg.key == "client_encoding": self._client_encoding = types.encoding_convert(msg.value) ##print "_onParameterStatusReceived client_encoding", self._client_encoding elif msg.key == "integer_datetimes": self._integer_datetimes = (msg.value == "on") elif msg.key == "server_version": self._server_version = msg.value else: ##print "_onParameterStatusReceived ", msg.key, msg.value pass def handleNoticeResponse(self, msg): self.NoticeReceived(msg) def handleParameterStatus(self, msg): self.ParameterStatusReceived(msg) def handleNotificationResponse(self, msg): self.NotificationReceived(msg) def fileno(self): # This should be safe to do without a lock return self._sock.fileno() def isready(self): self._sock_lock.acquire() try: rlst, _wlst, _xlst = select.select([self], [], [], 0) if not rlst: return False self._sync() return True finally: self._sock_lock.release() def server_version(self): self.verifyState("ready") if not self._server_version: raise InterfaceError("Server did not provide server_version parameter.") return self._server_version def encoding(self): return self._client_encoding message_types = { "N": NoticeResponse, "R": AuthenticationRequest, "S": ParameterStatus, "K": BackendKeyData, "Z": ReadyForQuery, "T": RowDescription, "E": ErrorResponse, "D": DataRow, "C": CommandComplete, "1": ParseComplete, "2": BindComplete, "3": CloseComplete, "s": PortalSuspended, "n": NoData, "I": EmptyQueryResponse, "t": ParameterDescription, "A": NotificationResponse, "c": CopyDone, "d": CopyData, "G": CopyInResponse, "H": CopyOutResponse, }
ajibawa-2023/Python-Code-Large/train/row_545
689
1,411
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L30_C0", "label": "__author__ =", "type": "assigned_variable", "loc": [30, 30], "level": 0, "parent": null, "vector": [14, 0, 0.0213, 0.0007, 0, 0.66, 0.0, 777, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__author__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__author__ = \"Mathieu Fenniak\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Import_L32_C0", "label": "socket import socket", "type": "import", "loc": [32, 32], "level": 0, "parent": null, "vector": [1, 0, 0.0227, 0.0007, 0, 0.66, 0.0185, 687, 0, 1, 0, 0, 687, 0, 0], "semantic": {"name": "socket", "arg_names": [], "import_names": ["socket"], "rhs_call_name": "", "annotation": ""}, "snippet": "import socket"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L33_C0", "label": "try", "type": "try", "loc": [33, 36], "level": 0, "parent": null, "vector": [7, 0, 0.0245, 0.0028, 0, 0.66, 0.037, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n import ssl as sslmodule\nexcept ImportError:\n sslmodule = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Import_L34_C4", "label": "ssl import sslmodule", "type": "import", "loc": [34, 34], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L33_C0", "vector": [1, 1, 0.0241, 0.0007, 1, 0.62, 0.0, 591, 0, 1, 0, 0, 591, 0, 0], "semantic": {"name": "ssl", "arg_names": [], "import_names": ["sslmodule"], "rhs_call_name": "", "annotation": ""}, "snippet": " import ssl as sslmodule"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L36_C4", "label": "sslmodule =", "type": "assigned_variable", "loc": [36, 36], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L33_C0", "vector": [14, 1, 0.0255, 0.0007, 1, 0.62, 0.0, 614, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "sslmodule", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sslmodule = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Import_L37_C0", "label": "select import select", "type": "import", "loc": [37, 37], "level": 0, "parent": null, "vector": [1, 0, 0.0262, 0.0007, 0, 0.66, 0.0556, 438, 0, 1, 0, 0, 438, 0, 0], "semantic": {"name": "select", "arg_names": [], "import_names": ["select"], "rhs_call_name": "", "annotation": ""}, "snippet": "import select"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Import_L38_C0", "label": "threading import threading", "type": "import", "loc": [38, 38], "level": 0, "parent": null, "vector": [1, 0, 0.0269, 0.0007, 0, 0.66, 0.0741, 83, 0, 1, 0, 0, 83, 0, 0], "semantic": {"name": "threading", "arg_names": [], "import_names": ["threading"], "rhs_call_name": "", "annotation": ""}, "snippet": "import threading"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Import_L39_C0", "label": "struct import struct", "type": "import", "loc": [39, 39], "level": 0, "parent": null, "vector": [1, 0, 0.0276, 0.0007, 0, 0.66, 0.0926, 399, 0, 1, 0, 0, 399, 0, 0], "semantic": {"name": "struct", "arg_names": [], "import_names": ["struct"], "rhs_call_name": "", "annotation": ""}, "snippet": "import struct"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Import_L40_C0", "label": "hashlib import hashlib", "type": "import", "loc": [40, 40], "level": 0, "parent": null, "vector": [1, 0, 0.0283, 0.0007, 0, 0.66, 0.1111, 154, 0, 1, 0, 0, 154, 0, 0], "semantic": {"name": "hashlib", "arg_names": [], "import_names": ["hashlib"], "rhs_call_name": "", "annotation": ""}, "snippet": "import hashlib"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ImportFrom_L41_C0", "label": "from cStringIO import StringIO", "type": "import", "loc": [41, 41], "level": 0, "parent": null, "vector": [1, 0, 0.0291, 0.0007, 0, 0.66, 0.1296, 764, 0, 1, 0, 0, 764, 0, 0], "semantic": {"name": "cStringIO", "arg_names": [], "import_names": ["StringIO"], "rhs_call_name": "", "annotation": ""}, "snippet": "from cStringIO import StringIO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ImportFrom_L43_C0", "label": "from errors import *", "type": "import", "loc": [43, 43], "level": 0, "parent": null, "vector": [1, 0, 0.0305, 0.0007, 0, 0.66, 0.1481, 841, 0, 1, 0, 0, 841, 0, 0], "semantic": {"name": "errors", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from errors import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ImportFrom_L44_C0", "label": "from util import MulticastDelegate", "type": "import", "loc": [44, 44], "level": 0, "parent": null, "vector": [1, 0, 0.0312, 0.0007, 0, 0.66, 0.1667, 811, 0, 1, 0, 0, 811, 0, 0], "semantic": {"name": "util", "arg_names": [], "import_names": ["MulticastDelegate"], "rhs_call_name": "", "annotation": ""}, "snippet": "from util import MulticastDelegate"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Import_L45_C0", "label": "types import types", "type": "import", "loc": [45, 45], "level": 0, "parent": null, "vector": [1, 0, 0.0319, 0.0007, 0, 0.66, 0.1852, 209, 0, 1, 0, 0, 209, 0, 0], "semantic": {"name": "types", "arg_names": [], "import_names": ["types"], "rhs_call_name": "", "annotation": ""}, "snippet": "import types"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L54_C0", "label": "SSLRequest", "type": "class", "loc": [54, 61], "level": 0, "parent": null, "vector": [3, 0, 0.0408, 0.0057, 0, 0.66, 0.2037, 389, 0, 2, 0, 0, 186, 0, 1], "semantic": {"name": "SSLRequest", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class SSLRequest(object):\n def __init__(self):\n pass\n\n # Int32(8) - Message length, including self.<br>\n # Int32(80877103) - The SSL request code.<br>\n def serialize(self):\n return struct.pack(\"!ii\", 8, 80877103)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L55_C4", "label": "__init__", "type": "function", "loc": [55, 56], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L54_C0", "vector": [2, 1, 0.0393, 0.0014, 1, 0.31, 0.0, 555, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L60_C4", "label": "serialize", "type": "function", "loc": [60, 61], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L54_C0", "vector": [2, 1, 0.0429, 0.0014, 1, 0.31, 1.0, 50, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n return struct.pack(\"!ii\", 8, 80877103)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L61_C8", "label": "return", "type": "return", "loc": [61, 61], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L60_C4", "vector": [13, 2, 0.0432, 0.0007, 2, 0.05, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.pack(\"!ii\", 8, 80877103)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L69_C0", "label": "StartupMessage", "type": "class", "loc": [69, 87], "level": 0, "parent": null, "vector": [3, 0, 0.0553, 0.0135, 0, 0.66, 0.2222, 195, 0, 2, 0, 0, 186, 0, 3], "semantic": {"name": "StartupMessage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class StartupMessage(object):\n def __init__(self, user, database=None):\n self.user = user\n self.database = database\n\n # Int32 - Message length, including self.\n # Int32(196608) - Protocol version number. Version 3.0.\n # Any number of key/value pairs, terminated by a zero byte:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L70_C4", "label": "__init__", "type": "function", "loc": [70, 72], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L69_C0", "vector": [2, 1, 0.0503, 0.0021, 1, 0.13, 0.0, 555, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "user", "database"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, user, database=None):\n self.user = user\n self.database = database"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L71_C8", "label": "self.user =", "type": "assigned_variable", "loc": [71, 71], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L70_C4", "vector": [14, 2, 0.0503, 0.0007, 2, 0.02, 0.0, 371, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.user", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.user = user"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L72_C8", "label": "self.database =", "type": "assigned_variable", "loc": [72, 72], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L70_C4", "vector": [14, 2, 0.051, 0.0007, 2, 0.02, 1.0, 234, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.database", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.database = database"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L79_C4", "label": "serialize", "type": "function", "loc": [79, 87], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L69_C0", "vector": [2, 1, 0.0588, 0.0064, 1, 0.13, 1.0, 50, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n protocol = 196608\n val = struct.pack(\"!i\", protocol)\n val += \"user\\x00\" + self.user + \"\\x00\"\n if self.database:\n val += \"database\\x00\" + self.database + \"\\x00\"\n val += \"\\x00\"\n val = struct.pack(\"!i\", len(val) + 4) + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L80_C8", "label": "protocol =", "type": "assigned_variable", "loc": [80, 80], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L79_C4", "vector": [14, 2, 0.0567, 0.0007, 2, 0.33, 0.0, 393, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "protocol", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " protocol = 196608"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L81_C8", "label": "val = pack()", "type": "assigned_variable", "loc": [81, 81], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L79_C4", "vector": [14, 2, 0.0574, 0.0007, 2, 0.33, 0.25, 618, 3, 2, 0, 0, 742, 10, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "pack", "annotation": ""}, "snippet": " val = struct.pack(\"!i\", protocol)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L83_C8", "label": "if", "type": "if", "loc": [83, 84], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L79_C4", "vector": [4, 2, 0.0592, 0.0014, 2, 0.33, 0.5, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.database:\n val += \"database\\x00\" + self.database + \"\\x00\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L86_C8", "label": "val =", "type": "assigned_variable", "loc": [86, 86], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L79_C4", "vector": [14, 2, 0.0609, 0.0007, 2, 0.33, 0.75, 618, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = struct.pack(\"!i\", len(val) + 4) + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L87_C8", "label": "return", "type": "return", "loc": [87, 87], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L79_C4", "vector": [13, 2, 0.0617, 0.0007, 2, 0.33, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L99_C0", "label": "Parse", "type": "class", "loc": [99, 129], "level": 0, "parent": null, "vector": [3, 0, 0.0808, 0.022, 0, 0.66, 0.2407, 291, 0, 3, 0, 0, 186, 0, 7], "semantic": {"name": "Parse", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Parse(object):\n def __init__(self, ps, qs, type_oids):\n if isinstance(qs, unicode):\n raise TypeError(\"qs must be encoded byte data\")\n self.ps = ps\n self.qs = qs\n self.type_oids = type_oids\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L100_C4", "label": "__init__", "type": "function", "loc": [100, 105], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L99_C0", "vector": [2, 1, 0.0726, 0.0043, 1, 0.44, 0.0, 555, 0, 4, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "ps", "qs", "type_oids"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, ps, qs, type_oids):\n if isinstance(qs, unicode):\n raise TypeError(\"qs must be encoded byte data\")\n self.ps = ps\n self.qs = qs\n self.type_oids = type_oids"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L101_C8", "label": "if", "type": "if", "loc": [101, 102], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L100_C4", "vector": [4, 2, 0.0719, 0.0014, 2, 0.7, 0.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(qs, unicode):\n raise TypeError(\"qs must be encoded byte data\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L103_C8", "label": "self.ps =", "type": "assigned_variable", "loc": [103, 103], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L100_C4", "vector": [14, 2, 0.073, 0.0007, 2, 0.7, 0.3333, 780, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.ps", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ps = ps"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L104_C8", "label": "self.qs =", "type": "assigned_variable", "loc": [104, 104], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L100_C4", "vector": [14, 2, 0.0737, 0.0007, 2, 0.7, 0.6667, 393, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.qs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.qs = qs"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L105_C8", "label": "self.type_oids =", "type": "assigned_variable", "loc": [105, 105], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L100_C4", "vector": [14, 2, 0.0744, 0.0007, 2, 0.7, 1.0, 621, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.type_oids", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.type_oids = type_oids"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L107_C4", "label": "__repr__", "type": "function", "loc": [107, 108], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L99_C0", "vector": [2, 1, 0.0762, 0.0014, 1, 0.44, 0.5, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<Parse ps=%r qs=%r>\" % (self.ps, self.qs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L108_C8", "label": "return", "type": "return", "loc": [108, 108], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L107_C4", "vector": [13, 2, 0.0765, 0.0007, 2, 0.93, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<Parse ps=%r qs=%r>\" % (self.ps, self.qs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "label": "serialize", "type": "function", "loc": [118, 129], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L99_C0", "vector": [2, 1, 0.0875, 0.0085, 1, 0.44, 1.0, 50, 0, 1, 1, 0, 0, 0, 5], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n val = self.ps + \"\\x00\" + self.qs + \"\\x00\"\n val = val + struct.pack(\"!h\", len(self.type_oids))\n for oid in self.type_oids:\n # Parse message doesn't seem to handle the -1 type_oid for NULL\n # values that other messages handle. So we'll provide type_oid 705,\n # the PG \"unknown\" type.\n if oid == -1: oid = 705"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L119_C8", "label": "val =", "type": "assigned_variable", "loc": [119, 119], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "vector": [14, 2, 0.0843, 0.0007, 2, 0.77, 0.0, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = self.ps + \"\\x00\" + self.qs + \"\\x00\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L120_C8", "label": "val =", "type": "assigned_variable", "loc": [120, 120], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "vector": [14, 2, 0.085, 0.0007, 2, 0.77, 0.2, 618, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = val + struct.pack(\"!h\", len(self.type_oids))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:For_L121_C8", "label": "for oid", "type": "for", "loc": [121, 126], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "vector": [6, 2, 0.0875, 0.0043, 2, 0.77, 0.4, 430, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "oid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for oid in self.type_oids:\n # Parse message doesn't seem to handle the -1 type_oid for NULL\n # values that other messages handle. So we'll provide type_oid 705,\n # the PG \"unknown\" type.\n if oid == -1: oid = 705\n val = val + struct.pack(\"!i\", oid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L125_C12", "label": "if", "type": "if", "loc": [125, 125], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L121_C8", "vector": [4, 3, 0.0886, 0.0007, 3, 0.2, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if oid == -1: oid = 705"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L125_C26", "label": "oid =", "type": "assigned_variable", "loc": [125, 125], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L125_C12", "vector": [14, 4, 0.0886, 0.0007, 4, 0.35, 0.0, 430, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "oid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if oid == -1: oid = 705"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L126_C12", "label": "val =", "type": "assigned_variable", "loc": [126, 126], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L121_C8", "vector": [14, 3, 0.0893, 0.0007, 3, 0.2, 1.0, 618, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = val + struct.pack(\"!i\", oid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L127_C8", "label": "val =", "type": "assigned_variable", "loc": [127, 127], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "vector": [14, 2, 0.09, 0.0007, 2, 0.77, 0.6, 618, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = struct.pack(\"!i\", len(val) + 4) + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L128_C8", "label": "val =", "type": "assigned_variable", "loc": [128, 128], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "vector": [14, 2, 0.0907, 0.0007, 2, 0.77, 0.8, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = \"P\" + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L129_C8", "label": "return", "type": "return", "loc": [129, 129], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "vector": [13, 2, 0.0914, 0.0007, 2, 0.77, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L146_C0", "label": "Bind", "type": "class", "loc": [146, 202], "level": 0, "parent": null, "vector": [3, 0, 0.1233, 0.0404, 0, 0.66, 0.2593, 72, 0, 3, 0, 0, 186, 0, 31], "semantic": {"name": "Bind", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Bind(object):\n def __init__(self, portal, ps, in_fc, params, out_fc, **kwargs):\n self.portal = portal\n self.ps = ps\n self.in_fc = in_fc\n self.params = []\n for i in range(len(params)):\n if len(self.in_fc) == 0:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "label": "__init__", "type": "function", "loc": [147, 160], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L146_C0", "vector": [2, 1, 0.1088, 0.0099, 1, 0.06, 0.0, 555, 0, 7, 0, 0, 0, 0, 6], "semantic": {"name": "__init__", "arg_names": ["self", "portal", "ps", "in_fc", "params", "out_fc", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, portal, ps, in_fc, params, out_fc, **kwargs):\n self.portal = portal\n self.ps = ps\n self.in_fc = in_fc\n self.params = []\n for i in range(len(params)):\n if len(self.in_fc) == 0:\n fc = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L148_C8", "label": "self.portal =", "type": "assigned_variable", "loc": [148, 148], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "vector": [14, 2, 0.1049, 0.0007, 2, 0.87, 0.0, 204, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.portal", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.portal = portal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L149_C8", "label": "self.ps =", "type": "assigned_variable", "loc": [149, 149], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "vector": [14, 2, 0.1056, 0.0007, 2, 0.87, 0.2, 780, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.ps", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ps = ps"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L150_C8", "label": "self.in_fc =", "type": "assigned_variable", "loc": [150, 150], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "vector": [14, 2, 0.1063, 0.0007, 2, 0.87, 0.4, 828, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.in_fc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.in_fc = in_fc"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L151_C8", "label": "self.params =", "type": "assigned_variable", "loc": [151, 151], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "vector": [14, 2, 0.107, 0.0007, 2, 0.87, 0.6, 402, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.params", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.params = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:For_L152_C8", "label": "for i", "type": "for", "loc": [152, 159], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "vector": [6, 2, 0.1102, 0.0057, 2, 0.87, 0.8, 826, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(len(params)):\n if len(self.in_fc) == 0:\n fc = 0\n elif len(self.in_fc) == 1:\n fc = self.in_fc[0]\n else:\n fc = self.in_fc[i]\n self.params.append(types.pg_value(params[i], fc, **kwargs))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L153_C12", "label": "if", "type": "if", "loc": [153, 158], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L152_C8", "vector": [4, 3, 0.1102, 0.0043, 3, 0.45, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(self.in_fc) == 0:\n fc = 0\n elif len(self.in_fc) == 1:\n fc = self.in_fc[0]\n else:\n fc = self.in_fc[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L154_C16", "label": "fc =", "type": "assigned_variable", "loc": [154, 154], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L153_C12", "vector": [14, 4, 0.1091, 0.0007, 4, 0.96, 0.0, 436, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "fc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fc = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L155_C12", "label": "if", "type": "if", "loc": [155, 158], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L153_C12", "vector": [4, 4, 0.1109, 0.0028, 4, 0.96, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif len(self.in_fc) == 1:\n fc = self.in_fc[0]\n else:\n fc = self.in_fc[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L156_C16", "label": "fc =", "type": "assigned_variable", "loc": [156, 156], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L155_C12", "vector": [14, 5, 0.1106, 0.0007, 5, 0.73, 0.0, 436, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "fc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fc = self.in_fc[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L158_C16", "label": "fc =", "type": "assigned_variable", "loc": [158, 158], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L155_C12", "vector": [14, 5, 0.112, 0.0007, 5, 0.73, 1.0, 436, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "fc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fc = self.in_fc[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L159_C12", "label": "append()", "type": "expression", "loc": [159, 159], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L152_C8", "vector": [8, 3, 0.1127, 0.0007, 3, 0.45, 1.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.params.append(types.pg_value(params[i], fc, **kwargs))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L160_C8", "label": "self.out_fc =", "type": "assigned_variable", "loc": [160, 160], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "vector": [14, 2, 0.1134, 0.0007, 2, 0.87, 1.0, 521, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.out_fc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.out_fc = out_fc"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L162_C4", "label": "__repr__", "type": "function", "loc": [162, 163], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L146_C0", "vector": [2, 1, 0.1152, 0.0014, 1, 0.06, 0.5, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<Bind p=%r s=%r>\" % (self.portal, self.ps)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L163_C8", "label": "return", "type": "return", "loc": [163, 163], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L162_C4", "vector": [13, 2, 0.1155, 0.0007, 2, 0.52, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<Bind p=%r s=%r>\" % (self.portal, self.ps)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "label": "serialize", "type": "function", "loc": [181, 202], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L146_C0", "vector": [2, 1, 0.1357, 0.0156, 1, 0.06, 1.0, 50, 0, 1, 1, 0, 0, 0, 25], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n retval = StringIO()\n retval.write(self.portal + \"\\x00\")\n retval.write(self.ps + \"\\x00\")\n retval.write(struct.pack(\"!h\", len(self.in_fc)))\n for fc in self.in_fc:\n retval.write(struct.pack(\"!h\", fc))\n retval.write(struct.pack(\"!h\", len(self.params)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L182_C8", "label": "retval = StringIO()", "type": "assigned_variable", "loc": [182, 182], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [14, 2, 0.129, 0.0007, 2, 0.15, 0.0, 991, 3, 0, 0, 0, 609, 10, 1], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "StringIO", "annotation": ""}, "snippet": " retval = StringIO()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L183_C8", "label": "write()", "type": "expression", "loc": [183, 183], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [8, 2, 0.1297, 0.0007, 2, 0.15, 0.0833, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " retval.write(self.portal + \"\\x00\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L184_C8", "label": "write()", "type": "expression", "loc": [184, 184], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [8, 2, 0.1304, 0.0007, 2, 0.15, 0.1667, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " retval.write(self.ps + \"\\x00\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L185_C8", "label": "write()", "type": "expression", "loc": [185, 185], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [8, 2, 0.1311, 0.0007, 2, 0.15, 0.25, 837, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " retval.write(struct.pack(\"!h\", len(self.in_fc)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:For_L186_C8", "label": "for fc", "type": "for", "loc": [186, 187], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [6, 2, 0.1322, 0.0014, 2, 0.15, 0.3333, 436, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "fc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for fc in self.in_fc:\n retval.write(struct.pack(\"!h\", fc))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L187_C12", "label": "write()", "type": "expression", "loc": [187, 187], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L186_C8", "vector": [8, 3, 0.1325, 0.0007, 3, 0.68, 0.0, 837, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " retval.write(struct.pack(\"!h\", fc))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L188_C8", "label": "write()", "type": "expression", "loc": [188, 188], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [8, 2, 0.1332, 0.0007, 2, 0.15, 0.4167, 837, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " retval.write(struct.pack(\"!h\", len(self.params)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:For_L189_C8", "label": "for param", "type": "for", "loc": [189, 195], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [6, 2, 0.1361, 0.005, 2, 0.15, 0.5, 841, 7, 0, 0, 0, 0, 0, 6], "semantic": {"name": "param", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for param in self.params:\n if param == None:\n # special case, NULL value\n retval.write(struct.pack(\"!i\", -1))\n else:\n retval.write(struct.pack(\"!i\", len(param)))\n retval.write(param)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L190_C12", "label": "if", "type": "if", "loc": [190, 195], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L189_C8", "vector": [4, 3, 0.1364, 0.0043, 3, 0.86, 0.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if param == None:\n # special case, NULL value\n retval.write(struct.pack(\"!i\", -1))\n else:\n retval.write(struct.pack(\"!i\", len(param)))\n retval.write(param)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L192_C16", "label": "write()", "type": "expression", "loc": [192, 192], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L190_C12", "vector": [8, 4, 0.1361, 0.0007, 4, 0.25, 0.0, 837, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " retval.write(struct.pack(\"!i\", -1))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L194_C16", "label": "write()", "type": "expression", "loc": [194, 194], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L190_C12", "vector": [8, 4, 0.1375, 0.0007, 4, 0.25, 0.5, 837, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " retval.write(struct.pack(\"!i\", len(param)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L195_C16", "label": "write()", "type": "expression", "loc": [195, 195], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L190_C12", "vector": [8, 4, 0.1382, 0.0007, 4, 0.25, 1.0, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " retval.write(param)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L196_C8", "label": "write()", "type": "expression", "loc": [196, 196], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [8, 2, 0.1389, 0.0007, 2, 0.15, 0.5833, 837, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " retval.write(struct.pack(\"!h\", len(self.out_fc)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:For_L197_C8", "label": "for fc", "type": "for", "loc": [197, 198], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [6, 2, 0.14, 0.0014, 2, 0.15, 0.6667, 436, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "fc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for fc in self.out_fc:\n retval.write(struct.pack(\"!h\", fc))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L198_C12", "label": "write()", "type": "expression", "loc": [198, 198], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L197_C8", "vector": [8, 3, 0.1403, 0.0007, 3, 0.26, 0.0, 837, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " retval.write(struct.pack(\"!h\", fc))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L199_C8", "label": "val = getvalue()", "type": "assigned_variable", "loc": [199, 199], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [14, 2, 0.141, 0.0007, 2, 0.15, 0.75, 618, 3, 0, 0, 0, 626, 10, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "getvalue", "annotation": ""}, "snippet": " val = retval.getvalue()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L200_C8", "label": "val =", "type": "assigned_variable", "loc": [200, 200], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [14, 2, 0.1417, 0.0007, 2, 0.15, 0.8333, 618, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = struct.pack(\"!i\", len(val) + 4) + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L201_C8", "label": "val =", "type": "assigned_variable", "loc": [201, 201], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [14, 2, 0.1425, 0.0007, 2, 0.15, 0.9167, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = \"B\" + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L202_C8", "label": "return", "type": "return", "loc": [202, 202], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "vector": [13, 2, 0.1432, 0.0007, 2, 0.15, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L212_C0", "label": "Close", "type": "class", "loc": [212, 227], "level": 0, "parent": null, "vector": [3, 0, 0.1556, 0.0113, 0, 0.66, 0.2778, 52, 0, 2, 0, 0, 186, 0, 4], "semantic": {"name": "Close", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Close(object):\n def __init__(self, typ, name):\n if len(typ) != 1:\n raise InternalError(\"Close typ must be 1 char\")\n self.typ = typ\n self.name = name\n\n # Byte1('C') - Identifies the message as a close command."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L213_C4", "label": "__init__", "type": "function", "loc": [213, 217], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L212_C0", "vector": [2, 1, 0.1524, 0.0035, 1, 0.75, 0.0, 555, 0, 3, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "typ", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, typ, name):\n if len(typ) != 1:\n raise InternalError(\"Close typ must be 1 char\")\n self.typ = typ\n self.name = name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L214_C8", "label": "if", "type": "if", "loc": [214, 215], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L213_C4", "vector": [4, 2, 0.152, 0.0014, 2, 0.71, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(typ) != 1:\n raise InternalError(\"Close typ must be 1 char\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L216_C8", "label": "self.typ =", "type": "assigned_variable", "loc": [216, 216], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L213_C4", "vector": [14, 2, 0.1531, 0.0007, 2, 0.71, 0.5, 718, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.typ", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.typ = typ"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L217_C8", "label": "self.name =", "type": "assigned_variable", "loc": [217, 217], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L213_C4", "vector": [14, 2, 0.1538, 0.0007, 2, 0.71, 1.0, 689, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.name = name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L223_C4", "label": "serialize", "type": "function", "loc": [223, 227], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L212_C0", "vector": [2, 1, 0.1595, 0.0035, 1, 0.75, 1.0, 50, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n val = self.typ + self.name + \"\\x00\"\n val = struct.pack(\"!i\", len(val) + 4) + val\n val = \"C\" + val\n return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L224_C8", "label": "val =", "type": "assigned_variable", "loc": [224, 224], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L223_C4", "vector": [14, 2, 0.1588, 0.0007, 2, 0.29, 0.0, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = self.typ + self.name + \"\\x00\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L225_C8", "label": "val =", "type": "assigned_variable", "loc": [225, 225], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L223_C4", "vector": [14, 2, 0.1595, 0.0007, 2, 0.29, 0.3333, 618, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = struct.pack(\"!i\", len(val) + 4) + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L226_C8", "label": "val =", "type": "assigned_variable", "loc": [226, 226], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L223_C4", "vector": [14, 2, 0.1602, 0.0007, 2, 0.29, 0.6667, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = \"C\" + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L227_C8", "label": "return", "type": "return", "loc": [227, 227], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L223_C4", "vector": [13, 2, 0.1609, 0.0007, 2, 0.29, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L234_C0", "label": "ClosePortal", "type": "class", "loc": [234, 236], "level": 0, "parent": null, "vector": [3, 0, 0.1665, 0.0021, 0, 0.66, 0.2963, 73, 0, 1, 0, 0, 52, 0, 1], "semantic": {"name": "ClosePortal", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ClosePortal(Close):\n def __init__(self, name):\n Close.__init__(self, \"P\", name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L235_C4", "label": "__init__", "type": "function", "loc": [235, 236], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L234_C0", "vector": [2, 1, 0.1669, 0.0014, 1, 0.0, 0.0, 555, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, name):\n Close.__init__(self, \"P\", name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L236_C8", "label": "__init__()", "type": "expression", "loc": [236, 236], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L235_C4", "vector": [8, 2, 0.1673, 0.0007, 2, 0.47, 0.0, 555, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " Close.__init__(self, \"P\", name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L243_C0", "label": "ClosePreparedStatement", "type": "class", "loc": [243, 245], "level": 0, "parent": null, "vector": [3, 0, 0.1729, 0.0021, 0, 0.66, 0.3148, 710, 0, 1, 0, 0, 52, 0, 1], "semantic": {"name": "ClosePreparedStatement", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ClosePreparedStatement(Close):\n def __init__(self, name):\n Close.__init__(self, \"S\", name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L244_C4", "label": "__init__", "type": "function", "loc": [244, 245], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L243_C0", "vector": [2, 1, 0.1733, 0.0014, 1, 0.13, 0.0, 555, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, name):\n Close.__init__(self, \"S\", name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L245_C8", "label": "__init__()", "type": "expression", "loc": [245, 245], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L244_C4", "vector": [8, 2, 0.1736, 0.0007, 2, 0.36, 0.0, 555, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " Close.__init__(self, \"S\", name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L256_C0", "label": "Describe", "type": "class", "loc": [256, 271], "level": 0, "parent": null, "vector": [3, 0, 0.1867, 0.0113, 0, 0.66, 0.3333, 867, 0, 2, 0, 0, 186, 0, 4], "semantic": {"name": "Describe", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Describe(object):\n def __init__(self, typ, name):\n if len(typ) != 1:\n raise InternalError(\"Describe typ must be 1 char\")\n self.typ = typ\n self.name = name\n\n # Byte1('D') - Identifies the message as a describe command."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L257_C4", "label": "__init__", "type": "function", "loc": [257, 261], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L256_C0", "vector": [2, 1, 0.1836, 0.0035, 1, 0.54, 0.0, 555, 0, 3, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "typ", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, typ, name):\n if len(typ) != 1:\n raise InternalError(\"Describe typ must be 1 char\")\n self.typ = typ\n self.name = name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L258_C8", "label": "if", "type": "if", "loc": [258, 259], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L257_C4", "vector": [4, 2, 0.1832, 0.0014, 2, 0.03, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(typ) != 1:\n raise InternalError(\"Describe typ must be 1 char\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L260_C8", "label": "self.typ =", "type": "assigned_variable", "loc": [260, 260], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L257_C4", "vector": [14, 2, 0.1843, 0.0007, 2, 0.03, 0.5, 718, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.typ", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.typ = typ"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L261_C8", "label": "self.name =", "type": "assigned_variable", "loc": [261, 261], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L257_C4", "vector": [14, 2, 0.185, 0.0007, 2, 0.03, 1.0, 689, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.name = name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L267_C4", "label": "serialize", "type": "function", "loc": [267, 271], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L256_C0", "vector": [2, 1, 0.1906, 0.0035, 1, 0.54, 1.0, 50, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n val = self.typ + self.name + \"\\x00\"\n val = struct.pack(\"!i\", len(val) + 4) + val\n val = \"D\" + val\n return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L268_C8", "label": "val =", "type": "assigned_variable", "loc": [268, 268], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L267_C4", "vector": [14, 2, 0.1899, 0.0007, 2, 0.37, 0.0, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = self.typ + self.name + \"\\x00\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L269_C8", "label": "val =", "type": "assigned_variable", "loc": [269, 269], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L267_C4", "vector": [14, 2, 0.1906, 0.0007, 2, 0.37, 0.3333, 618, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = struct.pack(\"!i\", len(val) + 4) + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L270_C8", "label": "val =", "type": "assigned_variable", "loc": [270, 270], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L267_C4", "vector": [14, 2, 0.1914, 0.0007, 2, 0.37, 0.6667, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = \"D\" + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L271_C8", "label": "return", "type": "return", "loc": [271, 271], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L267_C4", "vector": [13, 2, 0.1921, 0.0007, 2, 0.37, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L278_C0", "label": "DescribePortal", "type": "class", "loc": [278, 283], "level": 0, "parent": null, "vector": [3, 0, 0.1988, 0.0043, 0, 0.66, 0.3519, 407, 0, 2, 0, 0, 867, 0, 1], "semantic": {"name": "DescribePortal", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class DescribePortal(Describe):\n def __init__(self, name):\n Describe.__init__(self, \"P\", name)\n\n def __repr__(self):\n return \"<DescribePortal %r>\" % (self.name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L279_C4", "label": "__init__", "type": "function", "loc": [279, 280], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L278_C0", "vector": [2, 1, 0.1981, 0.0014, 1, 0.42, 0.0, 555, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, name):\n Describe.__init__(self, \"P\", name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L280_C8", "label": "__init__()", "type": "expression", "loc": [280, 280], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L279_C4", "vector": [8, 2, 0.1984, 0.0007, 2, 0.92, 0.0, 555, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " Describe.__init__(self, \"P\", name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L282_C4", "label": "__repr__", "type": "function", "loc": [282, 283], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L278_C0", "vector": [2, 1, 0.2002, 0.0014, 1, 0.42, 1.0, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<DescribePortal %r>\" % (self.name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L283_C8", "label": "return", "type": "return", "loc": [283, 283], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L282_C4", "vector": [13, 2, 0.2006, 0.0007, 2, 0.5, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<DescribePortal %r>\" % (self.name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L290_C0", "label": "DescribePreparedStatement", "type": "class", "loc": [290, 295], "level": 0, "parent": null, "vector": [3, 0, 0.2073, 0.0043, 0, 0.66, 0.3704, 466, 0, 2, 0, 0, 867, 0, 1], "semantic": {"name": "DescribePreparedStatement", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class DescribePreparedStatement(Describe):\n def __init__(self, name):\n Describe.__init__(self, \"S\", name)\n\n def __repr__(self):\n return \"<DescribePreparedStatement %r>\" % (self.name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L291_C4", "label": "__init__", "type": "function", "loc": [291, 292], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L290_C0", "vector": [2, 1, 0.2066, 0.0014, 1, 0.64, 0.0, 555, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, name):\n Describe.__init__(self, \"S\", name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L292_C8", "label": "__init__()", "type": "expression", "loc": [292, 292], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L291_C4", "vector": [8, 2, 0.2069, 0.0007, 2, 0.31, 0.0, 555, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " Describe.__init__(self, \"S\", name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L294_C4", "label": "__repr__", "type": "function", "loc": [294, 295], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L290_C0", "vector": [2, 1, 0.2087, 0.0014, 1, 0.64, 1.0, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<DescribePreparedStatement %r>\" % (self.name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L295_C8", "label": "return", "type": "return", "loc": [295, 295], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L294_C4", "vector": [13, 2, 0.2091, 0.0007, 2, 0.59, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<DescribePreparedStatement %r>\" % (self.name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L303_C0", "label": "Flush", "type": "class", "loc": [303, 310], "level": 0, "parent": null, "vector": [3, 0, 0.2172, 0.0057, 0, 0.66, 0.3889, 143, 0, 2, 0, 0, 186, 0, 0], "semantic": {"name": "Flush", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Flush(object):\n # Byte1('H') - Identifies the message as a flush command.\n # Int32(4) - Length of message, including self.\n def serialize(self):\n return 'H\\x00\\x00\\x00\\x04'\n\n def __repr__(self):\n return \"<Flush>\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L306_C4", "label": "serialize", "type": "function", "loc": [306, 307], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L303_C0", "vector": [2, 1, 0.2172, 0.0014, 1, 0.53, 0.0, 50, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n return 'H\\x00\\x00\\x00\\x04'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L307_C8", "label": "return", "type": "return", "loc": [307, 307], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L306_C4", "vector": [13, 2, 0.2176, 0.0007, 2, 0.9, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'H\\x00\\x00\\x00\\x04'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L309_C4", "label": "__repr__", "type": "function", "loc": [309, 310], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L303_C0", "vector": [2, 1, 0.2193, 0.0014, 1, 0.53, 1.0, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<Flush>\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L310_C8", "label": "return", "type": "return", "loc": [310, 310], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L309_C4", "vector": [13, 2, 0.2197, 0.0007, 2, 0.84, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<Flush>\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L317_C0", "label": "Sync", "type": "class", "loc": [317, 324], "level": 0, "parent": null, "vector": [3, 0, 0.2271, 0.0057, 0, 0.66, 0.4074, 931, 0, 2, 0, 0, 186, 0, 0], "semantic": {"name": "Sync", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Sync(object):\n # Byte1('S') - Identifies the message as a sync command.\n # Int32(4) - Length of message, including self.\n def serialize(self):\n return 'S\\x00\\x00\\x00\\x04'\n\n def __repr__(self):\n return \"<Sync>\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L320_C4", "label": "serialize", "type": "function", "loc": [320, 321], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L317_C0", "vector": [2, 1, 0.2271, 0.0014, 1, 0.17, 0.0, 50, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n return 'S\\x00\\x00\\x00\\x04'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L321_C8", "label": "return", "type": "return", "loc": [321, 321], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L320_C4", "vector": [13, 2, 0.2275, 0.0007, 2, 0.05, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'S\\x00\\x00\\x00\\x04'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L323_C4", "label": "__repr__", "type": "function", "loc": [323, 324], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L317_C0", "vector": [2, 1, 0.2293, 0.0014, 1, 0.17, 1.0, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<Sync>\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L324_C8", "label": "return", "type": "return", "loc": [324, 324], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L323_C4", "vector": [13, 2, 0.2296, 0.0007, 2, 0.27, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<Sync>\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L331_C0", "label": "PasswordMessage", "type": "class", "loc": [331, 342], "level": 0, "parent": null, "vector": [3, 0, 0.2385, 0.0085, 0, 0.66, 0.4259, 258, 0, 2, 0, 0, 186, 0, 2], "semantic": {"name": "PasswordMessage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class PasswordMessage(object):\n def __init__(self, pwd):\n self.pwd = pwd\n\n # Byte1('p') - Identifies the message as a password message.\n # Int32 - Message length including self.\n # String - The password. Password may be encrypted.\n def serialize(self):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L332_C4", "label": "__init__", "type": "function", "loc": [332, 333], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L331_C0", "vector": [2, 1, 0.2356, 0.0014, 1, 0.34, 0.0, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "pwd"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, pwd):\n self.pwd = pwd"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L333_C8", "label": "self.pwd =", "type": "assigned_variable", "loc": [333, 333], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L332_C4", "vector": [14, 2, 0.236, 0.0007, 2, 0.21, 0.0, 110, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.pwd", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.pwd = pwd"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L338_C4", "label": "serialize", "type": "function", "loc": [338, 342], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L331_C0", "vector": [2, 1, 0.241, 0.0035, 1, 0.34, 1.0, 50, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n val = self.pwd + \"\\x00\"\n val = struct.pack(\"!i\", len(val) + 4) + val\n val = \"p\" + val\n return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L339_C8", "label": "val =", "type": "assigned_variable", "loc": [339, 339], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L338_C4", "vector": [14, 2, 0.2403, 0.0007, 2, 0.91, 0.0, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = self.pwd + \"\\x00\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L340_C8", "label": "val =", "type": "assigned_variable", "loc": [340, 340], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L338_C4", "vector": [14, 2, 0.241, 0.0007, 2, 0.91, 0.3333, 618, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = struct.pack(\"!i\", len(val) + 4) + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L341_C8", "label": "val =", "type": "assigned_variable", "loc": [341, 341], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L338_C4", "vector": [14, 2, 0.2417, 0.0007, 2, 0.91, 0.6667, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = \"p\" + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L342_C8", "label": "return", "type": "return", "loc": [342, 342], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L338_C4", "vector": [13, 2, 0.2424, 0.0007, 2, 0.91, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L353_C0", "label": "Execute", "type": "class", "loc": [353, 367], "level": 0, "parent": null, "vector": [3, 0, 0.2551, 0.0106, 0, 0.66, 0.4444, 840, 0, 2, 0, 0, 186, 0, 3], "semantic": {"name": "Execute", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Execute(object):\n def __init__(self, portal, row_count):\n self.portal = portal\n self.row_count = row_count\n\n # Byte1('E') - Identifies the message as an execute message.\n # Int32 - Message length, including self.\n # String - The name of the portal to execute."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L354_C4", "label": "__init__", "type": "function", "loc": [354, 356], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L353_C0", "vector": [2, 1, 0.2516, 0.0021, 1, 0.17, 0.0, 555, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "portal", "row_count"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, portal, row_count):\n self.portal = portal\n self.row_count = row_count"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L355_C8", "label": "self.portal =", "type": "assigned_variable", "loc": [355, 355], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L354_C4", "vector": [14, 2, 0.2516, 0.0007, 2, 0.46, 0.0, 204, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.portal", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.portal = portal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L356_C8", "label": "self.row_count =", "type": "assigned_variable", "loc": [356, 356], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L354_C4", "vector": [14, 2, 0.2523, 0.0007, 2, 0.46, 1.0, 498, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.row_count", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.row_count = row_count"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L363_C4", "label": "serialize", "type": "function", "loc": [363, 367], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L353_C0", "vector": [2, 1, 0.2587, 0.0035, 1, 0.17, 1.0, 50, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n val = self.portal + \"\\x00\" + struct.pack(\"!i\", self.row_count)\n val = struct.pack(\"!i\", len(val) + 4) + val\n val = \"E\" + val\n return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L364_C8", "label": "val =", "type": "assigned_variable", "loc": [364, 364], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L363_C4", "vector": [14, 2, 0.258, 0.0007, 2, 0.37, 0.0, 618, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = self.portal + \"\\x00\" + struct.pack(\"!i\", self.row_count)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L365_C8", "label": "val =", "type": "assigned_variable", "loc": [365, 365], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L363_C4", "vector": [14, 2, 0.2587, 0.0007, 2, 0.37, 0.3333, 618, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = struct.pack(\"!i\", len(val) + 4) + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L366_C8", "label": "val =", "type": "assigned_variable", "loc": [366, 366], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L363_C4", "vector": [14, 2, 0.2594, 0.0007, 2, 0.37, 0.6667, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = \"E\" + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L367_C8", "label": "return", "type": "return", "loc": [367, 367], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L363_C4", "vector": [13, 2, 0.2601, 0.0007, 2, 0.37, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L370_C0", "label": "SimpleQuery", "type": "class", "loc": [370, 386], "level": 0, "parent": null, "vector": [3, 0, 0.2679, 0.012, 0, 0.66, 0.463, 448, 0, 3, 0, 0, 186, 0, 2], "semantic": {"name": "SimpleQuery", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class SimpleQuery(object):\n \"Requests that the backend execute a Simple Query (SQL string)\"\n \n def __init__(self, query_string):\n self.query_string = query_string\n\n # Byte1('Q') - Identifies the message as an query message.\n # Int32 - Message length, including self."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L371_C4", "label": "expression", "type": "expression", "loc": [371, 371], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L370_C0", "vector": [8, 1, 0.2629, 0.0007, 1, 0.08, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Requests that the backend execute a Simple Query (SQL string)\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L373_C4", "label": "__init__", "type": "function", "loc": [373, 374], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L370_C0", "vector": [2, 1, 0.2647, 0.0014, 1, 0.08, 0.3333, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "query_string"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, query_string):\n self.query_string = query_string"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L374_C8", "label": "self.query_string =", "type": "assigned_variable", "loc": [374, 374], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L373_C4", "vector": [14, 2, 0.2651, 0.0007, 2, 0.99, 0.0, 162, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.query_string", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.query_string = query_string"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L379_C4", "label": "serialize", "type": "function", "loc": [379, 383], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L370_C0", "vector": [2, 1, 0.27, 0.0035, 1, 0.08, 0.6667, 50, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n val = self.query_string + \"\\x00\"\n val = struct.pack(\"!i\", len(val) + 4) + val\n val = \"Q\" + val\n return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L380_C8", "label": "val =", "type": "assigned_variable", "loc": [380, 380], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L379_C4", "vector": [14, 2, 0.2693, 0.0007, 2, 0.16, 0.0, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = self.query_string + \"\\x00\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L381_C8", "label": "val =", "type": "assigned_variable", "loc": [381, 381], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L379_C4", "vector": [14, 2, 0.27, 0.0007, 2, 0.16, 0.3333, 618, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = struct.pack(\"!i\", len(val) + 4) + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L382_C8", "label": "val =", "type": "assigned_variable", "loc": [382, 382], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L379_C4", "vector": [14, 2, 0.2707, 0.0007, 2, 0.16, 0.6667, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = \"Q\" + val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L383_C8", "label": "return", "type": "return", "loc": [383, 383], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L379_C4", "vector": [13, 2, 0.2714, 0.0007, 2, 0.16, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L385_C4", "label": "__repr__", "type": "function", "loc": [385, 386], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L370_C0", "vector": [2, 1, 0.2732, 0.0014, 1, 0.08, 1.0, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<SimpleQuery qs=%r>\" % (self.query_string)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L386_C8", "label": "return", "type": "return", "loc": [386, 386], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L385_C4", "vector": [13, 2, 0.2736, 0.0007, 2, 0.45, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<SimpleQuery qs=%r>\" % (self.query_string)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L392_C0", "label": "Terminate", "type": "class", "loc": [392, 399], "level": 0, "parent": null, "vector": [3, 0, 0.2803, 0.0057, 0, 0.66, 0.4815, 35, 0, 2, 0, 0, 186, 0, 0], "semantic": {"name": "Terminate", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Terminate(object):\n def __init__(self):\n pass\n\n # Byte1('X') - Identifies the message as a terminate message.\n # Int32(4) - Message length, including self.\n def serialize(self):\n return 'X\\x00\\x00\\x00\\x04'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L393_C4", "label": "__init__", "type": "function", "loc": [393, 394], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L392_C0", "vector": [2, 1, 0.2789, 0.0014, 1, 0.39, 0.0, 555, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L398_C4", "label": "serialize", "type": "function", "loc": [398, 399], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L392_C0", "vector": [2, 1, 0.2824, 0.0014, 1, 0.39, 1.0, 50, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n return 'X\\x00\\x00\\x00\\x04'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L399_C8", "label": "return", "type": "return", "loc": [399, 399], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L398_C4", "vector": [13, 2, 0.2828, 0.0007, 2, 0.34, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'X\\x00\\x00\\x00\\x04'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L405_C0", "label": "AuthenticationRequest", "type": "class", "loc": [405, 434], "level": 0, "parent": null, "vector": [3, 0, 0.2973, 0.0213, 0, 0.66, 0.5, 332, 0, 3, 0, 0, 186, 0, 6], "semantic": {"name": "AuthenticationRequest", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class AuthenticationRequest(object):\n def __init__(self, data):\n pass\n\n # Byte1('R') - Identifies the message as an authentication request.\n # Int32(8) - Message length, including self.\n # Int32 - An authentication code that represents different\n # authentication messages:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L406_C4", "label": "__init__", "type": "function", "loc": [406, 407], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L405_C0", "vector": [2, 1, 0.2881, 0.0014, 1, 0.04, 0.0, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, data):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L424_C4", "label": "createFromData", "type": "function", "loc": [424, 430], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L405_C0", "vector": [2, 1, 0.3026, 0.005, 1, 0.04, 0.3333, 582, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n ident = struct.unpack(\"!i\", data[:4])[0]\n klass = authentication_codes.get(ident, None)\n if klass != None:\n return klass(data[4:])\n else:\n raise NotSupportedError(\"authentication method %r not supported\" % (ident,))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L425_C8", "label": "ident =", "type": "assigned_variable", "loc": [425, 425], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L424_C4", "vector": [14, 2, 0.3012, 0.0007, 2, 0.73, 0.0, 977, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "ident", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ident = struct.unpack(\"!i\", data[:4])[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L426_C8", "label": "klass = get()", "type": "assigned_variable", "loc": [426, 426], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L424_C4", "vector": [14, 2, 0.3019, 0.0007, 2, 0.73, 0.5, 35, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "klass", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " klass = authentication_codes.get(ident, None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L427_C8", "label": "if", "type": "if", "loc": [427, 430], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L424_C4", "vector": [4, 2, 0.3037, 0.0028, 2, 0.73, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if klass != None:\n return klass(data[4:])\n else:\n raise NotSupportedError(\"authentication method %r not supported\" % (ident,))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L428_C12", "label": "return", "type": "return", "loc": [428, 428], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L427_C8", "vector": [13, 3, 0.3033, 0.0007, 3, 0.37, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return klass(data[4:])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L431_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [431, 431], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L405_C0", "vector": [14, 1, 0.3055, 0.0007, 1, 0.04, 0.6667, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L433_C4", "label": "ok", "type": "function", "loc": [433, 434], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L405_C0", "vector": [2, 1, 0.3072, 0.0014, 1, 0.04, 1.0, 208, 0, 4, 0, 0, 0, 0, 1], "semantic": {"name": "ok", "arg_names": ["self", "conn", "user", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def ok(self, conn, user, **kwargs):\n raise InternalError(\"ok method should be overridden on AuthenticationRequest instance\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L441_C0", "label": "AuthenticationOk", "type": "class", "loc": [441, 443], "level": 0, "parent": null, "vector": [3, 0, 0.3133, 0.0021, 0, 0.66, 0.5185, 870, 0, 1, 0, 0, 332, 0, 0], "semantic": {"name": "AuthenticationOk", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class AuthenticationOk(AuthenticationRequest):\n def ok(self, conn, user, **kwargs):\n return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L442_C4", "label": "ok", "type": "function", "loc": [442, 443], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L441_C0", "vector": [2, 1, 0.3136, 0.0014, 1, 0.46, 0.0, 208, 0, 4, 1, 0, 0, 0, 0], "semantic": {"name": "ok", "arg_names": ["self", "conn", "user", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def ok(self, conn, user, **kwargs):\n return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L443_C8", "label": "return", "type": "return", "loc": [443, 443], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L442_C4", "vector": [13, 2, 0.314, 0.0007, 2, 0.58, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L451_C0", "label": "AuthenticationMD5Password", "type": "class", "loc": [451, 473], "level": 0, "parent": null, "vector": [3, 0, 0.3274, 0.0163, 0, 0.66, 0.537, 231, 0, 3, 0, 0, 332, 0, 18], "semantic": {"name": "AuthenticationMD5Password", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class AuthenticationMD5Password(AuthenticationRequest):\n # Additional message data:\n # Byte4 - Hash salt.\n def __init__(self, data):\n self.salt = \"\".join(struct.unpack(\"4c\", data))\n\n def ok(self, conn, user, password=None, **kwargs):\n if password == None:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L454_C4", "label": "__init__", "type": "function", "loc": [454, 455], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L451_C0", "vector": [2, 1, 0.3221, 0.0014, 1, 0.87, 0.0, 555, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, data):\n self.salt = \"\".join(struct.unpack(\"4c\", data))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L455_C8", "label": "self.salt = join()", "type": "assigned_variable", "loc": [455, 455], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L454_C4", "vector": [14, 2, 0.3225, 0.0007, 2, 0.74, 0.0, 791, 3, 1, 0, 0, 933, 10, 2], "semantic": {"name": "self.salt", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " self.salt = \"\".join(struct.unpack(\"4c\", data))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "label": "ok", "type": "function", "loc": [457, 467], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L451_C0", "vector": [2, 1, 0.3274, 0.0078, 1, 0.87, 0.5, 208, 0, 5, 1, 0, 0, 0, 14], "semantic": {"name": "ok", "arg_names": ["self", "conn", "user", "password", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def ok(self, conn, user, password=None, **kwargs):\n if password == None:\n raise InterfaceError(\"server requesting MD5 password authentication, but no password was provided\")\n pwd = \"md5\" + hashlib.md5(hashlib.md5(password + user).hexdigest() + self.salt).hexdigest()\n conn._send(PasswordMessage(pwd))\n conn._flush()\n\n reader = MessageReader(conn)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L458_C8", "label": "if", "type": "if", "loc": [458, 459], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "vector": [4, 2, 0.3249, 0.0014, 2, 0.39, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if password == None:\n raise InterfaceError(\"server requesting MD5 password authentication, but no password was provided\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L460_C8", "label": "pwd =", "type": "assigned_variable", "loc": [460, 460], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "vector": [14, 2, 0.326, 0.0007, 2, 0.39, 0.1429, 116, 4, 0, 0, 0, 0, 0, 4], "semantic": {"name": "pwd", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pwd = \"md5\" + hashlib.md5(hashlib.md5(password + user).hexdigest() + self.salt).hexdigest()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L461_C8", "label": "_send()", "type": "expression", "loc": [461, 461], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "vector": [8, 2, 0.3267, 0.0007, 2, 0.39, 0.2857, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " conn._send(PasswordMessage(pwd))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L462_C8", "label": "_flush()", "type": "expression", "loc": [462, 462], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "vector": [8, 2, 0.3274, 0.0007, 2, 0.39, 0.4286, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " conn._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L464_C8", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [464, 464], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "vector": [14, 2, 0.3288, 0.0007, 2, 0.39, 0.5714, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(conn)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L465_C8", "label": "add_message()", "type": "expression", "loc": [465, 465], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "vector": [8, 2, 0.3296, 0.0007, 2, 0.39, 0.7143, 143, 3, 3, 0, 0, 0, 0, 3], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(AuthenticationRequest, lambda msg, reader: reader.return_value(msg.ok(conn, user)), reader)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L466_C8", "label": "add_message()", "type": "expression", "loc": [466, 466], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "vector": [8, 2, 0.3303, 0.0007, 2, 0.39, 0.8571, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(ErrorResponse, self._ok_error)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L467_C8", "label": "return", "type": "return", "loc": [467, 467], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "vector": [13, 2, 0.331, 0.0007, 2, 0.39, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L469_C4", "label": "_ok_error", "type": "function", "loc": [469, 473], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L451_C0", "vector": [2, 1, 0.3338, 0.0035, 1, 0.87, 1.0, 391, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "_ok_error", "arg_names": ["self", "msg"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _ok_error(self, msg):\n if msg.code == \"28000\":\n raise InterfaceError(\"md5 password authentication failed\")\n else:\n raise msg.createException()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L470_C8", "label": "if", "type": "if", "loc": [470, 473], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L469_C4", "vector": [4, 2, 0.3342, 0.0028, 2, 0.18, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if msg.code == \"28000\":\n raise InterfaceError(\"md5 password authentication failed\")\n else:\n raise msg.createException()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L475_C0", "label": "authentication_codes =", "type": "assigned_variable", "loc": [475, 478], "level": 0, "parent": null, "vector": [14, 0, 0.3377, 0.0028, 0, 0.66, 0.5556, 592, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "authentication_codes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "authentication_codes = {\n 0: AuthenticationOk,\n 5: AuthenticationMD5Password,\n}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L486_C0", "label": "ParameterStatus", "type": "class", "loc": [486, 499], "level": 0, "parent": null, "vector": [3, 0, 0.349, 0.0099, 0, 0.66, 0.5741, 903, 0, 2, 0, 0, 186, 0, 4], "semantic": {"name": "ParameterStatus", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ParameterStatus(object):\n def __init__(self, key, value):\n self.key = key\n self.value = value\n\n # Byte1('S') - Identifies ParameterStatus\n # Int32 - Message length, including self.\n # String - Runtime parameter name."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L487_C4", "label": "__init__", "type": "function", "loc": [487, 489], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L486_C0", "vector": [2, 1, 0.3459, 0.0021, 1, 0.74, 0.0, 555, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "key", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, key, value):\n self.key = key\n self.value = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L488_C8", "label": "self.key =", "type": "assigned_variable", "loc": [488, 488], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L487_C4", "vector": [14, 2, 0.3459, 0.0007, 2, 0.75, 0.0, 605, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.key = key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L489_C8", "label": "self.value =", "type": "assigned_variable", "loc": [489, 489], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L487_C4", "vector": [14, 2, 0.3466, 0.0007, 2, 0.75, 1.0, 966, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.value = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L495_C4", "label": "createFromData", "type": "function", "loc": [495, 498], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L486_C0", "vector": [2, 1, 0.3519, 0.0028, 1, 0.74, 0.5, 582, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n key = data[:data.find(\"\\x00\")]\n value = data[data.find(\"\\x00\")+1:-1]\n return ParameterStatus(key, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L496_C8", "label": "key =", "type": "assigned_variable", "loc": [496, 496], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L495_C4", "vector": [14, 2, 0.3515, 0.0007, 2, 0.03, 0.0, 230, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key = data[:data.find(\"\\x00\")]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L497_C8", "label": "value =", "type": "assigned_variable", "loc": [497, 497], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L495_C4", "vector": [14, 2, 0.3522, 0.0007, 2, 0.03, 0.5, 441, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = data[data.find(\"\\x00\")+1:-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L498_C8", "label": "return", "type": "return", "loc": [498, 498], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L495_C4", "vector": [13, 2, 0.3529, 0.0007, 2, 0.03, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ParameterStatus(key, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L499_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [499, 499], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L486_C0", "vector": [14, 1, 0.3536, 0.0007, 1, 0.74, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L508_C0", "label": "BackendKeyData", "type": "class", "loc": [508, 520], "level": 0, "parent": null, "vector": [3, 0, 0.3643, 0.0092, 0, 0.66, 0.5926, 16, 0, 2, 0, 0, 186, 0, 3], "semantic": {"name": "BackendKeyData", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class BackendKeyData(object):\n def __init__(self, process_id, secret_key):\n self.process_id = process_id\n self.secret_key = secret_key\n\n # Byte1('K') - Identifier.\n # Int32(12) - Message length, including self.\n # Int32 - Process ID."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L509_C4", "label": "__init__", "type": "function", "loc": [509, 511], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L508_C0", "vector": [2, 1, 0.3614, 0.0021, 1, 0.12, 0.0, 555, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "process_id", "secret_key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, process_id, secret_key):\n self.process_id = process_id\n self.secret_key = secret_key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L510_C8", "label": "self.process_id =", "type": "assigned_variable", "loc": [510, 510], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L509_C4", "vector": [14, 2, 0.3614, 0.0007, 2, 0.63, 0.0, 981, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.process_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.process_id = process_id"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L511_C8", "label": "self.secret_key =", "type": "assigned_variable", "loc": [511, 511], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L509_C4", "vector": [14, 2, 0.3622, 0.0007, 2, 0.63, 1.0, 656, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.secret_key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.secret_key = secret_key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L517_C4", "label": "createFromData", "type": "function", "loc": [517, 519], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L508_C0", "vector": [2, 1, 0.3671, 0.0021, 1, 0.12, 0.5, 582, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n process_id, secret_key = struct.unpack(\"!2i\", data)\n return BackendKeyData(process_id, secret_key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L518_C8", "label": "process_id, secret_key = unpack()", "type": "assigned_variable", "loc": [518, 518], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L517_C4", "vector": [14, 2, 0.3671, 0.0007, 2, 0.01, 0.0, 243, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "process_id, secret_key", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " process_id, secret_key = struct.unpack(\"!2i\", data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L519_C8", "label": "return", "type": "return", "loc": [519, 519], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L517_C4", "vector": [13, 2, 0.3678, 0.0007, 2, 0.01, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return BackendKeyData(process_id, secret_key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L520_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [520, 520], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L508_C0", "vector": [14, 1, 0.3685, 0.0007, 1, 0.12, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L527_C0", "label": "NoData", "type": "class", "loc": [527, 532], "level": 0, "parent": null, "vector": [3, 0, 0.3753, 0.0043, 0, 0.66, 0.6111, 452, 0, 1, 0, 0, 186, 0, 2], "semantic": {"name": "NoData", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class NoData(object):\n # Byte1('n') - Identifier.\n # Int32(4) - Message length, including self.\n def createFromData(data):\n return NoData()\n createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L530_C4", "label": "createFromData", "type": "function", "loc": [530, 531], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L527_C0", "vector": [2, 1, 0.376, 0.0014, 1, 0.04, 0.0, 582, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n return NoData()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L531_C8", "label": "return", "type": "return", "loc": [531, 531], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L530_C4", "vector": [13, 2, 0.3763, 0.0007, 2, 0.59, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NoData()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L532_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [532, 532], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L527_C0", "vector": [14, 1, 0.377, 0.0007, 1, 0.04, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L539_C0", "label": "ParseComplete", "type": "class", "loc": [539, 544], "level": 0, "parent": null, "vector": [3, 0, 0.3838, 0.0043, 0, 0.66, 0.6296, 227, 0, 1, 0, 0, 186, 0, 2], "semantic": {"name": "ParseComplete", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ParseComplete(object):\n # Byte1('1') - Identifier.\n # Int32(4) - Message length, including self.\n def createFromData(data):\n return ParseComplete()\n createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L542_C4", "label": "createFromData", "type": "function", "loc": [542, 543], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L539_C0", "vector": [2, 1, 0.3845, 0.0014, 1, 0.43, 0.0, 582, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n return ParseComplete()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L543_C8", "label": "return", "type": "return", "loc": [543, 543], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L542_C4", "vector": [13, 2, 0.3848, 0.0007, 2, 0.66, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ParseComplete()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L544_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [544, 544], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L539_C0", "vector": [14, 1, 0.3855, 0.0007, 1, 0.43, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L551_C0", "label": "BindComplete", "type": "class", "loc": [551, 556], "level": 0, "parent": null, "vector": [3, 0, 0.3923, 0.0043, 0, 0.66, 0.6481, 586, 0, 1, 0, 0, 186, 0, 2], "semantic": {"name": "BindComplete", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class BindComplete(object):\n # Byte1('2') - Identifier.\n # Int32(4) - Message length, including self.\n def createFromData(data):\n return BindComplete()\n createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L554_C4", "label": "createFromData", "type": "function", "loc": [554, 555], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L551_C0", "vector": [2, 1, 0.393, 0.0014, 1, 0.73, 0.0, 582, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n return BindComplete()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L555_C8", "label": "return", "type": "return", "loc": [555, 555], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L554_C4", "vector": [13, 2, 0.3933, 0.0007, 2, 0.06, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return BindComplete()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L556_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [556, 556], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L551_C0", "vector": [14, 1, 0.394, 0.0007, 1, 0.73, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L563_C0", "label": "CloseComplete", "type": "class", "loc": [563, 568], "level": 0, "parent": null, "vector": [3, 0, 0.4008, 0.0043, 0, 0.66, 0.6667, 479, 0, 1, 0, 0, 186, 0, 2], "semantic": {"name": "CloseComplete", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class CloseComplete(object):\n # Byte1('3') - Identifier.\n # Int32(4) - Message length, including self.\n def createFromData(data):\n return CloseComplete()\n createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L566_C4", "label": "createFromData", "type": "function", "loc": [566, 567], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L563_C0", "vector": [2, 1, 0.4015, 0.0014, 1, 0.97, 0.0, 582, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n return CloseComplete()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L567_C8", "label": "return", "type": "return", "loc": [567, 567], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L566_C4", "vector": [13, 2, 0.4018, 0.0007, 2, 0.06, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return CloseComplete()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L568_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [568, 568], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L563_C0", "vector": [14, 1, 0.4026, 0.0007, 1, 0.97, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L576_C0", "label": "PortalSuspended", "type": "class", "loc": [576, 581], "level": 0, "parent": null, "vector": [3, 0, 0.41, 0.0043, 0, 0.66, 0.6852, 855, 0, 1, 0, 0, 186, 0, 2], "semantic": {"name": "PortalSuspended", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class PortalSuspended(object):\n # Byte1('s') - Identifier.\n # Int32(4) - Message length, including self.\n def createFromData(data):\n return PortalSuspended()\n createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L579_C4", "label": "createFromData", "type": "function", "loc": [579, 580], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L576_C0", "vector": [2, 1, 0.4107, 0.0014, 1, 0.29, 0.0, 582, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n return PortalSuspended()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L580_C8", "label": "return", "type": "return", "loc": [580, 580], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L579_C4", "vector": [13, 2, 0.4111, 0.0007, 2, 0.94, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return PortalSuspended()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L581_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [581, 581], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L576_C0", "vector": [14, 1, 0.4118, 0.0007, 1, 0.29, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L588_C0", "label": "ReadyForQuery", "type": "class", "loc": [588, 605], "level": 0, "parent": null, "vector": [3, 0, 0.4227, 0.0128, 0, 0.66, 0.7037, 610, 0, 3, 0, 0, 186, 0, 3], "semantic": {"name": "ReadyForQuery", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ReadyForQuery(object):\n def __init__(self, status):\n self._status = status\n\n ##\n # I = Idle, T = Idle in Transaction, E = idle in failed transaction.\n status = property(lambda self: self._status)\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L589_C4", "label": "__init__", "type": "function", "loc": [589, 590], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L588_C0", "vector": [2, 1, 0.4178, 0.0014, 1, 0.67, 0.0, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "status"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, status):\n self._status = status"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L590_C8", "label": "self._status =", "type": "assigned_variable", "loc": [590, 590], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L589_C4", "vector": [14, 2, 0.4181, 0.0007, 2, 0.56, 0.0, 891, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._status", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._status = status"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L594_C4", "label": "status = property()", "type": "assigned_variable", "loc": [594, 594], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L588_C0", "vector": [14, 1, 0.421, 0.0007, 1, 0.67, 0.25, 699, 3, 1, 0, 0, 244, 10, 1], "semantic": {"name": "status", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " status = property(lambda self: self._status)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L596_C4", "label": "__repr__", "type": "function", "loc": [596, 598], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L588_C0", "vector": [2, 1, 0.4231, 0.0021, 1, 0.67, 0.5, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<ReadyForQuery %s>\" % \\\n {\"I\": \"Idle\", \"T\": \"Idle in Transaction\", \"E\": \"Idle in Failed Transaction\"}[self.status]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L597_C8", "label": "return", "type": "return", "loc": [597, 598], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L596_C4", "vector": [13, 2, 0.4235, 0.0014, 2, 0.18, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<ReadyForQuery %s>\" % \\\n {\"I\": \"Idle\", \"T\": \"Idle in Transaction\", \"E\": \"Idle in Failed Transaction\"}[self.status]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L603_C4", "label": "createFromData", "type": "function", "loc": [603, 604], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L588_C0", "vector": [2, 1, 0.4277, 0.0014, 1, 0.67, 0.75, 582, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n return ReadyForQuery(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L604_C8", "label": "return", "type": "return", "loc": [604, 604], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L603_C4", "vector": [13, 2, 0.4281, 0.0007, 2, 0.6, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ReadyForQuery(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L605_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [605, 605], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L588_C0", "vector": [14, 1, 0.4288, 0.0007, 1, 0.67, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "label": "NoticeResponse", "type": "class", "loc": [633, 673], "level": 0, "parent": null, "vector": [3, 0, 0.4628, 0.0291, 0, 0.66, 0.7222, 878, 0, 4, 0, 0, 186, 0, 8], "semantic": {"name": "NoticeResponse", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class NoticeResponse(object):\n responseKeys = {\n \"S\": \"severity\", # always present\n \"C\": \"code\", # always present\n \"M\": \"msg\", # always present\n \"D\": \"detail\",\n \"H\": \"hint\",\n \"P\": \"position\","}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L634_C4", "label": "responseKeys =", "type": "assigned_variable", "loc": [634, 647], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "vector": [14, 1, 0.4539, 0.0099, 1, 0.37, 0.0, 1, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "responseKeys", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " responseKeys = {\n \"S\": \"severity\", # always present\n \"C\": \"code\", # always present\n \"M\": \"msg\", # always present\n \"D\": \"detail\",\n \"H\": \"hint\",\n \"P\": \"position\",\n \"p\": \"_position\","}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L649_C4", "label": "__init__", "type": "function", "loc": [649, 651], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "vector": [2, 1, 0.4607, 0.0021, 1, 0.37, 0.1667, 555, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, **kwargs):\n for arg, value in kwargs.items():\n setattr(self, arg, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:For_L650_C8", "label": "for arg, value", "type": "for", "loc": [650, 651], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L649_C4", "vector": [6, 2, 0.461, 0.0014, 2, 0.27, 0.0, 742, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "arg, value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for arg, value in kwargs.items():\n setattr(self, arg, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L651_C12", "label": "setattr()", "type": "expression", "loc": [651, 651], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L650_C8", "vector": [8, 3, 0.4614, 0.0007, 3, 0.36, 0.0, 501, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "setattr", "arg_names": [], "import_names": [], "rhs_call_name": "setattr", "annotation": ""}, "snippet": " setattr(self, arg, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L653_C4", "label": "__repr__", "type": "function", "loc": [653, 654], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "vector": [2, 1, 0.4631, 0.0014, 1, 0.37, 0.3333, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<NoticeResponse %s %s %r>\" % (self.severity, self.code, self.msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L654_C8", "label": "return", "type": "return", "loc": [654, 654], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L653_C4", "vector": [13, 2, 0.4635, 0.0007, 2, 0.31, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<NoticeResponse %s %s %r>\" % (self.severity, self.code, self.msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L656_C4", "label": "dataIntoDict", "type": "function", "loc": [656, 663], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "vector": [2, 1, 0.4674, 0.0057, 1, 0.37, 0.5, 824, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "dataIntoDict", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def dataIntoDict(data):\n retval = {}\n for s in data.split(\"\\x00\"):\n if not s: continue\n key, value = s[0], s[1:]\n key = NoticeResponse.responseKeys.get(key, key)\n retval[key] = value\n return retval"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L657_C8", "label": "retval =", "type": "assigned_variable", "loc": [657, 657], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L656_C4", "vector": [14, 2, 0.4656, 0.0007, 2, 0.77, 0.0, 991, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " retval = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:For_L658_C8", "label": "for s", "type": "for", "loc": [658, 662], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L656_C4", "vector": [6, 2, 0.4678, 0.0035, 2, 0.77, 0.5, 553, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for s in data.split(\"\\x00\"):\n if not s: continue\n key, value = s[0], s[1:]\n key = NoticeResponse.responseKeys.get(key, key)\n retval[key] = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L659_C12", "label": "if", "type": "if", "loc": [659, 659], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L658_C8", "vector": [4, 3, 0.467, 0.0007, 3, 0.13, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not s: continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L660_C12", "label": "key, value =", "type": "assigned_variable", "loc": [660, 660], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L658_C8", "vector": [14, 3, 0.4678, 0.0007, 3, 0.13, 0.3333, 839, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "key, value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key, value = s[0], s[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L661_C12", "label": "key = get()", "type": "assigned_variable", "loc": [661, 661], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L658_C8", "vector": [14, 3, 0.4685, 0.0007, 3, 0.13, 0.6667, 230, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " key = NoticeResponse.responseKeys.get(key, key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L662_C12", "label": "assign", "type": "assigned_variable", "loc": [662, 662], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L658_C8", "vector": [14, 3, 0.4692, 0.0007, 3, 0.13, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " retval[key] = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L663_C8", "label": "return", "type": "return", "loc": [663, 663], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L656_C4", "vector": [13, 2, 0.4699, 0.0007, 2, 0.77, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return retval"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L664_C4", "label": "dataIntoDict = staticmethod()", "type": "assigned_variable", "loc": [664, 664], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "vector": [14, 1, 0.4706, 0.0007, 1, 0.37, 0.6667, 824, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "dataIntoDict", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " dataIntoDict = staticmethod(dataIntoDict)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L671_C4", "label": "createFromData", "type": "function", "loc": [671, 672], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "vector": [2, 1, 0.4759, 0.0014, 1, 0.37, 0.8333, 582, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n return NoticeResponse(**NoticeResponse.dataIntoDict(data))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L672_C8", "label": "return", "type": "return", "loc": [672, 672], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L671_C4", "vector": [13, 2, 0.4763, 0.0007, 2, 0.71, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NoticeResponse(**NoticeResponse.dataIntoDict(data))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L673_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [673, 673], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "vector": [14, 1, 0.477, 0.0007, 1, 0.37, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L683_C0", "label": "ErrorResponse", "type": "class", "loc": [683, 696], "level": 0, "parent": null, "vector": [3, 0, 0.4887, 0.0099, 0, 0.66, 0.7407, 661, 0, 4, 0, 0, 186, 0, 6], "semantic": {"name": "ErrorResponse", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ErrorResponse(object):\n def __init__(self, **kwargs):\n for arg, value in kwargs.items():\n setattr(self, arg, value)\n\n def __repr__(self):\n return \"<ErrorResponse %s %s %r>\" % (self.severity, self.code, self.msg)\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L684_C4", "label": "__init__", "type": "function", "loc": [684, 686], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L683_C0", "vector": [2, 1, 0.4855, 0.0021, 1, 0.99, 0.0, 555, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, **kwargs):\n for arg, value in kwargs.items():\n setattr(self, arg, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:For_L685_C8", "label": "for arg, value", "type": "for", "loc": [685, 686], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L684_C4", "vector": [6, 2, 0.4858, 0.0014, 2, 0.37, 0.0, 742, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "arg, value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for arg, value in kwargs.items():\n setattr(self, arg, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L686_C12", "label": "setattr()", "type": "expression", "loc": [686, 686], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L685_C8", "vector": [8, 3, 0.4862, 0.0007, 3, 0.47, 0.0, 501, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "setattr", "arg_names": [], "import_names": [], "rhs_call_name": "setattr", "annotation": ""}, "snippet": " setattr(self, arg, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L688_C4", "label": "__repr__", "type": "function", "loc": [688, 689], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L683_C0", "vector": [2, 1, 0.488, 0.0014, 1, 0.99, 0.25, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<ErrorResponse %s %s %r>\" % (self.severity, self.code, self.msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L689_C8", "label": "return", "type": "return", "loc": [689, 689], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L688_C4", "vector": [13, 2, 0.4883, 0.0007, 2, 0.27, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<ErrorResponse %s %s %r>\" % (self.severity, self.code, self.msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L691_C4", "label": "createException", "type": "function", "loc": [691, 692], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L683_C0", "vector": [2, 1, 0.4901, 0.0014, 1, 0.99, 0.5, 282, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "createException", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createException(self):\n return ProgrammingError(self.severity, self.code, self.msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L692_C8", "label": "return", "type": "return", "loc": [692, 692], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L691_C4", "vector": [13, 2, 0.4904, 0.0007, 2, 0.98, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ProgrammingError(self.severity, self.code, self.msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L694_C4", "label": "createFromData", "type": "function", "loc": [694, 695], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L683_C0", "vector": [2, 1, 0.4922, 0.0014, 1, 0.99, 0.75, 582, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n return ErrorResponse(**NoticeResponse.dataIntoDict(data))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L695_C8", "label": "return", "type": "return", "loc": [695, 695], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L694_C4", "vector": [13, 2, 0.4926, 0.0007, 2, 0.12, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ErrorResponse(**NoticeResponse.dataIntoDict(data))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L696_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [696, 696], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L683_C0", "vector": [14, 1, 0.4933, 0.0007, 1, 0.99, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "label": "NotificationResponse", "type": "class", "loc": [704, 741], "level": 0, "parent": null, "vector": [3, 0, 0.512, 0.0269, 0, 0.66, 0.7593, 444, 0, 3, 0, 0, 186, 0, 8], "semantic": {"name": "NotificationResponse", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class NotificationResponse(object):\n def __init__(self, backend_pid, condition, additional_info):\n self._backend_pid = backend_pid\n self._condition = condition\n self._additional_info = additional_info\n\n ##\n # An integer representing the process ID of the backend that triggered"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L705_C4", "label": "__init__", "type": "function", "loc": [705, 708], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "vector": [2, 1, 0.5007, 0.0028, 1, 0.56, 0.0, 555, 0, 4, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "backend_pid", "condition", "additional_info"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, backend_pid, condition, additional_info):\n self._backend_pid = backend_pid\n self._condition = condition\n self._additional_info = additional_info"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L706_C8", "label": "self._backend_pid =", "type": "assigned_variable", "loc": [706, 706], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L705_C4", "vector": [14, 2, 0.5004, 0.0007, 2, 0.91, 0.0, 992, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._backend_pid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._backend_pid = backend_pid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L707_C8", "label": "self._condition =", "type": "assigned_variable", "loc": [707, 707], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L705_C4", "vector": [14, 2, 0.5011, 0.0007, 2, 0.91, 0.5, 349, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._condition", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._condition = condition"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L708_C8", "label": "self._additional_info =", "type": "assigned_variable", "loc": [708, 708], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L705_C4", "vector": [14, 2, 0.5018, 0.0007, 2, 0.91, 1.0, 85, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._additional_info", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._additional_info = additional_info"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L715_C4", "label": "backend_pid = property()", "type": "assigned_variable", "loc": [715, 715], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "vector": [14, 1, 0.5067, 0.0007, 1, 0.56, 0.1667, 125, 3, 1, 0, 0, 244, 10, 1], "semantic": {"name": "backend_pid", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " backend_pid = property(lambda self: self._backend_pid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L721_C4", "label": "condition = property()", "type": "assigned_variable", "loc": [721, 721], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "vector": [14, 1, 0.511, 0.0007, 1, 0.56, 0.3333, 803, 3, 1, 0, 0, 244, 10, 1], "semantic": {"name": "condition", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " condition = property(lambda self: self._condition)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L727_C4", "label": "additional_info = property()", "type": "assigned_variable", "loc": [727, 727], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "vector": [14, 1, 0.5152, 0.0007, 1, 0.56, 0.5, 667, 3, 1, 0, 0, 244, 10, 1], "semantic": {"name": "additional_info", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " additional_info = property(lambda self: self._additional_info)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L729_C4", "label": "__repr__", "type": "function", "loc": [729, 730], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "vector": [2, 1, 0.517, 0.0014, 1, 0.56, 0.6667, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<NotificationResponse %s %s %r>\" % (self.backend_pid, self.condition, self.additional_info)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L730_C8", "label": "return", "type": "return", "loc": [730, 730], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L729_C4", "vector": [13, 2, 0.5174, 0.0007, 2, 0.43, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<NotificationResponse %s %s %r>\" % (self.backend_pid, self.condition, self.additional_info)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "label": "createFromData", "type": "function", "loc": [732, 740], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "vector": [2, 1, 0.5216, 0.0064, 1, 0.56, 0.8333, 582, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n backend_pid = struct.unpack(\"!i\", data[:4])[0]\n data = data[4:]\n null = data.find(\"\\x00\")\n condition = data[:null]\n data = data[null+1:]\n null = data.find(\"\\x00\")\n additional_info = data[:null]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L733_C8", "label": "backend_pid =", "type": "assigned_variable", "loc": [733, 733], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "vector": [14, 2, 0.5195, 0.0007, 2, 0.24, 0.0, 125, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "backend_pid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " backend_pid = struct.unpack(\"!i\", data[:4])[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L734_C8", "label": "data =", "type": "assigned_variable", "loc": [734, 734], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "vector": [14, 2, 0.5202, 0.0007, 2, 0.24, 0.1429, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[4:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L735_C8", "label": "null = find()", "type": "assigned_variable", "loc": [735, 735], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "vector": [14, 2, 0.5209, 0.0007, 2, 0.24, 0.2857, 438, 3, 1, 0, 0, 340, 10, 1], "semantic": {"name": "null", "arg_names": [], "import_names": [], "rhs_call_name": "find", "annotation": ""}, "snippet": " null = data.find(\"\\x00\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L736_C8", "label": "condition =", "type": "assigned_variable", "loc": [736, 736], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "vector": [14, 2, 0.5216, 0.0007, 2, 0.24, 0.4286, 803, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "condition", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " condition = data[:null]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L737_C8", "label": "data =", "type": "assigned_variable", "loc": [737, 737], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "vector": [14, 2, 0.5223, 0.0007, 2, 0.24, 0.5714, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[null+1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L738_C8", "label": "null = find()", "type": "assigned_variable", "loc": [738, 738], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "vector": [14, 2, 0.523, 0.0007, 2, 0.24, 0.7143, 438, 3, 1, 0, 0, 340, 10, 1], "semantic": {"name": "null", "arg_names": [], "import_names": [], "rhs_call_name": "find", "annotation": ""}, "snippet": " null = data.find(\"\\x00\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L739_C8", "label": "additional_info =", "type": "assigned_variable", "loc": [739, 739], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "vector": [14, 2, 0.5237, 0.0007, 2, 0.24, 0.8571, 667, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "additional_info", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " additional_info = data[:null]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L740_C8", "label": "return", "type": "return", "loc": [740, 740], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "vector": [13, 2, 0.5245, 0.0007, 2, 0.24, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NotificationResponse(backend_pid, condition, additional_info)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L741_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [741, 741], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "vector": [14, 1, 0.5252, 0.0007, 1, 0.56, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L744_C0", "label": "ParameterDescription", "type": "class", "loc": [744, 751], "level": 0, "parent": null, "vector": [3, 0, 0.5298, 0.0057, 0, 0.66, 0.7778, 149, 0, 2, 0, 0, 186, 0, 4], "semantic": {"name": "ParameterDescription", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ParameterDescription(object):\n def __init__(self, type_oids):\n self.type_oids = type_oids\n def createFromData(data):\n count = struct.unpack(\"!h\", data[:2])[0]\n type_oids = struct.unpack(\"!\" + \"i\"*count, data[2:])\n return ParameterDescription(type_oids)\n createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L745_C4", "label": "__init__", "type": "function", "loc": [745, 746], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L744_C0", "vector": [2, 1, 0.5283, 0.0014, 1, 0.74, 0.0, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "type_oids"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, type_oids):\n self.type_oids = type_oids"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L746_C8", "label": "self.type_oids =", "type": "assigned_variable", "loc": [746, 746], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L745_C4", "vector": [14, 2, 0.5287, 0.0007, 2, 0.77, 0.0, 621, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.type_oids", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.type_oids = type_oids"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L747_C4", "label": "createFromData", "type": "function", "loc": [747, 750], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L744_C0", "vector": [2, 1, 0.5305, 0.0028, 1, 0.74, 0.5, 582, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n count = struct.unpack(\"!h\", data[:2])[0]\n type_oids = struct.unpack(\"!\" + \"i\"*count, data[2:])\n return ParameterDescription(type_oids)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L748_C8", "label": "count =", "type": "assigned_variable", "loc": [748, 748], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L747_C4", "vector": [14, 2, 0.5301, 0.0007, 2, 0.59, 0.0, 778, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "count", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " count = struct.unpack(\"!h\", data[:2])[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L749_C8", "label": "type_oids = unpack()", "type": "assigned_variable", "loc": [749, 749], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L747_C4", "vector": [14, 2, 0.5308, 0.0007, 2, 0.59, 0.5, 237, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "type_oids", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " type_oids = struct.unpack(\"!\" + \"i\"*count, data[2:])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L750_C8", "label": "return", "type": "return", "loc": [750, 750], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L747_C4", "vector": [13, 2, 0.5315, 0.0007, 2, 0.59, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ParameterDescription(type_oids)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L751_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [751, 751], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L744_C0", "vector": [14, 1, 0.5322, 0.0007, 1, 0.74, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L754_C0", "label": "RowDescription", "type": "class", "loc": [754, 770], "level": 0, "parent": null, "vector": [3, 0, 0.54, 0.012, 0, 0.66, 0.7963, 584, 0, 2, 0, 0, 186, 0, 7], "semantic": {"name": "RowDescription", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class RowDescription(object):\n def __init__(self, fields):\n self.fields = fields\n\n def createFromData(data):\n count = struct.unpack(\"!h\", data[:2])[0]\n data = data[2:]\n fields = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L755_C4", "label": "__init__", "type": "function", "loc": [755, 756], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L754_C0", "vector": [2, 1, 0.5354, 0.0014, 1, 0.67, 0.0, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "fields"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, fields):\n self.fields = fields"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L756_C8", "label": "self.fields =", "type": "assigned_variable", "loc": [756, 756], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L755_C4", "vector": [14, 2, 0.5358, 0.0007, 2, 0.75, 0.0, 318, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.fields", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.fields = fields"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L758_C4", "label": "createFromData", "type": "function", "loc": [758, 769], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L754_C0", "vector": [2, 1, 0.5411, 0.0085, 1, 0.67, 0.5, 582, 0, 1, 1, 0, 0, 0, 6], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n count = struct.unpack(\"!h\", data[:2])[0]\n data = data[2:]\n fields = []\n for i in range(count):\n null = data.find(\"\\x00\")\n field = {\"name\": data[:null]}\n data = data[null+1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L759_C8", "label": "count =", "type": "assigned_variable", "loc": [759, 759], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L758_C4", "vector": [14, 2, 0.5379, 0.0007, 2, 0.31, 0.0, 778, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "count", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " count = struct.unpack(\"!h\", data[:2])[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L760_C8", "label": "data =", "type": "assigned_variable", "loc": [760, 760], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L758_C4", "vector": [14, 2, 0.5386, 0.0007, 2, 0.31, 0.25, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[2:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L761_C8", "label": "fields =", "type": "assigned_variable", "loc": [761, 761], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L758_C4", "vector": [14, 2, 0.5393, 0.0007, 2, 0.31, 0.5, 358, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "fields", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fields = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "label": "for i", "type": "for", "loc": [762, 768], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L758_C4", "vector": [6, 2, 0.5422, 0.005, 2, 0.31, 0.75, 826, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(count):\n null = data.find(\"\\x00\")\n field = {\"name\": data[:null]}\n data = data[null+1:]\n field[\"table_oid\"], field[\"column_attrnum\"], field[\"type_oid\"], field[\"type_size\"], field[\"type_modifier\"], field[\"format\"] = struct.unpack(\"!ihihih\", data[:18])\n data = data[18:]\n fields.append(field)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L763_C12", "label": "null = find()", "type": "assigned_variable", "loc": [763, 763], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "vector": [14, 3, 0.5408, 0.0007, 3, 0.9, 0.0, 438, 3, 1, 0, 0, 340, 10, 1], "semantic": {"name": "null", "arg_names": [], "import_names": [], "rhs_call_name": "find", "annotation": ""}, "snippet": " null = data.find(\"\\x00\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L764_C12", "label": "field =", "type": "assigned_variable", "loc": [764, 764], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "vector": [14, 3, 0.5415, 0.0007, 3, 0.9, 0.2, 480, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "field", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " field = {\"name\": data[:null]}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L765_C12", "label": "data =", "type": "assigned_variable", "loc": [765, 765], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "vector": [14, 3, 0.5422, 0.0007, 3, 0.9, 0.4, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[null+1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L766_C12", "label": " = unpack()", "type": "assigned_variable", "loc": [766, 766], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "vector": [14, 3, 0.5429, 0.0007, 3, 0.9, 0.6, 0, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " field[\"table_oid\"], field[\"column_attrnum\"], field[\"type_oid\"], field[\"type_size\"], field[\"type_modifier\"], field[\"format\"] = struct.unpack(\"!ihihih\", data[:18])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L767_C12", "label": "data =", "type": "assigned_variable", "loc": [767, 767], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "vector": [14, 3, 0.5436, 0.0007, 3, 0.9, 0.8, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[18:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L768_C12", "label": "append()", "type": "expression", "loc": [768, 768], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "vector": [8, 3, 0.5443, 0.0007, 3, 0.9, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " fields.append(field)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L769_C8", "label": "return", "type": "return", "loc": [769, 769], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L758_C4", "vector": [13, 2, 0.545, 0.0007, 2, 0.31, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return RowDescription(fields)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L770_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [770, 770], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L754_C0", "vector": [14, 1, 0.5457, 0.0007, 1, 0.67, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L772_C0", "label": "CommandComplete", "type": "class", "loc": [772, 789], "level": 0, "parent": null, "vector": [3, 0, 0.5532, 0.0128, 0, 0.66, 0.8148, 0, 0, 2, 0, 0, 186, 0, 5], "semantic": {"name": "CommandComplete", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class CommandComplete(object):\n def __init__(self, command, rows=None, oid=None):\n self.command = command\n self.rows = rows\n self.oid = oid\n\n def createFromData(data):\n values = data[:-1].split(\" \")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L773_C4", "label": "__init__", "type": "function", "loc": [773, 776], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L772_C0", "vector": [2, 1, 0.5489, 0.0028, 1, 0.16, 0.0, 555, 0, 4, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "command", "rows", "oid"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, command, rows=None, oid=None):\n self.command = command\n self.rows = rows\n self.oid = oid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L774_C8", "label": "self.command =", "type": "assigned_variable", "loc": [774, 774], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L773_C4", "vector": [14, 2, 0.5485, 0.0007, 2, 0.26, 0.0, 309, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.command", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.command = command"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L775_C8", "label": "self.rows =", "type": "assigned_variable", "loc": [775, 775], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L773_C4", "vector": [14, 2, 0.5493, 0.0007, 2, 0.26, 0.5, 881, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.rows", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.rows = rows"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L776_C8", "label": "self.oid =", "type": "assigned_variable", "loc": [776, 776], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L773_C4", "vector": [14, 2, 0.55, 0.0007, 2, 0.26, 1.0, 673, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.oid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.oid = oid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L778_C4", "label": "createFromData", "type": "function", "loc": [778, 788], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L772_C0", "vector": [2, 1, 0.5549, 0.0078, 1, 0.16, 0.5, 582, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n values = data[:-1].split(\" \")\n args = {}\n args['command'] = values[0]\n if args['command'] in (\"INSERT\", \"DELETE\", \"UPDATE\", \"MOVE\", \"FETCH\", \"COPY\", \"SELECT\"):\n args['rows'] = int(values[-1])\n if args['command'] == \"INSERT\":\n args['oid'] = int(values[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L779_C8", "label": "values = split()", "type": "assigned_variable", "loc": [779, 779], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L778_C4", "vector": [14, 2, 0.5521, 0.0007, 2, 0.37, 0.0, 721, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "values", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " values = data[:-1].split(\" \")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L780_C8", "label": "args =", "type": "assigned_variable", "loc": [780, 780], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L778_C4", "vector": [14, 2, 0.5528, 0.0007, 2, 0.37, 0.25, 805, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "args", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " args = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L781_C8", "label": "assign", "type": "assigned_variable", "loc": [781, 781], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L778_C4", "vector": [14, 2, 0.5535, 0.0007, 2, 0.37, 0.5, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " args['command'] = values[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L782_C8", "label": "if", "type": "if", "loc": [782, 787], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L778_C4", "vector": [4, 2, 0.556, 0.0043, 2, 0.37, 0.75, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if args['command'] in (\"INSERT\", \"DELETE\", \"UPDATE\", \"MOVE\", \"FETCH\", \"COPY\", \"SELECT\"):\n args['rows'] = int(values[-1])\n if args['command'] == \"INSERT\":\n args['oid'] = int(values[1])\n else:\n args['command'] = data[:-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L783_C12", "label": " = int()", "type": "assigned_variable", "loc": [783, 783], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L782_C8", "vector": [14, 3, 0.5549, 0.0007, 3, 0.66, 0.0, 0, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " args['rows'] = int(values[-1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L784_C12", "label": "if", "type": "if", "loc": [784, 785], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L782_C8", "vector": [4, 3, 0.556, 0.0014, 3, 0.66, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if args['command'] == \"INSERT\":\n args['oid'] = int(values[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L785_C16", "label": " = int()", "type": "assigned_variable", "loc": [785, 785], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L784_C12", "vector": [14, 4, 0.5563, 0.0007, 4, 0.92, 0.0, 0, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " args['oid'] = int(values[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L787_C12", "label": "assign", "type": "assigned_variable", "loc": [787, 787], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L782_C8", "vector": [14, 3, 0.5578, 0.0007, 3, 0.66, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " args['command'] = data[:-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L788_C8", "label": "return", "type": "return", "loc": [788, 788], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L778_C4", "vector": [13, 2, 0.5585, 0.0007, 2, 0.37, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return CommandComplete(**args)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L789_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [789, 789], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L772_C0", "vector": [14, 1, 0.5592, 0.0007, 1, 0.16, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L792_C0", "label": "DataRow", "type": "class", "loc": [792, 809], "level": 0, "parent": null, "vector": [3, 0, 0.5673, 0.0128, 0, 0.66, 0.8333, 207, 0, 2, 0, 0, 186, 0, 7], "semantic": {"name": "DataRow", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class DataRow(object):\n def __init__(self, fields):\n self.fields = fields\n\n def createFromData(data):\n count = struct.unpack(\"!h\", data[:2])[0]\n data = data[2:]\n fields = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L793_C4", "label": "__init__", "type": "function", "loc": [793, 794], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L792_C0", "vector": [2, 1, 0.5624, 0.0014, 1, 0.36, 0.0, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "fields"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, fields):\n self.fields = fields"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L794_C8", "label": "self.fields =", "type": "assigned_variable", "loc": [794, 794], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L793_C4", "vector": [14, 2, 0.5627, 0.0007, 2, 0.63, 0.0, 318, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.fields", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.fields = fields"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L796_C4", "label": "createFromData", "type": "function", "loc": [796, 808], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L792_C0", "vector": [2, 1, 0.5684, 0.0092, 1, 0.36, 0.5, 582, 0, 1, 1, 0, 0, 0, 6], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n count = struct.unpack(\"!h\", data[:2])[0]\n data = data[2:]\n fields = []\n for i in range(count):\n val_len = struct.unpack(\"!i\", data[:4])[0]\n data = data[4:]\n if val_len == -1:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L797_C8", "label": "count =", "type": "assigned_variable", "loc": [797, 797], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L796_C4", "vector": [14, 2, 0.5648, 0.0007, 2, 0.27, 0.0, 778, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "count", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " count = struct.unpack(\"!h\", data[:2])[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L798_C8", "label": "data =", "type": "assigned_variable", "loc": [798, 798], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L796_C4", "vector": [14, 2, 0.5656, 0.0007, 2, 0.27, 0.25, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[2:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L799_C8", "label": "fields =", "type": "assigned_variable", "loc": [799, 799], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L796_C4", "vector": [14, 2, 0.5663, 0.0007, 2, 0.27, 0.5, 358, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "fields", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fields = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:For_L800_C8", "label": "for i", "type": "for", "loc": [800, 807], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L796_C4", "vector": [6, 2, 0.5695, 0.0057, 2, 0.27, 0.75, 826, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(count):\n val_len = struct.unpack(\"!i\", data[:4])[0]\n data = data[4:]\n if val_len == -1:\n fields.append(None)\n else:\n fields.append(data[:val_len])\n data = data[val_len:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L801_C12", "label": "val_len =", "type": "assigned_variable", "loc": [801, 801], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L800_C8", "vector": [14, 3, 0.5677, 0.0007, 3, 0.01, 0.0, 212, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "val_len", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val_len = struct.unpack(\"!i\", data[:4])[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L802_C12", "label": "data =", "type": "assigned_variable", "loc": [802, 802], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L800_C8", "vector": [14, 3, 0.5684, 0.0007, 3, 0.01, 0.5, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[4:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L803_C12", "label": "if", "type": "if", "loc": [803, 807], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L800_C8", "vector": [4, 3, 0.5705, 0.0035, 3, 0.01, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if val_len == -1:\n fields.append(None)\n else:\n fields.append(data[:val_len])\n data = data[val_len:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L804_C16", "label": "append()", "type": "expression", "loc": [804, 804], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L803_C12", "vector": [8, 4, 0.5698, 0.0007, 4, 0.26, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " fields.append(None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L806_C16", "label": "append()", "type": "expression", "loc": [806, 806], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L803_C12", "vector": [8, 4, 0.5712, 0.0007, 4, 0.26, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " fields.append(data[:val_len])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L807_C16", "label": "data =", "type": "assigned_variable", "loc": [807, 807], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L803_C12", "vector": [14, 4, 0.5719, 0.0007, 4, 0.26, 1.0, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[val_len:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L808_C8", "label": "return", "type": "return", "loc": [808, 808], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L796_C4", "vector": [13, 2, 0.5726, 0.0007, 2, 0.27, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return DataRow(fields)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L809_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [809, 809], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L792_C0", "vector": [14, 1, 0.5734, 0.0007, 1, 0.36, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L812_C0", "label": "CopyData", "type": "class", "loc": [812, 822], "level": 0, "parent": null, "vector": [3, 0, 0.579, 0.0078, 0, 0.66, 0.8519, 524, 0, 3, 0, 0, 186, 0, 4], "semantic": {"name": "CopyData", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class CopyData(object):\n # \"d\": CopyData,\n def __init__(self, data):\n self.data = data\n\n def createFromData(data):\n return CopyData(data)\n createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L814_C4", "label": "__init__", "type": "function", "loc": [814, 815], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L812_C0", "vector": [2, 1, 0.5773, 0.0014, 1, 0.82, 0.0, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, data):\n self.data = data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L815_C8", "label": "self.data =", "type": "assigned_variable", "loc": [815, 815], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L814_C4", "vector": [14, 2, 0.5776, 0.0007, 2, 0.32, 0.0, 838, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.data = data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L817_C4", "label": "createFromData", "type": "function", "loc": [817, 818], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L812_C0", "vector": [2, 1, 0.5794, 0.0014, 1, 0.82, 0.3333, 582, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n return CopyData(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L818_C8", "label": "return", "type": "return", "loc": [818, 818], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L817_C4", "vector": [13, 2, 0.5797, 0.0007, 2, 0.98, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return CopyData(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L819_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [819, 819], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L812_C0", "vector": [14, 1, 0.5804, 0.0007, 1, 0.82, 0.6667, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L821_C4", "label": "serialize", "type": "function", "loc": [821, 822], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L812_C0", "vector": [2, 1, 0.5822, 0.0014, 1, 0.82, 1.0, 50, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n return 'd' + struct.pack('!i', len(self.data) + 4) + self.data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L822_C8", "label": "return", "type": "return", "loc": [822, 822], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L821_C4", "vector": [13, 2, 0.5826, 0.0007, 2, 0.33, 0.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'd' + struct.pack('!i', len(self.data) + 4) + self.data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L825_C0", "label": "CopyDone", "type": "class", "loc": [825, 835], "level": 0, "parent": null, "vector": [3, 0, 0.5882, 0.0078, 0, 0.66, 0.8704, 92, 0, 2, 0, 0, 186, 0, 2], "semantic": {"name": "CopyDone", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class CopyDone(object):\n # Byte1('c') - Identifier.\n # Int32(4) - Message length, including self.\n\n def createFromData(data):\n return CopyDone()\n\n createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L829_C4", "label": "createFromData", "type": "function", "loc": [829, 830], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L825_C0", "vector": [2, 1, 0.5879, 0.0014, 1, 0.2, 0.0, 582, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n return CopyDone()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L830_C8", "label": "return", "type": "return", "loc": [830, 830], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L829_C4", "vector": [13, 2, 0.5882, 0.0007, 2, 0.27, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return CopyDone()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L832_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [832, 832], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L825_C0", "vector": [14, 1, 0.5897, 0.0007, 1, 0.2, 0.5, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L834_C4", "label": "serialize", "type": "function", "loc": [834, 835], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L825_C0", "vector": [2, 1, 0.5914, 0.0014, 1, 0.2, 1.0, 50, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "serialize", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def serialize(self):\n return 'c\\x00\\x00\\x00\\x04'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L835_C8", "label": "return", "type": "return", "loc": [835, 835], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L834_C4", "vector": [13, 2, 0.5918, 0.0007, 2, 0.37, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'c\\x00\\x00\\x00\\x04'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L837_C0", "label": "CopyOutResponse", "type": "class", "loc": [837, 853], "level": 0, "parent": null, "vector": [3, 0, 0.5989, 0.012, 0, 0.66, 0.8889, 35, 0, 2, 0, 0, 186, 0, 4], "semantic": {"name": "CopyOutResponse", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class CopyOutResponse(object):\n # Byte1('H')\n # Int32(4) - Length of message contents in bytes, including self.\n # Int8(1) - 0 textual, 1 binary\n # Int16(2) - Number of columns\n # Int16(N) - Format codes for each column (0 text, 1 binary)\n\n def __init__(self, is_binary, column_formats):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L844_C4", "label": "__init__", "type": "function", "loc": [844, 846], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L837_C0", "vector": [2, 1, 0.5989, 0.0021, 1, 0.08, 0.0, 555, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "is_binary", "column_formats"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, is_binary, column_formats):\n self.is_binary = is_binary\n self.column_formats = column_formats"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L845_C8", "label": "self.is_binary =", "type": "assigned_variable", "loc": [845, 845], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L844_C4", "vector": [14, 2, 0.5989, 0.0007, 2, 0.81, 0.0, 589, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.is_binary", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.is_binary = is_binary"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L846_C8", "label": "self.column_formats =", "type": "assigned_variable", "loc": [846, 846], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L844_C4", "vector": [14, 2, 0.5996, 0.0007, 2, 0.81, 1.0, 125, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.column_formats", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.column_formats = column_formats"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L848_C4", "label": "createFromData", "type": "function", "loc": [848, 851], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L837_C0", "vector": [2, 1, 0.6021, 0.0028, 1, 0.08, 0.5, 582, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n is_binary, num_cols = struct.unpack('!bh', data[:3])\n column_formats = struct.unpack('!' + ('h' * num_cols), data[3:])\n return CopyOutResponse(is_binary, column_formats)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L849_C8", "label": "is_binary, num_cols = unpack()", "type": "assigned_variable", "loc": [849, 849], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L848_C4", "vector": [14, 2, 0.6017, 0.0007, 2, 0.12, 0.0, 89, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "is_binary, num_cols", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " is_binary, num_cols = struct.unpack('!bh', data[:3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L850_C8", "label": "column_formats = unpack()", "type": "assigned_variable", "loc": [850, 850], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L848_C4", "vector": [14, 2, 0.6024, 0.0007, 2, 0.12, 0.5, 227, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "column_formats", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " column_formats = struct.unpack('!' + ('h' * num_cols), data[3:])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L851_C8", "label": "return", "type": "return", "loc": [851, 851], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L848_C4", "vector": [13, 2, 0.6031, 0.0007, 2, 0.12, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return CopyOutResponse(is_binary, column_formats)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L853_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [853, 853], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L837_C0", "vector": [14, 1, 0.6045, 0.0007, 1, 0.08, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L856_C0", "label": "CopyInResponse", "type": "class", "loc": [856, 869], "level": 0, "parent": null, "vector": [3, 0, 0.6113, 0.0099, 0, 0.66, 0.9074, 808, 0, 2, 0, 0, 186, 0, 4], "semantic": {"name": "CopyInResponse", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class CopyInResponse(object):\n # Byte1('G')\n # Otherwise the same as CopyOutResponse\n \n def __init__(self, is_binary, column_formats):\n self.is_binary = is_binary\n self.column_formats = column_formats\n "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L860_C4", "label": "__init__", "type": "function", "loc": [860, 862], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L856_C0", "vector": [2, 1, 0.6102, 0.0021, 1, 0.01, 0.0, 555, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "is_binary", "column_formats"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, is_binary, column_formats):\n self.is_binary = is_binary\n self.column_formats = column_formats"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L861_C8", "label": "self.is_binary =", "type": "assigned_variable", "loc": [861, 861], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L860_C4", "vector": [14, 2, 0.6102, 0.0007, 2, 0.48, 0.0, 589, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.is_binary", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.is_binary = is_binary"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L862_C8", "label": "self.column_formats =", "type": "assigned_variable", "loc": [862, 862], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L860_C4", "vector": [14, 2, 0.6109, 0.0007, 2, 0.48, 1.0, 125, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.column_formats", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.column_formats = column_formats"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L864_C4", "label": "createFromData", "type": "function", "loc": [864, 867], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L856_C0", "vector": [2, 1, 0.6134, 0.0028, 1, 0.01, 0.5, 582, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n is_binary, num_cols = struct.unpack('!bh', data[:3])\n column_formats = struct.unpack('!' + ('h' * num_cols), data[3:])\n return CopyInResponse(is_binary, column_formats)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L865_C8", "label": "is_binary, num_cols = unpack()", "type": "assigned_variable", "loc": [865, 865], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L864_C4", "vector": [14, 2, 0.613, 0.0007, 2, 0.29, 0.0, 89, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "is_binary, num_cols", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " is_binary, num_cols = struct.unpack('!bh', data[:3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L866_C8", "label": "column_formats = unpack()", "type": "assigned_variable", "loc": [866, 866], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L864_C4", "vector": [14, 2, 0.6137, 0.0007, 2, 0.29, 0.5, 227, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "column_formats", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " column_formats = struct.unpack('!' + ('h' * num_cols), data[3:])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L867_C8", "label": "return", "type": "return", "loc": [867, 867], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L864_C4", "vector": [13, 2, 0.6145, 0.0007, 2, 0.29, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return CopyInResponse(is_binary, column_formats)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L869_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [869, 869], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L856_C0", "vector": [14, 1, 0.6159, 0.0007, 1, 0.01, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L872_C0", "label": "EmptyQueryResponse", "type": "class", "loc": [872, 878], "level": 0, "parent": null, "vector": [3, 0, 0.6201, 0.005, 0, 0.66, 0.9259, 78, 0, 1, 0, 0, 186, 0, 2], "semantic": {"name": "EmptyQueryResponse", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class EmptyQueryResponse(object):\n # Byte1('I')\n # Response to an empty query string. (This substitutes for CommandComplete.)\n \n def createFromData(data):\n return EmptyQueryResponse()\n createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L876_C4", "label": "createFromData", "type": "function", "loc": [876, 877], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L872_C0", "vector": [2, 1, 0.6212, 0.0014, 1, 0.15, 0.0, 582, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "createFromData", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def createFromData(data):\n return EmptyQueryResponse()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L877_C8", "label": "return", "type": "return", "loc": [877, 877], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L876_C4", "vector": [13, 2, 0.6215, 0.0007, 2, 0.22, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return EmptyQueryResponse()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L878_C4", "label": "createFromData = staticmethod()", "type": "assigned_variable", "loc": [878, 878], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L872_C0", "vector": [14, 1, 0.6223, 0.0007, 1, 0.15, 1.0, 582, 3, 1, 0, 0, 884, 10, 1], "semantic": {"name": "createFromData", "arg_names": [], "import_names": [], "rhs_call_name": "staticmethod", "annotation": ""}, "snippet": " createFromData = staticmethod(createFromData)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L881_C0", "label": "MessageReader", "type": "class", "loc": [881, 937], "level": 0, "parent": null, "vector": [3, 0, 0.6442, 0.0404, 0, 0.66, 0.9444, 503, 0, 5, 0, 0, 186, 0, 14], "semantic": {"name": "MessageReader", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class MessageReader(object):\n def __init__(self, connection):\n self._conn = connection\n self._msgs = []\n\n # If true, raise exception from an ErrorResponse after messages are\n # processed. This can be used to leave the connection in a usable\n # state after an error response, rather than having unconsumed"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L882_C4", "label": "__init__", "type": "function", "loc": [882, 892], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L881_C0", "vector": [2, 1, 0.6286, 0.0078, 1, 0.58, 0.0, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "connection"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, connection):\n self._conn = connection\n self._msgs = []\n\n # If true, raise exception from an ErrorResponse after messages are\n # processed. This can be used to leave the connection in a usable\n # state after an error response, rather than having unconsumed\n # messages that won't be understood in another context."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L883_C8", "label": "self._conn =", "type": "assigned_variable", "loc": [883, 883], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L882_C4", "vector": [14, 2, 0.6258, 0.0007, 2, 0.65, 0.0, 146, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._conn", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._conn = connection"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L884_C8", "label": "self._msgs =", "type": "assigned_variable", "loc": [884, 884], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L882_C4", "vector": [14, 2, 0.6265, 0.0007, 2, 0.65, 0.3333, 891, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self._msgs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._msgs = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L890_C8", "label": "self.delay_raising_exception =", "type": "assigned_variable", "loc": [890, 890], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L882_C4", "vector": [14, 2, 0.6308, 0.0007, 2, 0.65, 0.6667, 518, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.delay_raising_exception", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.delay_raising_exception = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L892_C8", "label": "self.ignore_unhandled_messages =", "type": "assigned_variable", "loc": [892, 892], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L882_C4", "vector": [14, 2, 0.6322, 0.0007, 2, 0.65, 1.0, 785, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.ignore_unhandled_messages", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ignore_unhandled_messages = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L894_C4", "label": "add_message", "type": "function", "loc": [894, 895], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L881_C0", "vector": [2, 1, 0.6339, 0.0014, 1, 0.58, 0.25, 143, 0, 5, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": ["self", "msg_class", "handler", "args", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def add_message(self, msg_class, handler, *args, **kwargs):\n self._msgs.append((msg_class, handler, args, kwargs))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L895_C8", "label": "append()", "type": "expression", "loc": [895, 895], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L894_C4", "vector": [8, 2, 0.6343, 0.0007, 2, 0.62, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self._msgs.append((msg_class, handler, args, kwargs))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L897_C4", "label": "clear_messages", "type": "function", "loc": [897, 898], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L881_C0", "vector": [2, 1, 0.6361, 0.0014, 1, 0.58, 0.5, 873, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "clear_messages", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def clear_messages(self):\n self._msgs = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L898_C8", "label": "self._msgs =", "type": "assigned_variable", "loc": [898, 898], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L897_C4", "vector": [14, 2, 0.6364, 0.0007, 2, 0.96, 0.0, 891, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self._msgs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._msgs = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L900_C4", "label": "return_value", "type": "function", "loc": [900, 901], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L881_C0", "vector": [2, 1, 0.6382, 0.0014, 1, 0.58, 0.75, 271, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "return_value", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def return_value(self, value):\n self._retval = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L901_C8", "label": "self._retval =", "type": "assigned_variable", "loc": [901, 901], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L900_C4", "vector": [14, 2, 0.6386, 0.0007, 2, 0.52, 0.0, 164, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._retval", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._retval = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L903_C4", "label": "handle_messages", "type": "function", "loc": [903, 937], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L881_C0", "vector": [2, 1, 0.652, 0.0248, 1, 0.58, 1.0, 275, 0, 1, 1, 0, 0, 0, 13], "semantic": {"name": "handle_messages", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def handle_messages(self):\n exc = None\n while 1:\n msg = self._conn._read_message()\n msg_handled = False\n for (msg_class, handler, args, kwargs) in self._msgs:\n if isinstance(msg, msg_class):\n msg_handled = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L904_C8", "label": "exc =", "type": "assigned_variable", "loc": [904, 904], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L903_C4", "vector": [14, 2, 0.6407, 0.0007, 2, 0.07, 0.0, 201, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "exc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " exc = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:While_L905_C8", "label": "while", "type": "while", "loc": [905, 937], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L903_C4", "vector": [5, 2, 0.6527, 0.0234, 2, 0.07, 1.0, 0, 1, 0, 0, 0, 0, 0, 13], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while 1:\n msg = self._conn._read_message()\n msg_handled = False\n for (msg_class, handler, args, kwargs) in self._msgs:\n if isinstance(msg, msg_class):\n msg_handled = True\n retval = handler(msg, *args, **kwargs)\n if retval:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L906_C12", "label": "msg = _read_message()", "type": "assigned_variable", "loc": [906, 906], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L905_C8", "vector": [14, 3, 0.6421, 0.0007, 3, 0.96, 0.0, 712, 3, 0, 0, 0, 849, 10, 1], "semantic": {"name": "msg", "arg_names": [], "import_names": [], "rhs_call_name": "_read_message", "annotation": ""}, "snippet": " msg = self._conn._read_message()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L907_C12", "label": "msg_handled =", "type": "assigned_variable", "loc": [907, 907], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L905_C8", "vector": [14, 3, 0.6428, 0.0007, 3, 0.96, 0.3333, 418, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "msg_handled", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " msg_handled = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:For_L908_C12", "label": "for msg_class, handler, args, kwargs", "type": "for", "loc": [908, 923], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L905_C8", "vector": [6, 3, 0.6488, 0.0113, 3, 0.96, 0.6667, 53, 7, 0, 0, 0, 0, 0, 3], "semantic": {"name": "msg_class, handler, args, kwargs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for (msg_class, handler, args, kwargs) in self._msgs:\n if isinstance(msg, msg_class):\n msg_handled = True\n retval = handler(msg, *args, **kwargs)\n if retval:\n # The handler returned a true value, meaning that the\n # message loop should be aborted.\n if exc != None:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L909_C16", "label": "if", "type": "if", "loc": [909, 923], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:For_L908_C12", "vector": [4, 4, 0.6492, 0.0106, 4, 0.77, 0.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(msg, msg_class):\n msg_handled = True\n retval = handler(msg, *args, **kwargs)\n if retval:\n # The handler returned a true value, meaning that the\n # message loop should be aborted.\n if exc != None:\n raise exc"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L910_C20", "label": "msg_handled =", "type": "assigned_variable", "loc": [910, 910], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L909_C16", "vector": [14, 5, 0.6449, 0.0007, 5, 0.44, 0.0, 418, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "msg_handled", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " msg_handled = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L911_C20", "label": "retval = handler()", "type": "assigned_variable", "loc": [911, 911], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L909_C16", "vector": [14, 5, 0.6456, 0.0007, 5, 0.44, 0.5, 991, 3, 3, 0, 0, 388, 10, 1], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "handler", "annotation": ""}, "snippet": " retval = handler(msg, *args, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L912_C20", "label": "if", "type": "if", "loc": [912, 923], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L909_C16", "vector": [4, 5, 0.6502, 0.0085, 5, 0.44, 1.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if retval:\n # The handler returned a true value, meaning that the\n # message loop should be aborted.\n if exc != None:\n raise exc\n return retval\n elif hasattr(self, \"_retval\"):\n # The handler told us to return -- used for non-true"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L915_C24", "label": "if", "type": "if", "loc": [915, 916], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L912_C20", "vector": [4, 6, 0.6488, 0.0014, 6, 0.11, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if exc != None:\n raise exc"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L917_C24", "label": "return", "type": "return", "loc": [917, 917], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L912_C20", "vector": [13, 6, 0.6499, 0.0007, 6, 0.11, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return retval"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L918_C20", "label": "if", "type": "if", "loc": [918, 923], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L912_C20", "vector": [4, 6, 0.6524, 0.0043, 6, 0.11, 1.0, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif hasattr(self, \"_retval\"):\n # The handler told us to return -- used for non-true\n # return values\n if exc != None:\n raise exc\n return self._retval"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L921_C24", "label": "if", "type": "if", "loc": [921, 922], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L918_C20", "vector": [4, 7, 0.6531, 0.0014, 7, 0.51, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if exc != None:\n raise exc"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L923_C24", "label": "return", "type": "return", "loc": [923, 923], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L918_C20", "vector": [13, 7, 0.6541, 0.0007, 7, 0.51, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._retval"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L924_C12", "label": "if", "type": "if", "loc": [924, 937], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L905_C8", "vector": [4, 3, 0.6595, 0.0099, 3, 0.96, 1.0, 0, 2, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if msg_handled:\n continue\n elif isinstance(msg, ErrorResponse):\n exc = msg.createException()\n if not self.delay_raising_exception:\n raise exc\n elif isinstance(msg, NoticeResponse):\n self._conn.handleNoticeResponse(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L926_C12", "label": "if", "type": "if", "loc": [926, 937], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L924_C12", "vector": [4, 4, 0.6602, 0.0085, 4, 0.85, 0.0, 0, 3, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(msg, ErrorResponse):\n exc = msg.createException()\n if not self.delay_raising_exception:\n raise exc\n elif isinstance(msg, NoticeResponse):\n self._conn.handleNoticeResponse(msg)\n elif isinstance(msg, ParameterStatus):\n self._conn.handleParameterStatus(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L927_C16", "label": "exc = createException()", "type": "assigned_variable", "loc": [927, 927], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L926_C12", "vector": [14, 5, 0.657, 0.0007, 5, 0.95, 0.0, 201, 3, 0, 0, 0, 282, 10, 1], "semantic": {"name": "exc", "arg_names": [], "import_names": [], "rhs_call_name": "createException", "annotation": ""}, "snippet": " exc = msg.createException()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L928_C16", "label": "if", "type": "if", "loc": [928, 929], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L926_C12", "vector": [4, 5, 0.658, 0.0014, 5, 0.95, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self.delay_raising_exception:\n raise exc"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L930_C12", "label": "if", "type": "if", "loc": [930, 937], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L926_C12", "vector": [4, 5, 0.6616, 0.0057, 5, 0.95, 1.0, 0, 3, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(msg, NoticeResponse):\n self._conn.handleNoticeResponse(msg)\n elif isinstance(msg, ParameterStatus):\n self._conn.handleParameterStatus(msg)\n elif isinstance(msg, NotificationResponse):\n self._conn.handleNotificationResponse(msg)\n elif not self.ignore_unhandled_messages:\n raise InternalError(\"Unexpected response msg %r\" % (msg))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L931_C16", "label": "handleNoticeResponse()", "type": "expression", "loc": [931, 931], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L930_C12", "vector": [8, 6, 0.6598, 0.0007, 6, 0.95, 0.0, 856, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "handleNoticeResponse", "arg_names": [], "import_names": [], "rhs_call_name": "handleNoticeResponse", "annotation": ""}, "snippet": " self._conn.handleNoticeResponse(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L932_C12", "label": "if", "type": "if", "loc": [932, 937], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L930_C12", "vector": [4, 6, 0.6623, 0.0043, 6, 0.95, 1.0, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(msg, ParameterStatus):\n self._conn.handleParameterStatus(msg)\n elif isinstance(msg, NotificationResponse):\n self._conn.handleNotificationResponse(msg)\n elif not self.ignore_unhandled_messages:\n raise InternalError(\"Unexpected response msg %r\" % (msg))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L933_C16", "label": "handleParameterStatus()", "type": "expression", "loc": [933, 933], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L932_C12", "vector": [8, 7, 0.6612, 0.0007, 7, 0.82, 0.0, 174, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "handleParameterStatus", "arg_names": [], "import_names": [], "rhs_call_name": "handleParameterStatus", "annotation": ""}, "snippet": " self._conn.handleParameterStatus(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L934_C12", "label": "if", "type": "if", "loc": [934, 937], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L932_C12", "vector": [4, 7, 0.663, 0.0028, 7, 0.82, 1.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(msg, NotificationResponse):\n self._conn.handleNotificationResponse(msg)\n elif not self.ignore_unhandled_messages:\n raise InternalError(\"Unexpected response msg %r\" % (msg))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L935_C16", "label": "handleNotificationResponse()", "type": "expression", "loc": [935, 935], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L934_C12", "vector": [8, 8, 0.6627, 0.0007, 8, 0.75, 0.0, 76, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "handleNotificationResponse", "arg_names": [], "import_names": [], "rhs_call_name": "handleNotificationResponse", "annotation": ""}, "snippet": " self._conn.handleNotificationResponse(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L936_C12", "label": "if", "type": "if", "loc": [936, 937], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L934_C12", "vector": [4, 8, 0.6637, 0.0014, 8, 0.75, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif not self.ignore_unhandled_messages:\n raise InternalError(\"Unexpected response msg %r\" % (msg))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L939_C0", "label": "sync_on_error", "type": "function", "loc": [939, 949], "level": 0, "parent": null, "vector": [2, 0, 0.669, 0.0078, 0, 0.66, 0.963, 617, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "sync_on_error", "arg_names": ["fn"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def sync_on_error(fn):\n def _fn(self, *args, **kwargs):\n try:\n self._sock_lock.acquire()\n return fn(self, *args, **kwargs)\n except:\n self._sync()\n raise"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L940_C4", "label": "_fn", "type": "function", "loc": [940, 948], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L939_C0", "vector": [2, 1, 0.669, 0.0064, 1, 0.97, 0.0, 24, 0, 3, 1, 0, 0, 0, 4], "semantic": {"name": "_fn", "arg_names": ["self", "args", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _fn(self, *args, **kwargs):\n try:\n self._sock_lock.acquire()\n return fn(self, *args, **kwargs)\n except:\n self._sync()\n raise\n finally:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L941_C8", "label": "try", "type": "try", "loc": [941, 948], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L940_C4", "vector": [7, 2, 0.6694, 0.0057, 2, 0.23, 0.0, 0, 0, 1, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self._sock_lock.acquire()\n return fn(self, *args, **kwargs)\n except:\n self._sync()\n raise\n finally:\n self._sock_lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L942_C12", "label": "acquire()", "type": "expression", "loc": [942, 942], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L941_C8", "vector": [8, 3, 0.6676, 0.0007, 3, 0.24, 0.0, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " self._sock_lock.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L943_C12", "label": "return", "type": "return", "loc": [943, 943], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L941_C8", "vector": [13, 3, 0.6683, 0.0007, 3, 0.24, 0.5, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return fn(self, *args, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L945_C12", "label": "_sync()", "type": "expression", "loc": [945, 945], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L941_C8", "vector": [8, 3, 0.6697, 0.0007, 3, 0.24, 0.0, 979, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_sync", "arg_names": [], "import_names": [], "rhs_call_name": "_sync", "annotation": ""}, "snippet": " self._sync()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L948_C12", "label": "release()", "type": "expression", "loc": [948, 948], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L941_C8", "vector": [8, 3, 0.6719, 0.0007, 3, 0.24, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " self._sock_lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L949_C4", "label": "return", "type": "return", "loc": [949, 949], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L939_C0", "vector": [13, 1, 0.6726, 0.0007, 1, 0.97, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _fn"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "label": "Connection", "type": "class", "loc": [951, 1384], "level": 0, "parent": null, "vector": [3, 0, 0.8274, 0.3076, 0, 0.66, 0.9815, 823, 0, 34, 0, 0, 186, 0, 99], "semantic": {"name": "Connection", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Connection(object):\n def __init__(self, unix_sock=None, host=None, port=5432, socket_timeout=60, ssl=False):\n self._client_encoding = \"ascii\"\n self._integer_datetimes = False\n self._server_version = None\n self._sock_buf = \"\"\n self._sock_buf_pos = 0\n self._send_sock_buf = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "label": "__init__", "type": "function", "loc": [952, 997], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.6906, 0.0326, 1, 0.75, 0.0, 555, 0, 6, 0, 0, 0, 0, 21], "semantic": {"name": "__init__", "arg_names": ["self", "unix_sock", "host", "port", "socket_timeout", "ssl"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, unix_sock=None, host=None, port=5432, socket_timeout=60, ssl=False):\n self._client_encoding = \"ascii\"\n self._integer_datetimes = False\n self._server_version = None\n self._sock_buf = \"\"\n self._sock_buf_pos = 0\n self._send_sock_buf = []\n self._block_size = 8192"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L953_C8", "label": "self._client_encoding =", "type": "assigned_variable", "loc": [953, 953], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.6754, 0.0007, 2, 0.67, 0.0, 620, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self._client_encoding", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._client_encoding = \"ascii\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L954_C8", "label": "self._integer_datetimes =", "type": "assigned_variable", "loc": [954, 954], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.6761, 0.0007, 2, 0.67, 0.0667, 754, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self._integer_datetimes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._integer_datetimes = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L955_C8", "label": "self._server_version =", "type": "assigned_variable", "loc": [955, 955], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.6768, 0.0007, 2, 0.67, 0.1333, 877, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self._server_version", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._server_version = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L956_C8", "label": "self._sock_buf =", "type": "assigned_variable", "loc": [956, 956], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.6775, 0.0007, 2, 0.67, 0.2, 720, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self._sock_buf", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._sock_buf = \"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L957_C8", "label": "self._sock_buf_pos =", "type": "assigned_variable", "loc": [957, 957], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.6782, 0.0007, 2, 0.67, 0.2667, 165, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self._sock_buf_pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._sock_buf_pos = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L958_C8", "label": "self._send_sock_buf =", "type": "assigned_variable", "loc": [958, 958], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.679, 0.0007, 2, 0.67, 0.3333, 183, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self._send_sock_buf", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._send_sock_buf = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L959_C8", "label": "self._block_size =", "type": "assigned_variable", "loc": [959, 959], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.6797, 0.0007, 2, 0.67, 0.4, 128, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self._block_size", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._block_size = 8192"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L960_C8", "label": "self._sock_lock = Lock()", "type": "assigned_variable", "loc": [960, 960], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.6804, 0.0007, 2, 0.67, 0.4667, 203, 3, 0, 0, 0, 843, 10, 1], "semantic": {"name": "self._sock_lock", "arg_names": [], "import_names": [], "rhs_call_name": "Lock", "annotation": ""}, "snippet": " self._sock_lock = threading.Lock()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L961_C8", "label": "if", "type": "if", "loc": [961, 968], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [4, 2, 0.6836, 0.0057, 2, 0.67, 0.5333, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if unix_sock == None and host != None:\n self._sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n elif unix_sock != None:\n if not hasattr(socket, \"AF_UNIX\"):\n raise InterfaceError(\"attempt to connect to unix socket on unsupported platform\")\n self._sock = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM)\n else:\n raise ProgrammingError(\"one of host or unix_sock must be provided\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L962_C12", "label": "self._sock = socket()", "type": "assigned_variable", "loc": [962, 962], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L961_C8", "vector": [14, 3, 0.6818, 0.0007, 3, 0.28, 0.0, 428, 3, 2, 0, 0, 687, 10, 1], "semantic": {"name": "self._sock", "arg_names": [], "import_names": [], "rhs_call_name": "socket", "annotation": ""}, "snippet": " self._sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L963_C8", "label": "if", "type": "if", "loc": [963, 968], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L961_C8", "vector": [4, 3, 0.6843, 0.0043, 3, 0.28, 1.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif unix_sock != None:\n if not hasattr(socket, \"AF_UNIX\"):\n raise InterfaceError(\"attempt to connect to unix socket on unsupported platform\")\n self._sock = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM)\n else:\n raise ProgrammingError(\"one of host or unix_sock must be provided\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L964_C12", "label": "if", "type": "if", "loc": [964, 965], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L963_C8", "vector": [4, 4, 0.6836, 0.0014, 4, 0.99, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not hasattr(socket, \"AF_UNIX\"):\n raise InterfaceError(\"attempt to connect to unix socket on unsupported platform\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L966_C12", "label": "self._sock = socket()", "type": "assigned_variable", "loc": [966, 966], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L963_C8", "vector": [14, 4, 0.6846, 0.0007, 4, 0.99, 1.0, 428, 3, 2, 0, 0, 687, 10, 1], "semantic": {"name": "self._sock", "arg_names": [], "import_names": [], "rhs_call_name": "socket", "annotation": ""}, "snippet": " self._sock = socket.socket(socket.AF_UNIX, socket.SOCK_STREAM)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L969_C8", "label": "if", "type": "if", "loc": [969, 972], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [4, 2, 0.6878, 0.0028, 2, 0.67, 0.6, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if unix_sock == None and host != None:\n self._sock.connect((host, port))\n elif unix_sock != None:\n self._sock.connect(unix_sock)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L970_C12", "label": "connect()", "type": "expression", "loc": [970, 970], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L969_C8", "vector": [8, 3, 0.6875, 0.0007, 3, 0.5, 0.0, 242, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "connect", "arg_names": [], "import_names": [], "rhs_call_name": "connect", "annotation": ""}, "snippet": " self._sock.connect((host, port))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L971_C8", "label": "if", "type": "if", "loc": [971, 972], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L969_C8", "vector": [4, 3, 0.6885, 0.0014, 3, 0.5, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif unix_sock != None:\n self._sock.connect(unix_sock)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L972_C12", "label": "connect()", "type": "expression", "loc": [972, 972], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L971_C8", "vector": [8, 4, 0.6889, 0.0007, 4, 0.07, 0.0, 242, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "connect", "arg_names": [], "import_names": [], "rhs_call_name": "connect", "annotation": ""}, "snippet": " self._sock.connect(unix_sock)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L973_C8", "label": "if", "type": "if", "loc": [973, 989], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [4, 2, 0.6953, 0.012, 2, 0.67, 0.6667, 0, 2, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ssl:\n self._sock_lock.acquire()\n try:\n self._send(SSLRequest())\n self._flush()\n resp = self._sock.recv(1)\n if resp == 'S' and sslmodule is not None:\n self._sock = sslmodule.wrap_socket(self._sock)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L974_C12", "label": "acquire()", "type": "expression", "loc": [974, 974], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L973_C8", "vector": [8, 3, 0.6903, 0.0007, 3, 0.1, 0.0, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " self._sock_lock.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L975_C12", "label": "try", "type": "try", "loc": [975, 986], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L973_C8", "vector": [7, 3, 0.6949, 0.0085, 3, 0.1, 0.5, 0, 0, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self._send(SSLRequest())\n self._flush()\n resp = self._sock.recv(1)\n if resp == 'S' and sslmodule is not None:\n self._sock = sslmodule.wrap_socket(self._sock)\n elif sslmodule is None:\n raise InterfaceError(\"SSL required but ssl module not available in this python installation\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L976_C16", "label": "_send()", "type": "expression", "loc": [976, 976], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L975_C12", "vector": [8, 4, 0.6917, 0.0007, 4, 0.41, 0.0, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(SSLRequest())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L977_C16", "label": "_flush()", "type": "expression", "loc": [977, 977], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L975_C12", "vector": [8, 4, 0.6924, 0.0007, 4, 0.41, 0.25, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L978_C16", "label": "resp = recv()", "type": "assigned_variable", "loc": [978, 978], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L975_C12", "vector": [14, 4, 0.6931, 0.0007, 4, 0.41, 0.5, 48, 3, 1, 0, 0, 178, 10, 1], "semantic": {"name": "resp", "arg_names": [], "import_names": [], "rhs_call_name": "recv", "annotation": ""}, "snippet": " resp = self._sock.recv(1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L979_C16", "label": "if", "type": "if", "loc": [979, 984], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L975_C12", "vector": [4, 4, 0.6956, 0.0043, 4, 0.41, 0.75, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if resp == 'S' and sslmodule is not None:\n self._sock = sslmodule.wrap_socket(self._sock)\n elif sslmodule is None:\n raise InterfaceError(\"SSL required but ssl module not available in this python installation\")\n else:\n raise InterfaceError(\"server refuses SSL\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L980_C20", "label": "self._sock = wrap_socket()", "type": "assigned_variable", "loc": [980, 980], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L979_C16", "vector": [14, 5, 0.6945, 0.0007, 5, 0.93, 0.0, 428, 3, 1, 0, 0, 85, 10, 1], "semantic": {"name": "self._sock", "arg_names": [], "import_names": [], "rhs_call_name": "wrap_socket", "annotation": ""}, "snippet": " self._sock = sslmodule.wrap_socket(self._sock)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L981_C16", "label": "if", "type": "if", "loc": [981, 984], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L979_C16", "vector": [4, 5, 0.6963, 0.0028, 5, 0.93, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif sslmodule is None:\n raise InterfaceError(\"SSL required but ssl module not available in this python installation\")\n else:\n raise InterfaceError(\"server refuses SSL\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L986_C16", "label": "release()", "type": "expression", "loc": [986, 986], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L975_C12", "vector": [8, 4, 0.6988, 0.0007, 4, 0.41, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " self._sock_lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L989_C12", "label": "settimeout()", "type": "expression", "loc": [989, 989], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L973_C8", "vector": [8, 3, 0.7009, 0.0007, 3, 0.1, 1.0, 27, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "settimeout", "arg_names": [], "import_names": [], "rhs_call_name": "settimeout", "annotation": ""}, "snippet": " self._sock.settimeout(socket_timeout)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L990_C8", "label": "self._state =", "type": "assigned_variable", "loc": [990, 990], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.7016, 0.0007, 2, 0.67, 0.7333, 243, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self._state", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._state = \"noauth\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L991_C8", "label": "self._backend_key_data =", "type": "assigned_variable", "loc": [991, 991], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.7023, 0.0007, 2, 0.67, 0.8, 986, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self._backend_key_data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._backend_key_data = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L993_C8", "label": "self.NoticeReceived = MulticastDelegate()", "type": "assigned_variable", "loc": [993, 993], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.7038, 0.0007, 2, 0.67, 0.8667, 160, 3, 0, 0, 0, 718, 10, 1], "semantic": {"name": "self.NoticeReceived", "arg_names": [], "import_names": [], "rhs_call_name": "MulticastDelegate", "annotation": ""}, "snippet": " self.NoticeReceived = MulticastDelegate()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L994_C8", "label": "self.ParameterStatusReceived = MulticastDelegate()", "type": "assigned_variable", "loc": [994, 994], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.7045, 0.0007, 2, 0.67, 0.9333, 596, 3, 0, 0, 0, 718, 10, 1], "semantic": {"name": "self.ParameterStatusReceived", "arg_names": [], "import_names": [], "rhs_call_name": "MulticastDelegate", "annotation": ""}, "snippet": " self.ParameterStatusReceived = MulticastDelegate()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L995_C8", "label": "self.NotificationReceived = MulticastDelegate()", "type": "assigned_variable", "loc": [995, 995], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "vector": [14, 2, 0.7052, 0.0007, 2, 0.67, 1.0, 529, 3, 0, 0, 0, 718, 10, 1], "semantic": {"name": "self.NotificationReceived", "arg_names": [], "import_names": [], "rhs_call_name": "MulticastDelegate", "annotation": ""}, "snippet": " self.NotificationReceived = MulticastDelegate()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L999_C4", "label": "verifyState", "type": "function", "loc": [999, 1001], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.7087, 0.0021, 1, 0.75, 0.0312, 969, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "verifyState", "arg_names": ["self", "state"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def verifyState(self, state):\n if self._state != state:\n raise InternalError(\"connection state must be %s, is %s\" % (state, self._state))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1000_C8", "label": "if", "type": "if", "loc": [1000, 1001], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L999_C4", "vector": [4, 2, 0.7091, 0.0014, 2, 0.46, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._state != state:\n raise InternalError(\"connection state must be %s, is %s\" % (state, self._state))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1003_C4", "label": "_send", "type": "function", "loc": [1003, 1009], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.713, 0.005, 1, 0.75, 0.0625, 791, 0, 2, 0, 0, 0, 0, 5], "semantic": {"name": "_send", "arg_names": ["self", "msg"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _send(self, msg):\n assert self._sock_lock.locked()\n ##print \"_send(%r)\" % msg\n data = msg.serialize()\n if not isinstance(data, str):\n raise TypeError(\"bytes data expected\")\n self._send_sock_buf.append(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1006_C8", "label": "data = serialize()", "type": "assigned_variable", "loc": [1006, 1006], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1003_C4", "vector": [14, 2, 0.713, 0.0007, 2, 0.47, 0.0, 929, 3, 0, 0, 0, 50, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "serialize", "annotation": ""}, "snippet": " data = msg.serialize()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1007_C8", "label": "if", "type": "if", "loc": [1007, 1008], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1003_C4", "vector": [4, 2, 0.714, 0.0014, 2, 0.47, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(data, str):\n raise TypeError(\"bytes data expected\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1009_C8", "label": "append()", "type": "expression", "loc": [1009, 1009], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1003_C4", "vector": [8, 2, 0.7151, 0.0007, 2, 0.47, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self._send_sock_buf.append(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1011_C4", "label": "_flush", "type": "function", "loc": [1011, 1014], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.7176, 0.0028, 1, 0.75, 0.0938, 131, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "_flush", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _flush(self):\n assert self._sock_lock.locked()\n self._sock.sendall(\"\".join(self._send_sock_buf))\n del self._send_sock_buf[:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1013_C8", "label": "sendall()", "type": "expression", "loc": [1013, 1013], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1011_C4", "vector": [8, 2, 0.7179, 0.0007, 2, 0.47, 0.0, 874, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "sendall", "arg_names": [], "import_names": [], "rhs_call_name": "sendall", "annotation": ""}, "snippet": " self._sock.sendall(\"\".join(self._send_sock_buf))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1016_C4", "label": "_read_bytes", "type": "function", "loc": [1016, 1029], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.7247, 0.0099, 1, 0.75, 0.125, 313, 0, 2, 1, 0, 0, 0, 6], "semantic": {"name": "_read_bytes", "arg_names": ["self", "byte_count"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _read_bytes(self, byte_count):\n retval = []\n bytes_read = 0\n while bytes_read < byte_count:\n if self._sock_buf_pos == len(self._sock_buf):\n self._sock_buf = self._sock.recv(1024)\n self._sock_buf_pos = 0\n rpos = min(len(self._sock_buf), self._sock_buf_pos + (byte_count - bytes_read))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1017_C8", "label": "retval =", "type": "assigned_variable", "loc": [1017, 1017], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1016_C4", "vector": [14, 2, 0.7208, 0.0007, 2, 0.91, 0.0, 991, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " retval = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1018_C8", "label": "bytes_read =", "type": "assigned_variable", "loc": [1018, 1018], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1016_C4", "vector": [14, 2, 0.7215, 0.0007, 2, 0.91, 0.3333, 649, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "bytes_read", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " bytes_read = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1019_C8", "label": "while", "type": "while", "loc": [1019, 1028], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1016_C4", "vector": [5, 2, 0.7254, 0.0071, 2, 0.91, 0.6667, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while bytes_read < byte_count:\n if self._sock_buf_pos == len(self._sock_buf):\n self._sock_buf = self._sock.recv(1024)\n self._sock_buf_pos = 0\n rpos = min(len(self._sock_buf), self._sock_buf_pos + (byte_count - bytes_read))\n addt_data = self._sock_buf[self._sock_buf_pos:rpos]\n bytes_read += (rpos - self._sock_buf_pos)\n assert bytes_read <= byte_count"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1020_C12", "label": "if", "type": "if", "loc": [1020, 1022], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1019_C8", "vector": [4, 3, 0.7236, 0.0021, 3, 0.13, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._sock_buf_pos == len(self._sock_buf):\n self._sock_buf = self._sock.recv(1024)\n self._sock_buf_pos = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1021_C16", "label": "self._sock_buf = recv()", "type": "assigned_variable", "loc": [1021, 1021], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1020_C12", "vector": [14, 4, 0.7236, 0.0007, 4, 0.5, 0.0, 720, 3, 1, 0, 0, 178, 10, 1], "semantic": {"name": "self._sock_buf", "arg_names": [], "import_names": [], "rhs_call_name": "recv", "annotation": ""}, "snippet": " self._sock_buf = self._sock.recv(1024)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1022_C16", "label": "self._sock_buf_pos =", "type": "assigned_variable", "loc": [1022, 1022], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1020_C12", "vector": [14, 4, 0.7243, 0.0007, 4, 0.5, 1.0, 165, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self._sock_buf_pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._sock_buf_pos = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1023_C12", "label": "rpos = min()", "type": "assigned_variable", "loc": [1023, 1023], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1019_C8", "vector": [14, 3, 0.725, 0.0007, 3, 0.13, 0.25, 846, 3, 2, 0, 0, 867, 10, 2], "semantic": {"name": "rpos", "arg_names": [], "import_names": [], "rhs_call_name": "min", "annotation": ""}, "snippet": " rpos = min(len(self._sock_buf), self._sock_buf_pos + (byte_count - bytes_read))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1024_C12", "label": "addt_data =", "type": "assigned_variable", "loc": [1024, 1024], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1019_C8", "vector": [14, 3, 0.7257, 0.0007, 3, 0.13, 0.5, 847, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "addt_data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " addt_data = self._sock_buf[self._sock_buf_pos:rpos]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1027_C12", "label": "self._sock_buf_pos =", "type": "assigned_variable", "loc": [1027, 1027], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1019_C8", "vector": [14, 3, 0.7279, 0.0007, 3, 0.13, 0.75, 165, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._sock_buf_pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._sock_buf_pos = rpos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1028_C12", "label": "append()", "type": "expression", "loc": [1028, 1028], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1019_C8", "vector": [8, 3, 0.7286, 0.0007, 3, 0.13, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " retval.append(addt_data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1029_C8", "label": "return", "type": "return", "loc": [1029, 1029], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1016_C4", "vector": [13, 2, 0.7293, 0.0007, 2, 0.91, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"\".join(retval)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "label": "_read_message", "type": "function", "loc": [1031, 1040], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.7339, 0.0071, 1, 0.75, 0.1562, 849, 0, 1, 1, 0, 0, 0, 6], "semantic": {"name": "_read_message", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _read_message(self):\n assert self._sock_lock.locked()\n bytes = self._read_bytes(5)\n message_code = bytes[0]\n data_len = struct.unpack(\"!i\", bytes[1:])[0] - 4\n bytes = self._read_bytes(data_len)\n assert len(bytes) == data_len\n msg = message_types[message_code].createFromData(bytes)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1033_C8", "label": "bytes = _read_bytes()", "type": "assigned_variable", "loc": [1033, 1033], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "vector": [14, 2, 0.7321, 0.0007, 2, 0.61, 0.0, 297, 3, 1, 0, 0, 313, 10, 1], "semantic": {"name": "bytes", "arg_names": [], "import_names": [], "rhs_call_name": "_read_bytes", "annotation": ""}, "snippet": " bytes = self._read_bytes(5)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1034_C8", "label": "message_code =", "type": "assigned_variable", "loc": [1034, 1034], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "vector": [14, 2, 0.7328, 0.0007, 2, 0.61, 0.2, 636, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "message_code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " message_code = bytes[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1035_C8", "label": "data_len =", "type": "assigned_variable", "loc": [1035, 1035], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "vector": [14, 2, 0.7335, 0.0007, 2, 0.61, 0.4, 835, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "data_len", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data_len = struct.unpack(\"!i\", bytes[1:])[0] - 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1036_C8", "label": "bytes = _read_bytes()", "type": "assigned_variable", "loc": [1036, 1036], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "vector": [14, 2, 0.7342, 0.0007, 2, 0.61, 0.6, 297, 3, 1, 0, 0, 313, 10, 1], "semantic": {"name": "bytes", "arg_names": [], "import_names": [], "rhs_call_name": "_read_bytes", "annotation": ""}, "snippet": " bytes = self._read_bytes(data_len)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1038_C8", "label": "msg = createFromData()", "type": "assigned_variable", "loc": [1038, 1038], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "vector": [14, 2, 0.7356, 0.0007, 2, 0.61, 0.8, 712, 3, 1, 0, 0, 582, 10, 1], "semantic": {"name": "msg", "arg_names": [], "import_names": [], "rhs_call_name": "createFromData", "annotation": ""}, "snippet": " msg = message_types[message_code].createFromData(bytes)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1040_C8", "label": "return", "type": "return", "loc": [1040, 1040], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "vector": [13, 2, 0.7371, 0.0007, 2, 0.61, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return msg"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1042_C4", "label": "authenticate", "type": "function", "loc": [1042, 1053], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.7424, 0.0085, 1, 0.75, 0.1875, 751, 0, 3, 0, 0, 0, 0, 11], "semantic": {"name": "authenticate", "arg_names": ["self", "user", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def authenticate(self, user, **kwargs):\n self.verifyState(\"noauth\")\n self._sock_lock.acquire()\n try:\n self._send(StartupMessage(user, database=kwargs.get(\"database\",None)))\n self._flush()\n\n reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1043_C8", "label": "verifyState()", "type": "expression", "loc": [1043, 1043], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1042_C4", "vector": [8, 2, 0.7392, 0.0007, 2, 0.3, 0.0, 969, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "verifyState", "arg_names": [], "import_names": [], "rhs_call_name": "verifyState", "annotation": ""}, "snippet": " self.verifyState(\"noauth\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1044_C8", "label": "acquire()", "type": "expression", "loc": [1044, 1044], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1042_C4", "vector": [8, 2, 0.7399, 0.0007, 2, 0.3, 0.5, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " self._sock_lock.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "label": "try", "type": "try", "loc": [1045, 1053], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1042_C4", "vector": [7, 2, 0.7434, 0.0064, 2, 0.3, 1.0, 0, 0, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self._send(StartupMessage(user, database=kwargs.get(\"database\",None)))\n self._flush()\n\n reader = MessageReader(self)\n reader.add_message(AuthenticationRequest, self._authentication_request(user, **kwargs))\n reader.handle_messages()\n finally:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1046_C12", "label": "_send()", "type": "expression", "loc": [1046, 1046], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "vector": [8, 3, 0.7413, 0.0007, 3, 0.09, 0.0, 791, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(StartupMessage(user, database=kwargs.get(\"database\",None)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1047_C12", "label": "_flush()", "type": "expression", "loc": [1047, 1047], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "vector": [8, 3, 0.742, 0.0007, 3, 0.09, 0.2, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1049_C12", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [1049, 1049], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "vector": [14, 3, 0.7434, 0.0007, 3, 0.09, 0.4, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1050_C12", "label": "add_message()", "type": "expression", "loc": [1050, 1050], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "vector": [8, 3, 0.7442, 0.0007, 3, 0.09, 0.6, 143, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(AuthenticationRequest, self._authentication_request(user, **kwargs))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1051_C12", "label": "handle_messages()", "type": "expression", "loc": [1051, 1051], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "vector": [8, 3, 0.7449, 0.0007, 3, 0.09, 0.8, 275, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "handle_messages", "arg_names": [], "import_names": [], "rhs_call_name": "handle_messages", "annotation": ""}, "snippet": " reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1053_C12", "label": "release()", "type": "expression", "loc": [1053, 1053], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "vector": [8, 3, 0.7463, 0.0007, 3, 0.09, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " self._sock_lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1055_C4", "label": "_authentication_request", "type": "function", "loc": [1055, 1066], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.7516, 0.0085, 1, 0.75, 0.2188, 486, 0, 3, 1, 0, 0, 0, 7], "semantic": {"name": "_authentication_request", "arg_names": ["self", "user", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _authentication_request(self, user, **kwargs):\n def _func(msg):\n assert self._sock_lock.locked()\n if not msg.ok(self, user, **kwargs):\n raise InterfaceError(\"authentication method %s failed\" % msg.__class__.__name__)\n self._state = \"auth\"\n reader = MessageReader(self)\n reader.add_message(ReadyForQuery, self._ready_for_query)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "label": "_func", "type": "function", "loc": [1056, 1065], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1055_C4", "vector": [2, 2, 0.7516, 0.0071, 2, 0.01, 0.0, 839, 0, 1, 1, 0, 0, 0, 7], "semantic": {"name": "_func", "arg_names": ["msg"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _func(msg):\n assert self._sock_lock.locked()\n if not msg.ok(self, user, **kwargs):\n raise InterfaceError(\"authentication method %s failed\" % msg.__class__.__name__)\n self._state = \"auth\"\n reader = MessageReader(self)\n reader.add_message(ReadyForQuery, self._ready_for_query)\n reader.add_message(BackendKeyData, self._receive_backend_key_data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1058_C12", "label": "if", "type": "if", "loc": [1058, 1059], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "vector": [4, 3, 0.7502, 0.0014, 3, 0.76, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not msg.ok(self, user, **kwargs):\n raise InterfaceError(\"authentication method %s failed\" % msg.__class__.__name__)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1060_C12", "label": "self._state =", "type": "assigned_variable", "loc": [1060, 1060], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "vector": [14, 3, 0.7512, 0.0007, 3, 0.76, 0.1667, 243, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self._state", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._state = \"auth\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1061_C12", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [1061, 1061], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "vector": [14, 3, 0.7519, 0.0007, 3, 0.76, 0.3333, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1062_C12", "label": "add_message()", "type": "expression", "loc": [1062, 1062], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "vector": [8, 3, 0.7527, 0.0007, 3, 0.76, 0.5, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(ReadyForQuery, self._ready_for_query)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1063_C12", "label": "add_message()", "type": "expression", "loc": [1063, 1063], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "vector": [8, 3, 0.7534, 0.0007, 3, 0.76, 0.6667, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(BackendKeyData, self._receive_backend_key_data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1064_C12", "label": "handle_messages()", "type": "expression", "loc": [1064, 1064], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "vector": [8, 3, 0.7541, 0.0007, 3, 0.76, 0.8333, 275, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "handle_messages", "arg_names": [], "import_names": [], "rhs_call_name": "handle_messages", "annotation": ""}, "snippet": " reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1065_C12", "label": "return", "type": "return", "loc": [1065, 1065], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "vector": [13, 3, 0.7548, 0.0007, 3, 0.76, 1.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1066_C8", "label": "return", "type": "return", "loc": [1066, 1066], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1055_C4", "vector": [13, 2, 0.7555, 0.0007, 2, 0.01, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _func"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1068_C4", "label": "_ready_for_query", "type": "function", "loc": [1068, 1070], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.7576, 0.0021, 1, 0.75, 0.25, 113, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "_ready_for_query", "arg_names": ["self", "msg"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _ready_for_query(self, msg):\n self._state = \"ready\"\n return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1069_C8", "label": "self._state =", "type": "assigned_variable", "loc": [1069, 1069], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1068_C4", "vector": [14, 2, 0.7576, 0.0007, 2, 0.74, 0.0, 243, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self._state", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._state = \"ready\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1070_C8", "label": "return", "type": "return", "loc": [1070, 1070], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1068_C4", "vector": [13, 2, 0.7583, 0.0007, 2, 0.74, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1072_C4", "label": "_receive_backend_key_data", "type": "function", "loc": [1072, 1073], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.7601, 0.0014, 1, 0.75, 0.2812, 123, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "_receive_backend_key_data", "arg_names": ["self", "msg"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _receive_backend_key_data(self, msg):\n self._backend_key_data = msg"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1073_C8", "label": "self._backend_key_data =", "type": "assigned_variable", "loc": [1073, 1073], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1072_C4", "vector": [14, 2, 0.7605, 0.0007, 2, 0.83, 0.0, 986, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._backend_key_data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._backend_key_data = msg"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "label": "parse", "type": "function", "loc": [1076, 1104], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.7725, 0.0206, 1, 0.75, 0.3125, 678, 0, 4, 1, 0, 0, 0, 17], "semantic": {"name": "parse", "arg_names": ["self", "statement", "qs", "param_types"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def parse(self, statement, qs, param_types):\n self.verifyState(\"ready\")\n\n type_info = [types.pg_type_info(x) for x in param_types]\n param_types, param_fc = [x[0] for x in type_info], [x[1] for x in type_info] # zip(*type_info) -- fails on empty arr\n if isinstance(qs, unicode):\n qs = qs.encode(self._client_encoding)\n self._send(Parse(statement, qs, param_types))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1077_C8", "label": "verifyState()", "type": "expression", "loc": [1077, 1077], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [8, 2, 0.7633, 0.0007, 2, 0.85, 0.0, 969, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "verifyState", "arg_names": [], "import_names": [], "rhs_call_name": "verifyState", "annotation": ""}, "snippet": " self.verifyState(\"ready\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1079_C8", "label": "type_info =", "type": "assigned_variable", "loc": [1079, 1079], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [14, 2, 0.7647, 0.0007, 2, 0.85, 0.0769, 534, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "type_info", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " type_info = [types.pg_type_info(x) for x in param_types]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1080_C8", "label": "param_types, param_fc =", "type": "assigned_variable", "loc": [1080, 1080], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [14, 2, 0.7654, 0.0007, 2, 0.85, 0.1538, 770, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "param_types, param_fc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " param_types, param_fc = [x[0] for x in type_info], [x[1] for x in type_info] # zip(*type_info) -- fails on empty arr"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1081_C8", "label": "if", "type": "if", "loc": [1081, 1082], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [4, 2, 0.7665, 0.0014, 2, 0.85, 0.2308, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(qs, unicode):\n qs = qs.encode(self._client_encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1082_C12", "label": "qs = encode()", "type": "assigned_variable", "loc": [1082, 1082], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1081_C8", "vector": [14, 3, 0.7668, 0.0007, 3, 0.08, 0.0, 251, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "qs", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " qs = qs.encode(self._client_encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1083_C8", "label": "_send()", "type": "expression", "loc": [1083, 1083], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [8, 2, 0.7675, 0.0007, 2, 0.85, 0.3077, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Parse(statement, qs, param_types))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1084_C8", "label": "_send()", "type": "expression", "loc": [1084, 1084], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [8, 2, 0.7682, 0.0007, 2, 0.85, 0.3846, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(DescribePreparedStatement(statement))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1085_C8", "label": "_send()", "type": "expression", "loc": [1085, 1085], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [8, 2, 0.769, 0.0007, 2, 0.85, 0.4615, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Flush())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1086_C8", "label": "_flush()", "type": "expression", "loc": [1086, 1086], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [8, 2, 0.7697, 0.0007, 2, 0.85, 0.5385, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1088_C8", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [1088, 1088], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [14, 2, 0.7711, 0.0007, 2, 0.85, 0.6154, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1091_C8", "label": "add_message()", "type": "expression", "loc": [1091, 1091], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [8, 2, 0.7732, 0.0007, 2, 0.85, 0.6923, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(ParseComplete, lambda msg: 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1095_C8", "label": "add_message()", "type": "expression", "loc": [1095, 1095], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [8, 2, 0.776, 0.0007, 2, 0.85, 0.7692, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(ParameterDescription, lambda msg: 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1099_C8", "label": "add_message()", "type": "expression", "loc": [1099, 1099], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [8, 2, 0.7789, 0.0007, 2, 0.85, 0.8462, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(NoData, lambda msg: (None, param_fc))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1102_C8", "label": "add_message()", "type": "expression", "loc": [1102, 1102], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [8, 2, 0.781, 0.0007, 2, 0.85, 0.9231, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(RowDescription, lambda msg: (msg, param_fc))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1104_C8", "label": "return", "type": "return", "loc": [1104, 1104], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "vector": [13, 2, 0.7824, 0.0007, 2, 0.85, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "label": "bind", "type": "function", "loc": [1107, 1142], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.797, 0.0255, 1, 0.75, 0.3438, 640, 0, 6, 1, 0, 0, 0, 14], "semantic": {"name": "bind", "arg_names": ["self", "portal", "statement", "params", "parse_data", "copy_stream"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def bind(self, portal, statement, params, parse_data, copy_stream):\n self.verifyState(\"ready\")\n\n row_desc, param_fc = parse_data\n if row_desc == None:\n # no data coming out\n output_fc = ()\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1108_C8", "label": "verifyState()", "type": "expression", "loc": [1108, 1108], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "vector": [8, 2, 0.7853, 0.0007, 2, 0.21, 0.0, 969, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "verifyState", "arg_names": [], "import_names": [], "rhs_call_name": "verifyState", "annotation": ""}, "snippet": " self.verifyState(\"ready\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1110_C8", "label": "row_desc, param_fc =", "type": "assigned_variable", "loc": [1110, 1110], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "vector": [14, 2, 0.7867, 0.0007, 2, 0.21, 0.0909, 386, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "row_desc, param_fc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " row_desc, param_fc = parse_data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1111_C8", "label": "if", "type": "if", "loc": [1111, 1117], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "vector": [4, 2, 0.7895, 0.005, 2, 0.21, 0.1818, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if row_desc == None:\n # no data coming out\n output_fc = ()\n else:\n # We've got row_desc that allows us to identify what we're going to\n # get back from this statement.\n output_fc = [types.py_type_info(f) for f in row_desc.fields]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1113_C12", "label": "output_fc =", "type": "assigned_variable", "loc": [1113, 1113], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1111_C8", "vector": [14, 3, 0.7888, 0.0007, 3, 0.83, 0.0, 892, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "output_fc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " output_fc = ()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1117_C12", "label": "output_fc =", "type": "assigned_variable", "loc": [1117, 1117], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1111_C8", "vector": [14, 3, 0.7916, 0.0007, 3, 0.83, 1.0, 892, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "output_fc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " output_fc = [types.py_type_info(f) for f in row_desc.fields]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1118_C8", "label": "_send()", "type": "expression", "loc": [1118, 1118], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "vector": [8, 2, 0.7923, 0.0007, 2, 0.21, 0.2727, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Bind(portal, statement, param_fc, params, output_fc, client_encoding = self._client_encoding, integer_datetimes = self._integer_datetimes))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1122_C8", "label": "_send()", "type": "expression", "loc": [1122, 1122], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "vector": [8, 2, 0.7952, 0.0007, 2, 0.21, 0.3636, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(DescribePortal(portal))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1123_C8", "label": "_send()", "type": "expression", "loc": [1123, 1123], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "vector": [8, 2, 0.7959, 0.0007, 2, 0.21, 0.4545, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Flush())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1124_C8", "label": "_flush()", "type": "expression", "loc": [1124, 1124], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "vector": [8, 2, 0.7966, 0.0007, 2, 0.21, 0.5455, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1127_C8", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [1127, 1127], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "vector": [14, 2, 0.7987, 0.0007, 2, 0.21, 0.6364, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1130_C8", "label": "add_message()", "type": "expression", "loc": [1130, 1130], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "vector": [8, 2, 0.8009, 0.0007, 2, 0.21, 0.7273, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(BindComplete, lambda msg: 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1136_C8", "label": "add_message()", "type": "expression", "loc": [1136, 1136], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "vector": [8, 2, 0.8051, 0.0007, 2, 0.21, 0.8182, 143, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(NoData, self._bind_nodata, portal, reader, copy_stream)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1140_C8", "label": "add_message()", "type": "expression", "loc": [1140, 1140], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "vector": [8, 2, 0.8079, 0.0007, 2, 0.21, 0.9091, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(RowDescription, lambda msg: (msg, None))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1142_C8", "label": "return", "type": "return", "loc": [1142, 1142], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "vector": [13, 2, 0.8094, 0.0007, 2, 0.21, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1144_C4", "label": "_copy_in_response", "type": "function", "loc": [1144, 1155], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.8147, 0.0085, 1, 0.75, 0.375, 479, 0, 4, 0, 0, 0, 0, 10], "semantic": {"name": "_copy_in_response", "arg_names": ["self", "copyin", "fileobj", "old_reader"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _copy_in_response(self, copyin, fileobj, old_reader):\n if fileobj == None:\n raise CopyQueryWithoutStreamError()\n while True:\n data = fileobj.read(self._block_size)\n if not data:\n break\n self._send(CopyData(data))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1145_C8", "label": "if", "type": "if", "loc": [1145, 1146], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1144_C4", "vector": [4, 2, 0.8118, 0.0014, 2, 0.18, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if fileobj == None:\n raise CopyQueryWithoutStreamError()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1147_C8", "label": "while", "type": "while", "loc": [1147, 1152], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1144_C4", "vector": [5, 2, 0.8147, 0.0043, 2, 0.18, 0.25, 0, 1, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while True:\n data = fileobj.read(self._block_size)\n if not data:\n break\n self._send(CopyData(data))\n self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1148_C12", "label": "data = read()", "type": "assigned_variable", "loc": [1148, 1148], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1147_C8", "vector": [14, 3, 0.8136, 0.0007, 3, 0.23, 0.0, 929, 3, 1, 0, 0, 453, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " data = fileobj.read(self._block_size)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1149_C12", "label": "if", "type": "if", "loc": [1149, 1150], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1147_C8", "vector": [4, 3, 0.8147, 0.0014, 3, 0.23, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not data:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1151_C12", "label": "_send()", "type": "expression", "loc": [1151, 1151], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1147_C8", "vector": [8, 3, 0.8157, 0.0007, 3, 0.23, 0.6667, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(CopyData(data))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1152_C12", "label": "_flush()", "type": "expression", "loc": [1152, 1152], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1147_C8", "vector": [8, 3, 0.8164, 0.0007, 3, 0.23, 1.0, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1153_C8", "label": "_send()", "type": "expression", "loc": [1153, 1153], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1144_C4", "vector": [8, 2, 0.8172, 0.0007, 2, 0.18, 0.5, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(CopyDone())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1154_C8", "label": "_send()", "type": "expression", "loc": [1154, 1154], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1144_C4", "vector": [8, 2, 0.8179, 0.0007, 2, 0.18, 0.75, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Sync())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1155_C8", "label": "_flush()", "type": "expression", "loc": [1155, 1155], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1144_C4", "vector": [8, 2, 0.8186, 0.0007, 2, 0.18, 1.0, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1157_C4", "label": "_copy_out_response", "type": "function", "loc": [1157, 1163], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.8221, 0.005, 1, 0.75, 0.4062, 248, 0, 4, 0, 0, 0, 0, 5], "semantic": {"name": "_copy_out_response", "arg_names": ["self", "copyout", "fileobj", "old_reader"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _copy_out_response(self, copyout, fileobj, old_reader):\n if fileobj == None:\n raise CopyQueryWithoutStreamError()\n reader = MessageReader(self)\n reader.add_message(CopyData, self._copy_data, fileobj)\n reader.add_message(CopyDone, lambda msg: 1)\n reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1158_C8", "label": "if", "type": "if", "loc": [1158, 1159], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1157_C4", "vector": [4, 2, 0.821, 0.0014, 2, 0.41, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if fileobj == None:\n raise CopyQueryWithoutStreamError()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1160_C8", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [1160, 1160], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1157_C4", "vector": [14, 2, 0.8221, 0.0007, 2, 0.41, 0.25, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1161_C8", "label": "add_message()", "type": "expression", "loc": [1161, 1161], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1157_C4", "vector": [8, 2, 0.8228, 0.0007, 2, 0.41, 0.5, 143, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(CopyData, self._copy_data, fileobj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1162_C8", "label": "add_message()", "type": "expression", "loc": [1162, 1162], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1157_C4", "vector": [8, 2, 0.8235, 0.0007, 2, 0.41, 0.75, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(CopyDone, lambda msg: 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1163_C8", "label": "handle_messages()", "type": "expression", "loc": [1163, 1163], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1157_C4", "vector": [8, 2, 0.8242, 0.0007, 2, 0.41, 1.0, 275, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "handle_messages", "arg_names": [], "import_names": [], "rhs_call_name": "handle_messages", "annotation": ""}, "snippet": " reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1165_C4", "label": "_copy_data", "type": "function", "loc": [1165, 1166], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.826, 0.0014, 1, 0.75, 0.4375, 515, 0, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_copy_data", "arg_names": ["self", "copydata", "fileobj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _copy_data(self, copydata, fileobj):\n fileobj.write(copydata.data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1166_C8", "label": "write()", "type": "expression", "loc": [1166, 1166], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1165_C4", "vector": [8, 2, 0.8264, 0.0007, 2, 0.18, 0.0, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " fileobj.write(copydata.data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "label": "_bind_nodata", "type": "function", "loc": [1168, 1183], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.8331, 0.0113, 1, 0.75, 0.4688, 593, 0, 5, 0, 0, 0, 0, 13], "semantic": {"name": "_bind_nodata", "arg_names": ["self", "msg", "portal", "old_reader", "copy_stream"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _bind_nodata(self, msg, portal, old_reader, copy_stream):\n # Bind message returned NoData, causing us to execute the command.\n self._send(Execute(portal, 0))\n self._send(Sync())\n self._flush()\n\n output = {}\n reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1170_C8", "label": "_send()", "type": "expression", "loc": [1170, 1170], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "vector": [8, 2, 0.8292, 0.0007, 2, 0.73, 0.0, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Execute(portal, 0))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1171_C8", "label": "_send()", "type": "expression", "loc": [1171, 1171], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "vector": [8, 2, 0.8299, 0.0007, 2, 0.73, 0.0909, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Sync())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1172_C8", "label": "_flush()", "type": "expression", "loc": [1172, 1172], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "vector": [8, 2, 0.8306, 0.0007, 2, 0.73, 0.1818, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1174_C8", "label": "output =", "type": "assigned_variable", "loc": [1174, 1174], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "vector": [14, 2, 0.832, 0.0007, 2, 0.73, 0.2727, 886, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "output", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " output = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1175_C8", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [1175, 1175], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "vector": [14, 2, 0.8327, 0.0007, 2, 0.73, 0.3636, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1176_C8", "label": "add_message()", "type": "expression", "loc": [1176, 1176], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "vector": [8, 2, 0.8335, 0.0007, 2, 0.73, 0.4545, 143, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(CopyOutResponse, self._copy_out_response, copy_stream, reader)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1177_C8", "label": "add_message()", "type": "expression", "loc": [1177, 1177], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "vector": [8, 2, 0.8342, 0.0007, 2, 0.73, 0.5455, 143, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(CopyInResponse, self._copy_in_response, copy_stream, reader)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1178_C8", "label": "add_message()", "type": "expression", "loc": [1178, 1178], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "vector": [8, 2, 0.8349, 0.0007, 2, 0.73, 0.6364, 143, 3, 3, 0, 0, 0, 0, 2], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(CommandComplete, lambda msg, out: out.setdefault('msg', msg) and False, output)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1179_C8", "label": "add_message()", "type": "expression", "loc": [1179, 1179], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "vector": [8, 2, 0.8356, 0.0007, 2, 0.73, 0.7273, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(ReadyForQuery, lambda msg: 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1180_C8", "label": "reader.delay_raising_exception =", "type": "assigned_variable", "loc": [1180, 1180], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "vector": [14, 2, 0.8363, 0.0007, 2, 0.73, 0.8182, 669, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "reader.delay_raising_exception", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " reader.delay_raising_exception = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1181_C8", "label": "handle_messages()", "type": "expression", "loc": [1181, 1181], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "vector": [8, 2, 0.837, 0.0007, 2, 0.73, 0.9091, 275, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "handle_messages", "arg_names": [], "import_names": [], "rhs_call_name": "handle_messages", "annotation": ""}, "snippet": " reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1183_C8", "label": "return_value()", "type": "expression", "loc": [1183, 1183], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "vector": [8, 2, 0.8384, 0.0007, 2, 0.73, 1.0, 271, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "return_value", "arg_names": [], "import_names": [], "rhs_call_name": "return_value", "annotation": ""}, "snippet": " old_reader.return_value((None, output['msg']))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "label": "send_simple_query", "type": "function", "loc": [1186, 1234], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.8575, 0.0347, 1, 0.75, 0.5, 669, 0, 3, 1, 0, 0, 0, 20], "semantic": {"name": "send_simple_query", "arg_names": ["self", "query_string", "copy_stream"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def send_simple_query(self, query_string, copy_stream=None):\n \"Submit a simple query (PQsendQuery)\"\n\n # Only use this for trivial queries, as its use is discouraged because:\n # CONS:\n # - Parameter are \"injected\" (they should be escaped by the app)\n # - Exesive memory usage (allways returns all rows on completion)\n # - Inneficient transmission of data in plain text (except for FETCH)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1187_C8", "label": "expression", "type": "expression", "loc": [1187, 1187], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [8, 2, 0.8412, 0.0007, 2, 0.81, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Submit a simple query (PQsendQuery)\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1204_C8", "label": "verifyState()", "type": "expression", "loc": [1204, 1204], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [8, 2, 0.8533, 0.0007, 2, 0.81, 0.0588, 969, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "verifyState", "arg_names": [], "import_names": [], "rhs_call_name": "verifyState", "annotation": ""}, "snippet": " self.verifyState(\"ready\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1206_C8", "label": "if", "type": "if", "loc": [1206, 1207], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [4, 2, 0.8551, 0.0014, 2, 0.81, 0.1176, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(query_string, unicode):\n query_string = query_string.encode(self._client_encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1207_C12", "label": "query_string = encode()", "type": "assigned_variable", "loc": [1207, 1207], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1206_C8", "vector": [14, 3, 0.8554, 0.0007, 3, 0.99, 0.0, 631, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "query_string", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " query_string = query_string.encode(self._client_encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1209_C8", "label": "_send()", "type": "expression", "loc": [1209, 1209], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [8, 2, 0.8568, 0.0007, 2, 0.81, 0.1765, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(SimpleQuery(query_string))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1210_C8", "label": "_flush()", "type": "expression", "loc": [1210, 1210], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [8, 2, 0.8575, 0.0007, 2, 0.81, 0.2353, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1213_C8", "label": "output =", "type": "assigned_variable", "loc": [1213, 1213], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [14, 2, 0.8597, 0.0007, 2, 0.81, 0.2941, 886, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "output", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " output = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1214_C8", "label": "rows =", "type": "assigned_variable", "loc": [1214, 1214], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [14, 2, 0.8604, 0.0007, 2, 0.81, 0.3529, 275, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "rows", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " rows = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1217_C8", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [1217, 1217], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [14, 2, 0.8625, 0.0007, 2, 0.81, 0.4118, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1220_C8", "label": "add_message()", "type": "expression", "loc": [1220, 1220], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [8, 2, 0.8646, 0.0007, 2, 0.81, 0.4706, 143, 3, 3, 0, 0, 0, 0, 2], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(RowDescription, lambda msg, out: out.setdefault('row_desc', msg) and False, output)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1221_C8", "label": "add_message()", "type": "expression", "loc": [1221, 1221], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [8, 2, 0.8653, 0.0007, 2, 0.81, 0.5294, 143, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(DataRow, lambda msg: self._fetch_datarow(msg, rows, output['row_desc']))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1222_C8", "label": "add_message()", "type": "expression", "loc": [1222, 1222], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [8, 2, 0.8661, 0.0007, 2, 0.81, 0.5882, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(EmptyQueryResponse, lambda msg: False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1223_C8", "label": "add_message()", "type": "expression", "loc": [1223, 1223], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [8, 2, 0.8668, 0.0007, 2, 0.81, 0.6471, 143, 3, 3, 0, 0, 0, 0, 2], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(CommandComplete, lambda msg, out: out.setdefault('complete', msg) and False, output) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1224_C8", "label": "add_message()", "type": "expression", "loc": [1224, 1224], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [8, 2, 0.8675, 0.0007, 2, 0.81, 0.7059, 143, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(CopyInResponse, self._copy_in_response, copy_stream, reader)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1225_C8", "label": "add_message()", "type": "expression", "loc": [1225, 1225], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [8, 2, 0.8682, 0.0007, 2, 0.81, 0.7647, 143, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(CopyOutResponse, self._copy_out_response, copy_stream, reader)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1227_C8", "label": "add_message()", "type": "expression", "loc": [1227, 1227], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [8, 2, 0.8696, 0.0007, 2, 0.81, 0.8235, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(ReadyForQuery, lambda msg: 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1229_C8", "label": "reader.delay_raising_exception =", "type": "assigned_variable", "loc": [1229, 1229], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [14, 2, 0.871, 0.0007, 2, 0.81, 0.8824, 669, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "reader.delay_raising_exception", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " reader.delay_raising_exception = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1231_C8", "label": "retval = handle_messages()", "type": "assigned_variable", "loc": [1231, 1231], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [14, 2, 0.8724, 0.0007, 2, 0.81, 0.9412, 991, 3, 0, 0, 0, 275, 10, 1], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "handle_messages", "annotation": ""}, "snippet": " retval = reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1234_C8", "label": "return", "type": "return", "loc": [1234, 1234], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "vector": [13, 2, 0.8746, 0.0007, 2, 0.81, 1.0, 0, 0, 0, 0, 0, 0, 8, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return output.get('row_desc'), output.get('complete'), rows"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "label": "fetch_rows", "type": "function", "loc": [1237, 1253], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.8824, 0.012, 1, 0.75, 0.5312, 128, 0, 4, 1, 0, 0, 0, 11], "semantic": {"name": "fetch_rows", "arg_names": ["self", "portal", "row_count", "row_desc"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fetch_rows(self, portal, row_count, row_desc):\n self.verifyState(\"ready\")\n\n self._send(Execute(portal, row_count))\n self._send(Flush())\n self._flush()\n rows = []\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1238_C8", "label": "verifyState()", "type": "expression", "loc": [1238, 1238], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "vector": [8, 2, 0.8774, 0.0007, 2, 0.83, 0.0, 969, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "verifyState", "arg_names": [], "import_names": [], "rhs_call_name": "verifyState", "annotation": ""}, "snippet": " self.verifyState(\"ready\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1240_C8", "label": "_send()", "type": "expression", "loc": [1240, 1240], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "vector": [8, 2, 0.8788, 0.0007, 2, 0.83, 0.1, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Execute(portal, row_count))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1241_C8", "label": "_send()", "type": "expression", "loc": [1241, 1241], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "vector": [8, 2, 0.8795, 0.0007, 2, 0.83, 0.2, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Flush())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1242_C8", "label": "_flush()", "type": "expression", "loc": [1242, 1242], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "vector": [8, 2, 0.8802, 0.0007, 2, 0.83, 0.3, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1243_C8", "label": "rows =", "type": "assigned_variable", "loc": [1243, 1243], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "vector": [14, 2, 0.8809, 0.0007, 2, 0.83, 0.4, 275, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "rows", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " rows = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1245_C8", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [1245, 1245], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "vector": [14, 2, 0.8824, 0.0007, 2, 0.83, 0.5, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1246_C8", "label": "add_message()", "type": "expression", "loc": [1246, 1246], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "vector": [8, 2, 0.8831, 0.0007, 2, 0.83, 0.6, 143, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(DataRow, self._fetch_datarow, rows, row_desc)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1247_C8", "label": "add_message()", "type": "expression", "loc": [1247, 1247], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "vector": [8, 2, 0.8838, 0.0007, 2, 0.83, 0.7, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(PortalSuspended, lambda msg: 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1248_C8", "label": "add_message()", "type": "expression", "loc": [1248, 1248], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "vector": [8, 2, 0.8845, 0.0007, 2, 0.83, 0.8, 143, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(CommandComplete, self._fetch_commandcomplete, portal)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1249_C8", "label": "retval = handle_messages()", "type": "assigned_variable", "loc": [1249, 1249], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "vector": [14, 2, 0.8852, 0.0007, 2, 0.83, 0.9, 991, 3, 0, 0, 0, 275, 10, 1], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "handle_messages", "annotation": ""}, "snippet": " retval = reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1253_C8", "label": "return", "type": "return", "loc": [1253, 1253], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "vector": [13, 2, 0.888, 0.0007, 2, 0.83, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (retval == 2), rows"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1255_C4", "label": "_fetch_datarow", "type": "function", "loc": [1255, 1266], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.8933, 0.0085, 1, 0.75, 0.5625, 17, 0, 4, 0, 0, 0, 0, 4], "semantic": {"name": "_fetch_datarow", "arg_names": ["self", "msg", "rows", "row_desc"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _fetch_datarow(self, msg, rows, row_desc):\n rows.append(\n [\n types.py_value(\n msg.fields[i],\n row_desc.fields[i],\n client_encoding=self._client_encoding,\n integer_datetimes=self._integer_datetimes,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1256_C8", "label": "append()", "type": "expression", "loc": [1256, 1266], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1255_C4", "vector": [8, 2, 0.8937, 0.0078, 2, 0.48, 0.0, 243, 3, 1, 0, 0, 0, 0, 4], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " rows.append(\n [\n types.py_value(\n msg.fields[i],\n row_desc.fields[i],\n client_encoding=self._client_encoding,\n integer_datetimes=self._integer_datetimes,\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "label": "_fetch_commandcomplete", "type": "function", "loc": [1268, 1278], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9022, 0.0078, 1, 0.75, 0.5938, 559, 0, 3, 1, 0, 0, 0, 9], "semantic": {"name": "_fetch_commandcomplete", "arg_names": ["self", "msg", "portal"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _fetch_commandcomplete(self, msg, portal):\n self._send(ClosePortal(portal))\n self._send(Sync())\n self._flush()\n\n reader = MessageReader(self)\n reader.add_message(ReadyForQuery, self._fetch_commandcomplete_rfq)\n reader.add_message(CloseComplete, lambda msg: False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1269_C8", "label": "_send()", "type": "expression", "loc": [1269, 1269], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "vector": [8, 2, 0.8994, 0.0007, 2, 0.56, 0.0, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(ClosePortal(portal))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1270_C8", "label": "_send()", "type": "expression", "loc": [1270, 1270], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "vector": [8, 2, 0.9001, 0.0007, 2, 0.56, 0.1429, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Sync())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1271_C8", "label": "_flush()", "type": "expression", "loc": [1271, 1271], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "vector": [8, 2, 0.9008, 0.0007, 2, 0.56, 0.2857, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1273_C8", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [1273, 1273], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "vector": [14, 2, 0.9022, 0.0007, 2, 0.56, 0.4286, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1274_C8", "label": "add_message()", "type": "expression", "loc": [1274, 1274], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "vector": [8, 2, 0.9029, 0.0007, 2, 0.56, 0.5714, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(ReadyForQuery, self._fetch_commandcomplete_rfq)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1275_C8", "label": "add_message()", "type": "expression", "loc": [1275, 1275], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "vector": [8, 2, 0.9036, 0.0007, 2, 0.56, 0.7143, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(CloseComplete, lambda msg: False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1276_C8", "label": "handle_messages()", "type": "expression", "loc": [1276, 1276], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "vector": [8, 2, 0.9043, 0.0007, 2, 0.56, 0.8571, 275, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "handle_messages", "arg_names": [], "import_names": [], "rhs_call_name": "handle_messages", "annotation": ""}, "snippet": " reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1278_C8", "label": "return", "type": "return", "loc": [1278, 1278], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "vector": [13, 2, 0.9057, 0.0007, 2, 0.56, 1.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 2 # signal end-of-data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1280_C4", "label": "_fetch_commandcomplete_rfq", "type": "function", "loc": [1280, 1282], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9079, 0.0021, 1, 0.75, 0.625, 131, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "_fetch_commandcomplete_rfq", "arg_names": ["self", "msg"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _fetch_commandcomplete_rfq(self, msg):\n self._state = \"ready\"\n return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1281_C8", "label": "self._state =", "type": "assigned_variable", "loc": [1281, 1281], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1280_C4", "vector": [14, 2, 0.9079, 0.0007, 2, 0.8, 0.0, 243, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self._state", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._state = \"ready\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1282_C8", "label": "return", "type": "return", "loc": [1282, 1282], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1280_C4", "vector": [13, 2, 0.9086, 0.0007, 2, 0.8, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "label": "_sync", "type": "function", "loc": [1286, 1294], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9142, 0.0064, 1, 0.75, 0.6562, 979, 0, 1, 0, 0, 0, 0, 6], "semantic": {"name": "_sync", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _sync(self):\n # it is assumed _sync is called from sync_on_error, which holds\n # a _sock_lock throughout the call\n self._send(Sync())\n self._flush()\n reader = MessageReader(self)\n reader.ignore_unhandled_messages = True\n reader.add_message(ReadyForQuery, lambda msg: True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1289_C8", "label": "_send()", "type": "expression", "loc": [1289, 1289], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "vector": [8, 2, 0.9135, 0.0007, 2, 0.6, 0.0, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Sync())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1290_C8", "label": "_flush()", "type": "expression", "loc": [1290, 1290], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "vector": [8, 2, 0.9142, 0.0007, 2, 0.6, 0.2, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1291_C8", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [1291, 1291], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "vector": [14, 2, 0.915, 0.0007, 2, 0.6, 0.4, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1292_C8", "label": "reader.ignore_unhandled_messages =", "type": "assigned_variable", "loc": [1292, 1292], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "vector": [14, 2, 0.9157, 0.0007, 2, 0.6, 0.6, 905, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "reader.ignore_unhandled_messages", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " reader.ignore_unhandled_messages = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1293_C8", "label": "add_message()", "type": "expression", "loc": [1293, 1293], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "vector": [8, 2, 0.9164, 0.0007, 2, 0.6, 0.8, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(ReadyForQuery, lambda msg: True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1294_C8", "label": "handle_messages()", "type": "expression", "loc": [1294, 1294], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "vector": [8, 2, 0.9171, 0.0007, 2, 0.6, 1.0, 275, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "handle_messages", "arg_names": [], "import_names": [], "rhs_call_name": "handle_messages", "annotation": ""}, "snippet": " reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1296_C4", "label": "close_statement", "type": "function", "loc": [1296, 1311], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9238, 0.0113, 1, 0.75, 0.6875, 601, 0, 2, 0, 0, 0, 0, 12], "semantic": {"name": "close_statement", "arg_names": ["self", "statement"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def close_statement(self, statement):\n if self._state == \"closed\":\n return\n self.verifyState(\"ready\")\n self._sock_lock.acquire()\n try:\n self._send(ClosePreparedStatement(statement))\n self._send(Sync())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1297_C8", "label": "if", "type": "if", "loc": [1297, 1298], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1296_C4", "vector": [4, 2, 0.9196, 0.0014, 2, 0.68, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._state == \"closed\":\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1298_C12", "label": "return", "type": "return", "loc": [1298, 1298], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1297_C8", "vector": [13, 3, 0.9199, 0.0007, 3, 0.71, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1299_C8", "label": "verifyState()", "type": "expression", "loc": [1299, 1299], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1296_C4", "vector": [8, 2, 0.9206, 0.0007, 2, 0.68, 0.3333, 969, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "verifyState", "arg_names": [], "import_names": [], "rhs_call_name": "verifyState", "annotation": ""}, "snippet": " self.verifyState(\"ready\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1300_C8", "label": "acquire()", "type": "expression", "loc": [1300, 1300], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1296_C4", "vector": [8, 2, 0.9213, 0.0007, 2, 0.68, 0.6667, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " self._sock_lock.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "label": "try", "type": "try", "loc": [1301, 1311], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1296_C4", "vector": [7, 2, 0.9256, 0.0078, 2, 0.68, 1.0, 0, 0, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self._send(ClosePreparedStatement(statement))\n self._send(Sync())\n self._flush()\n\n reader = MessageReader(self)\n reader.add_message(CloseComplete, lambda msg: 0)\n reader.add_message(ReadyForQuery, lambda msg: 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1302_C12", "label": "_send()", "type": "expression", "loc": [1302, 1302], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "vector": [8, 3, 0.9227, 0.0007, 3, 0.1, 0.0, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(ClosePreparedStatement(statement))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1303_C12", "label": "_send()", "type": "expression", "loc": [1303, 1303], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "vector": [8, 3, 0.9235, 0.0007, 3, 0.1, 0.1429, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Sync())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1304_C12", "label": "_flush()", "type": "expression", "loc": [1304, 1304], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "vector": [8, 3, 0.9242, 0.0007, 3, 0.1, 0.2857, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1306_C12", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [1306, 1306], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "vector": [14, 3, 0.9256, 0.0007, 3, 0.1, 0.4286, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1307_C12", "label": "add_message()", "type": "expression", "loc": [1307, 1307], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "vector": [8, 3, 0.9263, 0.0007, 3, 0.1, 0.5714, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(CloseComplete, lambda msg: 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1308_C12", "label": "add_message()", "type": "expression", "loc": [1308, 1308], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "vector": [8, 3, 0.927, 0.0007, 3, 0.1, 0.7143, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(ReadyForQuery, lambda msg: 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1309_C12", "label": "handle_messages()", "type": "expression", "loc": [1309, 1309], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "vector": [8, 3, 0.9277, 0.0007, 3, 0.1, 0.8571, 275, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "handle_messages", "arg_names": [], "import_names": [], "rhs_call_name": "handle_messages", "annotation": ""}, "snippet": " reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1311_C12", "label": "release()", "type": "expression", "loc": [1311, 1311], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "vector": [8, 3, 0.9291, 0.0007, 3, 0.1, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " self._sock_lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1313_C4", "label": "close_portal", "type": "function", "loc": [1313, 1328], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9359, 0.0113, 1, 0.75, 0.7188, 782, 0, 2, 0, 0, 0, 0, 12], "semantic": {"name": "close_portal", "arg_names": ["self", "portal"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def close_portal(self, portal):\n if self._state == \"closed\":\n return\n self.verifyState(\"ready\")\n self._sock_lock.acquire()\n try:\n self._send(ClosePortal(portal))\n self._send(Sync())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1314_C8", "label": "if", "type": "if", "loc": [1314, 1315], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1313_C4", "vector": [4, 2, 0.9316, 0.0014, 2, 0.7, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._state == \"closed\":\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1315_C12", "label": "return", "type": "return", "loc": [1315, 1315], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1314_C8", "vector": [13, 3, 0.932, 0.0007, 3, 0.0, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1316_C8", "label": "verifyState()", "type": "expression", "loc": [1316, 1316], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1313_C4", "vector": [8, 2, 0.9327, 0.0007, 2, 0.7, 0.3333, 969, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "verifyState", "arg_names": [], "import_names": [], "rhs_call_name": "verifyState", "annotation": ""}, "snippet": " self.verifyState(\"ready\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1317_C8", "label": "acquire()", "type": "expression", "loc": [1317, 1317], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1313_C4", "vector": [8, 2, 0.9334, 0.0007, 2, 0.7, 0.6667, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " self._sock_lock.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "label": "try", "type": "try", "loc": [1318, 1328], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1313_C4", "vector": [7, 2, 0.9376, 0.0078, 2, 0.7, 1.0, 0, 0, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self._send(ClosePortal(portal))\n self._send(Sync())\n self._flush()\n\n reader = MessageReader(self)\n reader.add_message(CloseComplete, lambda msg: 0)\n reader.add_message(ReadyForQuery, lambda msg: 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1319_C12", "label": "_send()", "type": "expression", "loc": [1319, 1319], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "vector": [8, 3, 0.9348, 0.0007, 3, 0.68, 0.0, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(ClosePortal(portal))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1320_C12", "label": "_send()", "type": "expression", "loc": [1320, 1320], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "vector": [8, 3, 0.9355, 0.0007, 3, 0.68, 0.1429, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Sync())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1321_C12", "label": "_flush()", "type": "expression", "loc": [1321, 1321], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "vector": [8, 3, 0.9362, 0.0007, 3, 0.68, 0.2857, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1323_C12", "label": "reader = MessageReader()", "type": "assigned_variable", "loc": [1323, 1323], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "vector": [14, 3, 0.9376, 0.0007, 3, 0.68, 0.4286, 548, 3, 1, 0, 0, 503, 10, 1], "semantic": {"name": "reader", "arg_names": [], "import_names": [], "rhs_call_name": "MessageReader", "annotation": ""}, "snippet": " reader = MessageReader(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1324_C12", "label": "add_message()", "type": "expression", "loc": [1324, 1324], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "vector": [8, 3, 0.9383, 0.0007, 3, 0.68, 0.5714, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(CloseComplete, lambda msg: 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1325_C12", "label": "add_message()", "type": "expression", "loc": [1325, 1325], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "vector": [8, 3, 0.9391, 0.0007, 3, 0.68, 0.7143, 143, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add_message", "arg_names": [], "import_names": [], "rhs_call_name": "add_message", "annotation": ""}, "snippet": " reader.add_message(ReadyForQuery, lambda msg: 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1326_C12", "label": "handle_messages()", "type": "expression", "loc": [1326, 1326], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "vector": [8, 3, 0.9398, 0.0007, 3, 0.68, 0.8571, 275, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "handle_messages", "arg_names": [], "import_names": [], "rhs_call_name": "handle_messages", "annotation": ""}, "snippet": " reader.handle_messages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1328_C12", "label": "release()", "type": "expression", "loc": [1328, 1328], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "vector": [8, 3, 0.9412, 0.0007, 3, 0.68, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " self._sock_lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1330_C4", "label": "close", "type": "function", "loc": [1330, 1338], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9454, 0.0064, 1, 0.75, 0.75, 77, 0, 1, 0, 0, 0, 0, 6], "semantic": {"name": "close", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def close(self):\n self._sock_lock.acquire()\n try:\n self._send(Terminate())\n self._flush()\n self._sock.close()\n self._state = \"closed\"\n finally:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1331_C8", "label": "acquire()", "type": "expression", "loc": [1331, 1331], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1330_C4", "vector": [8, 2, 0.9433, 0.0007, 2, 0.72, 0.0, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " self._sock_lock.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1332_C8", "label": "try", "type": "try", "loc": [1332, 1338], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1330_C4", "vector": [7, 2, 0.9461, 0.005, 2, 0.72, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self._send(Terminate())\n self._flush()\n self._sock.close()\n self._state = \"closed\"\n finally:\n self._sock_lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1333_C12", "label": "_send()", "type": "expression", "loc": [1333, 1333], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1332_C8", "vector": [8, 3, 0.9447, 0.0007, 3, 0.88, 0.0, 791, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_send", "arg_names": [], "import_names": [], "rhs_call_name": "_send", "annotation": ""}, "snippet": " self._send(Terminate())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1334_C12", "label": "_flush()", "type": "expression", "loc": [1334, 1334], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1332_C8", "vector": [8, 3, 0.9454, 0.0007, 3, 0.88, 0.25, 131, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_flush", "arg_names": [], "import_names": [], "rhs_call_name": "_flush", "annotation": ""}, "snippet": " self._flush()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1335_C12", "label": "close()", "type": "expression", "loc": [1335, 1335], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1332_C8", "vector": [8, 3, 0.9461, 0.0007, 3, 0.88, 0.5, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " self._sock.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1336_C12", "label": "self._state =", "type": "assigned_variable", "loc": [1336, 1336], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1332_C8", "vector": [14, 3, 0.9468, 0.0007, 3, 0.88, 0.75, 243, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self._state", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._state = \"closed\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1338_C12", "label": "release()", "type": "expression", "loc": [1338, 1338], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1332_C8", "vector": [8, 3, 0.9483, 0.0007, 3, 0.88, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " self._sock_lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1340_C4", "label": "_onParameterStatusReceived", "type": "function", "loc": [1340, 1350], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9532, 0.0078, 1, 0.75, 0.7812, 234, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_onParameterStatusReceived", "arg_names": ["self", "msg"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _onParameterStatusReceived(self, msg):\n if msg.key == \"client_encoding\":\n self._client_encoding = types.encoding_convert(msg.value)\n ##print \"_onParameterStatusReceived client_encoding\", self._client_encoding\n elif msg.key == \"integer_datetimes\":\n self._integer_datetimes = (msg.value == \"on\")\n elif msg.key == \"server_version\":\n self._server_version = msg.value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1341_C8", "label": "if", "type": "if", "loc": [1341, 1350], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1340_C4", "vector": [4, 2, 0.9536, 0.0071, 2, 0.78, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if msg.key == \"client_encoding\":\n self._client_encoding = types.encoding_convert(msg.value)\n ##print \"_onParameterStatusReceived client_encoding\", self._client_encoding\n elif msg.key == \"integer_datetimes\":\n self._integer_datetimes = (msg.value == \"on\")\n elif msg.key == \"server_version\":\n self._server_version = msg.value\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1342_C12", "label": "self._client_encoding = encoding_convert()", "type": "assigned_variable", "loc": [1342, 1342], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1341_C8", "vector": [14, 3, 0.9511, 0.0007, 3, 0.17, 0.0, 620, 3, 1, 0, 0, 366, 10, 1], "semantic": {"name": "self._client_encoding", "arg_names": [], "import_names": [], "rhs_call_name": "encoding_convert", "annotation": ""}, "snippet": " self._client_encoding = types.encoding_convert(msg.value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1344_C8", "label": "if", "type": "if", "loc": [1344, 1350], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1341_C8", "vector": [4, 3, 0.9546, 0.005, 3, 0.17, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif msg.key == \"integer_datetimes\":\n self._integer_datetimes = (msg.value == \"on\")\n elif msg.key == \"server_version\":\n self._server_version = msg.value\n else:\n ##print \"_onParameterStatusReceived \", msg.key, msg.value\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1345_C12", "label": "self._integer_datetimes =", "type": "assigned_variable", "loc": [1345, 1345], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1344_C8", "vector": [14, 4, 0.9532, 0.0007, 4, 0.11, 0.0, 754, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._integer_datetimes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._integer_datetimes = (msg.value == \"on\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1346_C8", "label": "if", "type": "if", "loc": [1346, 1350], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1344_C8", "vector": [4, 4, 0.9554, 0.0035, 4, 0.11, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif msg.key == \"server_version\":\n self._server_version = msg.value\n else:\n ##print \"_onParameterStatusReceived \", msg.key, msg.value\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1347_C12", "label": "self._server_version =", "type": "assigned_variable", "loc": [1347, 1347], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1346_C8", "vector": [14, 5, 0.9546, 0.0007, 5, 0.21, 0.0, 877, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._server_version", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._server_version = msg.value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1352_C4", "label": "handleNoticeResponse", "type": "function", "loc": [1352, 1353], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9585, 0.0014, 1, 0.75, 0.8125, 856, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "handleNoticeResponse", "arg_names": ["self", "msg"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def handleNoticeResponse(self, msg):\n self.NoticeReceived(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1353_C8", "label": "NoticeReceived()", "type": "expression", "loc": [1353, 1353], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1352_C4", "vector": [8, 2, 0.9589, 0.0007, 2, 0.51, 0.0, 434, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "NoticeReceived", "arg_names": [], "import_names": [], "rhs_call_name": "NoticeReceived", "annotation": ""}, "snippet": " self.NoticeReceived(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1355_C4", "label": "handleParameterStatus", "type": "function", "loc": [1355, 1356], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9607, 0.0014, 1, 0.75, 0.8438, 174, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "handleParameterStatus", "arg_names": ["self", "msg"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def handleParameterStatus(self, msg):\n self.ParameterStatusReceived(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1356_C8", "label": "ParameterStatusReceived()", "type": "expression", "loc": [1356, 1356], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1355_C4", "vector": [8, 2, 0.961, 0.0007, 2, 0.93, 0.0, 325, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "ParameterStatusReceived", "arg_names": [], "import_names": [], "rhs_call_name": "ParameterStatusReceived", "annotation": ""}, "snippet": " self.ParameterStatusReceived(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1358_C4", "label": "handleNotificationResponse", "type": "function", "loc": [1358, 1359], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9628, 0.0014, 1, 0.75, 0.875, 76, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "handleNotificationResponse", "arg_names": ["self", "msg"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def handleNotificationResponse(self, msg):\n self.NotificationReceived(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1359_C8", "label": "NotificationReceived()", "type": "expression", "loc": [1359, 1359], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1358_C4", "vector": [8, 2, 0.9631, 0.0007, 2, 0.0, 0.0, 233, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "NotificationReceived", "arg_names": [], "import_names": [], "rhs_call_name": "NotificationReceived", "annotation": ""}, "snippet": " self.NotificationReceived(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1361_C4", "label": "fileno", "type": "function", "loc": [1361, 1363], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9653, 0.0021, 1, 0.75, 0.9062, 15, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "fileno", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fileno(self):\n # This should be safe to do without a lock\n return self._sock.fileno()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1363_C8", "label": "return", "type": "return", "loc": [1363, 1363], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1361_C4", "vector": [13, 2, 0.966, 0.0007, 2, 0.03, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._sock.fileno()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1365_C4", "label": "isready", "type": "function", "loc": [1365, 1375], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9709, 0.0078, 1, 0.75, 0.9375, 706, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "isready", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def isready(self):\n self._sock_lock.acquire()\n try:\n rlst, _wlst, _xlst = select.select([self], [], [], 0)\n if not rlst:\n return False\n \n self._sync()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1366_C8", "label": "acquire()", "type": "expression", "loc": [1366, 1366], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1365_C4", "vector": [8, 2, 0.9681, 0.0007, 2, 0.71, 0.0, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " self._sock_lock.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1367_C8", "label": "try", "type": "try", "loc": [1367, 1375], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1365_C4", "vector": [7, 2, 0.9717, 0.0064, 2, 0.71, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n rlst, _wlst, _xlst = select.select([self], [], [], 0)\n if not rlst:\n return False\n \n self._sync()\n return True\n finally:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1368_C12", "label": "rlst, _wlst, _xlst = select()", "type": "assigned_variable", "loc": [1368, 1368], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1367_C8", "vector": [14, 3, 0.9695, 0.0007, 3, 0.87, 0.0, 116, 3, 4, 0, 0, 438, 10, 1], "semantic": {"name": "rlst, _wlst, _xlst", "arg_names": [], "import_names": [], "rhs_call_name": "select", "annotation": ""}, "snippet": " rlst, _wlst, _xlst = select.select([self], [], [], 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1369_C12", "label": "if", "type": "if", "loc": [1369, 1370], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1367_C8", "vector": [4, 3, 0.9706, 0.0014, 3, 0.87, 0.25, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not rlst:\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1370_C16", "label": "return", "type": "return", "loc": [1370, 1370], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1369_C12", "vector": [13, 4, 0.9709, 0.0007, 4, 0.88, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1372_C12", "label": "_sync()", "type": "expression", "loc": [1372, 1372], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1367_C8", "vector": [8, 3, 0.9724, 0.0007, 3, 0.87, 0.5, 979, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_sync", "arg_names": [], "import_names": [], "rhs_call_name": "_sync", "annotation": ""}, "snippet": " self._sync()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1373_C12", "label": "return", "type": "return", "loc": [1373, 1373], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1367_C8", "vector": [13, 3, 0.9731, 0.0007, 3, 0.87, 0.75, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1375_C12", "label": "release()", "type": "expression", "loc": [1375, 1375], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1367_C8", "vector": [8, 3, 0.9745, 0.0007, 3, 0.87, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " self._sock_lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1377_C4", "label": "server_version", "type": "function", "loc": [1377, 1381], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9773, 0.0035, 1, 0.75, 0.9688, 261, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "server_version", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def server_version(self):\n self.verifyState(\"ready\")\n if not self._server_version:\n raise InterfaceError(\"Server did not provide server_version parameter.\")\n return self._server_version"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1378_C8", "label": "verifyState()", "type": "expression", "loc": [1378, 1378], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1377_C4", "vector": [8, 2, 0.9766, 0.0007, 2, 0.0, 0.0, 969, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "verifyState", "arg_names": [], "import_names": [], "rhs_call_name": "verifyState", "annotation": ""}, "snippet": " self.verifyState(\"ready\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1379_C8", "label": "if", "type": "if", "loc": [1379, 1380], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1377_C4", "vector": [4, 2, 0.9777, 0.0014, 2, 0.0, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self._server_version:\n raise InterfaceError(\"Server did not provide server_version parameter.\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1381_C8", "label": "return", "type": "return", "loc": [1381, 1381], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1377_C4", "vector": [13, 2, 0.9787, 0.0007, 2, 0.0, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._server_version"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1383_C4", "label": "encoding", "type": "function", "loc": [1383, 1384], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "vector": [2, 1, 0.9805, 0.0014, 1, 0.75, 1.0, 325, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "encoding", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def encoding(self):\n return self._client_encoding"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1384_C8", "label": "return", "type": "return", "loc": [1384, 1384], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1383_C4", "vector": [13, 2, 0.9809, 0.0007, 2, 0.1, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._client_encoding"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1387_C0", "label": "message_types =", "type": "assigned_variable", "loc": [1387, 1409], "level": 0, "parent": null, "vector": [14, 0, 0.9908, 0.0163, 0, 0.66, 1.0, 916, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "message_types", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "message_types = {\n \"N\": NoticeResponse,\n \"R\": AuthenticationRequest,\n \"S\": ParameterStatus,\n \"K\": BackendKeyData,\n \"Z\": ReadyForQuery,\n \"T\": RowDescription,\n \"E\": ErrorResponse,"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L33_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Import_L34_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L33_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L36_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L55_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L54_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L60_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L60_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L61_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L69_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L70_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L72_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L69_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L79_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L79_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L80_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L79_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L81_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L79_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L83_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L79_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L86_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L79_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L87_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L99_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L100_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L100_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L101_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L100_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L103_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L100_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L104_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L100_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L105_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L99_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L107_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L108_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L99_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L119_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L120_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:For_L121_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L121_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L125_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L125_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L125_C26"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L121_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L126_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L127_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L128_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L129_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L146_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L148_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L149_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L150_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L151_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:For_L152_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L152_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L153_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L153_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L154_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L153_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L155_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L155_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L156_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L155_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L158_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L152_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L159_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L147_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L160_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L146_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L162_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L162_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L163_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L146_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L182_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L183_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L184_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L185_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:For_L186_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L186_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L187_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L188_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:For_L189_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L189_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L190_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L190_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L192_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L190_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L194_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L190_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L195_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L196_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:For_L197_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L197_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L198_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L199_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L200_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L201_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L202_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L212_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L213_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L213_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L214_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L213_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L216_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L213_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L217_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L212_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L223_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L223_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L224_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L223_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L225_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L223_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L226_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L223_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L227_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L234_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L235_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L235_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L236_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L243_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L244_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L245_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L256_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L257_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L257_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L258_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L257_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L260_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L257_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L261_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L256_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L267_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L268_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L269_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L270_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L271_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L278_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L279_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L279_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L280_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L278_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L282_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L282_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L283_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L290_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L291_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L291_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L292_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L290_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L294_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L294_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L295_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L303_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L306_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L306_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L307_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L303_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L309_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L309_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L310_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L317_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L320_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L320_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L321_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L317_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L323_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L323_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L324_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L332_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L332_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L333_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L338_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L338_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L339_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L338_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L340_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L338_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L341_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L338_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L342_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L353_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L354_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L354_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L355_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L354_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L356_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L353_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L363_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L363_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L364_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L363_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L365_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L363_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L366_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L363_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L367_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L370_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L371_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L370_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L373_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L373_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L374_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L370_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L379_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L379_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L380_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L379_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L381_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L379_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L382_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L379_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L383_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L370_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L385_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L385_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L386_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L392_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L393_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L392_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L398_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L398_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L399_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L405_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L406_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L405_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L424_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L425_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L426_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L427_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L427_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L428_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L405_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L431_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L405_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L433_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L441_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L442_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L442_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L443_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L451_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L454_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L454_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L455_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L451_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L458_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L460_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L461_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L462_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L464_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L465_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L466_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L457_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L467_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L451_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L469_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L469_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L470_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L486_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L487_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L487_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L488_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L487_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L489_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L486_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L495_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L495_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L496_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L495_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L497_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L495_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L498_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L486_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L499_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L508_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L509_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L509_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L510_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L509_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L511_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L508_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L517_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L517_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L518_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L517_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L519_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L508_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L520_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L527_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L530_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L530_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L531_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L527_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L532_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L539_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L542_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L542_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L543_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L539_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L544_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L551_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L554_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L554_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L555_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L551_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L556_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L563_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L566_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L566_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L567_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L563_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L568_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L576_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L579_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L580_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L576_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L581_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L588_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L589_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L589_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L590_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L588_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L594_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L588_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L596_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L596_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L597_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L588_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L603_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L603_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L604_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L588_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L605_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L634_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L649_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L649_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:For_L650_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L650_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L651_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L653_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L653_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L654_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L656_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L656_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L657_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L656_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:For_L658_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L658_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L659_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L658_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L660_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L658_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L661_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L658_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L662_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L656_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L663_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L664_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L671_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L671_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L672_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L633_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L673_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L683_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L684_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L684_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:For_L685_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L685_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L686_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L683_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L688_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L688_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L689_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L683_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L691_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L691_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L692_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L683_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L694_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L694_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L695_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L683_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L696_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L705_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L705_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L706_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L705_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L707_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L705_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L708_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L715_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L721_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L727_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L729_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L729_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L730_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L733_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L734_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L735_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L736_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L737_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L738_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L739_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L732_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L740_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L704_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L741_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L744_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L745_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L745_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L746_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L744_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L747_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L747_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L748_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L747_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L749_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L747_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L750_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L744_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L751_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L754_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L755_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L755_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L756_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L754_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L758_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L758_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L759_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L758_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L760_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L758_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L761_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L758_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L763_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L764_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L765_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L766_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L767_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L762_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L768_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L758_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L769_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L754_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L770_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L772_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L773_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L773_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L774_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L773_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L775_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L773_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L776_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L772_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L778_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L778_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L779_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L778_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L780_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L778_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L781_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L778_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L782_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L782_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L783_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L782_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L784_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L784_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L785_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L782_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L787_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L778_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L788_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L772_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L789_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L792_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L793_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L793_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L794_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L792_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L796_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L796_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L797_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L796_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L798_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L796_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L799_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L796_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:For_L800_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L800_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L801_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L800_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L802_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L800_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L803_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L803_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L804_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L803_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L806_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L803_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L807_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L796_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L808_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L792_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L809_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L812_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L814_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L814_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L815_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L812_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L817_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L817_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L818_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L812_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L819_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L812_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L821_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L821_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L822_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L825_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L829_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L829_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L830_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L825_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L832_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L825_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L834_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L834_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L835_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L837_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L844_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L844_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L845_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L844_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L846_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L837_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L848_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L848_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L849_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L848_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L850_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L848_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L851_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L837_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L853_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L856_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L860_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L860_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L861_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L860_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L862_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L856_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L864_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L865_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L866_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L867_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L856_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L869_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L872_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L876_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L876_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L877_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L872_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L878_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L881_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L882_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L882_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L883_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L882_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L884_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L882_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L890_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L882_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L892_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L881_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L894_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L894_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L895_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L881_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L897_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L897_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L898_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L881_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L900_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L900_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L901_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L881_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L903_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L903_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L904_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L903_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:While_L905_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L905_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L906_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L905_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L907_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L905_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:For_L908_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:For_L908_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L909_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L909_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L910_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L909_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L911_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L909_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L912_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L912_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L915_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L912_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L917_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L912_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L918_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L918_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L921_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L918_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L923_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L905_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L924_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L924_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L926_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L926_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L927_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L926_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L928_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L926_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L930_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L930_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L931_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L930_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L932_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L932_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L933_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L932_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L934_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L934_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L935_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L934_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L936_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L939_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L940_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L940_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L941_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L941_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L942_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L941_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L943_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L941_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L945_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L941_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L948_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L939_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L949_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L953_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L954_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L955_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L956_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L957_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L958_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L959_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L960_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L961_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L961_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L962_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L961_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L963_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L963_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L964_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L963_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L966_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L969_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L969_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L970_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L969_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L971_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L971_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L972_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L973_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L973_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L974_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L973_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L975_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L975_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L976_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L975_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L977_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L975_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L978_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L975_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L979_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L979_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L980_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L979_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L981_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L975_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L986_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L973_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L989_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L990_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L991_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L993_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L994_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L952_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L995_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L999_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L999_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1000_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1003_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1003_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1006_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1003_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1007_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1003_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1009_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1011_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1011_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1013_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1016_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1016_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1017_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1016_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1018_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1016_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1019_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1019_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1020_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1020_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1021_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1020_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1022_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1019_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1023_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1019_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1024_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1019_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1027_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1019_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1028_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1016_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1029_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1033_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1034_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1035_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1036_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1038_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1031_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1040_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1042_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1042_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1043_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1042_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1044_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1042_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1046_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1047_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1049_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1050_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1051_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1045_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1053_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1055_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1055_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1058_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1060_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1061_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1062_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1063_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1064_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1056_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1065_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1055_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1066_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1068_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1068_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1069_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1068_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1070_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1072_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1072_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1073_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1077_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1079_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1080_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1081_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1081_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1082_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1083_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1084_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1085_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1086_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1088_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1091_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1095_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1099_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1102_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1104_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1108_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1110_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1111_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1111_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1113_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1111_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1117_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1118_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1122_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1123_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1124_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1127_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1130_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1136_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1140_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1142_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1144_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1144_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1145_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1144_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1147_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1147_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1148_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1147_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1149_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1147_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1151_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:While_L1147_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1152_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1144_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1153_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1144_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1154_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1144_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1155_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1157_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1157_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1158_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1157_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1160_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1157_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1161_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1157_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1162_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1157_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1163_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1165_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1165_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1166_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1170_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1171_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1172_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1174_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1175_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1176_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1177_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1178_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1179_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1180_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1181_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1183_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1187_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1204_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1206_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1206_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1207_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1209_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1210_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1213_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1214_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1217_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1220_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1221_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1222_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1223_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1224_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1225_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1227_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1229_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1231_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1186_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1234_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1238_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1240_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1241_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1242_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1243_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1245_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1246_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1247_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1248_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1249_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1237_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1253_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1255_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1255_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1256_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1269_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1270_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1271_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1273_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1274_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1275_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1276_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1268_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1278_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1280_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1280_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1281_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1280_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1282_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1289_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1290_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1291_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1292_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1293_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1294_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1296_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1296_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1297_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1297_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1298_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1296_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1299_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1296_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1300_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1296_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1302_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1303_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1304_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1306_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1307_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1308_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1309_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1301_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1311_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1313_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1313_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1314_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1314_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1315_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1313_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1316_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1313_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1317_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1313_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1319_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1320_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1321_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1323_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1324_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1325_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1326_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1318_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1328_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1330_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1330_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1331_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1330_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1332_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1332_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1333_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1332_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1334_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1332_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1335_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1332_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1336_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1332_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1338_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1340_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1340_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1341_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1341_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1342_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1341_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1344_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1345_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1346_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1346_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1347_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1352_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1352_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1353_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1355_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1355_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1356_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1358_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1358_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1359_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1361_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1361_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1363_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1365_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1365_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1366_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1365_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1367_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1367_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Assign_L1368_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1367_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1369_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1369_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1370_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1367_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1372_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1367_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1373_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:Try_L1367_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1375_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1377_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Expr_L1378_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:If_L1379_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1381_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:ClassDef_L951_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1383_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_545:FunctionDef_L1383_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_545:Return_L1384_C8"}]
class MulticastDelegate(object): def __init__(self): self.delegates = [] def __iadd__(self, delegate): self.add(delegate) return self def add(self, delegate): self.delegates.append(delegate) def __isub__(self, delegate): self.delegates.remove(delegate) return self def __call__(self, *args, **kwargs): for d in self.delegates: d(*args, **kwargs)
ajibawa-2023/Python-Code-Large/train/row_546
14
20
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_546:ClassDef_L2_C0", "label": "MulticastDelegate", "type": "class", "loc": [2, 19], "level": 0, "parent": null, "vector": [3, 0, 0.525, 0.9, 0, 0.66, 0.0, 718, 0, 5, 0, 0, 186, 0, 4], "semantic": {"name": "MulticastDelegate", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class MulticastDelegate(object):\n def __init__(self):\n self.delegates = []\n\n def __iadd__(self, delegate):\n self.add(delegate)\n return self\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L3_C4", "label": "__init__", "type": "function", "loc": [3, 4], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:ClassDef_L2_C0", "vector": [2, 1, 0.175, 0.1, 1, 0.28, 0.0, 555, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self):\n self.delegates = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:Assign_L4_C8", "label": "self.delegates =", "type": "assigned_variable", "loc": [4, 4], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L3_C4", "vector": [14, 2, 0.2, 0.05, 2, 0.65, 0.0, 749, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.delegates", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.delegates = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L6_C4", "label": "__iadd__", "type": "function", "loc": [6, 8], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:ClassDef_L2_C0", "vector": [2, 1, 0.35, 0.15, 1, 0.28, 0.25, 944, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__iadd__", "arg_names": ["self", "delegate"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __iadd__(self, delegate):\n self.add(delegate)\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:Expr_L7_C8", "label": "add()", "type": "expression", "loc": [7, 7], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L6_C4", "vector": [8, 2, 0.35, 0.05, 2, 0.05, 0.0, 241, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.add(delegate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:Return_L8_C8", "label": "return", "type": "return", "loc": [8, 8], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L6_C4", "vector": [13, 2, 0.4, 0.05, 2, 0.05, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L10_C4", "label": "add", "type": "function", "loc": [10, 11], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:ClassDef_L2_C0", "vector": [2, 1, 0.525, 0.1, 1, 0.28, 0.5, 241, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": ["self", "delegate"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def add(self, delegate):\n self.delegates.append(delegate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:Expr_L11_C8", "label": "append()", "type": "expression", "loc": [11, 11], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L10_C4", "vector": [8, 2, 0.55, 0.05, 2, 0.09, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.delegates.append(delegate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L13_C4", "label": "__isub__", "type": "function", "loc": [13, 15], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:ClassDef_L2_C0", "vector": [2, 1, 0.7, 0.15, 1, 0.28, 0.75, 400, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__isub__", "arg_names": ["self", "delegate"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __isub__(self, delegate):\n self.delegates.remove(delegate)\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:Expr_L14_C8", "label": "remove()", "type": "expression", "loc": [14, 14], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L13_C4", "vector": [8, 2, 0.7, 0.05, 2, 0.93, 0.0, 185, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "remove", "arg_names": [], "import_names": [], "rhs_call_name": "remove", "annotation": ""}, "snippet": " self.delegates.remove(delegate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:Return_L15_C8", "label": "return", "type": "return", "loc": [15, 15], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L13_C4", "vector": [13, 2, 0.75, 0.05, 2, 0.93, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L17_C4", "label": "__call__", "type": "function", "loc": [17, 19], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:ClassDef_L2_C0", "vector": [2, 1, 0.9, 0.15, 1, 0.28, 1.0, 319, 0, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__call__", "arg_names": ["self", "args", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __call__(self, *args, **kwargs):\n for d in self.delegates:\n d(*args, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:For_L18_C8", "label": "for d", "type": "for", "loc": [18, 19], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L17_C4", "vector": [6, 2, 0.925, 0.1, 2, 0.58, 0.0, 355, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "d", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for d in self.delegates:\n d(*args, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_546:Expr_L19_C12", "label": "d()", "type": "expression", "loc": [19, 19], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_546:For_L18_C8", "vector": [8, 3, 0.95, 0.05, 3, 0.72, 0.0, 355, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "d", "arg_names": [], "import_names": [], "rhs_call_name": "d", "annotation": ""}, "snippet": " d(*args, **kwargs)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_546:ClassDef_L2_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L3_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L3_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_546:Assign_L4_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_546:ClassDef_L2_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L6_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L6_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_546:Expr_L7_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L6_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_546:Return_L8_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_546:ClassDef_L2_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L10_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L10_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_546:Expr_L11_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_546:ClassDef_L2_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_546:Expr_L14_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_546:Return_L15_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_546:ClassDef_L2_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L17_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_546:FunctionDef_L17_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_546:For_L18_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_546:For_L18_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_546:Expr_L19_C12"}]
# vim: sw=4:expandtab:foldmethod=marker # # Copyright (c) 2007-2009, Mathieu Fenniak # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above copyright notice, # this list of conditions and the following disclaimer. # * Redistributions in binary form must reproduce the above copyright notice, # this list of conditions and the following disclaimer in the documentation # and/or other materials provided with the distribution. # * The name of the author may not be used to endorse or promote products # derived from this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" # AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE # IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE # ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE # LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR # CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF # SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS # INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN # CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) # ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE # POSSIBILITY OF SUCH DAMAGE. __author__ = "Mathieu Fenniak" import datetime import decimal import struct import math from errors import (NotSupportedError, ArrayDataParseError, InternalError, ArrayContentEmptyError, ArrayContentNotHomogenousError, ArrayContentNotSupportedError, ArrayDimensionsNotConsistentError) try: from pytz import utc except ImportError: ZERO = datetime.timedelta(0) class UTC(datetime.tzinfo): def utcoffset(self, dt): return ZERO def tzname(self, dt): return "UTC" def dst(self, dt): return ZERO utc = UTC() class Bytea(str): pass class Interval(object): def __init__(self, microseconds=0, days=0, months=0): self.microseconds = microseconds self.days = days self.months = months def _setMicroseconds(self, value): if not isinstance(value, int) and not isinstance(value, long): raise TypeError("microseconds must be an int or long") elif not (min_int8 < value < max_int8): raise OverflowError("microseconds must be representable as a 64-bit integer") else: self._microseconds = value def _setDays(self, value): if not isinstance(value, int) and not isinstance(value, long): raise TypeError("days must be an int or long") elif not (min_int4 < value < max_int4): raise OverflowError("days must be representable as a 32-bit integer") else: self._days = value def _setMonths(self, value): if not isinstance(value, int) and not isinstance(value, long): raise TypeError("months must be an int or long") elif not (min_int4 < value < max_int4): raise OverflowError("months must be representable as a 32-bit integer") else: self._months = value microseconds = property(lambda self: self._microseconds, _setMicroseconds) days = property(lambda self: self._days, _setDays) months = property(lambda self: self._months, _setMonths) def __repr__(self): return "<Interval %s months %s days %s microseconds>" % (self.months, self.days, self.microseconds) def __cmp__(self, other): if other == None: return -1 c = cmp(self.months, other.months) if c != 0: return c c = cmp(self.days, other.days) if c != 0: return c return cmp(self.microseconds, other.microseconds) def pg_type_info(typ): value = None if isinstance(typ, dict): value = typ["value"] typ = typ["type"] data = py_types.get(typ) if data == None: raise NotSupportedError("type %r not mapped to pg type" % typ) # permit the type data to be determined by the value, if provided inspect_func = data.get("inspect") if value != None and inspect_func != None: data = inspect_func(value) type_oid = data.get("typeoid") if type_oid == None: raise InternalError("type %r has no type_oid" % typ) elif type_oid == -1: # special case: NULL values return type_oid, 0 # prefer bin, but go with whatever exists if data.get("bin_out"): format = 1 elif data.get("txt_out"): format = 0 else: raise InternalError("no conversion fuction for type %r" % typ) return type_oid, format def pg_value(value, fc, **kwargs): typ = type(value) data = py_types.get(typ) if data == None: raise NotSupportedError("type %r not mapped to pg type" % typ) # permit the type conversion to be determined by the value, if provided inspect_func = data.get("inspect") if value != None and inspect_func != None: data = inspect_func(value) # special case: NULL values if data.get("typeoid") == -1: return None if fc == 0: func = data.get("txt_out") elif fc == 1: func = data.get("bin_out") else: raise InternalError("unrecognized format code %r" % fc) if func == None: raise NotSupportedError("type %r, format code %r not supported" % (typ, fc)) return func(value, **kwargs) def py_type_info(description): type_oid = description['type_oid'] data = pg_types.get(type_oid) if data == None: raise NotSupportedError("type oid %r not mapped to py type" % type_oid) # prefer bin, but go with whatever exists if data.get("bin_in"): format = 1 elif data.get("txt_in"): format = 0 else: raise InternalError("no conversion fuction for type oid %r" % type_oid) return format def py_value(v, description, **kwargs): if v == None: # special case - NULL value return None type_oid = description['type_oid'] format = description['format'] data = pg_types.get(type_oid) if data == None: raise NotSupportedError("type oid %r not supported" % type_oid) if format == 0: func = data.get("txt_in") elif format == 1: func = data.get("bin_in") else: raise NotSupportedError("format code %r not supported" % format) if func == None: raise NotSupportedError("data response format %r, type %r not supported" % (format, type_oid)) return func(v, **kwargs) def boolrecv(data, **kwargs): return data == "\x01" def boolsend(v, **kwargs): if v: return "\x01" else: return "\x00" min_int2, max_int2 = -2 ** 15, 2 ** 15 min_int4, max_int4 = -2 ** 31, 2 ** 31 min_int8, max_int8 = -2 ** 63, 2 ** 63 def int_inspect(value): if min_int2 < value < max_int2: return {"typeoid": 21, "bin_out": int2send} elif min_int4 < value < max_int4: return {"typeoid": 23, "bin_out": int4send} elif min_int8 < value < max_int8: return {"typeoid": 20, "bin_out": int8send} else: return {"typeoid": 1700, "bin_out": numeric_send} def int2recv(data, **kwargs): return struct.unpack("!h", data)[0] def int2send(v, **kwargs): return struct.pack("!h", v) def int4recv(data, **kwargs): return struct.unpack("!i", data)[0] def int4send(v, **kwargs): return struct.pack("!i", v) def int8recv(data, **kwargs): return struct.unpack("!q", data)[0] def int8send(v, **kwargs): return struct.pack("!q", v) def float4recv(data, **kwargs): return struct.unpack("!f", data)[0] def float8recv(data, **kwargs): return struct.unpack("!d", data)[0] def float8send(v, **kwargs): return struct.pack("!d", v) def datetime_inspect(value): if value.tzinfo != None: # send as timestamptz if timezone is provided return {"typeoid": 1184, "bin_out": timestamptz_send} else: # otherwise send as timestamp return {"typeoid": 1114, "bin_out": timestamp_send} def timestamp_recv(data, integer_datetimes, **kwargs): if integer_datetimes: # data is 64-bit integer representing milliseconds since 2000-01-01 val = struct.unpack("!q", data)[0] return datetime.datetime(2000, 1, 1) + datetime.timedelta(microseconds = val) else: # data is double-precision float representing seconds since 2000-01-01 val = struct.unpack("!d", data)[0] return datetime.datetime(2000, 1, 1) + datetime.timedelta(seconds = val) # return a timezone-aware datetime instance if we're reading from a # "timestamp with timezone" type. The timezone returned will always be UTC, # but providing that additional information can permit conversion to local. def timestamptz_recv(data, **kwargs): return timestamp_recv(data, **kwargs).replace(tzinfo=utc) def timestamp_send(v, integer_datetimes, **kwargs): delta = v - datetime.datetime(2000, 1, 1) val = delta.microseconds + (delta.seconds * 1000000) + (delta.days * 86400000000) if integer_datetimes: # data is 64-bit integer representing milliseconds since 2000-01-01 return struct.pack("!q", val) else: # data is double-precision float representing seconds since 2000-01-01 return struct.pack("!d", val / 1000.0 / 1000.0) def timestamptz_send(v, **kwargs): # timestamps should be sent as UTC. If they have zone info, # convert them. return timestamp_send(v.astimezone(utc).replace(tzinfo=None), **kwargs) def date_in(data, **kwargs): year = int(data[0:4]) month = int(data[5:7]) day = int(data[8:10]) return datetime.date(year, month, day) def date_out(v, **kwargs): return v.isoformat() def time_in(data, **kwargs): hour = int(data[0:2]) minute = int(data[3:5]) sec = decimal.Decimal(data[6:]) return datetime.time(hour, minute, int(sec), int((sec - int(sec)) * 1000000)) def time_out(v, **kwargs): return v.isoformat() def numeric_in(data, **kwargs): if data.find(".") == -1: return int(data) else: return decimal.Decimal(data) def numeric_recv(data, **kwargs): num_digits, weight, sign, scale = struct.unpack("!hhhh", data[:8]) data = data[8:] digits = struct.unpack("!" + ("h" * num_digits), data) weight = decimal.Decimal(weight) retval = 0 for d in digits: d = decimal.Decimal(d) retval += d * (10000 ** weight) weight -= 1 if sign: retval *= -1 return retval DEC_DIGITS = 4 def numeric_send(d, **kwargs): # This is a very straight port of src/backend/utils/adt/numeric.c set_var_from_str() s = str(d) pos = 0 sign = 0 if s[0] == '-': sign = 0x4000 # NEG pos=1 elif s[0] == '+': sign = 0 # POS pos=1 have_dp = False decdigits = [0, 0, 0, 0] dweight = -1 dscale = 0 for char in s[pos:]: if char.isdigit(): decdigits.append(int(char)) if not have_dp: dweight += 1 else: dscale += 1 pos+=1 elif char == '.': have_dp = True pos+=1 else: break if len(s) > pos: char = s[pos] if char == 'e' or char == 'E': pos+=1 exponent = int(s[pos:]) dweight += exponent dscale -= exponent if dscale < 0: dscale = 0 if dweight >= 0: weight = (dweight + 1 + DEC_DIGITS - 1) / DEC_DIGITS - 1 else: weight = -((-dweight - 1) / DEC_DIGITS + 1) offset = (weight + 1) * DEC_DIGITS - (dweight + 1) ndigits = (len(decdigits)-DEC_DIGITS + offset + DEC_DIGITS - 1) / DEC_DIGITS i = DEC_DIGITS - offset decdigits.extend([0, 0, 0]) ndigits_ = ndigits digits = '' while ndigits_ > 0: # ifdef DEC_DIGITS == 4 digits += struct.pack("!h", ((decdigits[i] * 10 + decdigits[i + 1]) * 10 + decdigits[i + 2]) * 10 + decdigits[i + 3]) ndigits_ -= 1 i += DEC_DIGITS # strip_var() if ndigits == 0: sign = 0x4000 # pos weight = 0 # ---------- retval = struct.pack("!hhhh", ndigits, weight, sign, dscale) + digits return retval def numeric_out(v, **kwargs): return str(v) # PostgreSQL encodings: # http://www.postgresql.org/docs/8.3/interactive/multibyte.html # Python encodings: # http://www.python.org/doc/2.4/lib/standard-encodings.html # # Commented out encodings don't require a name change between PostgreSQL and # Python. If the py side is None, then the encoding isn't supported. pg_to_py_encodings = { # Not supported: "mule_internal": None, "euc_tw": None, # Name fine as-is: #"euc_jp", #"euc_jis_2004", #"euc_kr", #"gb18030", #"gbk", #"johab", #"sjis", #"shift_jis_2004", #"uhc", #"utf8", # Different name: "euc_cn": "gb2312", "iso_8859_5": "is8859_5", "iso_8859_6": "is8859_6", "iso_8859_7": "is8859_7", "iso_8859_8": "is8859_8", "koi8": "koi8_r", "latin1": "iso8859-1", "latin2": "iso8859_2", "latin3": "iso8859_3", "latin4": "iso8859_4", "latin5": "iso8859_9", "latin6": "iso8859_10", "latin7": "iso8859_13", "latin8": "iso8859_14", "latin9": "iso8859_15", "sql_ascii": "ascii", "win866": "cp886", "win874": "cp874", "win1250": "cp1250", "win1251": "cp1251", "win1252": "cp1252", "win1253": "cp1253", "win1254": "cp1254", "win1255": "cp1255", "win1256": "cp1256", "win1257": "cp1257", "win1258": "cp1258", } def encoding_convert(encoding): return pg_to_py_encodings.get(encoding.lower(), encoding) def varcharin(data, client_encoding, **kwargs): return unicode(data, encoding_convert(client_encoding)) def textout(v, client_encoding, **kwargs): if isinstance(v, unicode): return v.encode(encoding_convert(client_encoding)) else: return v def byteasend(v, **kwargs): return str(v) def bytearecv(data, **kwargs): return Bytea(data) # interval support does not provide a Python-usable interval object yet def interval_recv(data, integer_datetimes, **kwargs): if integer_datetimes: microseconds, days, months = struct.unpack("!qii", data) else: seconds, days, months = struct.unpack("!dii", data) microseconds = int(seconds * 1000 * 1000) return Interval(microseconds, days, months) def interval_send(data, integer_datetimes, **kwargs): if integer_datetimes: return struct.pack("!qii", data.microseconds, data.days, data.months) else: return struct.pack("!dii", data.microseconds / 1000.0 / 1000.0, data.days, data.months) def array_recv(data, **kwargs): dim, hasnull, typeoid = struct.unpack("!iii", data[:12]) data = data[12:] # get type conversion method for typeoid conversion = pg_types[typeoid]["bin_in"] # Read dimension info dim_lengths = [] element_count = 1 for idim in range(dim): dim_len, dim_lbound = struct.unpack("!ii", data[:8]) data = data[8:] dim_lengths.append(dim_len) element_count *= dim_len # Read all array values array_values = [] for i in range(element_count): if len(data): element_len, = struct.unpack("!i", data[:4]) data = data[4:] if element_len == -1: array_values.append(None) else: array_values.append(conversion(data[:element_len], **kwargs)) data = data[element_len:] if data != "": raise ArrayDataParseError("unexpected data left over after array read") # at this point, {{1,2,3},{4,5,6}}::int[][] looks like [1,2,3,4,5,6]. # go through the dimensions and fix up the array contents to match # expected dimensions for dim_length in reversed(dim_lengths[1:]): val = [] while array_values: val.append(array_values[:dim_length]) array_values = array_values[dim_length:] array_values = val return array_values def array_inspect(value): # Check if array has any values. If not, we can't determine the proper # array typeoid. first_element = array_find_first_element(value) if first_element == None: raise ArrayContentEmptyError("array has no values") # supported array output typ = type(first_element) if issubclass(typ, int) or issubclass(typ, long): # special int array support -- send as smallest possible array type special_int_support = True int2_ok, int4_ok, int8_ok = True, True, True for v in array_flatten(value): if v == None: continue if min_int2 < v < max_int2: continue int2_ok = False if min_int4 < v < max_int4: continue int4_ok = False if min_int8 < v < max_int8: continue int8_ok = False if int2_ok: array_typeoid = 1005 # INT2[] elif int4_ok: array_typeoid = 1007 # INT4[] elif int8_ok: array_typeoid = 1016 # INT8[] else: raise ArrayContentNotSupportedError("numeric not supported as array contents") else: special_int_support = False array_typeoid = py_array_types.get(typ) if array_typeoid == None: raise ArrayContentNotSupportedError("type %r not supported as array contents" % typ) # check for homogenous array for v in array_flatten(value): if v != None and not (isinstance(v, typ) or (typ == long and isinstance(v, int)) or (typ == int and isinstance(v, long))): raise ArrayContentNotHomogenousError("not all array elements are of type %r" % typ) # check that all array dimensions are consistent array_check_dimensions(value) type_data = py_types[typ] if special_int_support: if array_typeoid == 1005: type_data = {"typeoid": 21, "bin_out": int2send} elif array_typeoid == 1007: type_data = {"typeoid": 23, "bin_out": int4send} elif array_typeoid == 1016: type_data = {"typeoid": 20, "bin_out": int8send} else: type_data = py_types[typ] return { "typeoid": array_typeoid, "bin_out": array_send(type_data["typeoid"], type_data["bin_out"]) } def array_find_first_element(arr): for v in array_flatten(arr): if v != None: return v return None def array_flatten(arr): for v in arr: if isinstance(v, list): for v2 in array_flatten(v): yield v2 else: yield v def array_check_dimensions(arr): v0 = arr[0] if isinstance(v0, list): req_len = len(v0) req_inner_lengths = array_check_dimensions(v0) for v in arr: inner_lengths = array_check_dimensions(v) if len(v) != req_len or inner_lengths != req_inner_lengths: raise ArrayDimensionsNotConsistentError("array dimensions not consistent") retval = [req_len] retval.extend(req_inner_lengths) return retval else: # make sure nothing else at this level is a list for v in arr: if isinstance(v, list): raise ArrayDimensionsNotConsistentError("array dimensions not consistent") return [] def array_has_null(arr): for v in array_flatten(arr): if v == None: return True return False def array_dim_lengths(arr): v0 = arr[0] if isinstance(v0, list): retval = [len(v0)] retval.extend(array_dim_lengths(v0)) else: return [len(arr)] return retval class array_send(object): def __init__(self, typeoid, bin_out_func): self.typeoid = typeoid self.bin_out_func = bin_out_func def __call__(self, arr, **kwargs): has_null = array_has_null(arr) dim_lengths = array_dim_lengths(arr) data = struct.pack("!iii", len(dim_lengths), has_null, self.typeoid) for i in dim_lengths: data += struct.pack("!ii", i, 1) for v in array_flatten(arr): if v == None: data += struct.pack("!i", -1) else: inner_data = self.bin_out_func(v, **kwargs) data += struct.pack("!i", len(inner_data)) data += inner_data return data py_types = { bool: {"typeoid": 16, "bin_out": boolsend}, int: {"inspect": int_inspect}, long: {"inspect": int_inspect}, str: {"typeoid": 25, "bin_out": textout}, unicode: {"typeoid": 25, "bin_out": textout}, float: {"typeoid": 701, "bin_out": float8send}, decimal.Decimal: {"typeoid": 1700, "bin_out": numeric_send}, Bytea: {"typeoid": 17, "bin_out": byteasend}, datetime.datetime: {"typeoid": 1114, "bin_out": timestamp_send, "inspect": datetime_inspect}, datetime.date: {"typeoid": 1082, "txt_out": date_out}, datetime.time: {"typeoid": 1083, "txt_out": time_out}, Interval: {"typeoid": 1186, "bin_out": interval_send}, type(None): {"typeoid": -1}, list: {"inspect": array_inspect}, } # py type -> pg array typeoid py_array_types = { float: 1022, bool: 1000, str: 1009, # TEXT[] unicode: 1009, # TEXT[] decimal.Decimal: 1231, # NUMERIC[] } pg_types = { 16: {"bin_in": boolrecv}, 17: {"bin_in": bytearecv}, 19: {"bin_in": varcharin}, # name type 20: {"bin_in": int8recv}, 21: {"bin_in": int2recv}, 23: {"bin_in": int4recv, "txt_in": numeric_in}, 25: {"bin_in": varcharin, "txt_in": varcharin}, # TEXT type 26: {"txt_in": numeric_in}, # oid type 142: {"bin_in": varcharin, "txt_in": varcharin}, # XML 194: {"bin_in": varcharin}, # "string representing an internal node tree" 700: {"bin_in": float4recv}, 701: {"bin_in": float8recv}, 705: {"txt_in": varcharin}, # UNKNOWN 829: {"txt_in": varcharin}, # MACADDR type 1000: {"bin_in": array_recv}, # BOOL[] 1003: {"bin_in": array_recv}, # NAME[] 1005: {"bin_in": array_recv}, # INT2[] 1007: {"bin_in": array_recv, "txt_in": varcharin}, # INT4[] 1009: {"bin_in": array_recv}, # TEXT[] 1014: {"bin_in": array_recv}, # CHAR[] 1015: {"bin_in": array_recv}, # VARCHAR[] 1016: {"bin_in": array_recv}, # INT8[] 1021: {"bin_in": array_recv}, # FLOAT4[] 1022: {"bin_in": array_recv}, # FLOAT8[] 1042: {"bin_in": varcharin}, # CHAR type 1043: {"bin_in": varcharin}, # VARCHAR type 1082: {"txt_in": date_in}, 1083: {"txt_in": time_in}, 1114: {"bin_in": timestamp_recv}, 1184: {"bin_in": timestamptz_recv}, # timestamp w/ tz 1186: {"bin_in": interval_recv}, 1231: {"bin_in": array_recv}, # NUMERIC[] 1263: {"bin_in": array_recv}, # cstring[] 1700: {"bin_in": numeric_recv}, 2275: {"bin_in": varcharin}, # cstring }
ajibawa-2023/Python-Code-Large/train/row_547
373
708
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L30_C0", "label": "__author__ =", "type": "assigned_variable", "loc": [30, 30], "level": 0, "parent": null, "vector": [14, 0, 0.0424, 0.0014, 0, 0.66, 0.0, 777, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__author__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__author__ = \"Mathieu Fenniak\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Import_L32_C0", "label": "datetime import datetime", "type": "import", "loc": [32, 32], "level": 0, "parent": null, "vector": [1, 0, 0.0452, 0.0014, 0, 0.66, 0.0167, 426, 0, 1, 0, 0, 426, 0, 0], "semantic": {"name": "datetime", "arg_names": [], "import_names": ["datetime"], "rhs_call_name": "", "annotation": ""}, "snippet": "import datetime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Import_L33_C0", "label": "decimal import decimal", "type": "import", "loc": [33, 33], "level": 0, "parent": null, "vector": [1, 0, 0.0466, 0.0014, 0, 0.66, 0.0333, 349, 0, 1, 0, 0, 349, 0, 0], "semantic": {"name": "decimal", "arg_names": [], "import_names": ["decimal"], "rhs_call_name": "", "annotation": ""}, "snippet": "import decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Import_L34_C0", "label": "struct import struct", "type": "import", "loc": [34, 34], "level": 0, "parent": null, "vector": [1, 0, 0.048, 0.0014, 0, 0.66, 0.05, 399, 0, 1, 0, 0, 399, 0, 0], "semantic": {"name": "struct", "arg_names": [], "import_names": ["struct"], "rhs_call_name": "", "annotation": ""}, "snippet": "import struct"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Import_L35_C0", "label": "math import math", "type": "import", "loc": [35, 35], "level": 0, "parent": null, "vector": [1, 0, 0.0494, 0.0014, 0, 0.66, 0.0667, 526, 0, 1, 0, 0, 526, 0, 0], "semantic": {"name": "math", "arg_names": [], "import_names": ["math"], "rhs_call_name": "", "annotation": ""}, "snippet": "import math"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:ImportFrom_L36_C0", "label": "from errors import NotSupportedError, ArrayDataParseError, InternalError\u2026", "type": "import", "loc": [36, 38], "level": 0, "parent": null, "vector": [1, 0, 0.0523, 0.0042, 0, 0.66, 0.0833, 841, 0, 7, 0, 0, 841, 0, 0], "semantic": {"name": "errors", "arg_names": [], "import_names": ["NotSupportedError", "ArrayDataParseError", "InternalError", "ArrayContentEmptyError", "ArrayContentNotHomogenousError", "ArrayContentNotSupportedError", "ArrayDimensionsNotConsistentError"], "rhs_call_name": "", "annotation": ""}, "snippet": "from errors import (NotSupportedError, ArrayDataParseError, InternalError,\n ArrayContentEmptyError, ArrayContentNotHomogenousError,\n ArrayContentNotSupportedError, ArrayDimensionsNotConsistentError)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Try_L40_C0", "label": "try", "type": "try", "loc": [40, 51], "level": 0, "parent": null, "vector": [7, 0, 0.0643, 0.0169, 0, 0.66, 0.1, 0, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n from pytz import utc\nexcept ImportError:\n ZERO = datetime.timedelta(0)\n class UTC(datetime.tzinfo):\n def utcoffset(self, dt):\n return ZERO\n def tzname(self, dt):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:ImportFrom_L41_C4", "label": "from pytz import utc", "type": "import", "loc": [41, 41], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:Try_L40_C0", "vector": [1, 1, 0.0579, 0.0014, 1, 0.32, 0.0, 106, 0, 1, 0, 0, 106, 0, 0], "semantic": {"name": "pytz", "arg_names": [], "import_names": ["utc"], "rhs_call_name": "", "annotation": ""}, "snippet": " from pytz import utc"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L43_C4", "label": "ZERO = timedelta()", "type": "assigned_variable", "loc": [43, 43], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:Try_L40_C0", "vector": [14, 1, 0.0607, 0.0014, 1, 0.32, 0.0, 390, 3, 1, 0, 0, 790, 10, 1], "semantic": {"name": "ZERO", "arg_names": [], "import_names": [], "rhs_call_name": "timedelta", "annotation": ""}, "snippet": " ZERO = datetime.timedelta(0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L44_C4", "label": "UTC", "type": "class", "loc": [44, 50], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:Try_L40_C0", "vector": [3, 1, 0.0664, 0.0099, 1, 0.32, 0.5, 890, 0, 3, 0, 0, 848, 0, 0], "semantic": {"name": "UTC", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " class UTC(datetime.tzinfo):\n def utcoffset(self, dt):\n return ZERO\n def tzname(self, dt):\n return \"UTC\"\n def dst(self, dt):\n return ZERO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L45_C8", "label": "utcoffset", "type": "function", "loc": [45, 46], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L44_C4", "vector": [2, 2, 0.0643, 0.0028, 2, 0.29, 0.0, 971, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "utcoffset", "arg_names": ["self", "dt"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def utcoffset(self, dt):\n return ZERO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L46_C12", "label": "return", "type": "return", "loc": [46, 46], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L45_C8", "vector": [13, 3, 0.065, 0.0014, 3, 0.18, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ZERO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L47_C8", "label": "tzname", "type": "function", "loc": [47, 48], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L44_C4", "vector": [2, 2, 0.0671, 0.0028, 2, 0.29, 0.5, 256, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "tzname", "arg_names": ["self", "dt"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def tzname(self, dt):\n return \"UTC\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L48_C12", "label": "return", "type": "return", "loc": [48, 48], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L47_C8", "vector": [13, 3, 0.0678, 0.0014, 3, 0.12, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"UTC\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L49_C8", "label": "dst", "type": "function", "loc": [49, 50], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L44_C4", "vector": [2, 2, 0.0699, 0.0028, 2, 0.29, 1.0, 856, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "dst", "arg_names": ["self", "dt"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def dst(self, dt):\n return ZERO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L50_C12", "label": "return", "type": "return", "loc": [50, 50], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L49_C8", "vector": [13, 3, 0.0706, 0.0014, 3, 0.78, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ZERO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L51_C4", "label": "utc = UTC()", "type": "assigned_variable", "loc": [51, 51], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:Try_L40_C0", "vector": [14, 1, 0.072, 0.0014, 1, 0.32, 1.0, 968, 3, 0, 0, 0, 890, 10, 1], "semantic": {"name": "utc", "arg_names": [], "import_names": [], "rhs_call_name": "UTC", "annotation": ""}, "snippet": " utc = UTC()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L53_C0", "label": "Bytea", "type": "class", "loc": [53, 54], "level": 0, "parent": null, "vector": [3, 0, 0.0756, 0.0028, 0, 0.66, 0.1167, 3, 0, 0, 0, 0, 52, 0, 0], "semantic": {"name": "Bytea", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Bytea(str):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "label": "Interval", "type": "class", "loc": [56, 99], "level": 0, "parent": null, "vector": [3, 0, 0.1095, 0.0621, 0, 0.66, 0.1333, 361, 0, 6, 0, 0, 186, 0, 18], "semantic": {"name": "Interval", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Interval(object):\n def __init__(self, microseconds=0, days=0, months=0):\n self.microseconds = microseconds\n self.days = days\n self.months = months\n\n def _setMicroseconds(self, value):\n if not isinstance(value, int) and not isinstance(value, long):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L57_C4", "label": "__init__", "type": "function", "loc": [57, 60], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "vector": [2, 1, 0.0826, 0.0056, 1, 0.64, 0.0, 555, 0, 4, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "microseconds", "days", "months"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, microseconds=0, days=0, months=0):\n self.microseconds = microseconds\n self.days = days\n self.months = months"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L58_C8", "label": "self.microseconds =", "type": "assigned_variable", "loc": [58, 58], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L57_C4", "vector": [14, 2, 0.0819, 0.0014, 2, 0.56, 0.0, 66, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.microseconds", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.microseconds = microseconds"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L59_C8", "label": "self.days =", "type": "assigned_variable", "loc": [59, 59], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L57_C4", "vector": [14, 2, 0.0833, 0.0014, 2, 0.56, 0.5, 705, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.days", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.days = days"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L60_C8", "label": "self.months =", "type": "assigned_variable", "loc": [60, 60], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L57_C4", "vector": [14, 2, 0.0847, 0.0014, 2, 0.56, 1.0, 688, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.months", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.months = months"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L62_C4", "label": "_setMicroseconds", "type": "function", "loc": [62, 68], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "vector": [2, 1, 0.0918, 0.0099, 1, 0.64, 0.125, 828, 0, 2, 0, 0, 0, 0, 4], "semantic": {"name": "_setMicroseconds", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _setMicroseconds(self, value):\n if not isinstance(value, int) and not isinstance(value, long):\n raise TypeError(\"microseconds must be an int or long\")\n elif not (min_int8 < value < max_int8):\n raise OverflowError(\"microseconds must be representable as a 64-bit integer\")\n else:\n self._microseconds = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L63_C8", "label": "if", "type": "if", "loc": [63, 68], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L62_C4", "vector": [4, 2, 0.0925, 0.0085, 2, 0.0, 0.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(value, int) and not isinstance(value, long):\n raise TypeError(\"microseconds must be an int or long\")\n elif not (min_int8 < value < max_int8):\n raise OverflowError(\"microseconds must be representable as a 64-bit integer\")\n else:\n self._microseconds = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L65_C8", "label": "if", "type": "if", "loc": [65, 68], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L63_C8", "vector": [4, 3, 0.0939, 0.0056, 3, 0.72, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif not (min_int8 < value < max_int8):\n raise OverflowError(\"microseconds must be representable as a 64-bit integer\")\n else:\n self._microseconds = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L68_C12", "label": "self._microseconds =", "type": "assigned_variable", "loc": [68, 68], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L65_C8", "vector": [14, 4, 0.096, 0.0014, 4, 0.1, 0.0, 750, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._microseconds", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._microseconds = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L70_C4", "label": "_setDays", "type": "function", "loc": [70, 76], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "vector": [2, 1, 0.1031, 0.0099, 1, 0.64, 0.25, 674, 0, 2, 0, 0, 0, 0, 4], "semantic": {"name": "_setDays", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _setDays(self, value):\n if not isinstance(value, int) and not isinstance(value, long):\n raise TypeError(\"days must be an int or long\")\n elif not (min_int4 < value < max_int4):\n raise OverflowError(\"days must be representable as a 32-bit integer\")\n else:\n self._days = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L71_C8", "label": "if", "type": "if", "loc": [71, 76], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L70_C4", "vector": [4, 2, 0.1038, 0.0085, 2, 0.45, 0.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(value, int) and not isinstance(value, long):\n raise TypeError(\"days must be an int or long\")\n elif not (min_int4 < value < max_int4):\n raise OverflowError(\"days must be representable as a 32-bit integer\")\n else:\n self._days = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L73_C8", "label": "if", "type": "if", "loc": [73, 76], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L71_C8", "vector": [4, 3, 0.1052, 0.0056, 3, 0.79, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif not (min_int4 < value < max_int4):\n raise OverflowError(\"days must be representable as a 32-bit integer\")\n else:\n self._days = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L76_C12", "label": "self._days =", "type": "assigned_variable", "loc": [76, 76], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L73_C8", "vector": [14, 4, 0.1073, 0.0014, 4, 0.82, 0.0, 430, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._days", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._days = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L78_C4", "label": "_setMonths", "type": "function", "loc": [78, 84], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "vector": [2, 1, 0.1144, 0.0099, 1, 0.64, 0.375, 930, 0, 2, 0, 0, 0, 0, 4], "semantic": {"name": "_setMonths", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _setMonths(self, value):\n if not isinstance(value, int) and not isinstance(value, long):\n raise TypeError(\"months must be an int or long\")\n elif not (min_int4 < value < max_int4):\n raise OverflowError(\"months must be representable as a 32-bit integer\")\n else:\n self._months = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L79_C8", "label": "if", "type": "if", "loc": [79, 84], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L78_C4", "vector": [4, 2, 0.1151, 0.0085, 2, 0.4, 0.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(value, int) and not isinstance(value, long):\n raise TypeError(\"months must be an int or long\")\n elif not (min_int4 < value < max_int4):\n raise OverflowError(\"months must be representable as a 32-bit integer\")\n else:\n self._months = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L81_C8", "label": "if", "type": "if", "loc": [81, 84], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L79_C8", "vector": [4, 3, 0.1165, 0.0056, 3, 0.37, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif not (min_int4 < value < max_int4):\n raise OverflowError(\"months must be representable as a 32-bit integer\")\n else:\n self._months = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L84_C12", "label": "self._months =", "type": "assigned_variable", "loc": [84, 84], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L81_C8", "vector": [14, 4, 0.1186, 0.0014, 4, 0.88, 0.0, 362, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._months", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._months = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L86_C4", "label": "microseconds = property()", "type": "assigned_variable", "loc": [86, 86], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "vector": [14, 1, 0.1215, 0.0014, 1, 0.64, 0.5, 409, 3, 2, 0, 0, 244, 10, 1], "semantic": {"name": "microseconds", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " microseconds = property(lambda self: self._microseconds, _setMicroseconds)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L87_C4", "label": "days = property()", "type": "assigned_variable", "loc": [87, 87], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "vector": [14, 1, 0.1229, 0.0014, 1, 0.64, 0.625, 939, 3, 2, 0, 0, 244, 10, 1], "semantic": {"name": "days", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " days = property(lambda self: self._days, _setDays)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L88_C4", "label": "months = property()", "type": "assigned_variable", "loc": [88, 88], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "vector": [14, 1, 0.1243, 0.0014, 1, 0.64, 0.75, 458, 3, 2, 0, 0, 244, 10, 1], "semantic": {"name": "months", "arg_names": [], "import_names": [], "rhs_call_name": "property", "annotation": ""}, "snippet": " months = property(lambda self: self._months, _setMonths)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L90_C4", "label": "__repr__", "type": "function", "loc": [90, 91], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "vector": [2, 1, 0.1278, 0.0028, 1, 0.64, 0.875, 204, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<Interval %s months %s days %s microseconds>\" % (self.months, self.days, self.microseconds)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L91_C8", "label": "return", "type": "return", "loc": [91, 91], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L90_C4", "vector": [13, 2, 0.1285, 0.0014, 2, 0.71, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<Interval %s months %s days %s microseconds>\" % (self.months, self.days, self.microseconds)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "label": "__cmp__", "type": "function", "loc": [93, 99], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "vector": [2, 1, 0.1356, 0.0099, 1, 0.64, 1.0, 271, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "__cmp__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __cmp__(self, other):\n if other == None: return -1\n c = cmp(self.months, other.months)\n if c != 0: return c\n c = cmp(self.days, other.days)\n if c != 0: return c\n return cmp(self.microseconds, other.microseconds)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L94_C8", "label": "if", "type": "if", "loc": [94, 94], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "vector": [4, 2, 0.1328, 0.0014, 2, 0.67, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if other == None: return -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L94_C26", "label": "return", "type": "return", "loc": [94, 94], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L94_C8", "vector": [13, 3, 0.1328, 0.0014, 3, 0.17, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if other == None: return -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L95_C8", "label": "c = cmp()", "type": "assigned_variable", "loc": [95, 95], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "vector": [14, 2, 0.1342, 0.0014, 2, 0.67, 0.2, 411, 3, 2, 0, 0, 275, 10, 1], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "cmp", "annotation": ""}, "snippet": " c = cmp(self.months, other.months)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L96_C8", "label": "if", "type": "if", "loc": [96, 96], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "vector": [4, 2, 0.1356, 0.0014, 2, 0.67, 0.4, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if c != 0: return c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L96_C19", "label": "return", "type": "return", "loc": [96, 96], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L96_C8", "vector": [13, 3, 0.1356, 0.0014, 3, 0.99, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if c != 0: return c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L97_C8", "label": "c = cmp()", "type": "assigned_variable", "loc": [97, 97], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "vector": [14, 2, 0.137, 0.0014, 2, 0.67, 0.6, 411, 3, 2, 0, 0, 275, 10, 1], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "cmp", "annotation": ""}, "snippet": " c = cmp(self.days, other.days)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L98_C8", "label": "if", "type": "if", "loc": [98, 98], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "vector": [4, 2, 0.1384, 0.0014, 2, 0.67, 0.8, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if c != 0: return c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L98_C19", "label": "return", "type": "return", "loc": [98, 98], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L98_C8", "vector": [13, 3, 0.1384, 0.0014, 3, 0.56, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if c != 0: return c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L99_C8", "label": "return", "type": "return", "loc": [99, 99], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "vector": [13, 2, 0.1398, 0.0014, 2, 0.67, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return cmp(self.microseconds, other.microseconds)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "label": "pg_type_info", "type": "function", "loc": [101, 131], "level": 0, "parent": null, "vector": [2, 0, 0.1638, 0.0438, 0, 0.66, 0.15, 968, 0, 1, 1, 0, 0, 0, 10], "semantic": {"name": "pg_type_info", "arg_names": ["typ"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def pg_type_info(typ):\n value = None\n if isinstance(typ, dict):\n value = typ[\"value\"]\n typ = typ[\"type\"]\n\n data = py_types.get(typ)\n if data == None:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L102_C4", "label": "value =", "type": "assigned_variable", "loc": [102, 102], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "vector": [14, 1, 0.1441, 0.0014, 1, 0.7, 0.0, 441, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L103_C4", "label": "if", "type": "if", "loc": [103, 105], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "vector": [4, 1, 0.1469, 0.0042, 1, 0.7, 0.1111, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(typ, dict):\n value = typ[\"value\"]\n typ = typ[\"type\"]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L104_C8", "label": "value =", "type": "assigned_variable", "loc": [104, 104], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L103_C4", "vector": [14, 2, 0.1469, 0.0014, 2, 0.15, 0.0, 441, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = typ[\"value\"]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L105_C8", "label": "typ =", "type": "assigned_variable", "loc": [105, 105], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L103_C4", "vector": [14, 2, 0.1483, 0.0014, 2, 0.15, 1.0, 722, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "typ", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " typ = typ[\"type\"]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L107_C4", "label": "data = get()", "type": "assigned_variable", "loc": [107, 107], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "vector": [14, 1, 0.1511, 0.0014, 1, 0.7, 0.2222, 929, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " data = py_types.get(typ)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L108_C4", "label": "if", "type": "if", "loc": [108, 109], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "vector": [4, 1, 0.1532, 0.0028, 1, 0.7, 0.3333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if data == None:\n raise NotSupportedError(\"type %r not mapped to pg type\" % typ)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L112_C4", "label": "inspect_func = get()", "type": "assigned_variable", "loc": [112, 112], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "vector": [14, 1, 0.1582, 0.0014, 1, 0.7, 0.4444, 605, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "inspect_func", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " inspect_func = data.get(\"inspect\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L113_C4", "label": "if", "type": "if", "loc": [113, 114], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "vector": [4, 1, 0.1603, 0.0028, 1, 0.7, 0.5556, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value != None and inspect_func != None:\n data = inspect_func(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L114_C8", "label": "data = inspect_func()", "type": "assigned_variable", "loc": [114, 114], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L113_C4", "vector": [14, 2, 0.161, 0.0014, 2, 0.53, 0.0, 929, 3, 1, 0, 0, 605, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "inspect_func", "annotation": ""}, "snippet": " data = inspect_func(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L116_C4", "label": "type_oid = get()", "type": "assigned_variable", "loc": [116, 116], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "vector": [14, 1, 0.1638, 0.0014, 1, 0.7, 0.6667, 740, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "type_oid", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " type_oid = data.get(\"typeoid\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L117_C4", "label": "if", "type": "if", "loc": [117, 121], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "vector": [4, 1, 0.1681, 0.0071, 1, 0.7, 0.7778, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if type_oid == None:\n raise InternalError(\"type %r has no type_oid\" % typ)\n elif type_oid == -1:\n # special case: NULL values\n return type_oid, 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L119_C4", "label": "if", "type": "if", "loc": [119, 121], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L117_C4", "vector": [4, 2, 0.1695, 0.0042, 2, 0.25, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif type_oid == -1:\n # special case: NULL values\n return type_oid, 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L121_C8", "label": "return", "type": "return", "loc": [121, 121], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L119_C4", "vector": [13, 3, 0.1709, 0.0014, 3, 0.6, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return type_oid, 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L124_C4", "label": "if", "type": "if", "loc": [124, 129], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "vector": [4, 1, 0.1787, 0.0085, 1, 0.7, 0.8889, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if data.get(\"bin_out\"):\n format = 1\n elif data.get(\"txt_out\"):\n format = 0\n else:\n raise InternalError(\"no conversion fuction for type %r\" % typ)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L125_C8", "label": "format =", "type": "assigned_variable", "loc": [125, 125], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L124_C4", "vector": [14, 2, 0.1766, 0.0014, 2, 0.39, 0.0, 293, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "format", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " format = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L126_C4", "label": "if", "type": "if", "loc": [126, 129], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L124_C4", "vector": [4, 2, 0.1801, 0.0056, 2, 0.39, 1.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif data.get(\"txt_out\"):\n format = 0\n else:\n raise InternalError(\"no conversion fuction for type %r\" % typ)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L127_C8", "label": "format =", "type": "assigned_variable", "loc": [127, 127], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L126_C4", "vector": [14, 3, 0.1794, 0.0014, 3, 0.32, 0.0, 293, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "format", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " format = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L131_C4", "label": "return", "type": "return", "loc": [131, 131], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "vector": [13, 1, 0.185, 0.0014, 1, 0.7, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return type_oid, format"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "label": "pg_value", "type": "function", "loc": [133, 156], "level": 0, "parent": null, "vector": [2, 0, 0.2041, 0.0339, 0, 0.66, 0.1667, 381, 0, 3, 1, 0, 0, 0, 11], "semantic": {"name": "pg_value", "arg_names": ["value", "fc", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def pg_value(value, fc, **kwargs):\n typ = type(value)\n data = py_types.get(typ)\n if data == None:\n raise NotSupportedError(\"type %r not mapped to pg type\" % typ)\n\n # permit the type conversion to be determined by the value, if provided\n inspect_func = data.get(\"inspect\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L134_C4", "label": "typ = type()", "type": "assigned_variable", "loc": [134, 134], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "vector": [14, 1, 0.1893, 0.0014, 1, 0.62, 0.0, 722, 3, 1, 0, 0, 801, 10, 1], "semantic": {"name": "typ", "arg_names": [], "import_names": [], "rhs_call_name": "type", "annotation": ""}, "snippet": " typ = type(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L135_C4", "label": "data = get()", "type": "assigned_variable", "loc": [135, 135], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "vector": [14, 1, 0.1907, 0.0014, 1, 0.62, 0.125, 929, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " data = py_types.get(typ)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L136_C4", "label": "if", "type": "if", "loc": [136, 137], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "vector": [4, 1, 0.1928, 0.0028, 1, 0.62, 0.25, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if data == None:\n raise NotSupportedError(\"type %r not mapped to pg type\" % typ)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L140_C4", "label": "inspect_func = get()", "type": "assigned_variable", "loc": [140, 140], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "vector": [14, 1, 0.1977, 0.0014, 1, 0.62, 0.375, 605, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "inspect_func", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " inspect_func = data.get(\"inspect\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L141_C4", "label": "if", "type": "if", "loc": [141, 142], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "vector": [4, 1, 0.1999, 0.0028, 1, 0.62, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value != None and inspect_func != None:\n data = inspect_func(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L142_C8", "label": "data = inspect_func()", "type": "assigned_variable", "loc": [142, 142], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L141_C4", "vector": [14, 2, 0.2006, 0.0014, 2, 0.06, 0.0, 929, 3, 1, 0, 0, 605, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "inspect_func", "annotation": ""}, "snippet": " data = inspect_func(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L145_C4", "label": "if", "type": "if", "loc": [145, 146], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "vector": [4, 1, 0.2055, 0.0028, 1, 0.62, 0.625, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if data.get(\"typeoid\") == -1:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L146_C8", "label": "return", "type": "return", "loc": [146, 146], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L145_C4", "vector": [13, 2, 0.2062, 0.0014, 2, 0.1, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L148_C4", "label": "if", "type": "if", "loc": [148, 153], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "vector": [4, 1, 0.2126, 0.0085, 1, 0.62, 0.75, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if fc == 0:\n func = data.get(\"txt_out\")\n elif fc == 1:\n func = data.get(\"bin_out\")\n else:\n raise InternalError(\"unrecognized format code %r\" % fc)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L149_C8", "label": "func = get()", "type": "assigned_variable", "loc": [149, 149], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L148_C4", "vector": [14, 2, 0.2105, 0.0014, 2, 0.81, 0.0, 856, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "func", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " func = data.get(\"txt_out\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L150_C4", "label": "if", "type": "if", "loc": [150, 153], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L148_C4", "vector": [4, 2, 0.214, 0.0056, 2, 0.81, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif fc == 1:\n func = data.get(\"bin_out\")\n else:\n raise InternalError(\"unrecognized format code %r\" % fc)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L151_C8", "label": "func = get()", "type": "assigned_variable", "loc": [151, 151], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L150_C4", "vector": [14, 3, 0.2133, 0.0014, 3, 0.16, 0.0, 856, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "func", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " func = data.get(\"bin_out\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L154_C4", "label": "if", "type": "if", "loc": [154, 155], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "vector": [4, 1, 0.2182, 0.0028, 1, 0.62, 0.875, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if func == None:\n raise NotSupportedError(\"type %r, format code %r not supported\" % (typ, fc))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L156_C4", "label": "return", "type": "return", "loc": [156, 156], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "vector": [13, 1, 0.2203, 0.0014, 1, 0.62, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return func(value, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L158_C0", "label": "py_type_info", "type": "function", "loc": [158, 170], "level": 0, "parent": null, "vector": [2, 0, 0.2316, 0.0184, 0, 0.66, 0.1833, 845, 0, 1, 1, 0, 0, 0, 5], "semantic": {"name": "py_type_info", "arg_names": ["description"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def py_type_info(description):\n type_oid = description['type_oid']\n data = pg_types.get(type_oid)\n if data == None:\n raise NotSupportedError(\"type oid %r not mapped to py type\" % type_oid)\n # prefer bin, but go with whatever exists\n if data.get(\"bin_in\"):\n format = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L159_C4", "label": "type_oid =", "type": "assigned_variable", "loc": [159, 159], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L158_C0", "vector": [14, 1, 0.2246, 0.0014, 1, 0.63, 0.0, 740, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "type_oid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " type_oid = description['type_oid']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L160_C4", "label": "data = get()", "type": "assigned_variable", "loc": [160, 160], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L158_C0", "vector": [14, 1, 0.226, 0.0014, 1, 0.63, 0.25, 929, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " data = pg_types.get(type_oid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L161_C4", "label": "if", "type": "if", "loc": [161, 162], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L158_C0", "vector": [4, 1, 0.2281, 0.0028, 1, 0.63, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if data == None:\n raise NotSupportedError(\"type oid %r not mapped to py type\" % type_oid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L164_C4", "label": "if", "type": "if", "loc": [164, 169], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L158_C0", "vector": [4, 1, 0.2352, 0.0085, 1, 0.63, 0.75, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if data.get(\"bin_in\"):\n format = 1\n elif data.get(\"txt_in\"):\n format = 0\n else:\n raise InternalError(\"no conversion fuction for type oid %r\" % type_oid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L165_C8", "label": "format =", "type": "assigned_variable", "loc": [165, 165], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L164_C4", "vector": [14, 2, 0.2331, 0.0014, 2, 0.13, 0.0, 293, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "format", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " format = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L166_C4", "label": "if", "type": "if", "loc": [166, 169], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L164_C4", "vector": [4, 2, 0.2366, 0.0056, 2, 0.13, 1.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif data.get(\"txt_in\"):\n format = 0\n else:\n raise InternalError(\"no conversion fuction for type oid %r\" % type_oid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L167_C8", "label": "format =", "type": "assigned_variable", "loc": [167, 167], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L166_C4", "vector": [14, 3, 0.2359, 0.0014, 3, 0.13, 0.0, 293, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "format", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " format = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L170_C4", "label": "return", "type": "return", "loc": [170, 170], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L158_C0", "vector": [13, 1, 0.2401, 0.0014, 1, 0.63, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return format"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "label": "py_value", "type": "function", "loc": [172, 189], "level": 0, "parent": null, "vector": [2, 0, 0.2549, 0.0254, 0, 0.66, 0.2, 221, 0, 3, 1, 0, 0, 0, 7], "semantic": {"name": "py_value", "arg_names": ["v", "description", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def py_value(v, description, **kwargs):\n if v == None:\n # special case - NULL value\n return None\n type_oid = description['type_oid']\n format = description['format']\n data = pg_types.get(type_oid)\n if data == None:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L173_C4", "label": "if", "type": "if", "loc": [173, 175], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "vector": [4, 1, 0.2458, 0.0042, 1, 0.5, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if v == None:\n # special case - NULL value\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L175_C8", "label": "return", "type": "return", "loc": [175, 175], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L173_C4", "vector": [13, 2, 0.2472, 0.0014, 2, 0.86, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L176_C4", "label": "type_oid =", "type": "assigned_variable", "loc": [176, 176], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "vector": [14, 1, 0.2486, 0.0014, 1, 0.5, 0.1429, 740, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "type_oid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " type_oid = description['type_oid']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L177_C4", "label": "format =", "type": "assigned_variable", "loc": [177, 177], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "vector": [14, 1, 0.25, 0.0014, 1, 0.5, 0.2857, 293, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "format", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " format = description['format']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L178_C4", "label": "data = get()", "type": "assigned_variable", "loc": [178, 178], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "vector": [14, 1, 0.2514, 0.0014, 1, 0.5, 0.4286, 929, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " data = pg_types.get(type_oid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L179_C4", "label": "if", "type": "if", "loc": [179, 180], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "vector": [4, 1, 0.2535, 0.0028, 1, 0.5, 0.5714, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if data == None:\n raise NotSupportedError(\"type oid %r not supported\" % type_oid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L181_C4", "label": "if", "type": "if", "loc": [181, 186], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "vector": [4, 1, 0.2592, 0.0085, 1, 0.5, 0.7143, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if format == 0:\n func = data.get(\"txt_in\")\n elif format == 1:\n func = data.get(\"bin_in\")\n else:\n raise NotSupportedError(\"format code %r not supported\" % format)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L182_C8", "label": "func = get()", "type": "assigned_variable", "loc": [182, 182], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L181_C4", "vector": [14, 2, 0.2571, 0.0014, 2, 0.82, 0.0, 856, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "func", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " func = data.get(\"txt_in\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L183_C4", "label": "if", "type": "if", "loc": [183, 186], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L181_C4", "vector": [4, 2, 0.2606, 0.0056, 2, 0.82, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif format == 1:\n func = data.get(\"bin_in\")\n else:\n raise NotSupportedError(\"format code %r not supported\" % format)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L184_C8", "label": "func = get()", "type": "assigned_variable", "loc": [184, 184], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L183_C4", "vector": [14, 3, 0.2599, 0.0014, 3, 0.2, 0.0, 856, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "func", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " func = data.get(\"bin_in\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L187_C4", "label": "if", "type": "if", "loc": [187, 188], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "vector": [4, 1, 0.2648, 0.0028, 1, 0.5, 0.8571, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if func == None:\n raise NotSupportedError(\"data response format %r, type %r not supported\" % (format, type_oid))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L189_C4", "label": "return", "type": "return", "loc": [189, 189], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "vector": [13, 1, 0.2669, 0.0014, 1, 0.5, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return func(v, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L191_C0", "label": "boolrecv", "type": "function", "loc": [191, 192], "level": 0, "parent": null, "vector": [2, 0, 0.2705, 0.0028, 0, 0.66, 0.2167, 624, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "boolrecv", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def boolrecv(data, **kwargs):\n return data == \"\\x01\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L192_C4", "label": "return", "type": "return", "loc": [192, 192], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L191_C0", "vector": [13, 1, 0.2712, 0.0014, 1, 0.79, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return data == \"\\x01\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L194_C0", "label": "boolsend", "type": "function", "loc": [194, 198], "level": 0, "parent": null, "vector": [2, 0, 0.2768, 0.0071, 0, 0.66, 0.2333, 65, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "boolsend", "arg_names": ["v", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def boolsend(v, **kwargs):\n if v:\n return \"\\x01\"\n else:\n return \"\\x00\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L195_C4", "label": "if", "type": "if", "loc": [195, 198], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L194_C0", "vector": [4, 1, 0.2775, 0.0056, 1, 0.83, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if v:\n return \"\\x01\"\n else:\n return \"\\x00\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L196_C8", "label": "return", "type": "return", "loc": [196, 196], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L195_C4", "vector": [13, 2, 0.2768, 0.0014, 2, 0.3, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"\\x01\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L198_C8", "label": "return", "type": "return", "loc": [198, 198], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L195_C4", "vector": [13, 2, 0.2797, 0.0014, 2, 0.3, 1.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"\\x00\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L200_C0", "label": "min_int2, max_int2 =", "type": "assigned_variable", "loc": [200, 200], "level": 0, "parent": null, "vector": [14, 0, 0.2825, 0.0014, 0, 0.66, 0.25, 192, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "min_int2, max_int2", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "min_int2, max_int2 = -2 ** 15, 2 ** 15"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L201_C0", "label": "min_int4, max_int4 =", "type": "assigned_variable", "loc": [201, 201], "level": 0, "parent": null, "vector": [14, 0, 0.2839, 0.0014, 0, 0.66, 0.2667, 44, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "min_int4, max_int4", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "min_int4, max_int4 = -2 ** 31, 2 ** 31"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L202_C0", "label": "min_int8, max_int8 =", "type": "assigned_variable", "loc": [202, 202], "level": 0, "parent": null, "vector": [14, 0, 0.2853, 0.0014, 0, 0.66, 0.2833, 417, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "min_int8, max_int8", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "min_int8, max_int8 = -2 ** 63, 2 ** 63"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L204_C0", "label": "int_inspect", "type": "function", "loc": [204, 212], "level": 0, "parent": null, "vector": [2, 0, 0.2938, 0.0127, 0, 0.66, 0.3, 175, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "int_inspect", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def int_inspect(value):\n if min_int2 < value < max_int2:\n return {\"typeoid\": 21, \"bin_out\": int2send}\n elif min_int4 < value < max_int4:\n return {\"typeoid\": 23, \"bin_out\": int4send}\n elif min_int8 < value < max_int8:\n return {\"typeoid\": 20, \"bin_out\": int8send}\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L205_C4", "label": "if", "type": "if", "loc": [205, 212], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L204_C0", "vector": [4, 1, 0.2945, 0.0113, 1, 0.82, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if min_int2 < value < max_int2:\n return {\"typeoid\": 21, \"bin_out\": int2send}\n elif min_int4 < value < max_int4:\n return {\"typeoid\": 23, \"bin_out\": int4send}\n elif min_int8 < value < max_int8:\n return {\"typeoid\": 20, \"bin_out\": int8send}\n else:\n return {\"typeoid\": 1700, \"bin_out\": numeric_send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L206_C8", "label": "return", "type": "return", "loc": [206, 206], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L205_C4", "vector": [13, 2, 0.291, 0.0014, 2, 0.79, 0.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return {\"typeoid\": 21, \"bin_out\": int2send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L207_C4", "label": "if", "type": "if", "loc": [207, 212], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L205_C4", "vector": [4, 2, 0.2959, 0.0085, 2, 0.79, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif min_int4 < value < max_int4:\n return {\"typeoid\": 23, \"bin_out\": int4send}\n elif min_int8 < value < max_int8:\n return {\"typeoid\": 20, \"bin_out\": int8send}\n else:\n return {\"typeoid\": 1700, \"bin_out\": numeric_send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L208_C8", "label": "return", "type": "return", "loc": [208, 208], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L207_C4", "vector": [13, 3, 0.2938, 0.0014, 3, 0.44, 0.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return {\"typeoid\": 23, \"bin_out\": int4send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L209_C4", "label": "if", "type": "if", "loc": [209, 212], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L207_C4", "vector": [4, 3, 0.2973, 0.0056, 3, 0.44, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif min_int8 < value < max_int8:\n return {\"typeoid\": 20, \"bin_out\": int8send}\n else:\n return {\"typeoid\": 1700, \"bin_out\": numeric_send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L210_C8", "label": "return", "type": "return", "loc": [210, 210], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L209_C4", "vector": [13, 4, 0.2966, 0.0014, 4, 0.18, 0.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return {\"typeoid\": 20, \"bin_out\": int8send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L212_C8", "label": "return", "type": "return", "loc": [212, 212], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L209_C4", "vector": [13, 4, 0.2994, 0.0014, 4, 0.18, 1.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return {\"typeoid\": 1700, \"bin_out\": numeric_send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L214_C0", "label": "int2recv", "type": "function", "loc": [214, 215], "level": 0, "parent": null, "vector": [2, 0, 0.303, 0.0028, 0, 0.66, 0.3167, 693, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "int2recv", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def int2recv(data, **kwargs):\n return struct.unpack(\"!h\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L215_C4", "label": "return", "type": "return", "loc": [215, 215], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L214_C0", "vector": [13, 1, 0.3037, 0.0014, 1, 0.44, 0.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.unpack(\"!h\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L217_C0", "label": "int2send", "type": "function", "loc": [217, 218], "level": 0, "parent": null, "vector": [2, 0, 0.3072, 0.0028, 0, 0.66, 0.3333, 181, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "int2send", "arg_names": ["v", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def int2send(v, **kwargs):\n return struct.pack(\"!h\", v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L218_C4", "label": "return", "type": "return", "loc": [218, 218], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L217_C0", "vector": [13, 1, 0.3079, 0.0014, 1, 0.79, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.pack(\"!h\", v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L220_C0", "label": "int4recv", "type": "function", "loc": [220, 221], "level": 0, "parent": null, "vector": [2, 0, 0.3114, 0.0028, 0, 0.66, 0.35, 498, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "int4recv", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def int4recv(data, **kwargs):\n return struct.unpack(\"!i\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L221_C4", "label": "return", "type": "return", "loc": [221, 221], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L220_C0", "vector": [13, 1, 0.3121, 0.0014, 1, 0.59, 0.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.unpack(\"!i\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L223_C0", "label": "int4send", "type": "function", "loc": [223, 224], "level": 0, "parent": null, "vector": [2, 0, 0.3157, 0.0028, 0, 0.66, 0.3667, 900, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "int4send", "arg_names": ["v", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def int4send(v, **kwargs):\n return struct.pack(\"!i\", v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L224_C4", "label": "return", "type": "return", "loc": [224, 224], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L223_C0", "vector": [13, 1, 0.3164, 0.0014, 1, 0.33, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.pack(\"!i\", v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L226_C0", "label": "int8recv", "type": "function", "loc": [226, 227], "level": 0, "parent": null, "vector": [2, 0, 0.3199, 0.0028, 0, 0.66, 0.3833, 679, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "int8recv", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def int8recv(data, **kwargs):\n return struct.unpack(\"!q\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L227_C4", "label": "return", "type": "return", "loc": [227, 227], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L226_C0", "vector": [13, 1, 0.3206, 0.0014, 1, 0.02, 0.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.unpack(\"!q\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L229_C0", "label": "int8send", "type": "function", "loc": [229, 230], "level": 0, "parent": null, "vector": [2, 0, 0.3242, 0.0028, 0, 0.66, 0.4, 92, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "int8send", "arg_names": ["v", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def int8send(v, **kwargs):\n return struct.pack(\"!q\", v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L230_C4", "label": "return", "type": "return", "loc": [230, 230], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L229_C0", "vector": [13, 1, 0.3249, 0.0014, 1, 0.59, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.pack(\"!q\", v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L232_C0", "label": "float4recv", "type": "function", "loc": [232, 233], "level": 0, "parent": null, "vector": [2, 0, 0.3284, 0.0028, 0, 0.66, 0.4167, 910, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "float4recv", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def float4recv(data, **kwargs):\n return struct.unpack(\"!f\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L233_C4", "label": "return", "type": "return", "loc": [233, 233], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L232_C0", "vector": [13, 1, 0.3291, 0.0014, 1, 0.04, 0.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.unpack(\"!f\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L235_C0", "label": "float8recv", "type": "function", "loc": [235, 236], "level": 0, "parent": null, "vector": [2, 0, 0.3326, 0.0028, 0, 0.66, 0.4333, 374, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "float8recv", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def float8recv(data, **kwargs):\n return struct.unpack(\"!d\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L236_C4", "label": "return", "type": "return", "loc": [236, 236], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L235_C0", "vector": [13, 1, 0.3333, 0.0014, 1, 0.24, 0.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.unpack(\"!d\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L238_C0", "label": "float8send", "type": "function", "loc": [238, 239], "level": 0, "parent": null, "vector": [2, 0, 0.3369, 0.0028, 0, 0.66, 0.45, 981, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "float8send", "arg_names": ["v", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def float8send(v, **kwargs):\n return struct.pack(\"!d\", v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L239_C4", "label": "return", "type": "return", "loc": [239, 239], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L238_C0", "vector": [13, 1, 0.3376, 0.0014, 1, 0.33, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.pack(\"!d\", v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L241_C0", "label": "datetime_inspect", "type": "function", "loc": [241, 247], "level": 0, "parent": null, "vector": [2, 0, 0.3446, 0.0099, 0, 0.66, 0.4667, 991, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "datetime_inspect", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def datetime_inspect(value):\n if value.tzinfo != None:\n # send as timestamptz if timezone is provided\n return {\"typeoid\": 1184, \"bin_out\": timestamptz_send}\n else:\n # otherwise send as timestamp\n return {\"typeoid\": 1114, \"bin_out\": timestamp_send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L242_C4", "label": "if", "type": "if", "loc": [242, 247], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L241_C0", "vector": [4, 1, 0.3453, 0.0085, 1, 0.9, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value.tzinfo != None:\n # send as timestamptz if timezone is provided\n return {\"typeoid\": 1184, \"bin_out\": timestamptz_send}\n else:\n # otherwise send as timestamp\n return {\"typeoid\": 1114, \"bin_out\": timestamp_send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L244_C8", "label": "return", "type": "return", "loc": [244, 244], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L242_C4", "vector": [13, 2, 0.3446, 0.0014, 2, 0.96, 0.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return {\"typeoid\": 1184, \"bin_out\": timestamptz_send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L247_C8", "label": "return", "type": "return", "loc": [247, 247], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L242_C4", "vector": [13, 2, 0.3489, 0.0014, 2, 0.96, 1.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return {\"typeoid\": 1114, \"bin_out\": timestamp_send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L249_C0", "label": "timestamp_recv", "type": "function", "loc": [249, 257], "level": 0, "parent": null, "vector": [2, 0, 0.3573, 0.0127, 0, 0.66, 0.4833, 410, 0, 3, 1, 0, 0, 0, 6], "semantic": {"name": "timestamp_recv", "arg_names": ["data", "integer_datetimes", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def timestamp_recv(data, integer_datetimes, **kwargs):\n if integer_datetimes:\n # data is 64-bit integer representing milliseconds since 2000-01-01\n val = struct.unpack(\"!q\", data)[0]\n return datetime.datetime(2000, 1, 1) + datetime.timedelta(microseconds = val)\n else:\n # data is double-precision float representing seconds since 2000-01-01\n val = struct.unpack(\"!d\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L250_C4", "label": "if", "type": "if", "loc": [250, 257], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L249_C0", "vector": [4, 1, 0.3581, 0.0113, 1, 0.53, 0.0, 0, 2, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if integer_datetimes:\n # data is 64-bit integer representing milliseconds since 2000-01-01\n val = struct.unpack(\"!q\", data)[0]\n return datetime.datetime(2000, 1, 1) + datetime.timedelta(microseconds = val)\n else:\n # data is double-precision float representing seconds since 2000-01-01\n val = struct.unpack(\"!d\", data)[0]\n return datetime.datetime(2000, 1, 1) + datetime.timedelta(seconds = val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L252_C8", "label": "val =", "type": "assigned_variable", "loc": [252, 252], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L250_C4", "vector": [14, 2, 0.3559, 0.0014, 2, 0.48, 0.0, 618, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = struct.unpack(\"!q\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L253_C8", "label": "return", "type": "return", "loc": [253, 253], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L250_C4", "vector": [13, 2, 0.3573, 0.0014, 2, 0.48, 0.3333, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return datetime.datetime(2000, 1, 1) + datetime.timedelta(microseconds = val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L256_C8", "label": "val =", "type": "assigned_variable", "loc": [256, 256], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L250_C4", "vector": [14, 2, 0.3616, 0.0014, 2, 0.48, 0.6667, 618, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = struct.unpack(\"!d\", data)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L257_C8", "label": "return", "type": "return", "loc": [257, 257], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L250_C4", "vector": [13, 2, 0.363, 0.0014, 2, 0.48, 1.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return datetime.datetime(2000, 1, 1) + datetime.timedelta(seconds = val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L262_C0", "label": "timestamptz_recv", "type": "function", "loc": [262, 263], "level": 0, "parent": null, "vector": [2, 0, 0.3708, 0.0028, 0, 0.66, 0.5, 85, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "timestamptz_recv", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def timestamptz_recv(data, **kwargs):\n return timestamp_recv(data, **kwargs).replace(tzinfo=utc)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L263_C4", "label": "return", "type": "return", "loc": [263, 263], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L262_C0", "vector": [13, 1, 0.3715, 0.0014, 1, 0.81, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return timestamp_recv(data, **kwargs).replace(tzinfo=utc)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L265_C0", "label": "timestamp_send", "type": "function", "loc": [265, 273], "level": 0, "parent": null, "vector": [2, 0, 0.3799, 0.0127, 0, 0.66, 0.5167, 768, 0, 3, 1, 0, 0, 0, 3], "semantic": {"name": "timestamp_send", "arg_names": ["v", "integer_datetimes", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def timestamp_send(v, integer_datetimes, **kwargs):\n delta = v - datetime.datetime(2000, 1, 1)\n val = delta.microseconds + (delta.seconds * 1000000) + (delta.days * 86400000000)\n if integer_datetimes:\n # data is 64-bit integer representing milliseconds since 2000-01-01\n return struct.pack(\"!q\", val)\n else:\n # data is double-precision float representing seconds since 2000-01-01"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L266_C4", "label": "delta =", "type": "assigned_variable", "loc": [266, 266], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L265_C0", "vector": [14, 1, 0.3757, 0.0014, 1, 0.89, 0.0, 593, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "delta", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " delta = v - datetime.datetime(2000, 1, 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L267_C4", "label": "val =", "type": "assigned_variable", "loc": [267, 267], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L265_C0", "vector": [14, 1, 0.3771, 0.0014, 1, 0.89, 0.5, 618, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = delta.microseconds + (delta.seconds * 1000000) + (delta.days * 86400000000)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L268_C4", "label": "if", "type": "if", "loc": [268, 273], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L265_C0", "vector": [4, 1, 0.3821, 0.0085, 1, 0.89, 1.0, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if integer_datetimes:\n # data is 64-bit integer representing milliseconds since 2000-01-01\n return struct.pack(\"!q\", val)\n else:\n # data is double-precision float representing seconds since 2000-01-01\n return struct.pack(\"!d\", val / 1000.0 / 1000.0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L270_C8", "label": "return", "type": "return", "loc": [270, 270], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L268_C4", "vector": [13, 2, 0.3814, 0.0014, 2, 0.33, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.pack(\"!q\", val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L273_C8", "label": "return", "type": "return", "loc": [273, 273], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L268_C4", "vector": [13, 2, 0.3856, 0.0014, 2, 0.33, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.pack(\"!d\", val / 1000.0 / 1000.0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L275_C0", "label": "timestamptz_send", "type": "function", "loc": [275, 278], "level": 0, "parent": null, "vector": [2, 0, 0.3905, 0.0056, 0, 0.66, 0.5333, 946, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "timestamptz_send", "arg_names": ["v", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def timestamptz_send(v, **kwargs):\n # timestamps should be sent as UTC. If they have zone info,\n # convert them.\n return timestamp_send(v.astimezone(utc).replace(tzinfo=None), **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L278_C4", "label": "return", "type": "return", "loc": [278, 278], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L275_C0", "vector": [13, 1, 0.3927, 0.0014, 1, 0.24, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return timestamp_send(v.astimezone(utc).replace(tzinfo=None), **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L280_C0", "label": "date_in", "type": "function", "loc": [280, 284], "level": 0, "parent": null, "vector": [2, 0, 0.3983, 0.0071, 0, 0.66, 0.55, 872, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "date_in", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def date_in(data, **kwargs):\n year = int(data[0:4])\n month = int(data[5:7])\n day = int(data[8:10])\n return datetime.date(year, month, day)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L281_C4", "label": "year = int()", "type": "assigned_variable", "loc": [281, 281], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L280_C0", "vector": [14, 1, 0.3969, 0.0014, 1, 0.6, 0.0, 34, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "year", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " year = int(data[0:4])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L282_C4", "label": "month = int()", "type": "assigned_variable", "loc": [282, 282], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L280_C0", "vector": [14, 1, 0.3983, 0.0014, 1, 0.6, 0.3333, 918, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "month", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " month = int(data[5:7])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L283_C4", "label": "day = int()", "type": "assigned_variable", "loc": [283, 283], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L280_C0", "vector": [14, 1, 0.3997, 0.0014, 1, 0.6, 0.6667, 878, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "day", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " day = int(data[8:10])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L284_C4", "label": "return", "type": "return", "loc": [284, 284], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L280_C0", "vector": [13, 1, 0.4011, 0.0014, 1, 0.6, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return datetime.date(year, month, day)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L286_C0", "label": "date_out", "type": "function", "loc": [286, 287], "level": 0, "parent": null, "vector": [2, 0, 0.4047, 0.0028, 0, 0.66, 0.5667, 681, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "date_out", "arg_names": ["v", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def date_out(v, **kwargs):\n return v.isoformat()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L287_C4", "label": "return", "type": "return", "loc": [287, 287], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L286_C0", "vector": [13, 1, 0.4054, 0.0014, 1, 0.5, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return v.isoformat()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L289_C0", "label": "time_in", "type": "function", "loc": [289, 293], "level": 0, "parent": null, "vector": [2, 0, 0.411, 0.0071, 0, 0.66, 0.5833, 768, 0, 2, 1, 0, 0, 0, 7], "semantic": {"name": "time_in", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def time_in(data, **kwargs):\n hour = int(data[0:2])\n minute = int(data[3:5])\n sec = decimal.Decimal(data[6:])\n return datetime.time(hour, minute, int(sec), int((sec - int(sec)) * 1000000))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L290_C4", "label": "hour = int()", "type": "assigned_variable", "loc": [290, 290], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L289_C0", "vector": [14, 1, 0.4096, 0.0014, 1, 0.28, 0.0, 781, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "hour", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " hour = int(data[0:2])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L291_C4", "label": "minute = int()", "type": "assigned_variable", "loc": [291, 291], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L289_C0", "vector": [14, 1, 0.411, 0.0014, 1, 0.28, 0.3333, 483, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "minute", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " minute = int(data[3:5])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L292_C4", "label": "sec = Decimal()", "type": "assigned_variable", "loc": [292, 292], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L289_C0", "vector": [14, 1, 0.4124, 0.0014, 1, 0.28, 0.6667, 518, 3, 1, 0, 0, 778, 10, 1], "semantic": {"name": "sec", "arg_names": [], "import_names": [], "rhs_call_name": "Decimal", "annotation": ""}, "snippet": " sec = decimal.Decimal(data[6:])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L293_C4", "label": "return", "type": "return", "loc": [293, 293], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L289_C0", "vector": [13, 1, 0.4138, 0.0014, 1, 0.28, 1.0, 0, 3, 0, 0, 0, 0, 10, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return datetime.time(hour, minute, int(sec), int((sec - int(sec)) * 1000000))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L295_C0", "label": "time_out", "type": "function", "loc": [295, 296], "level": 0, "parent": null, "vector": [2, 0, 0.4174, 0.0028, 0, 0.66, 0.6, 271, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "time_out", "arg_names": ["v", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def time_out(v, **kwargs):\n return v.isoformat()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L296_C4", "label": "return", "type": "return", "loc": [296, 296], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L295_C0", "vector": [13, 1, 0.4181, 0.0014, 1, 0.68, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return v.isoformat()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L298_C0", "label": "numeric_in", "type": "function", "loc": [298, 302], "level": 0, "parent": null, "vector": [2, 0, 0.4237, 0.0071, 0, 0.66, 0.6167, 102, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "numeric_in", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def numeric_in(data, **kwargs):\n if data.find(\".\") == -1:\n return int(data)\n else:\n return decimal.Decimal(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L299_C4", "label": "if", "type": "if", "loc": [299, 302], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L298_C0", "vector": [4, 1, 0.4244, 0.0056, 1, 0.09, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if data.find(\".\") == -1:\n return int(data)\n else:\n return decimal.Decimal(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L300_C8", "label": "return", "type": "return", "loc": [300, 300], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L299_C4", "vector": [13, 2, 0.4237, 0.0014, 2, 0.77, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return int(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L302_C8", "label": "return", "type": "return", "loc": [302, 302], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L299_C4", "vector": [13, 2, 0.4266, 0.0014, 2, 0.77, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return decimal.Decimal(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "label": "numeric_recv", "type": "function", "loc": [304, 316], "level": 0, "parent": null, "vector": [2, 0, 0.4379, 0.0184, 0, 0.66, 0.6333, 604, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "numeric_recv", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def numeric_recv(data, **kwargs):\n num_digits, weight, sign, scale = struct.unpack(\"!hhhh\", data[:8])\n data = data[8:]\n digits = struct.unpack(\"!\" + (\"h\" * num_digits), data)\n weight = decimal.Decimal(weight)\n retval = 0\n for d in digits:\n d = decimal.Decimal(d)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L305_C4", "label": "num_digits, weight, sign, scale = unpack()", "type": "assigned_variable", "loc": [305, 305], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "vector": [14, 1, 0.4308, 0.0014, 1, 0.03, 0.0, 36, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "num_digits, weight, sign, scale", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " num_digits, weight, sign, scale = struct.unpack(\"!hhhh\", data[:8])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L306_C4", "label": "data =", "type": "assigned_variable", "loc": [306, 306], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "vector": [14, 1, 0.4322, 0.0014, 1, 0.03, 0.1429, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[8:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L307_C4", "label": "digits = unpack()", "type": "assigned_variable", "loc": [307, 307], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "vector": [14, 1, 0.4336, 0.0014, 1, 0.03, 0.2857, 400, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "digits", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " digits = struct.unpack(\"!\" + (\"h\" * num_digits), data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L308_C4", "label": "weight = Decimal()", "type": "assigned_variable", "loc": [308, 308], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "vector": [14, 1, 0.435, 0.0014, 1, 0.03, 0.4286, 205, 3, 1, 0, 0, 778, 10, 1], "semantic": {"name": "weight", "arg_names": [], "import_names": [], "rhs_call_name": "Decimal", "annotation": ""}, "snippet": " weight = decimal.Decimal(weight)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L309_C4", "label": "retval =", "type": "assigned_variable", "loc": [309, 309], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "vector": [14, 1, 0.4364, 0.0014, 1, 0.03, 0.5714, 991, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " retval = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L310_C4", "label": "for d", "type": "for", "loc": [310, 313], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "vector": [6, 1, 0.44, 0.0056, 1, 0.03, 0.7143, 355, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "d", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for d in digits:\n d = decimal.Decimal(d)\n retval += d * (10000 ** weight)\n weight -= 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L311_C8", "label": "d = Decimal()", "type": "assigned_variable", "loc": [311, 311], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L310_C4", "vector": [14, 2, 0.4393, 0.0014, 2, 0.16, 0.0, 355, 3, 1, 0, 0, 778, 10, 1], "semantic": {"name": "d", "arg_names": [], "import_names": [], "rhs_call_name": "Decimal", "annotation": ""}, "snippet": " d = decimal.Decimal(d)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L314_C4", "label": "if", "type": "if", "loc": [314, 315], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "vector": [4, 1, 0.4442, 0.0028, 1, 0.03, 0.8571, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if sign:\n retval *= -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L316_C4", "label": "return", "type": "return", "loc": [316, 316], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "vector": [13, 1, 0.4463, 0.0014, 1, 0.03, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return retval"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L318_C0", "label": "DEC_DIGITS =", "type": "assigned_variable", "loc": [318, 318], "level": 0, "parent": null, "vector": [14, 0, 0.4492, 0.0014, 0, 0.66, 0.65, 715, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DEC_DIGITS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DEC_DIGITS = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "label": "numeric_send", "type": "function", "loc": [319, 381], "level": 0, "parent": null, "vector": [2, 0, 0.4944, 0.089, 0, 0.66, 0.6667, 619, 0, 2, 1, 0, 0, 0, 10], "semantic": {"name": "numeric_send", "arg_names": ["d", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def numeric_send(d, **kwargs):\n # This is a very straight port of src/backend/utils/adt/numeric.c set_var_from_str()\n s = str(d)\n pos = 0\n sign = 0\n if s[0] == '-':\n sign = 0x4000 # NEG\n pos=1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L321_C4", "label": "s = str()", "type": "assigned_variable", "loc": [321, 321], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.4534, 0.0014, 1, 0.82, 0.0, 553, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " s = str(d)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L322_C4", "label": "pos =", "type": "assigned_variable", "loc": [322, 322], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.4548, 0.0014, 1, 0.82, 0.05, 627, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pos = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L323_C4", "label": "sign =", "type": "assigned_variable", "loc": [323, 323], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.4562, 0.0014, 1, 0.82, 0.1, 448, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "sign", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sign = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L324_C4", "label": "if", "type": "if", "loc": [324, 329], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [4, 1, 0.4612, 0.0085, 1, 0.82, 0.15, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if s[0] == '-':\n sign = 0x4000 # NEG\n pos=1\n elif s[0] == '+':\n sign = 0 # POS\n pos=1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L325_C8", "label": "sign =", "type": "assigned_variable", "loc": [325, 325], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L324_C4", "vector": [14, 2, 0.459, 0.0014, 2, 0.57, 0.0, 448, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "sign", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sign = 0x4000 # NEG"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L326_C8", "label": "pos =", "type": "assigned_variable", "loc": [326, 326], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L324_C4", "vector": [14, 2, 0.4605, 0.0014, 2, 0.57, 0.5, 627, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pos=1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L327_C4", "label": "if", "type": "if", "loc": [327, 329], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L324_C4", "vector": [4, 2, 0.4633, 0.0042, 2, 0.57, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif s[0] == '+':\n sign = 0 # POS\n pos=1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L328_C8", "label": "sign =", "type": "assigned_variable", "loc": [328, 328], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L327_C4", "vector": [14, 3, 0.4633, 0.0014, 3, 0.16, 0.0, 448, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "sign", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sign = 0 # POS"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L329_C8", "label": "pos =", "type": "assigned_variable", "loc": [329, 329], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L327_C4", "vector": [14, 3, 0.4647, 0.0014, 3, 0.16, 1.0, 627, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pos=1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L330_C4", "label": "have_dp =", "type": "assigned_variable", "loc": [330, 330], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.4661, 0.0014, 1, 0.82, 0.2, 286, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "have_dp", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " have_dp = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L331_C4", "label": "decdigits =", "type": "assigned_variable", "loc": [331, 331], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.4675, 0.0014, 1, 0.82, 0.25, 561, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "decdigits", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " decdigits = [0, 0, 0, 0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L332_C4", "label": "dweight =", "type": "assigned_variable", "loc": [332, 332], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.4689, 0.0014, 1, 0.82, 0.3, 645, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "dweight", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " dweight = -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L333_C4", "label": "dscale =", "type": "assigned_variable", "loc": [333, 333], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.4703, 0.0014, 1, 0.82, 0.35, 940, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "dscale", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " dscale = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L334_C4", "label": "for char", "type": "for", "loc": [334, 346], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [6, 1, 0.4802, 0.0184, 1, 0.82, 0.4, 272, 6, 0, 0, 0, 0, 0, 3], "semantic": {"name": "char", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for char in s[pos:]:\n if char.isdigit():\n decdigits.append(int(char))\n if not have_dp:\n dweight += 1\n else:\n dscale += 1\n pos+=1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L335_C8", "label": "if", "type": "if", "loc": [335, 346], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L334_C4", "vector": [4, 2, 0.4809, 0.0169, 2, 0.24, 0.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if char.isdigit():\n decdigits.append(int(char))\n if not have_dp:\n dweight += 1\n else:\n dscale += 1\n pos+=1\n elif char == '.':"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L336_C12", "label": "append()", "type": "expression", "loc": [336, 336], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L335_C8", "vector": [8, 3, 0.4746, 0.0014, 3, 0.17, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " decdigits.append(int(char))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L337_C12", "label": "if", "type": "if", "loc": [337, 340], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L335_C8", "vector": [4, 3, 0.4781, 0.0056, 3, 0.17, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not have_dp:\n dweight += 1\n else:\n dscale += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L342_C8", "label": "if", "type": "if", "loc": [342, 346], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L335_C8", "vector": [4, 3, 0.4859, 0.0071, 3, 0.17, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif char == '.':\n have_dp = True\n pos+=1\n else:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L343_C12", "label": "have_dp =", "type": "assigned_variable", "loc": [343, 343], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L342_C8", "vector": [14, 4, 0.4845, 0.0014, 4, 0.55, 0.0, 286, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "have_dp", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " have_dp = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L348_C4", "label": "if", "type": "if", "loc": [348, 355], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [4, 1, 0.4965, 0.0113, 1, 0.82, 0.45, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(s) > pos:\n char = s[pos]\n if char == 'e' or char == 'E':\n pos+=1\n exponent = int(s[pos:])\n dweight += exponent\n dscale -= exponent\n if dscale < 0: dscale = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L349_C8", "label": "char =", "type": "assigned_variable", "loc": [349, 349], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L348_C4", "vector": [14, 2, 0.4929, 0.0014, 2, 0.54, 0.0, 272, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "char", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " char = s[pos]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L350_C8", "label": "if", "type": "if", "loc": [350, 355], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L348_C4", "vector": [4, 2, 0.4979, 0.0085, 2, 0.54, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if char == 'e' or char == 'E':\n pos+=1\n exponent = int(s[pos:])\n dweight += exponent\n dscale -= exponent\n if dscale < 0: dscale = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L352_C12", "label": "exponent = int()", "type": "assigned_variable", "loc": [352, 352], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L350_C8", "vector": [14, 3, 0.4972, 0.0014, 3, 0.14, 0.0, 79, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "exponent", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " exponent = int(s[pos:])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L355_C12", "label": "if", "type": "if", "loc": [355, 355], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L350_C8", "vector": [4, 3, 0.5014, 0.0014, 3, 0.14, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if dscale < 0: dscale = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L355_C27", "label": "dscale =", "type": "assigned_variable", "loc": [355, 355], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L355_C12", "vector": [14, 4, 0.5014, 0.0014, 4, 0.29, 0.0, 940, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "dscale", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if dscale < 0: dscale = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L357_C4", "label": "if", "type": "if", "loc": [357, 360], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [4, 1, 0.5064, 0.0056, 1, 0.82, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if dweight >= 0:\n weight = (dweight + 1 + DEC_DIGITS - 1) / DEC_DIGITS - 1\n else:\n weight = -((-dweight - 1) / DEC_DIGITS + 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L358_C8", "label": "weight =", "type": "assigned_variable", "loc": [358, 358], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L357_C4", "vector": [14, 2, 0.5056, 0.0014, 2, 0.1, 0.0, 205, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "weight", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " weight = (dweight + 1 + DEC_DIGITS - 1) / DEC_DIGITS - 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L360_C8", "label": "weight =", "type": "assigned_variable", "loc": [360, 360], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L357_C4", "vector": [14, 2, 0.5085, 0.0014, 2, 0.1, 1.0, 205, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "weight", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " weight = -((-dweight - 1) / DEC_DIGITS + 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L361_C4", "label": "offset =", "type": "assigned_variable", "loc": [361, 361], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.5099, 0.0014, 1, 0.82, 0.55, 132, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offset = (weight + 1) * DEC_DIGITS - (dweight + 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L362_C4", "label": "ndigits =", "type": "assigned_variable", "loc": [362, 362], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.5113, 0.0014, 1, 0.82, 0.6, 604, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "ndigits", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ndigits = (len(decdigits)-DEC_DIGITS + offset + DEC_DIGITS - 1) / DEC_DIGITS"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L364_C4", "label": "i =", "type": "assigned_variable", "loc": [364, 364], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.5141, 0.0014, 1, 0.82, 0.65, 826, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " i = DEC_DIGITS - offset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L365_C4", "label": "extend()", "type": "expression", "loc": [365, 365], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [8, 1, 0.5155, 0.0014, 1, 0.82, 0.7, 660, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "extend", "arg_names": [], "import_names": [], "rhs_call_name": "extend", "annotation": ""}, "snippet": " decdigits.extend([0, 0, 0])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L366_C4", "label": "ndigits_ =", "type": "assigned_variable", "loc": [366, 366], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.5169, 0.0014, 1, 0.82, 0.75, 494, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ndigits_", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ndigits_ = ndigits"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L367_C4", "label": "digits =", "type": "assigned_variable", "loc": [367, 367], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.5184, 0.0014, 1, 0.82, 0.8, 400, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "digits", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " digits = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:While_L368_C4", "label": "while", "type": "while", "loc": [368, 372], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [5, 1, 0.5226, 0.0071, 1, 0.82, 0.85, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while ndigits_ > 0:\n # ifdef DEC_DIGITS == 4\n digits += struct.pack(\"!h\", ((decdigits[i] * 10 + decdigits[i + 1]) * 10 + decdigits[i + 2]) * 10 + decdigits[i + 3])\n ndigits_ -= 1\n i += DEC_DIGITS"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L375_C4", "label": "if", "type": "if", "loc": [375, 377], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [4, 1, 0.5311, 0.0042, 1, 0.82, 0.9, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ndigits == 0:\n sign = 0x4000 # pos\n weight = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L376_C8", "label": "sign =", "type": "assigned_variable", "loc": [376, 376], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L375_C4", "vector": [14, 2, 0.5311, 0.0014, 2, 0.02, 0.0, 448, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "sign", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sign = 0x4000 # pos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L377_C8", "label": "weight =", "type": "assigned_variable", "loc": [377, 377], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L375_C4", "vector": [14, 2, 0.5325, 0.0014, 2, 0.02, 1.0, 205, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "weight", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " weight = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L380_C4", "label": "retval =", "type": "assigned_variable", "loc": [380, 380], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [14, 1, 0.5367, 0.0014, 1, 0.82, 0.95, 991, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " retval = struct.pack(\"!hhhh\", ndigits, weight, sign, dscale) + digits"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L381_C4", "label": "return", "type": "return", "loc": [381, 381], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "vector": [13, 1, 0.5381, 0.0014, 1, 0.82, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return retval"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L383_C0", "label": "numeric_out", "type": "function", "loc": [383, 384], "level": 0, "parent": null, "vector": [2, 0, 0.5417, 0.0028, 0, 0.66, 0.6833, 923, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "numeric_out", "arg_names": ["v", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def numeric_out(v, **kwargs):\n return str(v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L384_C4", "label": "return", "type": "return", "loc": [384, 384], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L383_C0", "vector": [13, 1, 0.5424, 0.0014, 1, 0.89, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L393_C0", "label": "pg_to_py_encodings =", "type": "assigned_variable", "loc": [393, 438], "level": 0, "parent": null, "vector": [14, 0, 0.5869, 0.065, 0, 0.66, 0.7, 55, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "pg_to_py_encodings", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "pg_to_py_encodings = {\n # Not supported:\n \"mule_internal\": None,\n \"euc_tw\": None,\n\n # Name fine as-is:\n #\"euc_jp\",\n #\"euc_jis_2004\","}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L440_C0", "label": "encoding_convert", "type": "function", "loc": [440, 441], "level": 0, "parent": null, "vector": [2, 0, 0.6222, 0.0028, 0, 0.66, 0.7167, 366, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "encoding_convert", "arg_names": ["encoding"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def encoding_convert(encoding):\n return pg_to_py_encodings.get(encoding.lower(), encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L441_C4", "label": "return", "type": "return", "loc": [441, 441], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L440_C0", "vector": [13, 1, 0.6229, 0.0014, 1, 0.58, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return pg_to_py_encodings.get(encoding.lower(), encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L443_C0", "label": "varcharin", "type": "function", "loc": [443, 444], "level": 0, "parent": null, "vector": [2, 0, 0.6264, 0.0028, 0, 0.66, 0.7333, 484, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "varcharin", "arg_names": ["data", "client_encoding", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def varcharin(data, client_encoding, **kwargs):\n return unicode(data, encoding_convert(client_encoding))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L444_C4", "label": "return", "type": "return", "loc": [444, 444], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L443_C0", "vector": [13, 1, 0.6271, 0.0014, 1, 0.06, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return unicode(data, encoding_convert(client_encoding))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L446_C0", "label": "textout", "type": "function", "loc": [446, 450], "level": 0, "parent": null, "vector": [2, 0, 0.6328, 0.0071, 0, 0.66, 0.75, 457, 0, 3, 1, 0, 0, 0, 3], "semantic": {"name": "textout", "arg_names": ["v", "client_encoding", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def textout(v, client_encoding, **kwargs):\n if isinstance(v, unicode):\n return v.encode(encoding_convert(client_encoding))\n else:\n return v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L447_C4", "label": "if", "type": "if", "loc": [447, 450], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L446_C0", "vector": [4, 1, 0.6335, 0.0056, 1, 0.46, 0.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(v, unicode):\n return v.encode(encoding_convert(client_encoding))\n else:\n return v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L448_C8", "label": "return", "type": "return", "loc": [448, 448], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L447_C4", "vector": [13, 2, 0.6328, 0.0014, 2, 0.49, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return v.encode(encoding_convert(client_encoding))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L450_C8", "label": "return", "type": "return", "loc": [450, 450], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L447_C4", "vector": [13, 2, 0.6356, 0.0014, 2, 0.49, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L452_C0", "label": "byteasend", "type": "function", "loc": [452, 453], "level": 0, "parent": null, "vector": [2, 0, 0.6391, 0.0028, 0, 0.66, 0.7667, 904, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "byteasend", "arg_names": ["v", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def byteasend(v, **kwargs):\n return str(v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L453_C4", "label": "return", "type": "return", "loc": [453, 453], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L452_C0", "vector": [13, 1, 0.6398, 0.0014, 1, 0.26, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L455_C0", "label": "bytearecv", "type": "function", "loc": [455, 456], "level": 0, "parent": null, "vector": [2, 0, 0.6434, 0.0028, 0, 0.66, 0.7833, 163, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "bytearecv", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def bytearecv(data, **kwargs):\n return Bytea(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L456_C4", "label": "return", "type": "return", "loc": [456, 456], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L455_C0", "vector": [13, 1, 0.6441, 0.0014, 1, 0.93, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Bytea(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L459_C0", "label": "interval_recv", "type": "function", "loc": [459, 465], "level": 0, "parent": null, "vector": [2, 0, 0.6525, 0.0099, 0, 0.66, 0.8, 561, 0, 3, 1, 0, 0, 0, 4], "semantic": {"name": "interval_recv", "arg_names": ["data", "integer_datetimes", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def interval_recv(data, integer_datetimes, **kwargs):\n if integer_datetimes:\n microseconds, days, months = struct.unpack(\"!qii\", data)\n else:\n seconds, days, months = struct.unpack(\"!dii\", data)\n microseconds = int(seconds * 1000 * 1000)\n return Interval(microseconds, days, months)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L460_C4", "label": "if", "type": "if", "loc": [460, 464], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L459_C0", "vector": [4, 1, 0.6525, 0.0071, 1, 0.52, 0.0, 0, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if integer_datetimes:\n microseconds, days, months = struct.unpack(\"!qii\", data)\n else:\n seconds, days, months = struct.unpack(\"!dii\", data)\n microseconds = int(seconds * 1000 * 1000)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L461_C8", "label": "microseconds, days, months = unpack()", "type": "assigned_variable", "loc": [461, 461], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L460_C4", "vector": [14, 2, 0.6511, 0.0014, 2, 0.29, 0.0, 568, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "microseconds, days, months", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " microseconds, days, months = struct.unpack(\"!qii\", data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L463_C8", "label": "seconds, days, months = unpack()", "type": "assigned_variable", "loc": [463, 463], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L460_C4", "vector": [14, 2, 0.654, 0.0014, 2, 0.29, 0.5, 337, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "seconds, days, months", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " seconds, days, months = struct.unpack(\"!dii\", data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L464_C8", "label": "microseconds = int()", "type": "assigned_variable", "loc": [464, 464], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L460_C4", "vector": [14, 2, 0.6554, 0.0014, 2, 0.29, 1.0, 409, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "microseconds", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " microseconds = int(seconds * 1000 * 1000)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L465_C4", "label": "return", "type": "return", "loc": [465, 465], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L459_C0", "vector": [13, 1, 0.6568, 0.0014, 1, 0.52, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Interval(microseconds, days, months)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L467_C0", "label": "interval_send", "type": "function", "loc": [467, 471], "level": 0, "parent": null, "vector": [2, 0, 0.6624, 0.0071, 0, 0.66, 0.8167, 394, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "interval_send", "arg_names": ["data", "integer_datetimes", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def interval_send(data, integer_datetimes, **kwargs):\n if integer_datetimes:\n return struct.pack(\"!qii\", data.microseconds, data.days, data.months)\n else:\n return struct.pack(\"!dii\", data.microseconds / 1000.0 / 1000.0, data.days, data.months)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L468_C4", "label": "if", "type": "if", "loc": [468, 471], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L467_C0", "vector": [4, 1, 0.6631, 0.0056, 1, 0.72, 0.0, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if integer_datetimes:\n return struct.pack(\"!qii\", data.microseconds, data.days, data.months)\n else:\n return struct.pack(\"!dii\", data.microseconds / 1000.0 / 1000.0, data.days, data.months)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L469_C8", "label": "return", "type": "return", "loc": [469, 469], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L468_C4", "vector": [13, 2, 0.6624, 0.0014, 2, 0.26, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.pack(\"!qii\", data.microseconds, data.days, data.months)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L471_C8", "label": "return", "type": "return", "loc": [471, 471], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L468_C4", "vector": [13, 2, 0.6653, 0.0014, 2, 0.26, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.pack(\"!dii\", data.microseconds / 1000.0 / 1000.0, data.days, data.months)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "label": "array_recv", "type": "function", "loc": [473, 513], "level": 0, "parent": null, "vector": [2, 0, 0.6963, 0.0579, 0, 0.66, 0.8333, 990, 0, 2, 1, 0, 0, 0, 13], "semantic": {"name": "array_recv", "arg_names": ["data", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def array_recv(data, **kwargs):\n dim, hasnull, typeoid = struct.unpack(\"!iii\", data[:12])\n data = data[12:]\n\n # get type conversion method for typeoid\n conversion = pg_types[typeoid][\"bin_in\"]\n\n # Read dimension info"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L474_C4", "label": "dim, hasnull, typeoid = unpack()", "type": "assigned_variable", "loc": [474, 474], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "vector": [14, 1, 0.6695, 0.0014, 1, 0.36, 0.0, 149, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "dim, hasnull, typeoid", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " dim, hasnull, typeoid = struct.unpack(\"!iii\", data[:12])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L475_C4", "label": "data =", "type": "assigned_variable", "loc": [475, 475], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "vector": [14, 1, 0.6709, 0.0014, 1, 0.36, 0.1, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[12:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L478_C4", "label": "conversion =", "type": "assigned_variable", "loc": [478, 478], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "vector": [14, 1, 0.6751, 0.0014, 1, 0.36, 0.2, 79, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "conversion", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " conversion = pg_types[typeoid][\"bin_in\"]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L481_C4", "label": "dim_lengths =", "type": "assigned_variable", "loc": [481, 481], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "vector": [14, 1, 0.6794, 0.0014, 1, 0.36, 0.3, 806, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "dim_lengths", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " dim_lengths = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L482_C4", "label": "element_count =", "type": "assigned_variable", "loc": [482, 482], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "vector": [14, 1, 0.6808, 0.0014, 1, 0.36, 0.4, 349, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "element_count", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " element_count = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L483_C4", "label": "for idim", "type": "for", "loc": [483, 487], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "vector": [6, 1, 0.685, 0.0071, 1, 0.36, 0.5, 309, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "idim", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for idim in range(dim):\n dim_len, dim_lbound = struct.unpack(\"!ii\", data[:8])\n data = data[8:]\n dim_lengths.append(dim_len)\n element_count *= dim_len"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L484_C8", "label": "dim_len, dim_lbound = unpack()", "type": "assigned_variable", "loc": [484, 484], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L483_C4", "vector": [14, 2, 0.6836, 0.0014, 2, 0.26, 0.0, 398, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "dim_len, dim_lbound", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " dim_len, dim_lbound = struct.unpack(\"!ii\", data[:8])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L485_C8", "label": "data =", "type": "assigned_variable", "loc": [485, 485], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L483_C4", "vector": [14, 2, 0.685, 0.0014, 2, 0.26, 0.5, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[8:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L486_C8", "label": "append()", "type": "expression", "loc": [486, 486], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L483_C4", "vector": [8, 2, 0.6864, 0.0014, 2, 0.26, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " dim_lengths.append(dim_len)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L490_C4", "label": "array_values =", "type": "assigned_variable", "loc": [490, 490], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "vector": [14, 1, 0.6921, 0.0014, 1, 0.36, 0.6, 602, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "array_values", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " array_values = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L491_C4", "label": "for i", "type": "for", "loc": [491, 499], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "vector": [6, 1, 0.6992, 0.0127, 1, 0.36, 0.7, 826, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(element_count):\n if len(data):\n element_len, = struct.unpack(\"!i\", data[:4])\n data = data[4:]\n if element_len == -1:\n array_values.append(None)\n else:\n array_values.append(conversion(data[:element_len], **kwargs))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L492_C8", "label": "if", "type": "if", "loc": [492, 499], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L491_C4", "vector": [4, 2, 0.6999, 0.0113, 2, 0.74, 0.0, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(data):\n element_len, = struct.unpack(\"!i\", data[:4])\n data = data[4:]\n if element_len == -1:\n array_values.append(None)\n else:\n array_values.append(conversion(data[:element_len], **kwargs))\n data = data[element_len:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L493_C12", "label": "element_len = unpack()", "type": "assigned_variable", "loc": [493, 493], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L492_C8", "vector": [14, 3, 0.6963, 0.0014, 3, 0.31, 0.0, 76, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "element_len", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " element_len, = struct.unpack(\"!i\", data[:4])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L494_C12", "label": "data =", "type": "assigned_variable", "loc": [494, 494], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L492_C8", "vector": [14, 3, 0.6977, 0.0014, 3, 0.31, 0.5, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[4:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L495_C12", "label": "if", "type": "if", "loc": [495, 499], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L492_C8", "vector": [4, 3, 0.702, 0.0071, 3, 0.31, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if element_len == -1:\n array_values.append(None)\n else:\n array_values.append(conversion(data[:element_len], **kwargs))\n data = data[element_len:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L496_C16", "label": "append()", "type": "expression", "loc": [496, 496], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L495_C12", "vector": [8, 4, 0.7006, 0.0014, 4, 0.75, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " array_values.append(None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L498_C16", "label": "append()", "type": "expression", "loc": [498, 498], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L495_C12", "vector": [8, 4, 0.7034, 0.0014, 4, 0.75, 0.5, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " array_values.append(conversion(data[:element_len], **kwargs))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L499_C16", "label": "data =", "type": "assigned_variable", "loc": [499, 499], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L495_C12", "vector": [14, 4, 0.7048, 0.0014, 4, 0.75, 1.0, 929, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = data[element_len:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L500_C4", "label": "if", "type": "if", "loc": [500, 501], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "vector": [4, 1, 0.7069, 0.0028, 1, 0.36, 0.8, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if data != \"\":\n raise ArrayDataParseError(\"unexpected data left over after array read\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L506_C4", "label": "for dim_length", "type": "for", "loc": [506, 511], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "vector": [6, 1, 0.7182, 0.0085, 1, 0.36, 0.9, 710, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "dim_length", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for dim_length in reversed(dim_lengths[1:]):\n val = []\n while array_values:\n val.append(array_values[:dim_length])\n array_values = array_values[dim_length:]\n array_values = val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L507_C8", "label": "val =", "type": "assigned_variable", "loc": [507, 507], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L506_C4", "vector": [14, 2, 0.7161, 0.0014, 2, 0.02, 0.0, 618, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:While_L508_C8", "label": "while", "type": "while", "loc": [508, 510], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L506_C4", "vector": [5, 2, 0.7189, 0.0042, 2, 0.02, 0.5, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while array_values:\n val.append(array_values[:dim_length])\n array_values = array_values[dim_length:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L509_C12", "label": "append()", "type": "expression", "loc": [509, 509], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:While_L508_C8", "vector": [8, 3, 0.7189, 0.0014, 3, 0.67, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " val.append(array_values[:dim_length])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L510_C12", "label": "array_values =", "type": "assigned_variable", "loc": [510, 510], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:While_L508_C8", "vector": [14, 3, 0.7203, 0.0014, 3, 0.67, 1.0, 602, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "array_values", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " array_values = array_values[dim_length:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L511_C8", "label": "array_values =", "type": "assigned_variable", "loc": [511, 511], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L506_C4", "vector": [14, 2, 0.7218, 0.0014, 2, 0.02, 1.0, 602, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "array_values", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " array_values = val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L513_C4", "label": "return", "type": "return", "loc": [513, 513], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "vector": [13, 1, 0.7246, 0.0014, 1, 0.36, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return array_values"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "label": "array_inspect", "type": "function", "loc": [515, 575], "level": 0, "parent": null, "vector": [2, 0, 0.7698, 0.0862, 0, 0.66, 0.85, 738, 0, 1, 1, 0, 0, 0, 16], "semantic": {"name": "array_inspect", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def array_inspect(value):\n # Check if array has any values. If not, we can't determine the proper\n # array typeoid.\n first_element = array_find_first_element(value)\n if first_element == None:\n raise ArrayContentEmptyError(\"array has no values\")\n\n # supported array output"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L518_C4", "label": "first_element = array_find_first_element()", "type": "assigned_variable", "loc": [518, 518], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "vector": [14, 1, 0.7316, 0.0014, 1, 0.03, 0.0, 252, 3, 1, 0, 0, 828, 10, 1], "semantic": {"name": "first_element", "arg_names": [], "import_names": [], "rhs_call_name": "array_find_first_element", "annotation": ""}, "snippet": " first_element = array_find_first_element(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L519_C4", "label": "if", "type": "if", "loc": [519, 520], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "vector": [4, 1, 0.7338, 0.0028, 1, 0.03, 0.125, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if first_element == None:\n raise ArrayContentEmptyError(\"array has no values\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L523_C4", "label": "typ = type()", "type": "assigned_variable", "loc": [523, 523], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "vector": [14, 1, 0.7387, 0.0014, 1, 0.03, 0.25, 722, 3, 1, 0, 0, 801, 10, 1], "semantic": {"name": "typ", "arg_names": [], "import_names": [], "rhs_call_name": "type", "annotation": ""}, "snippet": " typ = type(first_element)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "label": "if", "type": "if", "loc": [524, 552], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "vector": [4, 1, 0.7599, 0.041, 1, 0.03, 0.375, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if issubclass(typ, int) or issubclass(typ, long):\n # special int array support -- send as smallest possible array type\n special_int_support = True\n int2_ok, int4_ok, int8_ok = True, True, True\n for v in array_flatten(value):\n if v == None:\n continue\n if min_int2 < v < max_int2:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L526_C8", "label": "special_int_support =", "type": "assigned_variable", "loc": [526, 526], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "vector": [14, 2, 0.7429, 0.0014, 2, 0.4, 0.0, 519, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "special_int_support", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " special_int_support = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L527_C8", "label": "int2_ok, int4_ok, int8_ok =", "type": "assigned_variable", "loc": [527, 527], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "vector": [14, 2, 0.7444, 0.0014, 2, 0.4, 0.1667, 193, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "int2_ok, int4_ok, int8_ok", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " int2_ok, int4_ok, int8_ok = True, True, True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "label": "for v", "type": "for", "loc": [528, 539], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "vector": [6, 2, 0.7535, 0.0169, 2, 0.4, 0.3333, 553, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for v in array_flatten(value):\n if v == None:\n continue\n if min_int2 < v < max_int2:\n continue\n int2_ok = False\n if min_int4 < v < max_int4:\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L529_C12", "label": "if", "type": "if", "loc": [529, 530], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "vector": [4, 3, 0.7479, 0.0028, 3, 0.59, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if v == None:\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L531_C12", "label": "if", "type": "if", "loc": [531, 532], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "vector": [4, 3, 0.7507, 0.0028, 3, 0.59, 0.1667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if min_int2 < v < max_int2:\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L533_C12", "label": "int2_ok =", "type": "assigned_variable", "loc": [533, 533], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "vector": [14, 3, 0.7528, 0.0014, 3, 0.59, 0.3333, 987, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "int2_ok", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " int2_ok = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L534_C12", "label": "if", "type": "if", "loc": [534, 535], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "vector": [4, 3, 0.7549, 0.0028, 3, 0.59, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if min_int4 < v < max_int4:\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L536_C12", "label": "int4_ok =", "type": "assigned_variable", "loc": [536, 536], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "vector": [14, 3, 0.7571, 0.0014, 3, 0.59, 0.6667, 606, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "int4_ok", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " int4_ok = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L537_C12", "label": "if", "type": "if", "loc": [537, 538], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "vector": [4, 3, 0.7592, 0.0028, 3, 0.59, 0.8333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if min_int8 < v < max_int8:\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L539_C12", "label": "int8_ok =", "type": "assigned_variable", "loc": [539, 539], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "vector": [14, 3, 0.7613, 0.0014, 3, 0.59, 1.0, 842, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "int8_ok", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " int8_ok = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L540_C8", "label": "if", "type": "if", "loc": [540, 547], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "vector": [4, 2, 0.7677, 0.0113, 2, 0.4, 0.5, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if int2_ok:\n array_typeoid = 1005 # INT2[]\n elif int4_ok:\n array_typeoid = 1007 # INT4[]\n elif int8_ok:\n array_typeoid = 1016 # INT8[]\n else:\n raise ArrayContentNotSupportedError(\"numeric not supported as array contents\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L541_C12", "label": "array_typeoid =", "type": "assigned_variable", "loc": [541, 541], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L540_C8", "vector": [14, 3, 0.7641, 0.0014, 3, 0.92, 0.0, 136, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "array_typeoid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " array_typeoid = 1005 # INT2[]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L542_C8", "label": "if", "type": "if", "loc": [542, 547], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L540_C8", "vector": [4, 3, 0.7691, 0.0085, 3, 0.92, 1.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif int4_ok:\n array_typeoid = 1007 # INT4[]\n elif int8_ok:\n array_typeoid = 1016 # INT8[]\n else:\n raise ArrayContentNotSupportedError(\"numeric not supported as array contents\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L543_C12", "label": "array_typeoid =", "type": "assigned_variable", "loc": [543, 543], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L542_C8", "vector": [14, 4, 0.7669, 0.0014, 4, 0.63, 0.0, 136, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "array_typeoid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " array_typeoid = 1007 # INT4[]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L544_C8", "label": "if", "type": "if", "loc": [544, 547], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L542_C8", "vector": [4, 4, 0.7705, 0.0056, 4, 0.63, 1.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif int8_ok:\n array_typeoid = 1016 # INT8[]\n else:\n raise ArrayContentNotSupportedError(\"numeric not supported as array contents\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L545_C12", "label": "array_typeoid =", "type": "assigned_variable", "loc": [545, 545], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L544_C8", "vector": [14, 5, 0.7698, 0.0014, 5, 0.08, 0.0, 136, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "array_typeoid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " array_typeoid = 1016 # INT8[]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L549_C8", "label": "special_int_support =", "type": "assigned_variable", "loc": [549, 549], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "vector": [14, 2, 0.7754, 0.0014, 2, 0.4, 0.6667, 519, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "special_int_support", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " special_int_support = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L550_C8", "label": "array_typeoid = get()", "type": "assigned_variable", "loc": [550, 550], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "vector": [14, 2, 0.7768, 0.0014, 2, 0.4, 0.8333, 136, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "array_typeoid", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " array_typeoid = py_array_types.get(typ)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L551_C8", "label": "if", "type": "if", "loc": [551, 552], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "vector": [4, 2, 0.779, 0.0028, 2, 0.4, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if array_typeoid == None:\n raise ArrayContentNotSupportedError(\"type %r not supported as array contents\" % typ)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L555_C4", "label": "for v", "type": "for", "loc": [555, 557], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "vector": [6, 1, 0.7853, 0.0042, 1, 0.03, 0.5, 553, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for v in array_flatten(value):\n if v != None and not (isinstance(v, typ) or (typ == long and isinstance(v, int)) or (typ == int and isinstance(v, long))):\n raise ArrayContentNotHomogenousError(\"not all array elements are of type %r\" % typ)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L556_C8", "label": "if", "type": "if", "loc": [556, 557], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L555_C4", "vector": [4, 2, 0.786, 0.0028, 2, 0.14, 0.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if v != None and not (isinstance(v, typ) or (typ == long and isinstance(v, int)) or (typ == int and isinstance(v, long))):\n raise ArrayContentNotHomogenousError(\"not all array elements are of type %r\" % typ)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L560_C4", "label": "array_check_dimensions()", "type": "expression", "loc": [560, 560], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "vector": [8, 1, 0.791, 0.0014, 1, 0.03, 0.625, 455, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "array_check_dimensions", "arg_names": [], "import_names": [], "rhs_call_name": "array_check_dimensions", "annotation": ""}, "snippet": " array_check_dimensions(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L562_C4", "label": "type_data =", "type": "assigned_variable", "loc": [562, 562], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "vector": [14, 1, 0.7938, 0.0014, 1, 0.03, 0.75, 93, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "type_data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " type_data = py_types[typ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L563_C4", "label": "if", "type": "if", "loc": [563, 571], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "vector": [4, 1, 0.8008, 0.0127, 1, 0.03, 0.875, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if special_int_support:\n if array_typeoid == 1005:\n type_data = {\"typeoid\": 21, \"bin_out\": int2send}\n elif array_typeoid == 1007:\n type_data = {\"typeoid\": 23, \"bin_out\": int4send}\n elif array_typeoid == 1016:\n type_data = {\"typeoid\": 20, \"bin_out\": int8send}\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L564_C8", "label": "if", "type": "if", "loc": [564, 569], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L563_C4", "vector": [4, 2, 0.8001, 0.0085, 2, 0.83, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if array_typeoid == 1005:\n type_data = {\"typeoid\": 21, \"bin_out\": int2send}\n elif array_typeoid == 1007:\n type_data = {\"typeoid\": 23, \"bin_out\": int4send}\n elif array_typeoid == 1016:\n type_data = {\"typeoid\": 20, \"bin_out\": int8send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L565_C12", "label": "type_data =", "type": "assigned_variable", "loc": [565, 565], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L564_C8", "vector": [14, 3, 0.798, 0.0014, 3, 0.94, 0.0, 93, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "type_data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " type_data = {\"typeoid\": 21, \"bin_out\": int2send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L566_C8", "label": "if", "type": "if", "loc": [566, 569], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L564_C8", "vector": [4, 3, 0.8016, 0.0056, 3, 0.94, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif array_typeoid == 1007:\n type_data = {\"typeoid\": 23, \"bin_out\": int4send}\n elif array_typeoid == 1016:\n type_data = {\"typeoid\": 20, \"bin_out\": int8send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L567_C12", "label": "type_data =", "type": "assigned_variable", "loc": [567, 567], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L566_C8", "vector": [14, 4, 0.8008, 0.0014, 4, 0.03, 0.0, 93, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "type_data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " type_data = {\"typeoid\": 23, \"bin_out\": int4send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L568_C8", "label": "if", "type": "if", "loc": [568, 569], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L566_C8", "vector": [4, 4, 0.803, 0.0028, 4, 0.03, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif array_typeoid == 1016:\n type_data = {\"typeoid\": 20, \"bin_out\": int8send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L569_C12", "label": "type_data =", "type": "assigned_variable", "loc": [569, 569], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L568_C8", "vector": [14, 5, 0.8037, 0.0014, 5, 0.0, 0.0, 93, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "type_data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " type_data = {\"typeoid\": 20, \"bin_out\": int8send}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L571_C8", "label": "type_data =", "type": "assigned_variable", "loc": [571, 571], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L563_C4", "vector": [14, 2, 0.8065, 0.0014, 2, 0.83, 1.0, 93, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "type_data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " type_data = py_types[typ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L572_C4", "label": "return", "type": "return", "loc": [572, 575], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "vector": [13, 1, 0.81, 0.0056, 1, 0.03, 1.0, 0, 0, 0, 0, 0, 0, 6, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return {\n \"typeoid\": array_typeoid,\n \"bin_out\": array_send(type_data[\"typeoid\"], type_data[\"bin_out\"])\n }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L577_C0", "label": "array_find_first_element", "type": "function", "loc": [577, 581], "level": 0, "parent": null, "vector": [2, 0, 0.8178, 0.0071, 0, 0.66, 0.8667, 828, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "array_find_first_element", "arg_names": ["arr"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def array_find_first_element(arr):\n for v in array_flatten(arr):\n if v != None:\n return v\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L578_C4", "label": "for v", "type": "for", "loc": [578, 580], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L577_C0", "vector": [6, 1, 0.8178, 0.0042, 1, 0.62, 0.0, 553, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for v in array_flatten(arr):\n if v != None:\n return v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L579_C8", "label": "if", "type": "if", "loc": [579, 580], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L578_C4", "vector": [4, 2, 0.8185, 0.0028, 2, 0.12, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if v != None:\n return v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L580_C12", "label": "return", "type": "return", "loc": [580, 580], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L579_C8", "vector": [13, 3, 0.8192, 0.0014, 3, 0.17, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L581_C4", "label": "return", "type": "return", "loc": [581, 581], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L577_C0", "vector": [13, 1, 0.8206, 0.0014, 1, 0.62, 1.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L583_C0", "label": "array_flatten", "type": "function", "loc": [583, 589], "level": 0, "parent": null, "vector": [2, 0, 0.8277, 0.0099, 0, 0.66, 0.8833, 640, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "array_flatten", "arg_names": ["arr"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def array_flatten(arr):\n for v in arr:\n if isinstance(v, list):\n for v2 in array_flatten(v):\n yield v2\n else:\n yield v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L584_C4", "label": "for v", "type": "for", "loc": [584, 589], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L583_C0", "vector": [6, 1, 0.8284, 0.0085, 1, 0.34, 0.0, 553, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for v in arr:\n if isinstance(v, list):\n for v2 in array_flatten(v):\n yield v2\n else:\n yield v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L585_C8", "label": "if", "type": "if", "loc": [585, 589], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L584_C4", "vector": [4, 2, 0.8291, 0.0071, 2, 0.74, 0.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(v, list):\n for v2 in array_flatten(v):\n yield v2\n else:\n yield v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L586_C12", "label": "for v2", "type": "for", "loc": [586, 587], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L585_C8", "vector": [6, 3, 0.8284, 0.0028, 3, 0.94, 0.0, 142, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "v2", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for v2 in array_flatten(v):\n yield v2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L587_C16", "label": "expression", "type": "expression", "loc": [587, 587], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L586_C12", "vector": [8, 4, 0.8291, 0.0014, 4, 0.53, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield v2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L589_C12", "label": "expression", "type": "expression", "loc": [589, 589], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L585_C8", "vector": [8, 3, 0.8319, 0.0014, 3, 0.94, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L591_C0", "label": "array_check_dimensions", "type": "function", "loc": [591, 608], "level": 0, "parent": null, "vector": [2, 0, 0.8468, 0.0254, 0, 0.66, 0.9, 455, 0, 1, 1, 0, 0, 0, 9], "semantic": {"name": "array_check_dimensions", "arg_names": ["arr"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def array_check_dimensions(arr):\n v0 = arr[0]\n if isinstance(v0, list):\n req_len = len(v0)\n req_inner_lengths = array_check_dimensions(v0)\n for v in arr:\n inner_lengths = array_check_dimensions(v)\n if len(v) != req_len or inner_lengths != req_inner_lengths:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L592_C4", "label": "v0 =", "type": "assigned_variable", "loc": [592, 592], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L591_C0", "vector": [14, 1, 0.8362, 0.0014, 1, 0.57, 0.0, 745, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "v0", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " v0 = arr[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "label": "if", "type": "if", "loc": [593, 608], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L591_C0", "vector": [4, 1, 0.8482, 0.0226, 1, 0.57, 1.0, 0, 3, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(v0, list):\n req_len = len(v0)\n req_inner_lengths = array_check_dimensions(v0)\n for v in arr:\n inner_lengths = array_check_dimensions(v)\n if len(v) != req_len or inner_lengths != req_inner_lengths:\n raise ArrayDimensionsNotConsistentError(\"array dimensions not consistent\")\n retval = [req_len]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L594_C8", "label": "req_len = len()", "type": "assigned_variable", "loc": [594, 594], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "vector": [14, 2, 0.839, 0.0014, 2, 0.83, 0.0, 418, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "req_len", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " req_len = len(v0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L595_C8", "label": "req_inner_lengths = array_check_dimensions()", "type": "assigned_variable", "loc": [595, 595], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "vector": [14, 2, 0.8404, 0.0014, 2, 0.83, 0.1429, 264, 3, 1, 0, 0, 455, 10, 1], "semantic": {"name": "req_inner_lengths", "arg_names": [], "import_names": [], "rhs_call_name": "array_check_dimensions", "annotation": ""}, "snippet": " req_inner_lengths = array_check_dimensions(v0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L596_C8", "label": "for v", "type": "for", "loc": [596, 599], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "vector": [6, 2, 0.8439, 0.0056, 2, 0.83, 0.2857, 553, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for v in arr:\n inner_lengths = array_check_dimensions(v)\n if len(v) != req_len or inner_lengths != req_inner_lengths:\n raise ArrayDimensionsNotConsistentError(\"array dimensions not consistent\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L597_C12", "label": "inner_lengths = array_check_dimensions()", "type": "assigned_variable", "loc": [597, 597], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L596_C8", "vector": [14, 3, 0.8432, 0.0014, 3, 0.4, 0.0, 188, 3, 1, 0, 0, 455, 10, 1], "semantic": {"name": "inner_lengths", "arg_names": [], "import_names": [], "rhs_call_name": "array_check_dimensions", "annotation": ""}, "snippet": " inner_lengths = array_check_dimensions(v)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L598_C12", "label": "if", "type": "if", "loc": [598, 599], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L596_C8", "vector": [4, 3, 0.8453, 0.0028, 3, 0.4, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(v) != req_len or inner_lengths != req_inner_lengths:\n raise ArrayDimensionsNotConsistentError(\"array dimensions not consistent\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L600_C8", "label": "retval =", "type": "assigned_variable", "loc": [600, 600], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "vector": [14, 2, 0.8475, 0.0014, 2, 0.83, 0.4286, 991, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " retval = [req_len]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L601_C8", "label": "extend()", "type": "expression", "loc": [601, 601], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "vector": [8, 2, 0.8489, 0.0014, 2, 0.83, 0.5714, 660, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "extend", "arg_names": [], "import_names": [], "rhs_call_name": "extend", "annotation": ""}, "snippet": " retval.extend(req_inner_lengths)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L602_C8", "label": "return", "type": "return", "loc": [602, 602], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "vector": [13, 2, 0.8503, 0.0014, 2, 0.83, 0.7143, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return retval"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L605_C8", "label": "for v", "type": "for", "loc": [605, 607], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "vector": [6, 2, 0.8559, 0.0042, 2, 0.83, 0.8571, 553, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for v in arr:\n if isinstance(v, list):\n raise ArrayDimensionsNotConsistentError(\"array dimensions not consistent\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L606_C12", "label": "if", "type": "if", "loc": [606, 607], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L605_C8", "vector": [4, 3, 0.8566, 0.0028, 3, 0.29, 0.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(v, list):\n raise ArrayDimensionsNotConsistentError(\"array dimensions not consistent\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L608_C8", "label": "return", "type": "return", "loc": [608, 608], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "vector": [13, 2, 0.8588, 0.0014, 2, 0.83, 1.0, 0, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L610_C0", "label": "array_has_null", "type": "function", "loc": [610, 614], "level": 0, "parent": null, "vector": [2, 0, 0.8644, 0.0071, 0, 0.66, 0.9167, 272, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "array_has_null", "arg_names": ["arr"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def array_has_null(arr):\n for v in array_flatten(arr):\n if v == None:\n return True\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L611_C4", "label": "for v", "type": "for", "loc": [611, 613], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L610_C0", "vector": [6, 1, 0.8644, 0.0042, 1, 0.96, 0.0, 553, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for v in array_flatten(arr):\n if v == None:\n return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L612_C8", "label": "if", "type": "if", "loc": [612, 613], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L611_C4", "vector": [4, 2, 0.8651, 0.0028, 2, 0.52, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if v == None:\n return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L613_C12", "label": "return", "type": "return", "loc": [613, 613], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L612_C8", "vector": [13, 3, 0.8658, 0.0014, 3, 0.92, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L614_C4", "label": "return", "type": "return", "loc": [614, 614], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L610_C0", "vector": [13, 1, 0.8672, 0.0014, 1, 0.96, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L616_C0", "label": "array_dim_lengths", "type": "function", "loc": [616, 623], "level": 0, "parent": null, "vector": [2, 0, 0.875, 0.0113, 0, 0.66, 0.9333, 241, 0, 1, 1, 0, 0, 0, 5], "semantic": {"name": "array_dim_lengths", "arg_names": ["arr"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def array_dim_lengths(arr):\n v0 = arr[0]\n if isinstance(v0, list):\n retval = [len(v0)]\n retval.extend(array_dim_lengths(v0))\n else:\n return [len(arr)]\n return retval"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L617_C4", "label": "v0 =", "type": "assigned_variable", "loc": [617, 617], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L616_C0", "vector": [14, 1, 0.8715, 0.0014, 1, 0.01, 0.0, 745, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "v0", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " v0 = arr[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L618_C4", "label": "if", "type": "if", "loc": [618, 622], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L616_C0", "vector": [4, 1, 0.8757, 0.0071, 1, 0.01, 0.5, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(v0, list):\n retval = [len(v0)]\n retval.extend(array_dim_lengths(v0))\n else:\n return [len(arr)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L619_C8", "label": "retval =", "type": "assigned_variable", "loc": [619, 619], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L618_C4", "vector": [14, 2, 0.8743, 0.0014, 2, 0.85, 0.0, 991, 0, 0, 0, 0, 0, 5, 1], "semantic": {"name": "retval", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " retval = [len(v0)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L620_C8", "label": "extend()", "type": "expression", "loc": [620, 620], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L618_C4", "vector": [8, 2, 0.8757, 0.0014, 2, 0.85, 0.5, 660, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "extend", "arg_names": [], "import_names": [], "rhs_call_name": "extend", "annotation": ""}, "snippet": " retval.extend(array_dim_lengths(v0))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L622_C8", "label": "return", "type": "return", "loc": [622, 622], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L618_C4", "vector": [13, 2, 0.8785, 0.0014, 2, 0.85, 1.0, 0, 0, 0, 0, 0, 0, 5, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return [len(arr)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L623_C4", "label": "return", "type": "return", "loc": [623, 623], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L616_C0", "vector": [13, 1, 0.8799, 0.0014, 1, 0.01, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return retval"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L625_C0", "label": "array_send", "type": "class", "loc": [625, 643], "level": 0, "parent": null, "vector": [3, 0, 0.8955, 0.0268, 0, 0.66, 0.95, 771, 0, 2, 0, 0, 186, 0, 10], "semantic": {"name": "array_send", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class array_send(object):\n def __init__(self, typeoid, bin_out_func):\n self.typeoid = typeoid\n self.bin_out_func = bin_out_func\n\n def __call__(self, arr, **kwargs):\n has_null = array_has_null(arr)\n dim_lengths = array_dim_lengths(arr)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L626_C4", "label": "__init__", "type": "function", "loc": [626, 628], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L625_C0", "vector": [2, 1, 0.8856, 0.0042, 1, 0.98, 0.0, 555, 0, 3, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "typeoid", "bin_out_func"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, typeoid, bin_out_func):\n self.typeoid = typeoid\n self.bin_out_func = bin_out_func"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L627_C8", "label": "self.typeoid =", "type": "assigned_variable", "loc": [627, 627], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L626_C4", "vector": [14, 2, 0.8856, 0.0014, 2, 0.67, 0.0, 781, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.typeoid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.typeoid = typeoid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L628_C8", "label": "self.bin_out_func =", "type": "assigned_variable", "loc": [628, 628], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L626_C4", "vector": [14, 2, 0.887, 0.0014, 2, 0.67, 1.0, 307, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.bin_out_func", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.bin_out_func = bin_out_func"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "label": "__call__", "type": "function", "loc": [630, 643], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L625_C0", "vector": [2, 1, 0.899, 0.0198, 1, 0.98, 1.0, 319, 0, 3, 1, 0, 0, 0, 10], "semantic": {"name": "__call__", "arg_names": ["self", "arr", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __call__(self, arr, **kwargs):\n has_null = array_has_null(arr)\n dim_lengths = array_dim_lengths(arr)\n data = struct.pack(\"!iii\", len(dim_lengths), has_null, self.typeoid)\n for i in dim_lengths:\n data += struct.pack(\"!ii\", i, 1)\n for v in array_flatten(arr):\n if v == None:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L631_C8", "label": "has_null = array_has_null()", "type": "assigned_variable", "loc": [631, 631], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "vector": [14, 2, 0.8912, 0.0014, 2, 0.18, 0.0, 911, 3, 1, 0, 0, 272, 10, 1], "semantic": {"name": "has_null", "arg_names": [], "import_names": [], "rhs_call_name": "array_has_null", "annotation": ""}, "snippet": " has_null = array_has_null(arr)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L632_C8", "label": "dim_lengths = array_dim_lengths()", "type": "assigned_variable", "loc": [632, 632], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "vector": [14, 2, 0.8927, 0.0014, 2, 0.18, 0.2, 806, 3, 1, 0, 0, 241, 10, 1], "semantic": {"name": "dim_lengths", "arg_names": [], "import_names": [], "rhs_call_name": "array_dim_lengths", "annotation": ""}, "snippet": " dim_lengths = array_dim_lengths(arr)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L633_C8", "label": "data = pack()", "type": "assigned_variable", "loc": [633, 633], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "vector": [14, 2, 0.8941, 0.0014, 2, 0.18, 0.4, 929, 3, 4, 0, 0, 742, 10, 2], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "pack", "annotation": ""}, "snippet": " data = struct.pack(\"!iii\", len(dim_lengths), has_null, self.typeoid)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L634_C8", "label": "for i", "type": "for", "loc": [634, 635], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "vector": [6, 2, 0.8962, 0.0028, 2, 0.18, 0.6, 826, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in dim_lengths:\n data += struct.pack(\"!ii\", i, 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:For_L636_C8", "label": "for v", "type": "for", "loc": [636, 642], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "vector": [6, 2, 0.9025, 0.0099, 2, 0.18, 0.8, 553, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for v in array_flatten(arr):\n if v == None:\n data += struct.pack(\"!i\", -1)\n else:\n inner_data = self.bin_out_func(v, **kwargs)\n data += struct.pack(\"!i\", len(inner_data))\n data += inner_data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:If_L637_C12", "label": "if", "type": "if", "loc": [637, 642], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:For_L636_C8", "vector": [4, 3, 0.9032, 0.0085, 3, 0.66, 0.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if v == None:\n data += struct.pack(\"!i\", -1)\n else:\n inner_data = self.bin_out_func(v, **kwargs)\n data += struct.pack(\"!i\", len(inner_data))\n data += inner_data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L640_C16", "label": "inner_data = bin_out_func()", "type": "assigned_variable", "loc": [640, 640], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:If_L637_C12", "vector": [14, 4, 0.904, 0.0014, 4, 0.59, 0.0, 980, 3, 2, 0, 0, 139, 10, 1], "semantic": {"name": "inner_data", "arg_names": [], "import_names": [], "rhs_call_name": "bin_out_func", "annotation": ""}, "snippet": " inner_data = self.bin_out_func(v, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L643_C8", "label": "return", "type": "return", "loc": [643, 643], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "vector": [13, 2, 0.9082, 0.0014, 2, 0.18, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L645_C0", "label": "py_types =", "type": "assigned_variable", "loc": [645, 660], "level": 0, "parent": null, "vector": [14, 0, 0.9216, 0.0226, 0, 0.66, 0.9667, 787, 0, 0, 0, 0, 0, 6, 1], "semantic": {"name": "py_types", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "py_types = {\n bool: {\"typeoid\": 16, \"bin_out\": boolsend},\n int: {\"inspect\": int_inspect},\n long: {\"inspect\": int_inspect},\n str: {\"typeoid\": 25, \"bin_out\": textout},\n unicode: {\"typeoid\": 25, \"bin_out\": textout},\n float: {\"typeoid\": 701, \"bin_out\": float8send},\n decimal.Decimal: {\"typeoid\": 1700, \"bin_out\": numeric_send},"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L663_C0", "label": "py_array_types =", "type": "assigned_variable", "loc": [663, 669], "level": 0, "parent": null, "vector": [14, 0, 0.9407, 0.0099, 0, 0.66, 0.9833, 610, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "py_array_types", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "py_array_types = {\n float: 1022,\n bool: 1000,\n str: 1009, # TEXT[]\n unicode: 1009, # TEXT[]\n decimal.Decimal: 1231, # NUMERIC[]\n}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L671_C0", "label": "pg_types =", "type": "assigned_variable", "loc": [671, 707], "level": 0, "parent": null, "vector": [14, 0, 0.9732, 0.0523, 0, 0.66, 1.0, 795, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "pg_types", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "pg_types = {\n 16: {\"bin_in\": boolrecv},\n 17: {\"bin_in\": bytearecv},\n 19: {\"bin_in\": varcharin}, # name type\n 20: {\"bin_in\": int8recv},\n 21: {\"bin_in\": int2recv},\n 23: {\"bin_in\": int4recv, \"txt_in\": numeric_in},\n 25: {\"bin_in\": varcharin, \"txt_in\": varcharin}, # TEXT type"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_547:Try_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:ImportFrom_L41_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:Try_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L43_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:Try_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L44_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L44_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L45_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L45_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L46_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L44_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L47_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L47_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L48_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L44_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L49_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L49_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L50_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:Try_L40_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L51_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L57_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L57_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L58_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L57_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L59_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L57_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L60_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L62_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L62_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L63_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L63_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L65_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L65_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L68_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L70_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L73_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L73_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L76_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L78_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L78_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L79_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L79_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L81_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L81_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L84_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L86_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L87_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L88_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L90_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L90_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L91_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L94_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L94_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L94_C26"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L95_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L96_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L96_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L96_C19"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L97_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L98_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L98_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L98_C19"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L93_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L99_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L102_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L103_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L103_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L104_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L103_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L105_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L107_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L108_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L112_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L113_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L113_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L114_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L116_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L117_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L117_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L119_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L119_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L121_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L124_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L124_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L125_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L124_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L126_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L126_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L127_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L101_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L131_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L134_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L135_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L136_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L140_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L141_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L141_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L142_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L145_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L145_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L146_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L148_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L149_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L150_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L150_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L151_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L154_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L133_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L156_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L158_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L159_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L158_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L160_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L158_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L161_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L158_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L164_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L164_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L165_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L164_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L166_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L166_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L167_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L158_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L170_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L173_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L173_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L175_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L176_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L177_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L178_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L179_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L181_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L182_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L183_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L183_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L184_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L187_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L172_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L189_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L191_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L192_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L195_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L195_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L196_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L195_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L198_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L204_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L205_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L205_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L206_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L205_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L207_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L208_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L209_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L209_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L210_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L209_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L212_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L214_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L215_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L217_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L218_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L220_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L221_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L223_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L224_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L227_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L229_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L230_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L232_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L233_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L235_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L236_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L238_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L239_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L241_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L242_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L242_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L244_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L242_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L247_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L249_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L250_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L250_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L252_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L250_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L253_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L250_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L256_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L250_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L257_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L262_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L263_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L266_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L267_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L268_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L268_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L270_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L268_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L273_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L275_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L278_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L280_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L281_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L280_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L282_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L280_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L283_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L280_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L284_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L286_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L287_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L289_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L290_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L289_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L291_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L289_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L292_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L289_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L293_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L295_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L296_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L298_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L299_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L299_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L300_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L299_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L302_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L305_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L306_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L307_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L308_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L309_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L310_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L310_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L311_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L314_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L304_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L316_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L321_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L322_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L323_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L324_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L325_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L326_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L327_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L327_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L328_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L327_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L329_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L330_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L331_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L332_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L333_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L334_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L334_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L335_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L335_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L336_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L335_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L337_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L335_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L342_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L342_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L343_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L348_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L348_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L349_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L348_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L350_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L350_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L352_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L350_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L355_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L355_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L355_C27"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L357_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L357_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L358_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L357_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L360_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L361_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L362_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L364_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L365_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L366_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L367_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:While_L368_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L375_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L375_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L376_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L375_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L377_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L380_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L319_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L381_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L383_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L384_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L440_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L441_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L443_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L444_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L446_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L447_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L447_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L448_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L447_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L450_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L452_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L453_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L455_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L456_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L460_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L460_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L461_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L460_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L463_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L460_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L464_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L465_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L467_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L468_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L468_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L469_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L468_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L471_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L474_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L475_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L478_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L481_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L482_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L483_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L483_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L484_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L483_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L485_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L483_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L486_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L490_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L491_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L491_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L492_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L492_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L493_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L492_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L494_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L492_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L495_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L495_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L496_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L495_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L498_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L495_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L499_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L500_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L506_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L506_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L507_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L506_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:While_L508_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:While_L508_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L509_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:While_L508_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L510_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L506_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L511_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L473_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L513_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L518_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L519_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L523_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L526_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L527_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L529_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L531_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L533_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L534_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L536_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L537_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L528_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L539_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L540_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L540_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L541_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L540_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L542_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L542_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L543_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L542_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L544_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L544_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L545_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L549_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L550_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L524_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L551_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L555_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L555_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L556_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L560_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L562_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L563_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L563_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L564_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L564_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L565_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L564_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L566_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L566_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L567_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L566_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L568_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L568_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L569_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L563_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L571_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L515_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L572_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L577_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L578_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L578_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L579_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L579_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L580_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L577_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L581_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L583_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L584_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L584_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L585_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L585_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L586_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L586_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L587_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L585_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L589_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L591_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L592_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L591_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L594_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L595_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L596_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L596_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L597_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L596_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L598_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L600_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L601_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L602_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L605_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L605_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L606_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L593_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L608_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L610_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L611_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L611_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L612_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L612_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L613_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L610_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L614_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L616_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L617_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L616_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L618_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L618_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L619_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L618_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Expr_L620_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L618_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L622_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L616_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L623_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L625_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L626_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L626_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L627_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L626_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L628_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:ClassDef_L625_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L631_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L632_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L633_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L634_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:For_L636_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:For_L636_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_547:If_L637_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:If_L637_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Assign_L640_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_547:FunctionDef_L630_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_547:Return_L643_C8"}]
# vim: sw=4:expandtab:foldmethod=marker # # Copyright (c) 2007-2009, Mathieu Fenniak # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above copyright notice, # this list of conditions and the following disclaimer. # * Redistributions in binary form must reproduce the above copyright notice, # this list of conditions and the following disclaimer in the documentation # and/or other materials provided with the distribution. # * The name of the author may not be used to endorse or promote products # derived from this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" # AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE # IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE # ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE # LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR # CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF # SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS # INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN # CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) # ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE # POSSIBILITY OF SUCH DAMAGE. __author__ = "Mathieu Fenniak" import dbapi as DBAPI pg8000_dbapi = DBAPI from interface import * from types import Bytea
ajibawa-2023/Python-Code-Large/train/row_548
5
37
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_548:Assign_L30_C0", "label": "__author__ =", "type": "assigned_variable", "loc": [30, 30], "level": 0, "parent": null, "vector": [14, 0, 0.8108, 0.027, 0, 0.66, 0.0, 777, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__author__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__author__ = \"Mathieu Fenniak\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_548:Import_L32_C0", "label": "dbapi import DBAPI", "type": "import", "loc": [32, 32], "level": 0, "parent": null, "vector": [1, 0, 0.8649, 0.027, 0, 0.66, 0.25, 782, 0, 1, 0, 0, 782, 0, 0], "semantic": {"name": "dbapi", "arg_names": [], "import_names": ["DBAPI"], "rhs_call_name": "", "annotation": ""}, "snippet": "import dbapi as DBAPI"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_548:Assign_L33_C0", "label": "pg8000_dbapi =", "type": "assigned_variable", "loc": [33, 33], "level": 0, "parent": null, "vector": [14, 0, 0.8919, 0.027, 0, 0.66, 0.5, 229, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pg8000_dbapi", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "pg8000_dbapi = DBAPI"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_548:ImportFrom_L35_C0", "label": "from interface import *", "type": "import", "loc": [35, 35], "level": 0, "parent": null, "vector": [1, 0, 0.9459, 0.027, 0, 0.66, 0.75, 396, 0, 1, 0, 0, 396, 0, 0], "semantic": {"name": "interface", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from interface import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_548:ImportFrom_L36_C0", "label": "from types import Bytea", "type": "import", "loc": [36, 36], "level": 0, "parent": null, "vector": [1, 0, 0.973, 0.027, 0, 0.66, 1.0, 209, 0, 1, 0, 0, 209, 0, 0], "semantic": {"name": "types", "arg_names": [], "import_names": ["Bytea"], "rhs_call_name": "", "annotation": ""}, "snippet": "from types import Bytea"}]
[]
# vim: sw=4:expandtab:foldmethod=marker # # Copyright (c) 2007-2009, Mathieu Fenniak # All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above copyright notice, # this list of conditions and the following disclaimer. # * Redistributions in binary form must reproduce the above copyright notice, # this list of conditions and the following disclaimer in the documentation # and/or other materials provided with the distribution. # * The name of the author may not be used to endorse or promote products # derived from this software without specific prior written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" # AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE # IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE # ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE # LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR # CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF # SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS # INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN # CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) # ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE # POSSIBILITY OF SUCH DAMAGE. __author__ = "Mathieu Fenniak" class Warning(StandardError): pass class Error(StandardError): pass class InterfaceError(Error): pass class ConnectionClosedError(InterfaceError): def __init__(self): InterfaceError.__init__(self, "connection is closed") class CursorClosedError(InterfaceError): def __init__(self): InterfaceError.__init__(self, "cursor is closed") class DatabaseError(Error): pass class DataError(DatabaseError): pass class OperationalError(DatabaseError): pass class IntegrityError(DatabaseError): pass class InternalError(DatabaseError): pass class ProgrammingError(DatabaseError): pass class NotSupportedError(DatabaseError): pass ## # An exception that is thrown when an internal error occurs trying to # decode binary array data from the server. class ArrayDataParseError(InternalError): pass ## # Thrown when attempting to transmit an array of unsupported data types. class ArrayContentNotSupportedError(NotSupportedError): pass ## # Thrown when attempting to send an array that doesn't contain all the same # type of objects (eg. some floats, some ints). class ArrayContentNotHomogenousError(ProgrammingError): pass ## # Attempted to pass an empty array in, but it's not possible to determine the # data type for an empty array. class ArrayContentEmptyError(ProgrammingError): pass ## # Attempted to use a multidimensional array with inconsistent array sizes. class ArrayDimensionsNotConsistentError(ProgrammingError): pass # A cursor's copy_to or copy_from argument was not provided a table or query # to operate on. class CopyQueryOrTableRequiredError(ProgrammingError): pass # Raised if a COPY query is executed without using copy_to or copy_from # functions to provide a data stream. class CopyQueryWithoutStreamError(ProgrammingError): pass # When query parameters don't match up with query args. class QueryParameterIndexError(ProgrammingError): pass # Some sort of parse error occured during query parameterization. class QueryParameterParseError(ProgrammingError): pass
ajibawa-2023/Python-Code-Large/train/row_550
26
115
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_550:Assign_L30_C0", "label": "__author__ =", "type": "assigned_variable", "loc": [30, 30], "level": 0, "parent": null, "vector": [14, 0, 0.2609, 0.0087, 0, 0.66, 0.0, 777, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__author__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__author__ = \"Mathieu Fenniak\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L32_C0", "label": "Warning", "type": "class", "loc": [32, 33], "level": 0, "parent": null, "vector": [3, 0, 0.2826, 0.0174, 0, 0.66, 0.0476, 781, 0, 0, 0, 0, 542, 0, 0], "semantic": {"name": "Warning", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Warning(StandardError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L35_C0", "label": "Error", "type": "class", "loc": [35, 36], "level": 0, "parent": null, "vector": [3, 0, 0.3087, 0.0174, 0, 0.66, 0.0952, 529, 0, 0, 0, 0, 542, 0, 0], "semantic": {"name": "Error", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Error(StandardError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L38_C0", "label": "InterfaceError", "type": "class", "loc": [38, 39], "level": 0, "parent": null, "vector": [3, 0, 0.3348, 0.0174, 0, 0.66, 0.1429, 681, 0, 0, 0, 0, 529, 0, 0], "semantic": {"name": "InterfaceError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class InterfaceError(Error):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L41_C0", "label": "ConnectionClosedError", "type": "class", "loc": [41, 43], "level": 0, "parent": null, "vector": [3, 0, 0.3652, 0.0261, 0, 0.66, 0.1905, 840, 0, 1, 0, 0, 681, 0, 1], "semantic": {"name": "ConnectionClosedError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ConnectionClosedError(InterfaceError):\n def __init__(self):\n InterfaceError.__init__(self, \"connection is closed\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:FunctionDef_L42_C4", "label": "__init__", "type": "function", "loc": [42, 43], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L41_C0", "vector": [2, 1, 0.3696, 0.0174, 1, 0.01, 0.0, 555, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self):\n InterfaceError.__init__(self, \"connection is closed\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:Expr_L43_C8", "label": "__init__()", "type": "expression", "loc": [43, 43], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_550:FunctionDef_L42_C4", "vector": [8, 2, 0.3739, 0.0087, 2, 0.97, 0.0, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " InterfaceError.__init__(self, \"connection is closed\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L45_C0", "label": "CursorClosedError", "type": "class", "loc": [45, 47], "level": 0, "parent": null, "vector": [3, 0, 0.4, 0.0261, 0, 0.66, 0.2381, 492, 0, 1, 0, 0, 681, 0, 1], "semantic": {"name": "CursorClosedError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class CursorClosedError(InterfaceError):\n def __init__(self):\n InterfaceError.__init__(self, \"cursor is closed\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:FunctionDef_L46_C4", "label": "__init__", "type": "function", "loc": [46, 47], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L45_C0", "vector": [2, 1, 0.4043, 0.0174, 1, 0.45, 0.0, 555, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self):\n InterfaceError.__init__(self, \"cursor is closed\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:Expr_L47_C8", "label": "__init__()", "type": "expression", "loc": [47, 47], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_550:FunctionDef_L46_C4", "vector": [8, 2, 0.4087, 0.0087, 2, 0.8, 0.0, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " InterfaceError.__init__(self, \"cursor is closed\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L49_C0", "label": "DatabaseError", "type": "class", "loc": [49, 50], "level": 0, "parent": null, "vector": [3, 0, 0.4304, 0.0174, 0, 0.66, 0.2857, 848, 0, 0, 0, 0, 529, 0, 0], "semantic": {"name": "DatabaseError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class DatabaseError(Error):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L52_C0", "label": "DataError", "type": "class", "loc": [52, 53], "level": 0, "parent": null, "vector": [3, 0, 0.4565, 0.0174, 0, 0.66, 0.3333, 88, 0, 0, 0, 0, 848, 0, 0], "semantic": {"name": "DataError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class DataError(DatabaseError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L55_C0", "label": "OperationalError", "type": "class", "loc": [55, 56], "level": 0, "parent": null, "vector": [3, 0, 0.4826, 0.0174, 0, 0.66, 0.381, 379, 0, 0, 0, 0, 848, 0, 0], "semantic": {"name": "OperationalError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class OperationalError(DatabaseError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L58_C0", "label": "IntegrityError", "type": "class", "loc": [58, 59], "level": 0, "parent": null, "vector": [3, 0, 0.5087, 0.0174, 0, 0.66, 0.4286, 69, 0, 0, 0, 0, 848, 0, 0], "semantic": {"name": "IntegrityError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class IntegrityError(DatabaseError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L61_C0", "label": "InternalError", "type": "class", "loc": [61, 62], "level": 0, "parent": null, "vector": [3, 0, 0.5348, 0.0174, 0, 0.66, 0.4762, 988, 0, 0, 0, 0, 848, 0, 0], "semantic": {"name": "InternalError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class InternalError(DatabaseError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L64_C0", "label": "ProgrammingError", "type": "class", "loc": [64, 65], "level": 0, "parent": null, "vector": [3, 0, 0.5609, 0.0174, 0, 0.66, 0.5238, 524, 0, 0, 0, 0, 848, 0, 0], "semantic": {"name": "ProgrammingError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ProgrammingError(DatabaseError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L67_C0", "label": "NotSupportedError", "type": "class", "loc": [67, 68], "level": 0, "parent": null, "vector": [3, 0, 0.587, 0.0174, 0, 0.66, 0.5714, 135, 0, 0, 0, 0, 848, 0, 0], "semantic": {"name": "NotSupportedError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class NotSupportedError(DatabaseError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L73_C0", "label": "ArrayDataParseError", "type": "class", "loc": [73, 74], "level": 0, "parent": null, "vector": [3, 0, 0.6391, 0.0174, 0, 0.66, 0.619, 665, 0, 0, 0, 0, 988, 0, 0], "semantic": {"name": "ArrayDataParseError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ArrayDataParseError(InternalError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L78_C0", "label": "ArrayContentNotSupportedError", "type": "class", "loc": [78, 79], "level": 0, "parent": null, "vector": [3, 0, 0.6826, 0.0174, 0, 0.66, 0.6667, 562, 0, 0, 0, 0, 135, 0, 0], "semantic": {"name": "ArrayContentNotSupportedError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ArrayContentNotSupportedError(NotSupportedError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L84_C0", "label": "ArrayContentNotHomogenousError", "type": "class", "loc": [84, 85], "level": 0, "parent": null, "vector": [3, 0, 0.7348, 0.0174, 0, 0.66, 0.7143, 537, 0, 0, 0, 0, 524, 0, 0], "semantic": {"name": "ArrayContentNotHomogenousError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ArrayContentNotHomogenousError(ProgrammingError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L90_C0", "label": "ArrayContentEmptyError", "type": "class", "loc": [90, 91], "level": 0, "parent": null, "vector": [3, 0, 0.787, 0.0174, 0, 0.66, 0.7619, 584, 0, 0, 0, 0, 524, 0, 0], "semantic": {"name": "ArrayContentEmptyError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ArrayContentEmptyError(ProgrammingError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L95_C0", "label": "ArrayDimensionsNotConsistentError", "type": "class", "loc": [95, 96], "level": 0, "parent": null, "vector": [3, 0, 0.8304, 0.0174, 0, 0.66, 0.8095, 372, 0, 0, 0, 0, 524, 0, 0], "semantic": {"name": "ArrayDimensionsNotConsistentError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ArrayDimensionsNotConsistentError(ProgrammingError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L100_C0", "label": "CopyQueryOrTableRequiredError", "type": "class", "loc": [100, 101], "level": 0, "parent": null, "vector": [3, 0, 0.8739, 0.0174, 0, 0.66, 0.8571, 376, 0, 0, 0, 0, 524, 0, 0], "semantic": {"name": "CopyQueryOrTableRequiredError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class CopyQueryOrTableRequiredError(ProgrammingError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L105_C0", "label": "CopyQueryWithoutStreamError", "type": "class", "loc": [105, 106], "level": 0, "parent": null, "vector": [3, 0, 0.9174, 0.0174, 0, 0.66, 0.9048, 393, 0, 0, 0, 0, 524, 0, 0], "semantic": {"name": "CopyQueryWithoutStreamError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class CopyQueryWithoutStreamError(ProgrammingError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L109_C0", "label": "QueryParameterIndexError", "type": "class", "loc": [109, 110], "level": 0, "parent": null, "vector": [3, 0, 0.9522, 0.0174, 0, 0.66, 0.9524, 526, 0, 0, 0, 0, 524, 0, 0], "semantic": {"name": "QueryParameterIndexError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class QueryParameterIndexError(ProgrammingError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L113_C0", "label": "QueryParameterParseError", "type": "class", "loc": [113, 114], "level": 0, "parent": null, "vector": [3, 0, 0.987, 0.0174, 0, 0.66, 1.0, 879, 0, 0, 0, 0, 524, 0, 0], "semantic": {"name": "QueryParameterParseError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class QueryParameterParseError(ProgrammingError):\n pass"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_550:FunctionDef_L42_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_550:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_550:Expr_L43_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_550:ClassDef_L45_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_550:FunctionDef_L46_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_550:FunctionDef_L46_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_550:Expr_L47_C8"}]
from types import StringType, ListType, TupleType from copy import deepcopy from Elements import * DEFAULT_TAB_WIDTH = 720 ParagraphAlignmentMap = { ParagraphPropertySet.LEFT : 'ql', ParagraphPropertySet.RIGHT : 'qr', ParagraphPropertySet.CENTER : 'qc', ParagraphPropertySet.JUSTIFY : 'qj', ParagraphPropertySet.DISTRIBUTE : 'qd' } TabAlignmentMap = { TabPropertySet.LEFT : '', TabPropertySet.RIGHT : 'tqr', TabPropertySet.CENTER : 'tqc', TabPropertySet.DECIMAL : 'tqdec' } TableAlignmentMap = { Table.LEFT : 'trql', Table.RIGHT : 'trqr', Table.CENTER : 'trqc' } CellAlignmentMap = { Cell.ALIGN_TOP : '', # clvertalt Cell.ALIGN_CENTER : 'clvertalc', Cell.ALIGN_BOTTOM : 'clvertalb' } CellFlowMap = { Cell.FLOW_LR_TB : '', # cltxlrtb, Text in a cell flows from left to right and top to bottom (default) Cell.FLOW_RL_TB : 'cltxtbrl', # Text in a cell flows right to left and top to bottom Cell.FLOW_LR_BT : 'cltxbtlr', # Text in a cell flows left to right and bottom to top Cell.FLOW_VERTICAL_LR_TB : 'cltxlrtbv', # Text in a cell flows left to right and top to bottom, vertical Cell.FLOW_VERTICAL_TB_RL : 'cltxtbrlv' } # Text in a cell flows top to bottom and right to left, vertical ShadingPatternMap = { ShadingPropertySet.HORIZONTAL : 'bghoriz', ShadingPropertySet.VERTICAL : 'bgvert', ShadingPropertySet.FORWARD_DIAGONAL : 'bgfdiag', ShadingPropertySet.BACKWARD_DIAGONAL : 'bgbdiag', ShadingPropertySet.VERTICAL_CROSS : 'bgcross', ShadingPropertySet.DIAGONAL_CROSS : 'bgdcross', ShadingPropertySet.DARK_HORIZONTAL : 'bgdkhoriz', ShadingPropertySet.DARK_VERTICAL : 'bgdkvert', ShadingPropertySet.DARK_FORWARD_DIAGONAL : 'bgdkfdiag', ShadingPropertySet.DARK_BACKWARD_DIAGONAL : 'bgdkbdiag', ShadingPropertySet.DARK_VERTICAL_CROSS : 'bgdkcross', ShadingPropertySet.DARK_DIAGONAL_CROSS : 'bgdkdcross' } TabLeaderMap = { TabPropertySet.DOTS : 'tldot', TabPropertySet.HYPHENS : 'tlhyph', TabPropertySet.UNDERLINE : 'tlul', TabPropertySet.THICK_LINE : 'tlth', TabPropertySet.EQUAL_SIGN : 'tleq' } BorderStyleMap = { BorderPropertySet.SINGLE : 'brdrs', BorderPropertySet.DOUBLE : 'brdrth', BorderPropertySet.SHADOWED : 'brdrsh', BorderPropertySet.DOUBLED : 'brdrdb', BorderPropertySet.DOTTED : 'brdrdot', BorderPropertySet.DASHED : 'brdrdash', BorderPropertySet.HAIRLINE : 'brdrhair' } SectionBreakTypeMap = { Section.NONE : 'sbknone', Section.COLUMN : 'sbkcol', Section.PAGE : 'sbkpage', Section.EVEN : 'sbkeven', Section.ODD : 'sbkodd' } class Settings( list ) : def __init__( self ) : super( Settings, self ).__init__() self._append = super( Settings, self ).append def append( self, value, mask=None, fallback=None ) : if (value is not 0) and value in [ False, None, '' ] : if fallback : self._append( self, fallback ) else : if mask : if value is True : value = mask else : value = mask % value self._append( value ) def Join( self ) : if self : return r'\%s' % '\\'.join( self ) return '' def __repr__( self ) : return self.Join() class Renderer : def __init__( self, write_custom_element_callback=None ) : self.character_style_map = {} self.paragraph_style_map = {} self.WriteCustomElement = write_custom_element_callback # # All of the Rend* Functions populate a Settings object with values # def _RendPageProperties( self, section, settings, in_section ) : # this one is different from the others as it takes the settings from a if in_section : #paper_size_code = 'psz%s' paper_width_code = 'pgwsxn%s' paper_height_code = 'pghsxn%s' landscape = 'lndscpsxn' margin_suffix = 'sxn' else : #paper_size_code = 'psz%s' paper_width_code = 'paperw%s' paper_height_code = 'paperh%s' landscape = 'landscape' margin_suffix = '' #settings.append( section.Paper.Code, paper_size_code ) settings.append( section.Paper.Width, paper_width_code ) settings.append( section.Paper.Height, paper_height_code ) if section.Landscape : settings.append( landscape ) if section.FirstPageNumber : settings.append( section.FirstPageNumber, 'pgnstarts%s' ) settings.append( 'pgnrestart' ) self._RendMarginsPropertySet( section.Margins, settings, margin_suffix ) def _RendShadingPropertySet( self, shading_props, settings, prefix='' ) : if not shading_props : return settings.append( shading_props.Shading, prefix + 'shading%s' ) settings.append( ShadingPatternMap.get( shading_props.Pattern, False ) ) settings.append( self._colour_map.get( shading_props.Foreground, False ), prefix + 'cfpat%s' ) settings.append( self._colour_map.get( shading_props.Background, False ), prefix + 'cbpat%s' ) def _RendBorderPropertySet( self, edge_props, settings ) : settings.append( BorderStyleMap[ edge_props.Style ] ) settings.append( edge_props.Width , 'brdrw%s' ) settings.append( self._colour_map.get( edge_props.Colour, False ), 'brdrcf%s' ) settings.append( edge_props.Spacing or False , 'brsp%s' ) def _RendFramePropertySet( self, frame_props, settings, tag_prefix='' ) : if not frame_props : return if frame_props.Top : settings.append( tag_prefix + 'brdrt' ) self._RendBorderPropertySet( frame_props.Top, settings ) if frame_props.Left : settings.append( tag_prefix + 'brdrl' ) self._RendBorderPropertySet( frame_props.Left, settings ) if frame_props.Bottom : settings.append( tag_prefix + 'brdrb' ) self._RendBorderPropertySet( frame_props.Bottom, settings ) if frame_props.Right : settings.append( tag_prefix + 'brdrr' ) self._RendBorderPropertySet( frame_props.Right, settings ) def _RendMarginsPropertySet( self, margin_props, settings, suffix='' ) : if not margin_props : return settings.append( margin_props.Top, 'margt' + suffix + '%s' ) settings.append( margin_props.Left, 'margl' + suffix + '%s' ) settings.append( margin_props.Bottom, 'margb' + suffix + '%s' ) settings.append( margin_props.Right, 'margr' + suffix + '%s' ) def _RendParagraphPropertySet( self, paragraph_props, settings ) : if not paragraph_props : return settings.append( ParagraphAlignmentMap[ paragraph_props.Alignment ] ) settings.append( paragraph_props.SpaceBefore, 'sb%s' ) settings.append( paragraph_props.SpaceAfter, 'sa%s' ) # then we have to find out all of the tabs width = 0 for tab in paragraph_props.Tabs : settings.append( TabAlignmentMap[ tab.Alignment ] ) settings.append( TabLeaderMap.get( tab.Leader, '' ) ) width += tab.Width or DEFAULT_TAB_WIDTH settings.append( 'tx%s' % width ) settings.append( paragraph_props.PageBreakBefore, 'pagebb' ) settings.append( paragraph_props.FirstLineIndent, 'fi%s' ) settings.append( paragraph_props.LeftIndent, 'li%s' ) settings.append( paragraph_props.RightIndent, 'ri%s' ) if paragraph_props.SpaceBetweenLines : if paragraph_props.SpaceBetweenLines < 0 : settings.append( paragraph_props.SpaceBetweenLines, r'sl%s\slmult0' ) else : settings.append( paragraph_props.SpaceBetweenLines, r'sl%s\slmult1' ) def _RendTextPropertySet( self, text_props, settings ) : if not text_props : return if text_props.Expansion : settings.append( text_props.Expansion, 'expndtw%s' ) settings.append( text_props.Bold, 'b' ) settings.append( text_props.Italic, 'i' ) settings.append( text_props.Underline, 'ul' ) settings.append( text_props.DottedUnderline, 'uld' ) settings.append( text_props.DoubleUnderline, 'uldb' ) settings.append( text_props.WordUnderline, 'ulw' ) settings.append( self._font_map.get( text_props.Font, False ), 'f%s' ) settings.append( text_props.Size, 'fs%s' ) settings.append( self._colour_map.get( text_props.Colour, False ), 'cf%s' ) if text_props.Frame : frame = text_props.Frame settings.append( 'chbrdr' ) settings.append( BorderStyleMap[ frame.Style ] ) settings.append( frame.Width , 'brdrw%s' ) settings.append( self._colour_map.get( frame.Colour, False ), 'brdrcf%s' ) # # All of the Write* functions will write to the internal file object # # the _ ones probably don't need to be used by anybody outside # but the other ones like WriteTextElement could be used in the Custom # callback. def Write( self, document, fout ) : # write all of the standard stuff based upon the first document self._doc = document self._fout = fout self._WriteDocument () self._WriteColours () self._WriteFonts () self._WriteStyleSheet() settings = Settings() self._RendPageProperties( self._doc.Sections[ 0 ], settings, in_section=False ) self._write( repr( settings ) ) # handle the simplest case first, we don't need to do anymore mucking around # with section headers, etc we can just rip the document out if len( document.Sections ) == 1 : self._WriteSection( document.Sections[ 0 ], is_first = True, add_header = False ) else : for section_idx, section in enumerate( document.Sections ) : is_first = section_idx == 0 add_header = True self._WriteSection( section, is_first, add_header ) self._write( '}' ) del self._fout, self._doc, self._CurrentStyle def _write( self, data, *params ) : #---------------------------------- # begin modification # by Herbert Weinhandl # to convert accented characters # to their rtf-compatible form #for c in range( 128, 256 ) : # data = data.replace( chr(c), "\'%x" % c) # end modification # # This isn't the right place for this as it is going to do # this loop for all sorts of writes, including settings, control codes, etc. # # I will create a def _WriteText (or something) method that is used when the # actual string that is to be viewed in the document is written, this can then # do the final accented character check. # # I left it here so that I remember to do the right thing when I have time #---------------------------------- if params : data = data % params self._fout.write( data ) def _WriteDocument( self ) : settings = Settings() assert Languages.IsValid ( self._doc.DefaultLanguage ) assert ViewKind.IsValid ( self._doc.ViewKind ) assert ViewZoomKind.IsValid( self._doc.ViewZoomKind ) assert ViewScale.IsValid ( self._doc.ViewScale ) settings.append( self._doc.DefaultLanguage, 'deflang%s' ) settings.append( self._doc.ViewKind , 'viewkind%s' ) settings.append( self._doc.ViewZoomKind , 'viewzk%s' ) settings.append( self._doc.ViewScale , 'viewscale%s' ) self._write( "{\\rtf1\\ansi\\ansicpg1252\\deff0%s\n" % settings ) def _WriteColours( self ) : self._write( r"{\colortbl ;" ) self._colour_map = {} offset = 0 for colour in self._doc.StyleSheet.Colours : self._write( r'\red%s\green%s\blue%s;', colour.Red, colour.Green, colour.Blue ) self._colour_map[ colour ] = offset + 1 offset += 1 self._write( "}\n" ) def _WriteFonts( self ) : self._write( r'{\fonttbl' ) self._font_map = {} offset = 0 for font in self._doc.StyleSheet.Fonts : pitch = '' panose = '' alternate = '' if font.Pitch : pitch = r'\fprq%s' % font.Pitch if font.Panose : panose = r'{\*\panose %s}' % font.Panose if font.Alternate : alternate = r'{\*\falt %s}' % font.Alternate.Name self._write( r'{\f%s\f%s%s\fcharset%s%s %s%s;}', offset, font.Family, pitch, font.CharacterSet, panose, font.Name, alternate ) self._font_map[ font ] = offset offset += 1 self._write( "}\n" ) def _WriteStyleSheet( self ) : self._write( r"{\stylesheet" ) # TO DO: character styles, does anybody actually use them? offset_map = {} for idx, style in enumerate( self._doc.StyleSheet.ParagraphStyles ) : offset_map[ style ] = idx # paragraph styles self.paragraph_style_map = {} for idx, style in enumerate( self._doc.StyleSheet.ParagraphStyles ) : if idx == 0 : default = style else : self._write( '\n' ) settings = Settings() # paragraph properties self._RendParagraphPropertySet( style.ParagraphPropertySet, settings ) self._RendFramePropertySet ( style.FramePropertySet, settings ) self._RendShadingPropertySet ( style.ShadingPropertySet, settings ) # text properties self._RendTextPropertySet ( style.TextStyle.TextPropertySet, settings ) self._RendShadingPropertySet( style.TextStyle.ShadingPropertySet, settings ) # have to take based_on = '\\sbasedon%s' % offset_map.get( style.BasedOn, 0 ) next = '\\snext%s' % offset_map.get( style.Next, 0 ) inln = '\\s%s%s' % ( idx, settings ) self._write( "{%s%s%s %s;}", inln, based_on, next, style.Name ) self.paragraph_style_map[ style ] = inln # if now style is specified for the first paragraph to be written, this one # will be used self._CurrentStyle = self.paragraph_style_map[ default ] self._write( "}\n" ) def _WriteSection( self, section, is_first, add_header ) : def WriteHF( hf, rtfword ) : #if not hf : return # if we don't have anything in the header/footer then include # a blank paragraph, this stops it from picking up the header/footer # from the previous section # if not hf : hf = [ Paragraph( '' ) ] if not hf : hf = [] self._write( '{\\%s' % rtfword ) self._WriteElements( hf ) self._write( '}\n' ) settings = Settings() if not is_first : # we need to finish off the preceding section # and reset all of our defaults back to standard settings.append( 'sect' ) # reset to our defaults settings.append( 'sectd' ) if add_header : settings.append( SectionBreakTypeMap[ section.BreakType ] ) self._RendPageProperties( section, settings, in_section=True ) settings.append( section.HeaderY, 'headery%s' ) settings.append( section.FooterY, 'footery%s' ) # write all of these out now as we need to do a write elements in the # next section self._write( repr( settings ) ) # finally after all that has settled down we can do the # headers and footers if section.FirstHeader or section.FirstFooter : # include the titlepg flag if the first page has a special format self._write( r'\titlepg' ) WriteHF( section.FirstHeader, 'headerf' ) WriteHF( section.FirstFooter, 'footerf' ) WriteHF( section.Header, 'header' ) WriteHF( section.Footer, 'footer' ) # and at last the contents of the section that actually appear on the page self._WriteElements( section ) def _WriteElements( self, elements ) : new_line = '' for element in elements : self._write( new_line ) new_line = '\n' clss = element.__class__ if clss == Paragraph : self.WriteParagraphElement( element ) elif clss == Table : self.WriteTableElement( element ) elif clss == StringType : self.WriteParagraphElement( Paragraph( element ) ) elif clss in [ RawCode, Image ] : self.WriteRawCode( element ) #elif clss == List : # self._HandleListElement( element ) elif self.WriteCustomElement : self.WriteCustomElement( self, element ) else : raise Exception( "Don't know how to handle elements of type %s" % clss ) def WriteParagraphElement( self, paragraph_elem, tag_prefix='', tag_suffix=r'\par', opening='{', closing='}' ) : # the tag_prefix and the tag_suffix take care of paragraphs in tables. A # paragraph in a table requires and extra tag at the front (intbl) and we # don't want the ending tag everytime. We want it for all paragraphs but # the last. overrides = Settings() self._RendParagraphPropertySet( paragraph_elem.Properties, overrides ) self._RendFramePropertySet ( paragraph_elem.Frame, overrides ) self._RendShadingPropertySet ( paragraph_elem.Shading, overrides ) # when writing the RTF the style is carried from the previous paragraph to the next, # so if the currently written paragraph has a style then make it the current one, # otherwise leave it as it was self._CurrentStyle = self.paragraph_style_map.get( paragraph_elem.Style, self._CurrentStyle ) self._write( r'%s\pard\plain%s %s%s ' % ( opening, tag_prefix, self._CurrentStyle, overrides ) ) for element in paragraph_elem : if isinstance( element, StringType ) : self._write( element ) elif isinstance( element, RawCode ) : self._write( element.Data ) elif isinstance( element, Text ) : self.WriteTextElement( element ) elif isinstance( element, Inline ) : self.WriteInlineElement( element ) elif element == TAB : self._write( r'\tab ' ) elif element == LINE : self._write( r'\line ' ) elif self.WriteCustomElement : self.WriteCustomElement( self, element ) else : raise Exception( 'Don\'t know how to handle %s' % element ) self._write( tag_suffix + closing ) def WriteRawCode( self, raw_elem ) : self._write( raw_elem.Data ) def WriteTextElement( self, text_elem ) : overrides = Settings() self._RendTextPropertySet ( text_elem.Properties, overrides ) self._RendShadingPropertySet( text_elem.Shading, overrides, 'ch' ) # write the wrapper and then let the custom handler have a go if overrides : self._write( '{%s ' % repr( overrides ) ) # if the data is just a string then we can now write it if isinstance( text_elem.Data, StringType ) : self._write( text_elem.Data or '' ) elif text_elem.Data == TAB : self._write( r'\tab ' ) else : self.WriteCustomElement( self, text_elem.Data ) if overrides : self._write( '}' ) def WriteInlineElement( self, inline_elem ) : overrides = Settings() self._RendTextPropertySet ( inline_elem.Properties, overrides ) self._RendShadingPropertySet( inline_elem.Shading, overrides, 'ch' ) # write the wrapper and then let the custom handler have a go if overrides : self._write( '{%s ' % repr( overrides ) ) for element in inline_elem : # if the data is just a string then we can now write it if isinstance( element, StringType ) : self._write( element ) elif isinstance( element, RawCode ) : self._write( element.Data ) elif element == TAB : self._write( r'\tab ' ) elif element == LINE : self._write( r'\line ' ) else : self.WriteCustomElement( self, element ) if overrides : self._write( '}' ) def WriteText( self, text ) : self._write( text or '' ) def WriteTableElement( self, table_elem ) : vmerge = [ False ] * table_elem.ColumnCount for height, cells in table_elem.Rows : # calculate the right hand edge of the cells taking into account the spans offset = table_elem.LeftOffset or 0 cellx = [] cell_idx = 0 for cell in cells : cellx.append( offset + sum( table_elem.ColumnWidths[ : cell_idx + cell.Span ] ) ) cell_idx += cell.Span self._write( r'{\trowd' ) settings = Settings() # the spec says that this value is mandatory and I think that 108 is the default value # so I'll take care of it here settings.append( table_elem.GapBetweenCells or 108, 'trgaph%s' ) settings.append( TableAlignmentMap[ table_elem.Alignment ] ) settings.append( height, 'trrh%s' ) settings.append( table_elem.LeftOffset, 'trleft%s' ) width = table_elem.LeftOffset or 0 for idx, cell in enumerate( cells ) : self._RendFramePropertySet ( cell.Frame, settings, 'cl' ) # cells don't have margins so I don't know why I was doing this # I think it might have an affect in some versions of some WPs. #self._RendMarginsPropertySet( cell.Margins, settings, 'cl' ) # if we are starting to merge or if this one is the first in what is # probably a series of merges then start the vertical merging if cell.StartVerticalMerge or (cell.VerticalMerge and not vmerge[ idx ]) : settings.append( 'clvmgf' ) vmerge[ idx ] = True elif cell.VerticalMerge : #..continuing a merge settings.append( 'clvmrg' ) else : #..no merging going on so make sure that it is off vmerge[ idx ] = False # for any cell in the next row that is covered by this span we # need to run off the vertical merging as we don't want them # merging up into this spanned cell for vmerge_idx in range( idx + 1, idx + cell.Span - 1 ) : vmerge[ vmerge_idx ] = False settings.append( CellAlignmentMap[ cell.Alignment ] ) settings.append( CellFlowMap[ cell.Flow ] ) # this terminates the definition of a cell and represents the right most edge of the cell from the left margin settings.append( cellx[ idx ], 'cellx%s' ) self._write( repr( settings ) ) for cell in cells : if len( cell ) : last_idx = len( cell ) - 1 for element_idx, element in enumerate( cell ) : # wrap plain strings in paragraph tags if isinstance( element, StringType ) : element = Paragraph( element ) # don't forget the prefix or else word crashes and does all sorts of strange things if element_idx == last_idx : self.WriteParagraphElement( element, tag_prefix=r'\intbl', tag_suffix='', opening='', closing='' ) else : self.WriteParagraphElement( element, tag_prefix=r'\intbl', opening='', closing='' ) self._write( r'\cell' ) else : self._write( r'\pard\intbl\cell' ) self._write( '\\row}\n' )
ajibawa-2023/Python-Code-Large/train/row_552
343
639
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_552:ImportFrom_L1_C0", "label": "from types import StringType, ListType, TupleType", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.0016, 0.0016, 0, 0.66, 0.0, 209, 0, 3, 0, 0, 209, 0, 0], "semantic": {"name": "types", "arg_names": [], "import_names": ["StringType", "ListType", "TupleType"], "rhs_call_name": "", "annotation": ""}, "snippet": "from types import StringType, ListType, TupleType"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:ImportFrom_L2_C0", "label": "from copy import deepcopy", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.0031, 0.0016, 0, 0.66, 0.0714, 739, 0, 1, 0, 0, 739, 0, 0], "semantic": {"name": "copy", "arg_names": [], "import_names": ["deepcopy"], "rhs_call_name": "", "annotation": ""}, "snippet": "from copy import deepcopy"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:ImportFrom_L3_C0", "label": "from Elements import *", "type": "import", "loc": [3, 3], "level": 0, "parent": null, "vector": [1, 0, 0.0047, 0.0016, 0, 0.66, 0.1429, 413, 0, 1, 0, 0, 413, 0, 0], "semantic": {"name": "Elements", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from Elements import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L5_C0", "label": "DEFAULT_TAB_WIDTH =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.0078, 0.0016, 0, 0.66, 0.2143, 395, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DEFAULT_TAB_WIDTH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DEFAULT_TAB_WIDTH = 720"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L7_C0", "label": "ParagraphAlignmentMap =", "type": "assigned_variable", "loc": [7, 11], "level": 0, "parent": null, "vector": [14, 0, 0.0141, 0.0078, 0, 0.66, 0.2857, 175, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "ParagraphAlignmentMap", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ParagraphAlignmentMap = { ParagraphPropertySet.LEFT : 'ql',\n ParagraphPropertySet.RIGHT : 'qr',\n ParagraphPropertySet.CENTER : 'qc',\n ParagraphPropertySet.JUSTIFY : 'qj',\n ParagraphPropertySet.DISTRIBUTE : 'qd' }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L13_C0", "label": "TabAlignmentMap =", "type": "assigned_variable", "loc": [13, 16], "level": 0, "parent": null, "vector": [14, 0, 0.0227, 0.0063, 0, 0.66, 0.3571, 61, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "TabAlignmentMap", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TabAlignmentMap = { TabPropertySet.LEFT : '',\n TabPropertySet.RIGHT : 'tqr',\n TabPropertySet.CENTER : 'tqc',\n TabPropertySet.DECIMAL : 'tqdec' }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L18_C0", "label": "TableAlignmentMap =", "type": "assigned_variable", "loc": [18, 20], "level": 0, "parent": null, "vector": [14, 0, 0.0297, 0.0047, 0, 0.66, 0.4286, 107, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "TableAlignmentMap", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TableAlignmentMap = { Table.LEFT : 'trql',\n Table.RIGHT : 'trqr',\n Table.CENTER : 'trqc' }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L22_C0", "label": "CellAlignmentMap =", "type": "assigned_variable", "loc": [22, 24], "level": 0, "parent": null, "vector": [14, 0, 0.036, 0.0047, 0, 0.66, 0.5, 213, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "CellAlignmentMap", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CellAlignmentMap = { Cell.ALIGN_TOP : '', # clvertalt\n Cell.ALIGN_CENTER : 'clvertalc',\n Cell.ALIGN_BOTTOM : 'clvertalb' }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L26_C0", "label": "CellFlowMap =", "type": "assigned_variable", "loc": [26, 30], "level": 0, "parent": null, "vector": [14, 0, 0.0438, 0.0078, 0, 0.66, 0.5714, 671, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "CellFlowMap", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CellFlowMap = { Cell.FLOW_LR_TB : '', # cltxlrtb, Text in a cell flows from left to right and top to bottom (default)\n Cell.FLOW_RL_TB : 'cltxtbrl', # Text in a cell flows right to left and top to bottom\n Cell.FLOW_LR_BT : 'cltxbtlr', # Text in a cell flows left to right and bottom to top\n Cell.FLOW_VERTICAL_LR_TB : 'cltxlrtbv', # Text in a cell flows left to right and top to bottom, vertical\n Cell.FLOW_VERTICAL_TB_RL : 'cltxtbrlv' } # Text in a cell flows top to bottom and right to left, vertical"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L32_C0", "label": "ShadingPatternMap =", "type": "assigned_variable", "loc": [32, 43], "level": 0, "parent": null, "vector": [14, 0, 0.0587, 0.0188, 0, 0.66, 0.6429, 72, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "ShadingPatternMap", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ShadingPatternMap = { ShadingPropertySet.HORIZONTAL : 'bghoriz',\n ShadingPropertySet.VERTICAL : 'bgvert',\n ShadingPropertySet.FORWARD_DIAGONAL : 'bgfdiag',\n ShadingPropertySet.BACKWARD_DIAGONAL : 'bgbdiag',\n ShadingPropertySet.VERTICAL_CROSS : 'bgcross',\n ShadingPropertySet.DIAGONAL_CROSS : 'bgdcross',\n ShadingPropertySet.DARK_HORIZONTAL : 'bgdkhoriz',\n ShadingPropertySet.DARK_VERTICAL : 'bgdkvert',"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L45_C0", "label": "TabLeaderMap =", "type": "assigned_variable", "loc": [45, 49], "level": 0, "parent": null, "vector": [14, 0, 0.0736, 0.0078, 0, 0.66, 0.7143, 375, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "TabLeaderMap", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TabLeaderMap = { TabPropertySet.DOTS : 'tldot',\n TabPropertySet.HYPHENS : 'tlhyph',\n TabPropertySet.UNDERLINE : 'tlul',\n TabPropertySet.THICK_LINE : 'tlth',\n TabPropertySet.EQUAL_SIGN : 'tleq' }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L51_C0", "label": "BorderStyleMap =", "type": "assigned_variable", "loc": [51, 57], "level": 0, "parent": null, "vector": [14, 0, 0.0845, 0.011, 0, 0.66, 0.7857, 426, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "BorderStyleMap", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BorderStyleMap = { BorderPropertySet.SINGLE : 'brdrs',\n BorderPropertySet.DOUBLE : 'brdrth',\n BorderPropertySet.SHADOWED : 'brdrsh',\n BorderPropertySet.DOUBLED : 'brdrdb',\n BorderPropertySet.DOTTED : 'brdrdot',\n BorderPropertySet.DASHED : 'brdrdash',\n BorderPropertySet.HAIRLINE : 'brdrhair' }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L59_C0", "label": "SectionBreakTypeMap =", "type": "assigned_variable", "loc": [59, 63], "level": 0, "parent": null, "vector": [14, 0, 0.0955, 0.0078, 0, 0.66, 0.8571, 679, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "SectionBreakTypeMap", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SectionBreakTypeMap = { Section.NONE : 'sbknone',\n Section.COLUMN : 'sbkcol',\n Section.PAGE : 'sbkpage',\n Section.EVEN : 'sbkeven',\n Section.ODD : 'sbkodd' }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L65_C0", "label": "Settings", "type": "class", "loc": [65, 87], "level": 0, "parent": null, "vector": [3, 0, 0.1189, 0.036, 0, 0.66, 0.9286, 800, 0, 4, 0, 0, 430, 0, 7], "semantic": {"name": "Settings", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Settings( list ) :\n def __init__( self ) :\n super( Settings, self ).__init__()\n self._append = super( Settings, self ).append\n\n def append( self, value, mask=None, fallback=None ) :\n if (value is not 0) and value in [ False, None, '' ] :\n if fallback : self._append( self, fallback )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L66_C4", "label": "__init__", "type": "function", "loc": [66, 68], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L65_C0", "vector": [2, 1, 0.1049, 0.0047, 1, 0.59, 0.0, 555, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self ) :\n super( Settings, self ).__init__()\n self._append = super( Settings, self ).append"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L67_C8", "label": "__init__()", "type": "expression", "loc": [67, 67], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L66_C4", "vector": [8, 2, 0.1049, 0.0016, 2, 0.76, 0.0, 555, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " super( Settings, self ).__init__()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L68_C8", "label": "self._append =", "type": "assigned_variable", "loc": [68, 68], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L66_C4", "vector": [14, 2, 0.1064, 0.0016, 2, 0.76, 1.0, 26, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self._append", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._append = super( Settings, self ).append"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L70_C4", "label": "append", "type": "function", "loc": [70, 80], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L65_C0", "vector": [2, 1, 0.1174, 0.0172, 1, 0.59, 0.3333, 243, 0, 4, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": ["self", "value", "mask", "fallback"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def append( self, value, mask=None, fallback=None ) :\n if (value is not 0) and value in [ False, None, '' ] :\n if fallback : self._append( self, fallback )\n\n else :\n if mask :\n if value is True :\n value = mask"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L71_C8", "label": "if", "type": "if", "loc": [71, 80], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L70_C4", "vector": [4, 2, 0.1182, 0.0156, 2, 0.62, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (value is not 0) and value in [ False, None, '' ] :\n if fallback : self._append( self, fallback )\n\n else :\n if mask :\n if value is True :\n value = mask\n else :"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L72_C12", "label": "if", "type": "if", "loc": [72, 72], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L71_C8", "vector": [4, 3, 0.1127, 0.0016, 3, 0.86, 0.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if fallback : self._append( self, fallback )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L72_C26", "label": "_append()", "type": "expression", "loc": [72, 72], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L72_C12", "vector": [8, 4, 0.1127, 0.0016, 4, 0.59, 0.0, 6, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_append", "arg_names": [], "import_names": [], "rhs_call_name": "_append", "annotation": ""}, "snippet": " if fallback : self._append( self, fallback )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L75_C12", "label": "if", "type": "if", "loc": [75, 79], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L71_C8", "vector": [4, 3, 0.1205, 0.0078, 3, 0.86, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if mask :\n if value is True :\n value = mask\n else :\n value = mask % value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L76_C16", "label": "if", "type": "if", "loc": [76, 79], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L75_C12", "vector": [4, 4, 0.1213, 0.0063, 4, 0.75, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value is True :\n value = mask\n else :\n value = mask % value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L77_C20", "label": "value =", "type": "assigned_variable", "loc": [77, 77], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L76_C16", "vector": [14, 5, 0.1205, 0.0016, 5, 0.1, 0.0, 441, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = mask"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L79_C20", "label": "value =", "type": "assigned_variable", "loc": [79, 79], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L76_C16", "vector": [14, 5, 0.1236, 0.0016, 5, 0.1, 1.0, 441, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = mask % value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L80_C12", "label": "_append()", "type": "expression", "loc": [80, 80], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L71_C8", "vector": [8, 3, 0.1252, 0.0016, 3, 0.86, 1.0, 6, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_append", "arg_names": [], "import_names": [], "rhs_call_name": "_append", "annotation": ""}, "snippet": " self._append( value )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L82_C4", "label": "Join", "type": "function", "loc": [82, 84], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L65_C0", "vector": [2, 1, 0.1299, 0.0047, 1, 0.59, 0.6667, 850, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "Join", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def Join( self ) :\n if self : return r'\\%s' % '\\\\'.join( self )\n return ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L83_C8", "label": "if", "type": "if", "loc": [83, 83], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L82_C4", "vector": [4, 2, 0.1299, 0.0016, 2, 0.96, 0.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self : return r'\\%s' % '\\\\'.join( self )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L83_C18", "label": "return", "type": "return", "loc": [83, 83], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L83_C8", "vector": [13, 3, 0.1299, 0.0016, 3, 0.78, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self : return r'\\%s' % '\\\\'.join( self )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L84_C8", "label": "return", "type": "return", "loc": [84, 84], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L82_C4", "vector": [13, 2, 0.1315, 0.0016, 2, 0.96, 1.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L86_C4", "label": "__repr__", "type": "function", "loc": [86, 87], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L65_C0", "vector": [2, 1, 0.1354, 0.0031, 1, 0.59, 1.0, 204, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__( self ) :\n return self.Join()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L87_C8", "label": "return", "type": "return", "loc": [87, 87], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L86_C4", "vector": [13, 2, 0.1362, 0.0016, 2, 0.1, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.Join()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "label": "Renderer", "type": "class", "loc": [89, 638], "level": 0, "parent": null, "vector": [3, 0, 0.5689, 0.8607, 0, 0.66, 1.0, 406, 0, 23, 0, 0, 0, 0, 99], "semantic": {"name": "Renderer", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Renderer :\n def __init__( self, write_custom_element_callback=None ) :\n self.character_style_map = {}\n self.paragraph_style_map = {}\n self.WriteCustomElement = write_custom_element_callback\n\n #\n # All of the Rend* Functions populate a Settings object with values"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L90_C4", "label": "__init__", "type": "function", "loc": [90, 93], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.1432, 0.0063, 1, 0.84, 0.0, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "write_custom_element_callback"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, write_custom_element_callback=None ) :\n self.character_style_map = {}\n self.paragraph_style_map = {}\n self.WriteCustomElement = write_custom_element_callback"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L91_C8", "label": "self.character_style_map =", "type": "assigned_variable", "loc": [91, 91], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L90_C4", "vector": [14, 2, 0.1424, 0.0016, 2, 0.84, 0.0, 604, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.character_style_map", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.character_style_map = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L92_C8", "label": "self.paragraph_style_map =", "type": "assigned_variable", "loc": [92, 92], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L90_C4", "vector": [14, 2, 0.144, 0.0016, 2, 0.84, 0.5, 685, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.paragraph_style_map", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.paragraph_style_map = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L93_C8", "label": "self.WriteCustomElement =", "type": "assigned_variable", "loc": [93, 93], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L90_C4", "vector": [14, 2, 0.1455, 0.0016, 2, 0.84, 1.0, 777, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.WriteCustomElement", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.WriteCustomElement = write_custom_element_callback"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "label": "_RendPageProperties", "type": "function", "loc": [98, 125], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.1745, 0.0438, 1, 0.84, 0.0476, 515, 0, 4, 0, 0, 0, 0, 6], "semantic": {"name": "_RendPageProperties", "arg_names": ["self", "section", "settings", "in_section"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _RendPageProperties( self, section, settings, in_section ) :\n # this one is different from the others as it takes the settings from a\n if in_section :\n #paper_size_code = 'psz%s'\n paper_width_code = 'pgwsxn%s'\n paper_height_code = 'pghsxn%s'\n landscape = 'lndscpsxn'\n margin_suffix = 'sxn'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "label": "if", "type": "if", "loc": [100, 112], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "vector": [4, 2, 0.1659, 0.0203, 2, 0.6, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if in_section :\n #paper_size_code = 'psz%s'\n paper_width_code = 'pgwsxn%s'\n paper_height_code = 'pghsxn%s'\n landscape = 'lndscpsxn'\n margin_suffix = 'sxn'\n\n else :"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L102_C12", "label": "paper_width_code =", "type": "assigned_variable", "loc": [102, 102], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "vector": [14, 3, 0.1596, 0.0016, 3, 0.39, 0.0, 338, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "paper_width_code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " paper_width_code = 'pgwsxn%s'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L103_C12", "label": "paper_height_code =", "type": "assigned_variable", "loc": [103, 103], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "vector": [14, 3, 0.1612, 0.0016, 3, 0.39, 0.1429, 575, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "paper_height_code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " paper_height_code = 'pghsxn%s'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L104_C12", "label": "landscape =", "type": "assigned_variable", "loc": [104, 104], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "vector": [14, 3, 0.1628, 0.0016, 3, 0.39, 0.2857, 547, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "landscape", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " landscape = 'lndscpsxn'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L105_C12", "label": "margin_suffix =", "type": "assigned_variable", "loc": [105, 105], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "vector": [14, 3, 0.1643, 0.0016, 3, 0.39, 0.4286, 157, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "margin_suffix", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " margin_suffix = 'sxn'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L109_C12", "label": "paper_width_code =", "type": "assigned_variable", "loc": [109, 109], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "vector": [14, 3, 0.1706, 0.0016, 3, 0.39, 0.5714, 338, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "paper_width_code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " paper_width_code = 'paperw%s'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L110_C12", "label": "paper_height_code =", "type": "assigned_variable", "loc": [110, 110], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "vector": [14, 3, 0.1721, 0.0016, 3, 0.39, 0.7143, 575, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "paper_height_code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " paper_height_code = 'paperh%s'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L111_C12", "label": "landscape =", "type": "assigned_variable", "loc": [111, 111], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "vector": [14, 3, 0.1737, 0.0016, 3, 0.39, 0.8571, 547, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "landscape", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " landscape = 'landscape'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L112_C12", "label": "margin_suffix =", "type": "assigned_variable", "loc": [112, 112], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "vector": [14, 3, 0.1753, 0.0016, 3, 0.39, 1.0, 157, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "margin_suffix", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " margin_suffix = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L115_C8", "label": "append()", "type": "expression", "loc": [115, 115], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "vector": [8, 2, 0.18, 0.0016, 2, 0.6, 0.2, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( section.Paper.Width, paper_width_code )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L116_C8", "label": "append()", "type": "expression", "loc": [116, 116], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "vector": [8, 2, 0.1815, 0.0016, 2, 0.6, 0.4, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( section.Paper.Height, paper_height_code )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L118_C8", "label": "if", "type": "if", "loc": [118, 119], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "vector": [4, 2, 0.1854, 0.0031, 2, 0.6, 0.6, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if section.Landscape :\n settings.append( landscape )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L119_C12", "label": "append()", "type": "expression", "loc": [119, 119], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L118_C8", "vector": [8, 3, 0.1862, 0.0016, 3, 0.42, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( landscape )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L121_C8", "label": "if", "type": "if", "loc": [121, 123], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "vector": [4, 2, 0.1909, 0.0047, 2, 0.6, 0.8, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if section.FirstPageNumber :\n settings.append( section.FirstPageNumber, 'pgnstarts%s' )\n settings.append( 'pgnrestart' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L122_C12", "label": "append()", "type": "expression", "loc": [122, 122], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L121_C8", "vector": [8, 3, 0.1909, 0.0016, 3, 0.73, 0.0, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( section.FirstPageNumber, 'pgnstarts%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L123_C12", "label": "append()", "type": "expression", "loc": [123, 123], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L121_C8", "vector": [8, 3, 0.1925, 0.0016, 3, 0.73, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( 'pgnrestart' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L125_C8", "label": "_RendMarginsPropertySet()", "type": "expression", "loc": [125, 125], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "vector": [8, 2, 0.1956, 0.0016, 2, 0.6, 1.0, 326, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_RendMarginsPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendMarginsPropertySet", "annotation": ""}, "snippet": " self._RendMarginsPropertySet( section.Margins, settings, margin_suffix )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L127_C4", "label": "_RendShadingPropertySet", "type": "function", "loc": [127, 134], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.2042, 0.0125, 1, 0.84, 0.0952, 390, 0, 4, 0, 0, 0, 0, 7], "semantic": {"name": "_RendShadingPropertySet", "arg_names": ["self", "shading_props", "settings", "prefix"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _RendShadingPropertySet( self, shading_props, settings, prefix='' ) :\n if not shading_props : return\n\n settings.append( shading_props.Shading, prefix + 'shading%s' )\n settings.append( ShadingPatternMap.get( shading_props.Pattern, False ) )\n\n settings.append( self._colour_map.get( shading_props.Foreground, False ), prefix + 'cfpat%s' )\n settings.append( self._colour_map.get( shading_props.Background, False ), prefix + 'cbpat%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L128_C8", "label": "if", "type": "if", "loc": [128, 128], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L127_C4", "vector": [4, 2, 0.2003, 0.0016, 2, 0.98, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not shading_props : return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L128_C31", "label": "return", "type": "return", "loc": [128, 128], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L128_C8", "vector": [13, 3, 0.2003, 0.0016, 3, 0.26, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not shading_props : return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L130_C8", "label": "append()", "type": "expression", "loc": [130, 130], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L127_C4", "vector": [8, 2, 0.2034, 0.0016, 2, 0.98, 0.25, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( shading_props.Shading, prefix + 'shading%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L131_C8", "label": "append()", "type": "expression", "loc": [131, 131], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L127_C4", "vector": [8, 2, 0.205, 0.0016, 2, 0.98, 0.5, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( ShadingPatternMap.get( shading_props.Pattern, False ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L133_C8", "label": "append()", "type": "expression", "loc": [133, 133], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L127_C4", "vector": [8, 2, 0.2081, 0.0016, 2, 0.98, 0.75, 243, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( self._colour_map.get( shading_props.Foreground, False ), prefix + 'cfpat%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L134_C8", "label": "append()", "type": "expression", "loc": [134, 134], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L127_C4", "vector": [8, 2, 0.2097, 0.0016, 2, 0.98, 1.0, 243, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( self._colour_map.get( shading_props.Background, False ), prefix + 'cbpat%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L136_C4", "label": "_RendBorderPropertySet", "type": "function", "loc": [136, 140], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.216, 0.0078, 1, 0.84, 0.1429, 908, 0, 3, 0, 0, 0, 0, 5], "semantic": {"name": "_RendBorderPropertySet", "arg_names": ["self", "edge_props", "settings"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _RendBorderPropertySet( self, edge_props, settings ) :\n settings.append( BorderStyleMap[ edge_props.Style ] )\n settings.append( edge_props.Width , 'brdrw%s' )\n settings.append( self._colour_map.get( edge_props.Colour, False ), 'brdrcf%s' )\n settings.append( edge_props.Spacing or False , 'brsp%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L137_C8", "label": "append()", "type": "expression", "loc": [137, 137], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L136_C4", "vector": [8, 2, 0.2144, 0.0016, 2, 0.66, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( BorderStyleMap[ edge_props.Style ] )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L138_C8", "label": "append()", "type": "expression", "loc": [138, 138], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L136_C4", "vector": [8, 2, 0.216, 0.0016, 2, 0.66, 0.3333, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( edge_props.Width , 'brdrw%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L139_C8", "label": "append()", "type": "expression", "loc": [139, 139], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L136_C4", "vector": [8, 2, 0.2175, 0.0016, 2, 0.66, 0.6667, 243, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( self._colour_map.get( edge_props.Colour, False ), 'brdrcf%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L140_C8", "label": "append()", "type": "expression", "loc": [140, 140], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L136_C4", "vector": [8, 2, 0.2191, 0.0016, 2, 0.66, 1.0, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( edge_props.Spacing or False , 'brsp%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L142_C4", "label": "_RendFramePropertySet", "type": "function", "loc": [142, 159], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.2355, 0.0282, 1, 0.84, 0.1905, 386, 0, 4, 0, 0, 0, 0, 8], "semantic": {"name": "_RendFramePropertySet", "arg_names": ["self", "frame_props", "settings", "tag_prefix"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _RendFramePropertySet( self, frame_props, settings, tag_prefix='' ) :\n if not frame_props : return\n\n if frame_props.Top :\n settings.append( tag_prefix + 'brdrt' )\n self._RendBorderPropertySet( frame_props.Top, settings )\n\n if frame_props.Left :"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L143_C8", "label": "if", "type": "if", "loc": [143, 143], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L142_C4", "vector": [4, 2, 0.2238, 0.0016, 2, 0.36, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not frame_props : return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L143_C29", "label": "return", "type": "return", "loc": [143, 143], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L143_C8", "vector": [13, 3, 0.2238, 0.0016, 3, 0.73, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not frame_props : return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L145_C8", "label": "if", "type": "if", "loc": [145, 147], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L142_C4", "vector": [4, 2, 0.2285, 0.0047, 2, 0.36, 0.25, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if frame_props.Top :\n settings.append( tag_prefix + 'brdrt' )\n self._RendBorderPropertySet( frame_props.Top, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L146_C12", "label": "append()", "type": "expression", "loc": [146, 146], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L145_C8", "vector": [8, 3, 0.2285, 0.0016, 3, 0.19, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( tag_prefix + 'brdrt' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L147_C12", "label": "_RendBorderPropertySet()", "type": "expression", "loc": [147, 147], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L145_C8", "vector": [8, 3, 0.23, 0.0016, 3, 0.19, 1.0, 908, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendBorderPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendBorderPropertySet", "annotation": ""}, "snippet": " self._RendBorderPropertySet( frame_props.Top, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L149_C8", "label": "if", "type": "if", "loc": [149, 151], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L142_C4", "vector": [4, 2, 0.2347, 0.0047, 2, 0.36, 0.5, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if frame_props.Left :\n settings.append( tag_prefix + 'brdrl' )\n self._RendBorderPropertySet( frame_props.Left, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L150_C12", "label": "append()", "type": "expression", "loc": [150, 150], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L149_C8", "vector": [8, 3, 0.2347, 0.0016, 3, 0.71, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( tag_prefix + 'brdrl' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L151_C12", "label": "_RendBorderPropertySet()", "type": "expression", "loc": [151, 151], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L149_C8", "vector": [8, 3, 0.2363, 0.0016, 3, 0.71, 1.0, 908, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendBorderPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendBorderPropertySet", "annotation": ""}, "snippet": " self._RendBorderPropertySet( frame_props.Left, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L153_C8", "label": "if", "type": "if", "loc": [153, 155], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L142_C4", "vector": [4, 2, 0.241, 0.0047, 2, 0.36, 0.75, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if frame_props.Bottom :\n settings.append( tag_prefix + 'brdrb' )\n self._RendBorderPropertySet( frame_props.Bottom, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L154_C12", "label": "append()", "type": "expression", "loc": [154, 154], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L153_C8", "vector": [8, 3, 0.241, 0.0016, 3, 0.02, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( tag_prefix + 'brdrb' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L155_C12", "label": "_RendBorderPropertySet()", "type": "expression", "loc": [155, 155], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L153_C8", "vector": [8, 3, 0.2426, 0.0016, 3, 0.02, 1.0, 908, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendBorderPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendBorderPropertySet", "annotation": ""}, "snippet": " self._RendBorderPropertySet( frame_props.Bottom, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L157_C8", "label": "if", "type": "if", "loc": [157, 159], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L142_C4", "vector": [4, 2, 0.2473, 0.0047, 2, 0.36, 1.0, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if frame_props.Right :\n settings.append( tag_prefix + 'brdrr' )\n self._RendBorderPropertySet( frame_props.Right, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L158_C12", "label": "append()", "type": "expression", "loc": [158, 158], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L157_C8", "vector": [8, 3, 0.2473, 0.0016, 3, 0.65, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( tag_prefix + 'brdrr' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L159_C12", "label": "_RendBorderPropertySet()", "type": "expression", "loc": [159, 159], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L157_C8", "vector": [8, 3, 0.2488, 0.0016, 3, 0.65, 1.0, 908, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendBorderPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendBorderPropertySet", "annotation": ""}, "snippet": " self._RendBorderPropertySet( frame_props.Right, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L161_C4", "label": "_RendMarginsPropertySet", "type": "function", "loc": [161, 167], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.2567, 0.011, 1, 0.84, 0.2381, 326, 0, 4, 0, 0, 0, 0, 4], "semantic": {"name": "_RendMarginsPropertySet", "arg_names": ["self", "margin_props", "settings", "suffix"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _RendMarginsPropertySet( self, margin_props, settings, suffix='' ) :\n if not margin_props : return\n\n settings.append( margin_props.Top, 'margt' + suffix + '%s' )\n settings.append( margin_props.Left, 'margl' + suffix + '%s' )\n settings.append( margin_props.Bottom, 'margb' + suffix + '%s' )\n settings.append( margin_props.Right, 'margr' + suffix + '%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L162_C8", "label": "if", "type": "if", "loc": [162, 162], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L161_C4", "vector": [4, 2, 0.2535, 0.0016, 2, 0.03, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not margin_props : return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L162_C30", "label": "return", "type": "return", "loc": [162, 162], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L162_C8", "vector": [13, 3, 0.2535, 0.0016, 3, 0.3, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not margin_props : return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L164_C8", "label": "append()", "type": "expression", "loc": [164, 164], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L161_C4", "vector": [8, 2, 0.2567, 0.0016, 2, 0.03, 0.25, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( margin_props.Top, 'margt' + suffix + '%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L165_C8", "label": "append()", "type": "expression", "loc": [165, 165], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L161_C4", "vector": [8, 2, 0.2582, 0.0016, 2, 0.03, 0.5, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( margin_props.Left, 'margl' + suffix + '%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L166_C8", "label": "append()", "type": "expression", "loc": [166, 166], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L161_C4", "vector": [8, 2, 0.2598, 0.0016, 2, 0.03, 0.75, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( margin_props.Bottom, 'margb' + suffix + '%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L167_C8", "label": "append()", "type": "expression", "loc": [167, 167], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L161_C4", "vector": [8, 2, 0.2613, 0.0016, 2, 0.03, 1.0, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( margin_props.Right, 'margr' + suffix + '%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "label": "_RendParagraphPropertySet", "type": "function", "loc": [169, 195], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.2848, 0.0423, 1, 0.84, 0.2857, 745, 0, 3, 0, 0, 0, 0, 13], "semantic": {"name": "_RendParagraphPropertySet", "arg_names": ["self", "paragraph_props", "settings"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _RendParagraphPropertySet( self, paragraph_props, settings ) :\n if not paragraph_props : return\n settings.append( ParagraphAlignmentMap[ paragraph_props.Alignment ] )\n\n settings.append( paragraph_props.SpaceBefore, 'sb%s' )\n settings.append( paragraph_props.SpaceAfter, 'sa%s' )\n\n # then we have to find out all of the tabs"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L170_C8", "label": "if", "type": "if", "loc": [170, 170], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "vector": [4, 2, 0.266, 0.0016, 2, 0.62, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not paragraph_props : return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L170_C33", "label": "return", "type": "return", "loc": [170, 170], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L170_C8", "vector": [13, 3, 0.266, 0.0016, 3, 0.72, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not paragraph_props : return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L171_C8", "label": "append()", "type": "expression", "loc": [171, 171], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "vector": [8, 2, 0.2676, 0.0016, 2, 0.62, 0.1, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( ParagraphAlignmentMap[ paragraph_props.Alignment ] )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L173_C8", "label": "append()", "type": "expression", "loc": [173, 173], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "vector": [8, 2, 0.2707, 0.0016, 2, 0.62, 0.2, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( paragraph_props.SpaceBefore, 'sb%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L174_C8", "label": "append()", "type": "expression", "loc": [174, 174], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "vector": [8, 2, 0.2723, 0.0016, 2, 0.62, 0.3, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( paragraph_props.SpaceAfter, 'sa%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L177_C8", "label": "width =", "type": "assigned_variable", "loc": [177, 177], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "vector": [14, 2, 0.277, 0.0016, 2, 0.62, 0.4, 989, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "width", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " width = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L178_C8", "label": "for tab", "type": "for", "loc": [178, 183], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "vector": [6, 2, 0.2825, 0.0094, 2, 0.62, 0.5, 391, 7, 0, 0, 0, 0, 0, 4], "semantic": {"name": "tab", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for tab in paragraph_props.Tabs :\n settings.append( TabAlignmentMap[ tab.Alignment ] )\n settings.append( TabLeaderMap.get( tab.Leader, '' ) )\n\n width += tab.Width or DEFAULT_TAB_WIDTH\n settings.append( 'tx%s' % width )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L179_C12", "label": "append()", "type": "expression", "loc": [179, 179], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L178_C8", "vector": [8, 3, 0.2801, 0.0016, 3, 0.65, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( TabAlignmentMap[ tab.Alignment ] )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L180_C12", "label": "append()", "type": "expression", "loc": [180, 180], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L178_C8", "vector": [8, 3, 0.2817, 0.0016, 3, 0.65, 0.5, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( TabLeaderMap.get( tab.Leader, '' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L183_C12", "label": "append()", "type": "expression", "loc": [183, 183], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L178_C8", "vector": [8, 3, 0.2864, 0.0016, 3, 0.65, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( 'tx%s' % width )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L185_C8", "label": "append()", "type": "expression", "loc": [185, 185], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "vector": [8, 2, 0.2895, 0.0016, 2, 0.62, 0.6, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( paragraph_props.PageBreakBefore, 'pagebb' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L187_C8", "label": "append()", "type": "expression", "loc": [187, 187], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "vector": [8, 2, 0.2926, 0.0016, 2, 0.62, 0.7, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( paragraph_props.FirstLineIndent, 'fi%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L188_C8", "label": "append()", "type": "expression", "loc": [188, 188], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "vector": [8, 2, 0.2942, 0.0016, 2, 0.62, 0.8, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( paragraph_props.LeftIndent, 'li%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L189_C8", "label": "append()", "type": "expression", "loc": [189, 189], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "vector": [8, 2, 0.2958, 0.0016, 2, 0.62, 0.9, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( paragraph_props.RightIndent, 'ri%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L191_C8", "label": "if", "type": "if", "loc": [191, 195], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "vector": [4, 2, 0.302, 0.0078, 2, 0.62, 1.0, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if paragraph_props.SpaceBetweenLines :\n if paragraph_props.SpaceBetweenLines < 0 :\n settings.append( paragraph_props.SpaceBetweenLines, r'sl%s\\slmult0' )\n else :\n settings.append( paragraph_props.SpaceBetweenLines, r'sl%s\\slmult1' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L192_C12", "label": "if", "type": "if", "loc": [192, 195], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L191_C8", "vector": [4, 3, 0.3028, 0.0063, 3, 0.85, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if paragraph_props.SpaceBetweenLines < 0 :\n settings.append( paragraph_props.SpaceBetweenLines, r'sl%s\\slmult0' )\n else :\n settings.append( paragraph_props.SpaceBetweenLines, r'sl%s\\slmult1' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L193_C16", "label": "append()", "type": "expression", "loc": [193, 193], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L192_C12", "vector": [8, 4, 0.302, 0.0016, 4, 0.18, 0.0, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( paragraph_props.SpaceBetweenLines, r'sl%s\\slmult0' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L195_C16", "label": "append()", "type": "expression", "loc": [195, 195], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L192_C12", "vector": [8, 4, 0.3052, 0.0016, 4, 0.18, 1.0, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( paragraph_props.SpaceBetweenLines, r'sl%s\\slmult1' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "label": "_RendTextPropertySet", "type": "function", "loc": [197, 219], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.3255, 0.036, 1, 0.84, 0.3333, 555, 0, 3, 0, 0, 0, 0, 17], "semantic": {"name": "_RendTextPropertySet", "arg_names": ["self", "text_props", "settings"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _RendTextPropertySet( self, text_props, settings ) :\n if not text_props : return\n\n if text_props.Expansion :\n settings.append( text_props.Expansion, 'expndtw%s' )\n\n settings.append( text_props.Bold, 'b' )\n settings.append( text_props.Italic, 'i' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L198_C8", "label": "if", "type": "if", "loc": [198, 198], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "vector": [4, 2, 0.3099, 0.0016, 2, 0.07, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not text_props : return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L198_C28", "label": "return", "type": "return", "loc": [198, 198], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L198_C8", "vector": [13, 3, 0.3099, 0.0016, 3, 0.38, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not text_props : return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L200_C8", "label": "if", "type": "if", "loc": [200, 201], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "vector": [4, 2, 0.3138, 0.0031, 2, 0.07, 0.0909, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if text_props.Expansion :\n settings.append( text_props.Expansion, 'expndtw%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L201_C12", "label": "append()", "type": "expression", "loc": [201, 201], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L200_C8", "vector": [8, 3, 0.3146, 0.0016, 3, 0.25, 0.0, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( text_props.Expansion, 'expndtw%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L203_C8", "label": "append()", "type": "expression", "loc": [203, 203], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "vector": [8, 2, 0.3177, 0.0016, 2, 0.07, 0.1818, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( text_props.Bold, 'b' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L204_C8", "label": "append()", "type": "expression", "loc": [204, 204], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "vector": [8, 2, 0.3192, 0.0016, 2, 0.07, 0.2727, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( text_props.Italic, 'i' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L205_C8", "label": "append()", "type": "expression", "loc": [205, 205], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "vector": [8, 2, 0.3208, 0.0016, 2, 0.07, 0.3636, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( text_props.Underline, 'ul' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L206_C8", "label": "append()", "type": "expression", "loc": [206, 206], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "vector": [8, 2, 0.3224, 0.0016, 2, 0.07, 0.4545, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( text_props.DottedUnderline, 'uld' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L207_C8", "label": "append()", "type": "expression", "loc": [207, 207], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "vector": [8, 2, 0.3239, 0.0016, 2, 0.07, 0.5455, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( text_props.DoubleUnderline, 'uldb' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L208_C8", "label": "append()", "type": "expression", "loc": [208, 208], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "vector": [8, 2, 0.3255, 0.0016, 2, 0.07, 0.6364, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( text_props.WordUnderline, 'ulw' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L210_C8", "label": "append()", "type": "expression", "loc": [210, 210], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "vector": [8, 2, 0.3286, 0.0016, 2, 0.07, 0.7273, 243, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( self._font_map.get( text_props.Font, False ), 'f%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L211_C8", "label": "append()", "type": "expression", "loc": [211, 211], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "vector": [8, 2, 0.3302, 0.0016, 2, 0.07, 0.8182, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( text_props.Size, 'fs%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L212_C8", "label": "append()", "type": "expression", "loc": [212, 212], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "vector": [8, 2, 0.3318, 0.0016, 2, 0.07, 0.9091, 243, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( self._colour_map.get( text_props.Colour, False ), 'cf%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L214_C8", "label": "if", "type": "if", "loc": [214, 219], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "vector": [4, 2, 0.3388, 0.0094, 2, 0.07, 1.0, 0, 7, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if text_props.Frame :\n frame = text_props.Frame\n settings.append( 'chbrdr' )\n settings.append( BorderStyleMap[ frame.Style ] )\n settings.append( frame.Width , 'brdrw%s' )\n settings.append( self._colour_map.get( frame.Colour, False ), 'brdrcf%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L215_C12", "label": "frame =", "type": "assigned_variable", "loc": [215, 215], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L214_C8", "vector": [14, 3, 0.3365, 0.0016, 3, 0.2, 0.0, 313, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "frame", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " frame = text_props.Frame"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L216_C12", "label": "append()", "type": "expression", "loc": [216, 216], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L214_C8", "vector": [8, 3, 0.338, 0.0016, 3, 0.2, 0.25, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( 'chbrdr' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L217_C12", "label": "append()", "type": "expression", "loc": [217, 217], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L214_C8", "vector": [8, 3, 0.3396, 0.0016, 3, 0.2, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( BorderStyleMap[ frame.Style ] )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L218_C12", "label": "append()", "type": "expression", "loc": [218, 218], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L214_C8", "vector": [8, 3, 0.3412, 0.0016, 3, 0.2, 0.75, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( frame.Width , 'brdrw%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L219_C12", "label": "append()", "type": "expression", "loc": [219, 219], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L214_C8", "vector": [8, 3, 0.3427, 0.0016, 3, 0.2, 1.0, 243, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( self._colour_map.get( frame.Colour, False ), 'brdrcf%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "label": "Write", "type": "function", "loc": [227, 255], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.3772, 0.0454, 1, 0.84, 0.381, 919, 0, 3, 0, 0, 0, 0, 13], "semantic": {"name": "Write", "arg_names": ["self", "document", "fout"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def Write( self, document, fout ) :\n # write all of the standard stuff based upon the first document\n self._doc = document\n self._fout = fout\n self._WriteDocument ()\n self._WriteColours ()\n self._WriteFonts ()\n self._WriteStyleSheet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L229_C8", "label": "self._doc =", "type": "assigned_variable", "loc": [229, 229], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "vector": [14, 2, 0.3584, 0.0016, 2, 0.45, 0.0, 129, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._doc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._doc = document"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L230_C8", "label": "self._fout =", "type": "assigned_variable", "loc": [230, 230], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "vector": [14, 2, 0.3599, 0.0016, 2, 0.45, 0.1, 151, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._fout", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._fout = fout"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L231_C8", "label": "_WriteDocument()", "type": "expression", "loc": [231, 231], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "vector": [8, 2, 0.3615, 0.0016, 2, 0.45, 0.2, 802, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_WriteDocument", "arg_names": [], "import_names": [], "rhs_call_name": "_WriteDocument", "annotation": ""}, "snippet": " self._WriteDocument ()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L232_C8", "label": "_WriteColours()", "type": "expression", "loc": [232, 232], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "vector": [8, 2, 0.3631, 0.0016, 2, 0.45, 0.3, 505, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_WriteColours", "arg_names": [], "import_names": [], "rhs_call_name": "_WriteColours", "annotation": ""}, "snippet": " self._WriteColours ()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L233_C8", "label": "_WriteFonts()", "type": "expression", "loc": [233, 233], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "vector": [8, 2, 0.3646, 0.0016, 2, 0.45, 0.4, 588, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_WriteFonts", "arg_names": [], "import_names": [], "rhs_call_name": "_WriteFonts", "annotation": ""}, "snippet": " self._WriteFonts ()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L234_C8", "label": "_WriteStyleSheet()", "type": "expression", "loc": [234, 234], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "vector": [8, 2, 0.3662, 0.0016, 2, 0.45, 0.5, 349, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_WriteStyleSheet", "arg_names": [], "import_names": [], "rhs_call_name": "_WriteStyleSheet", "annotation": ""}, "snippet": " self._WriteStyleSheet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L236_C8", "label": "settings = Settings()", "type": "assigned_variable", "loc": [236, 236], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "vector": [14, 2, 0.3693, 0.0016, 2, 0.45, 0.6, 168, 3, 0, 0, 0, 800, 10, 1], "semantic": {"name": "settings", "arg_names": [], "import_names": [], "rhs_call_name": "Settings", "annotation": ""}, "snippet": " settings = Settings()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L237_C8", "label": "_RendPageProperties()", "type": "expression", "loc": [237, 237], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "vector": [8, 2, 0.3709, 0.0016, 2, 0.45, 0.7, 515, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_RendPageProperties", "arg_names": [], "import_names": [], "rhs_call_name": "_RendPageProperties", "annotation": ""}, "snippet": " self._RendPageProperties( self._doc.Sections[ 0 ], settings, in_section=False )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L238_C8", "label": "_write()", "type": "expression", "loc": [238, 238], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "vector": [8, 2, 0.3725, 0.0016, 2, 0.45, 0.8, 961, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( repr( settings ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L242_C8", "label": "if", "type": "if", "loc": [242, 251], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "vector": [4, 2, 0.3858, 0.0156, 2, 0.45, 0.9, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len( document.Sections ) == 1 :\n self._WriteSection( document.Sections[ 0 ],\n is_first = True,\n add_header = False )\n\n else :\n for section_idx, section in enumerate( document.Sections ) :\n is_first = section_idx == 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L243_C12", "label": "_WriteSection()", "type": "expression", "loc": [243, 245], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L242_C8", "vector": [8, 3, 0.3818, 0.0047, 3, 0.22, 0.0, 835, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_WriteSection", "arg_names": [], "import_names": [], "rhs_call_name": "_WriteSection", "annotation": ""}, "snippet": " self._WriteSection( document.Sections[ 0 ],\n is_first = True,\n add_header = False )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L248_C12", "label": "for section_idx, section", "type": "for", "loc": [248, 251], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L242_C8", "vector": [6, 3, 0.3905, 0.0063, 3, 0.22, 1.0, 6, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "section_idx, section", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for section_idx, section in enumerate( document.Sections ) :\n is_first = section_idx == 0\n add_header = True\n self._WriteSection( section, is_first, add_header )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L249_C16", "label": "is_first =", "type": "assigned_variable", "loc": [249, 249], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L248_C12", "vector": [14, 4, 0.3897, 0.0016, 4, 0.95, 0.0, 736, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "is_first", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " is_first = section_idx == 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L250_C16", "label": "add_header =", "type": "assigned_variable", "loc": [250, 250], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L248_C12", "vector": [14, 4, 0.3912, 0.0016, 4, 0.95, 0.5, 643, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "add_header", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " add_header = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L251_C16", "label": "_WriteSection()", "type": "expression", "loc": [251, 251], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L248_C12", "vector": [8, 4, 0.3928, 0.0016, 4, 0.95, 1.0, 835, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_WriteSection", "arg_names": [], "import_names": [], "rhs_call_name": "_WriteSection", "annotation": ""}, "snippet": " self._WriteSection( section, is_first, add_header )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L253_C8", "label": "_write()", "type": "expression", "loc": [253, 253], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "vector": [8, 2, 0.3959, 0.0016, 2, 0.45, 1.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( '}' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L257_C4", "label": "_write", "type": "function", "loc": [257, 278], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.4186, 0.0344, 1, 0.84, 0.4286, 961, 0, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": ["self", "data", "params"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _write( self, data, *params ) :\n #----------------------------------\n # begin modification\n # by Herbert Weinhandl\n # to convert accented characters\n # to their rtf-compatible form\n #for c in range( 128, 256 ) :\n # data = data.replace( chr(c), \"\\'%x\" % c)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L277_C8", "label": "if", "type": "if", "loc": [277, 277], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L257_C4", "vector": [4, 2, 0.4335, 0.0016, 2, 0.76, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if params : data = data % params"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L277_C20", "label": "data =", "type": "assigned_variable", "loc": [277, 277], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L277_C8", "vector": [14, 3, 0.4335, 0.0016, 3, 0.63, 0.0, 929, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if params : data = data % params"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L278_C8", "label": "write()", "type": "expression", "loc": [278, 278], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L257_C4", "vector": [8, 2, 0.4351, 0.0016, 2, 0.76, 1.0, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " self._fout.write( data )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "label": "_WriteDocument", "type": "function", "loc": [280, 293], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.4484, 0.0219, 1, 0.84, 0.4762, 802, 0, 1, 0, 0, 0, 0, 10], "semantic": {"name": "_WriteDocument", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _WriteDocument( self ) :\n settings = Settings()\n\n assert Languages.IsValid ( self._doc.DefaultLanguage )\n assert ViewKind.IsValid ( self._doc.ViewKind )\n assert ViewZoomKind.IsValid( self._doc.ViewZoomKind )\n assert ViewScale.IsValid ( self._doc.ViewScale )\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L281_C8", "label": "settings = Settings()", "type": "assigned_variable", "loc": [281, 281], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "vector": [14, 2, 0.4397, 0.0016, 2, 0.92, 0.0, 168, 3, 0, 0, 0, 800, 10, 1], "semantic": {"name": "settings", "arg_names": [], "import_names": [], "rhs_call_name": "Settings", "annotation": ""}, "snippet": " settings = Settings()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L288_C8", "label": "append()", "type": "expression", "loc": [288, 288], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "vector": [8, 2, 0.4507, 0.0016, 2, 0.92, 0.2, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( self._doc.DefaultLanguage, 'deflang%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L289_C8", "label": "append()", "type": "expression", "loc": [289, 289], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "vector": [8, 2, 0.4523, 0.0016, 2, 0.92, 0.4, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( self._doc.ViewKind , 'viewkind%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L290_C8", "label": "append()", "type": "expression", "loc": [290, 290], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "vector": [8, 2, 0.4538, 0.0016, 2, 0.92, 0.6, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( self._doc.ViewZoomKind , 'viewzk%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L291_C8", "label": "append()", "type": "expression", "loc": [291, 291], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "vector": [8, 2, 0.4554, 0.0016, 2, 0.92, 0.8, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( self._doc.ViewScale , 'viewscale%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L293_C8", "label": "_write()", "type": "expression", "loc": [293, 293], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "vector": [8, 2, 0.4585, 0.0016, 2, 0.92, 1.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( \"{\\\\rtf1\\\\ansi\\\\ansicpg1252\\\\deff0%s\\n\" % settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L295_C4", "label": "_WriteColours", "type": "function", "loc": [295, 304], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.4687, 0.0156, 1, 0.84, 0.5238, 505, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "_WriteColours", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _WriteColours( self ) :\n self._write( r\"{\\colortbl ;\" )\n\n self._colour_map = {}\n offset = 0\n for colour in self._doc.StyleSheet.Colours :\n self._write( r'\\red%s\\green%s\\blue%s;', colour.Red, colour.Green, colour.Blue )\n self._colour_map[ colour ] = offset + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L296_C8", "label": "_write()", "type": "expression", "loc": [296, 296], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L295_C4", "vector": [8, 2, 0.4632, 0.0016, 2, 0.44, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r\"{\\colortbl ;\" )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L298_C8", "label": "self._colour_map =", "type": "assigned_variable", "loc": [298, 298], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L295_C4", "vector": [14, 2, 0.4664, 0.0016, 2, 0.44, 0.25, 539, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self._colour_map", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._colour_map = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L299_C8", "label": "offset =", "type": "assigned_variable", "loc": [299, 299], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L295_C4", "vector": [14, 2, 0.4679, 0.0016, 2, 0.44, 0.5, 132, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offset = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L300_C8", "label": "for colour", "type": "for", "loc": [300, 303], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L295_C4", "vector": [6, 2, 0.4718, 0.0063, 2, 0.44, 0.75, 334, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "colour", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for colour in self._doc.StyleSheet.Colours :\n self._write( r'\\red%s\\green%s\\blue%s;', colour.Red, colour.Green, colour.Blue )\n self._colour_map[ colour ] = offset + 1\n offset += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L301_C12", "label": "_write()", "type": "expression", "loc": [301, 301], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L300_C8", "vector": [8, 3, 0.471, 0.0016, 3, 0.02, 0.0, 961, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'\\red%s\\green%s\\blue%s;', colour.Red, colour.Green, colour.Blue )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L302_C12", "label": "assign", "type": "assigned_variable", "loc": [302, 302], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L300_C8", "vector": [14, 3, 0.4726, 0.0016, 3, 0.02, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._colour_map[ colour ] = offset + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L304_C8", "label": "_write()", "type": "expression", "loc": [304, 304], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L295_C4", "vector": [8, 2, 0.4757, 0.0016, 2, 0.44, 1.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( \"}\\n\" )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L306_C4", "label": "_WriteFonts", "type": "function", "loc": [306, 331], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.4984, 0.0407, 1, 0.84, 0.5714, 588, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "_WriteFonts", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _WriteFonts( self ) :\n self._write( r'{\\fonttbl' )\n\n self._font_map = {}\n offset = 0\n for font in self._doc.StyleSheet.Fonts :\n pitch = ''\n panose = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L307_C8", "label": "_write()", "type": "expression", "loc": [307, 307], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L306_C4", "vector": [8, 2, 0.4804, 0.0016, 2, 0.08, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'{\\fonttbl' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L309_C8", "label": "self._font_map =", "type": "assigned_variable", "loc": [309, 309], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L306_C4", "vector": [14, 2, 0.4836, 0.0016, 2, 0.08, 0.25, 715, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self._font_map", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._font_map = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L310_C8", "label": "offset =", "type": "assigned_variable", "loc": [310, 310], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L306_C4", "vector": [14, 2, 0.4851, 0.0016, 2, 0.08, 0.5, 132, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offset = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "label": "for font", "type": "for", "loc": [311, 329], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L306_C4", "vector": [6, 2, 0.5008, 0.0297, 2, 0.08, 0.75, 768, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "font", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for font in self._doc.StyleSheet.Fonts :\n pitch = ''\n panose = ''\n alternate = ''\n if font.Pitch : pitch = r'\\fprq%s' % font.Pitch\n if font.Panose : panose = r'{\\*\\panose %s}' % font.Panose\n if font.Alternate : alternate = r'{\\*\\falt %s}' % font.Alternate.Name\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L312_C12", "label": "pitch =", "type": "assigned_variable", "loc": [312, 312], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "vector": [14, 3, 0.4883, 0.0016, 3, 0.76, 0.0, 644, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "pitch", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pitch = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L313_C12", "label": "panose =", "type": "assigned_variable", "loc": [313, 313], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "vector": [14, 3, 0.4898, 0.0016, 3, 0.76, 0.1429, 828, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "panose", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " panose = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L314_C12", "label": "alternate =", "type": "assigned_variable", "loc": [314, 314], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "vector": [14, 3, 0.4914, 0.0016, 3, 0.76, 0.2857, 274, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "alternate", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " alternate = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L315_C12", "label": "if", "type": "if", "loc": [315, 315], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "vector": [4, 3, 0.493, 0.0016, 3, 0.76, 0.4286, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if font.Pitch : pitch = r'\\fprq%s' % font.Pitch"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L315_C32", "label": "pitch =", "type": "assigned_variable", "loc": [315, 315], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L315_C12", "vector": [14, 4, 0.493, 0.0016, 4, 0.53, 0.0, 644, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pitch", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if font.Pitch : pitch = r'\\fprq%s' % font.Pitch"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L316_C12", "label": "if", "type": "if", "loc": [316, 316], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "vector": [4, 3, 0.4945, 0.0016, 3, 0.76, 0.5714, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if font.Panose : panose = r'{\\*\\panose %s}' % font.Panose"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L316_C32", "label": "panose =", "type": "assigned_variable", "loc": [316, 316], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L316_C12", "vector": [14, 4, 0.4945, 0.0016, 4, 0.18, 0.0, 828, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "panose", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if font.Panose : panose = r'{\\*\\panose %s}' % font.Panose"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L317_C12", "label": "if", "type": "if", "loc": [317, 317], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "vector": [4, 3, 0.4961, 0.0016, 3, 0.76, 0.7143, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if font.Alternate : alternate = r'{\\*\\falt %s}' % font.Alternate.Name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L317_C32", "label": "alternate =", "type": "assigned_variable", "loc": [317, 317], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L317_C12", "vector": [14, 4, 0.4961, 0.0016, 4, 0.35, 0.0, 274, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "alternate", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if font.Alternate : alternate = r'{\\*\\falt %s}' % font.Alternate.Name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L319_C12", "label": "_write()", "type": "expression", "loc": [319, 326], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "vector": [8, 3, 0.5047, 0.0125, 3, 0.76, 0.8571, 961, 3, 8, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'{\\f%s\\f%s%s\\fcharset%s%s %s%s;}',\n offset,\n font.Family,\n pitch,\n font.CharacterSet,\n panose,\n font.Name,\n alternate )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L328_C12", "label": "assign", "type": "assigned_variable", "loc": [328, 328], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "vector": [14, 3, 0.5133, 0.0016, 3, 0.76, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._font_map[ font ] = offset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L331_C8", "label": "_write()", "type": "expression", "loc": [331, 331], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L306_C4", "vector": [8, 2, 0.518, 0.0016, 2, 0.08, 1.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( \"}\\n\" )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "label": "_WriteStyleSheet", "type": "function", "loc": [333, 375], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.554, 0.0673, 1, 0.84, 0.619, 349, 0, 1, 0, 0, 0, 0, 14], "semantic": {"name": "_WriteStyleSheet", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _WriteStyleSheet( self ) :\n self._write( r\"{\\stylesheet\" )\n\n # TO DO: character styles, does anybody actually use them?\n\n offset_map = {}\n for idx, style in enumerate( self._doc.StyleSheet.ParagraphStyles ) :\n offset_map[ style ] = idx"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L334_C8", "label": "_write()", "type": "expression", "loc": [334, 334], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "vector": [8, 2, 0.5227, 0.0016, 2, 0.69, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r\"{\\stylesheet\" )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L338_C8", "label": "offset_map =", "type": "assigned_variable", "loc": [338, 338], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "vector": [14, 2, 0.529, 0.0016, 2, 0.69, 0.1667, 829, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "offset_map", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offset_map = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L339_C8", "label": "for idx, style", "type": "for", "loc": [339, 340], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "vector": [6, 2, 0.5313, 0.0031, 2, 0.69, 0.3333, 92, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "idx, style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for idx, style in enumerate( self._doc.StyleSheet.ParagraphStyles ) :\n offset_map[ style ] = idx"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L340_C12", "label": "assign", "type": "assigned_variable", "loc": [340, 340], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L339_C8", "vector": [14, 3, 0.5321, 0.0016, 3, 0.22, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offset_map[ style ] = idx"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L343_C8", "label": "self.paragraph_style_map =", "type": "assigned_variable", "loc": [343, 343], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "vector": [14, 2, 0.5368, 0.0016, 2, 0.69, 0.5, 685, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.paragraph_style_map", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.paragraph_style_map = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "label": "for idx, style", "type": "for", "loc": [344, 369], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "vector": [6, 2, 0.5579, 0.0407, 2, 0.69, 0.6667, 92, 3, 0, 0, 0, 0, 0, 11], "semantic": {"name": "idx, style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for idx, style in enumerate( self._doc.StyleSheet.ParagraphStyles ) :\n\n if idx == 0 :\n default = style\n else :\n self._write( '\\n' )\n\n settings = Settings()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L346_C12", "label": "if", "type": "if", "loc": [346, 349], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "vector": [4, 3, 0.5438, 0.0063, 3, 0.81, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if idx == 0 :\n default = style\n else :\n self._write( '\\n' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L347_C16", "label": "default =", "type": "assigned_variable", "loc": [347, 347], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L346_C12", "vector": [14, 4, 0.543, 0.0016, 4, 0.08, 0.0, 977, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "default", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " default = style"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L349_C16", "label": "_write()", "type": "expression", "loc": [349, 349], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L346_C12", "vector": [8, 4, 0.5462, 0.0016, 4, 0.08, 1.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( '\\n' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L351_C12", "label": "settings = Settings()", "type": "assigned_variable", "loc": [351, 351], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "vector": [14, 3, 0.5493, 0.0016, 3, 0.81, 0.0909, 168, 3, 0, 0, 0, 800, 10, 1], "semantic": {"name": "settings", "arg_names": [], "import_names": [], "rhs_call_name": "Settings", "annotation": ""}, "snippet": " settings = Settings()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L354_C12", "label": "_RendParagraphPropertySet()", "type": "expression", "loc": [354, 354], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "vector": [8, 3, 0.554, 0.0016, 3, 0.81, 0.1818, 745, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendParagraphPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendParagraphPropertySet", "annotation": ""}, "snippet": " self._RendParagraphPropertySet( style.ParagraphPropertySet, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L355_C12", "label": "_RendFramePropertySet()", "type": "expression", "loc": [355, 355], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "vector": [8, 3, 0.5556, 0.0016, 3, 0.81, 0.2727, 386, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendFramePropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendFramePropertySet", "annotation": ""}, "snippet": " self._RendFramePropertySet ( style.FramePropertySet, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L356_C12", "label": "_RendShadingPropertySet()", "type": "expression", "loc": [356, 356], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "vector": [8, 3, 0.5571, 0.0016, 3, 0.81, 0.3636, 390, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendShadingPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendShadingPropertySet", "annotation": ""}, "snippet": " self._RendShadingPropertySet ( style.ShadingPropertySet, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L359_C12", "label": "_RendTextPropertySet()", "type": "expression", "loc": [359, 359], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "vector": [8, 3, 0.5618, 0.0016, 3, 0.81, 0.4545, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendTextPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendTextPropertySet", "annotation": ""}, "snippet": " self._RendTextPropertySet ( style.TextStyle.TextPropertySet, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L360_C12", "label": "_RendShadingPropertySet()", "type": "expression", "loc": [360, 360], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "vector": [8, 3, 0.5634, 0.0016, 3, 0.81, 0.5455, 390, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendShadingPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendShadingPropertySet", "annotation": ""}, "snippet": " self._RendShadingPropertySet( style.TextStyle.ShadingPropertySet, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L363_C12", "label": "based_on =", "type": "assigned_variable", "loc": [363, 363], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "vector": [14, 3, 0.5681, 0.0016, 3, 0.81, 0.6364, 803, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "based_on", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " based_on = '\\\\sbasedon%s' % offset_map.get( style.BasedOn, 0 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L364_C12", "label": "next =", "type": "assigned_variable", "loc": [364, 364], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "vector": [14, 3, 0.5696, 0.0016, 3, 0.81, 0.7273, 11, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "next", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " next = '\\\\snext%s' % offset_map.get( style.Next, 0 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L366_C12", "label": "inln =", "type": "assigned_variable", "loc": [366, 366], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "vector": [14, 3, 0.5728, 0.0016, 3, 0.81, 0.8182, 449, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "inln", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " inln = '\\\\s%s%s' % ( idx, settings )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L367_C12", "label": "_write()", "type": "expression", "loc": [367, 367], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "vector": [8, 3, 0.5743, 0.0016, 3, 0.81, 0.9091, 961, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( \"{%s%s%s %s;}\", inln, based_on, next, style.Name )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L369_C12", "label": "assign", "type": "assigned_variable", "loc": [369, 369], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "vector": [14, 3, 0.5775, 0.0016, 3, 0.81, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.paragraph_style_map[ style ] = inln"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L373_C8", "label": "self._CurrentStyle =", "type": "assigned_variable", "loc": [373, 373], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "vector": [14, 2, 0.5837, 0.0016, 2, 0.69, 0.8333, 788, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._CurrentStyle", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._CurrentStyle = self.paragraph_style_map[ default ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L375_C8", "label": "_write()", "type": "expression", "loc": [375, 375], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "vector": [8, 2, 0.5869, 0.0016, 2, 0.69, 1.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( \"}\\n\" )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "label": "_WriteSection", "type": "function", "loc": [377, 425], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.6275, 0.0767, 1, 0.84, 0.6667, 835, 0, 4, 0, 0, 0, 0, 18], "semantic": {"name": "_WriteSection", "arg_names": ["self", "section", "is_first", "add_header"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _WriteSection( self, section, is_first, add_header ) :\n\n def WriteHF( hf, rtfword ) :\n #if not hf : return\n\n # if we don't have anything in the header/footer then include\n # a blank paragraph, this stops it from picking up the header/footer\n # from the previous section"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L379_C8", "label": "WriteHF", "type": "function", "loc": [379, 390], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "vector": [2, 2, 0.6017, 0.0188, 2, 0.1, 0.0, 351, 0, 2, 0, 0, 0, 0, 3], "semantic": {"name": "WriteHF", "arg_names": ["hf", "rtfword"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def WriteHF( hf, rtfword ) :\n #if not hf : return\n\n # if we don't have anything in the header/footer then include\n # a blank paragraph, this stops it from picking up the header/footer\n # from the previous section\n # if not hf : hf = [ Paragraph( '' ) ]\n if not hf : hf = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L386_C12", "label": "if", "type": "if", "loc": [386, 386], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L379_C8", "vector": [4, 3, 0.6041, 0.0016, 3, 0.94, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not hf : hf = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L386_C24", "label": "hf =", "type": "assigned_variable", "loc": [386, 386], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L386_C12", "vector": [14, 4, 0.6041, 0.0016, 4, 0.92, 0.0, 534, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "hf", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not hf : hf = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L388_C12", "label": "_write()", "type": "expression", "loc": [388, 388], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L379_C8", "vector": [8, 3, 0.6072, 0.0016, 3, 0.94, 0.3333, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( '{\\\\%s' % rtfword )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L389_C12", "label": "_WriteElements()", "type": "expression", "loc": [389, 389], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L379_C8", "vector": [8, 3, 0.6088, 0.0016, 3, 0.94, 0.6667, 748, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_WriteElements", "arg_names": [], "import_names": [], "rhs_call_name": "_WriteElements", "annotation": ""}, "snippet": " self._WriteElements( hf )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L390_C12", "label": "_write()", "type": "expression", "loc": [390, 390], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L379_C8", "vector": [8, 3, 0.6103, 0.0016, 3, 0.94, 1.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( '}\\n' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L392_C8", "label": "settings = Settings()", "type": "assigned_variable", "loc": [392, 392], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "vector": [14, 2, 0.6135, 0.0016, 2, 0.1, 0.0909, 168, 3, 0, 0, 0, 800, 10, 1], "semantic": {"name": "settings", "arg_names": [], "import_names": [], "rhs_call_name": "Settings", "annotation": ""}, "snippet": " settings = Settings()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L394_C8", "label": "if", "type": "if", "loc": [394, 397], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "vector": [4, 2, 0.6189, 0.0063, 2, 0.1, 0.1818, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not is_first :\n # we need to finish off the preceding section\n # and reset all of our defaults back to standard\n settings.append( 'sect' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L397_C12", "label": "append()", "type": "expression", "loc": [397, 397], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L394_C8", "vector": [8, 3, 0.6213, 0.0016, 3, 0.3, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( 'sect' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L400_C8", "label": "append()", "type": "expression", "loc": [400, 400], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "vector": [8, 2, 0.626, 0.0016, 2, 0.1, 0.2727, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( 'sectd' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L402_C8", "label": "if", "type": "if", "loc": [402, 404], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "vector": [4, 2, 0.6307, 0.0047, 2, 0.1, 0.3636, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if add_header :\n settings.append( SectionBreakTypeMap[ section.BreakType ] )\n self._RendPageProperties( section, settings, in_section=True )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L403_C12", "label": "append()", "type": "expression", "loc": [403, 403], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L402_C8", "vector": [8, 3, 0.6307, 0.0016, 3, 0.14, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( SectionBreakTypeMap[ section.BreakType ] )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L404_C12", "label": "_RendPageProperties()", "type": "expression", "loc": [404, 404], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L402_C8", "vector": [8, 3, 0.6322, 0.0016, 3, 0.14, 1.0, 515, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_RendPageProperties", "arg_names": [], "import_names": [], "rhs_call_name": "_RendPageProperties", "annotation": ""}, "snippet": " self._RendPageProperties( section, settings, in_section=True )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L406_C8", "label": "append()", "type": "expression", "loc": [406, 406], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "vector": [8, 2, 0.6354, 0.0016, 2, 0.1, 0.4545, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( section.HeaderY, 'headery%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L407_C8", "label": "append()", "type": "expression", "loc": [407, 407], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "vector": [8, 2, 0.6369, 0.0016, 2, 0.1, 0.5455, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( section.FooterY, 'footery%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L411_C8", "label": "_write()", "type": "expression", "loc": [411, 411], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "vector": [8, 2, 0.6432, 0.0016, 2, 0.1, 0.6364, 961, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( repr( settings ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L415_C8", "label": "if", "type": "if", "loc": [415, 419], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "vector": [4, 2, 0.6526, 0.0078, 2, 0.1, 0.7273, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if section.FirstHeader or section.FirstFooter :\n # include the titlepg flag if the first page has a special format\n self._write( r'\\titlepg' )\n WriteHF( section.FirstHeader, 'headerf' )\n WriteHF( section.FirstFooter, 'footerf' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L417_C12", "label": "_write()", "type": "expression", "loc": [417, 417], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L415_C8", "vector": [8, 3, 0.6526, 0.0016, 3, 0.99, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'\\titlepg' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L418_C12", "label": "WriteHF()", "type": "expression", "loc": [418, 418], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L415_C8", "vector": [8, 3, 0.6541, 0.0016, 3, 0.99, 0.5, 351, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "WriteHF", "arg_names": [], "import_names": [], "rhs_call_name": "WriteHF", "annotation": ""}, "snippet": " WriteHF( section.FirstHeader, 'headerf' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L419_C12", "label": "WriteHF()", "type": "expression", "loc": [419, 419], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L415_C8", "vector": [8, 3, 0.6557, 0.0016, 3, 0.99, 1.0, 351, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "WriteHF", "arg_names": [], "import_names": [], "rhs_call_name": "WriteHF", "annotation": ""}, "snippet": " WriteHF( section.FirstFooter, 'footerf' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L421_C8", "label": "WriteHF()", "type": "expression", "loc": [421, 421], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "vector": [8, 2, 0.6588, 0.0016, 2, 0.1, 0.8182, 351, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "WriteHF", "arg_names": [], "import_names": [], "rhs_call_name": "WriteHF", "annotation": ""}, "snippet": " WriteHF( section.Header, 'header' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L422_C8", "label": "WriteHF()", "type": "expression", "loc": [422, 422], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "vector": [8, 2, 0.6604, 0.0016, 2, 0.1, 0.9091, 351, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "WriteHF", "arg_names": [], "import_names": [], "rhs_call_name": "WriteHF", "annotation": ""}, "snippet": " WriteHF( section.Footer, 'footer' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L425_C8", "label": "_WriteElements()", "type": "expression", "loc": [425, 425], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "vector": [8, 2, 0.6651, 0.0016, 2, 0.1, 1.0, 748, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_WriteElements", "arg_names": [], "import_names": [], "rhs_call_name": "_WriteElements", "annotation": ""}, "snippet": " self._WriteElements( section )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L427_C4", "label": "_WriteElements", "type": "function", "loc": [427, 454], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.6894, 0.0438, 1, 0.84, 0.7143, 748, 0, 2, 0, 0, 0, 0, 8], "semantic": {"name": "_WriteElements", "arg_names": ["self", "elements"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _WriteElements( self, elements ) :\n new_line = ''\n for element in elements :\n self._write( new_line )\n new_line = '\\n'\n\n clss = element.__class__\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L428_C8", "label": "new_line =", "type": "assigned_variable", "loc": [428, 428], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L427_C4", "vector": [14, 2, 0.6698, 0.0016, 2, 0.58, 0.0, 153, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "new_line", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " new_line = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L429_C8", "label": "for element", "type": "for", "loc": [429, 454], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L427_C4", "vector": [6, 2, 0.6909, 0.0407, 2, 0.58, 1.0, 736, 2, 0, 0, 0, 0, 0, 8], "semantic": {"name": "element", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for element in elements :\n self._write( new_line )\n new_line = '\\n'\n\n clss = element.__class__\n\n if clss == Paragraph :\n self.WriteParagraphElement( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L430_C12", "label": "_write()", "type": "expression", "loc": [430, 430], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L429_C8", "vector": [8, 3, 0.6729, 0.0016, 3, 0.16, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( new_line )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L431_C12", "label": "new_line =", "type": "assigned_variable", "loc": [431, 431], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L429_C8", "vector": [14, 3, 0.6745, 0.0016, 3, 0.16, 0.3333, 153, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "new_line", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " new_line = '\\n'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L433_C12", "label": "clss =", "type": "assigned_variable", "loc": [433, 433], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L429_C8", "vector": [14, 3, 0.6776, 0.0016, 3, 0.16, 0.6667, 425, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "clss", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " clss = element.__class__"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L435_C12", "label": "if", "type": "if", "loc": [435, 454], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L429_C8", "vector": [4, 3, 0.6956, 0.0313, 3, 0.16, 1.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if clss == Paragraph :\n self.WriteParagraphElement( element )\n\n elif clss == Table :\n self.WriteTableElement( element )\n\n elif clss == StringType :\n self.WriteParagraphElement( Paragraph( element ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L436_C16", "label": "WriteParagraphElement()", "type": "expression", "loc": [436, 436], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L435_C12", "vector": [8, 4, 0.6823, 0.0016, 4, 0.18, 0.0, 743, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "WriteParagraphElement", "arg_names": [], "import_names": [], "rhs_call_name": "WriteParagraphElement", "annotation": ""}, "snippet": " self.WriteParagraphElement( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L438_C12", "label": "if", "type": "if", "loc": [438, 454], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L435_C12", "vector": [4, 4, 0.698, 0.0266, 4, 0.18, 1.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif clss == Table :\n self.WriteTableElement( element )\n\n elif clss == StringType :\n self.WriteParagraphElement( Paragraph( element ) )\n\n elif clss in [ RawCode, Image ] :\n self.WriteRawCode( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L439_C16", "label": "WriteTableElement()", "type": "expression", "loc": [439, 439], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L438_C12", "vector": [8, 5, 0.687, 0.0016, 5, 0.55, 0.0, 652, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "WriteTableElement", "arg_names": [], "import_names": [], "rhs_call_name": "WriteTableElement", "annotation": ""}, "snippet": " self.WriteTableElement( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L441_C12", "label": "if", "type": "if", "loc": [441, 454], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L438_C12", "vector": [4, 5, 0.7003, 0.0219, 5, 0.55, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif clss == StringType :\n self.WriteParagraphElement( Paragraph( element ) )\n\n elif clss in [ RawCode, Image ] :\n self.WriteRawCode( element )\n\n #elif clss == List :\n # self._HandleListElement( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L442_C16", "label": "WriteParagraphElement()", "type": "expression", "loc": [442, 442], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L441_C12", "vector": [8, 6, 0.6917, 0.0016, 6, 0.96, 0.0, 743, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "WriteParagraphElement", "arg_names": [], "import_names": [], "rhs_call_name": "WriteParagraphElement", "annotation": ""}, "snippet": " self.WriteParagraphElement( Paragraph( element ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L444_C12", "label": "if", "type": "if", "loc": [444, 454], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L441_C12", "vector": [4, 6, 0.7027, 0.0172, 6, 0.96, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif clss in [ RawCode, Image ] :\n self.WriteRawCode( element )\n\n #elif clss == List :\n # self._HandleListElement( element )\n\n elif self.WriteCustomElement :\n self.WriteCustomElement( self, element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L445_C16", "label": "WriteRawCode()", "type": "expression", "loc": [445, 445], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L444_C12", "vector": [8, 7, 0.6964, 0.0016, 7, 0.23, 0.0, 34, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "WriteRawCode", "arg_names": [], "import_names": [], "rhs_call_name": "WriteRawCode", "annotation": ""}, "snippet": " self.WriteRawCode( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L450_C12", "label": "if", "type": "if", "loc": [450, 454], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L444_C12", "vector": [4, 7, 0.7074, 0.0078, 7, 0.23, 1.0, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif self.WriteCustomElement :\n self.WriteCustomElement( self, element )\n\n else :\n raise Exception( \"Don't know how to handle elements of type %s\" % clss )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L451_C16", "label": "WriteCustomElement()", "type": "expression", "loc": [451, 451], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L450_C12", "vector": [8, 8, 0.7058, 0.0016, 8, 0.98, 0.0, 80, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "WriteCustomElement", "arg_names": [], "import_names": [], "rhs_call_name": "WriteCustomElement", "annotation": ""}, "snippet": " self.WriteCustomElement( self, element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "label": "WriteParagraphElement", "type": "function", "loc": [456, 501], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.7488, 0.072, 1, 0.84, 0.7619, 743, 0, 6, 0, 0, 0, 0, 19], "semantic": {"name": "WriteParagraphElement", "arg_names": ["self", "paragraph_elem", "tag_prefix", "tag_suffix", "opening", "closing"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def WriteParagraphElement( self, paragraph_elem, tag_prefix='', tag_suffix=r'\\par', opening='{', closing='}' ) :\n\n # the tag_prefix and the tag_suffix take care of paragraphs in tables. A\n # paragraph in a table requires and extra tag at the front (intbl) and we\n # don't want the ending tag everytime. We want it for all paragraphs but\n # the last.\n\n overrides = Settings()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L463_C8", "label": "overrides = Settings()", "type": "assigned_variable", "loc": [463, 463], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "vector": [14, 2, 0.7246, 0.0016, 2, 0.73, 0.0, 53, 3, 0, 0, 0, 800, 10, 1], "semantic": {"name": "overrides", "arg_names": [], "import_names": [], "rhs_call_name": "Settings", "annotation": ""}, "snippet": " overrides = Settings()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L464_C8", "label": "_RendParagraphPropertySet()", "type": "expression", "loc": [464, 464], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "vector": [8, 2, 0.7261, 0.0016, 2, 0.73, 0.1429, 745, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendParagraphPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendParagraphPropertySet", "annotation": ""}, "snippet": " self._RendParagraphPropertySet( paragraph_elem.Properties, overrides )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L465_C8", "label": "_RendFramePropertySet()", "type": "expression", "loc": [465, 465], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "vector": [8, 2, 0.7277, 0.0016, 2, 0.73, 0.2857, 386, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendFramePropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendFramePropertySet", "annotation": ""}, "snippet": " self._RendFramePropertySet ( paragraph_elem.Frame, overrides )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L466_C8", "label": "_RendShadingPropertySet()", "type": "expression", "loc": [466, 466], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "vector": [8, 2, 0.7293, 0.0016, 2, 0.73, 0.4286, 390, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendShadingPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendShadingPropertySet", "annotation": ""}, "snippet": " self._RendShadingPropertySet ( paragraph_elem.Shading, overrides )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L471_C8", "label": "self._CurrentStyle = get()", "type": "assigned_variable", "loc": [471, 471], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "vector": [14, 2, 0.7371, 0.0016, 2, 0.73, 0.5714, 788, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "self._CurrentStyle", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " self._CurrentStyle = self.paragraph_style_map.get( paragraph_elem.Style, self._CurrentStyle )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L473_C8", "label": "_write()", "type": "expression", "loc": [473, 473], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "vector": [8, 2, 0.7402, 0.0016, 2, 0.73, 0.7143, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'%s\\pard\\plain%s %s%s ' % ( opening, tag_prefix, self._CurrentStyle, overrides ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L475_C8", "label": "for element", "type": "for", "loc": [475, 499], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "vector": [6, 2, 0.7621, 0.0391, 2, 0.73, 0.8571, 736, 2, 0, 0, 0, 0, 0, 12], "semantic": {"name": "element", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for element in paragraph_elem :\n\n if isinstance( element, StringType ) :\n self._write( element )\n\n elif isinstance( element, RawCode ) :\n self._write( element.Data )\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L477_C12", "label": "if", "type": "if", "loc": [477, 499], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L475_C8", "vector": [4, 3, 0.7637, 0.036, 3, 0.41, 0.0, 0, 3, 0, 0, 0, 0, 0, 12], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance( element, StringType ) :\n self._write( element )\n\n elif isinstance( element, RawCode ) :\n self._write( element.Data )\n\n elif isinstance( element, Text ) :\n self.WriteTextElement( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L478_C16", "label": "_write()", "type": "expression", "loc": [478, 478], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L477_C12", "vector": [8, 4, 0.748, 0.0016, 4, 0.56, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L480_C12", "label": "if", "type": "if", "loc": [480, 499], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L477_C12", "vector": [4, 4, 0.766, 0.0313, 4, 0.56, 1.0, 0, 3, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( element, RawCode ) :\n self._write( element.Data )\n\n elif isinstance( element, Text ) :\n self.WriteTextElement( element )\n\n elif isinstance( element, Inline ) :\n self.WriteInlineElement( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L481_C16", "label": "_write()", "type": "expression", "loc": [481, 481], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L480_C12", "vector": [8, 5, 0.7527, 0.0016, 5, 0.74, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( element.Data )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L483_C12", "label": "if", "type": "if", "loc": [483, 499], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L480_C12", "vector": [4, 5, 0.7684, 0.0266, 5, 0.74, 1.0, 0, 3, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( element, Text ) :\n self.WriteTextElement( element )\n\n elif isinstance( element, Inline ) :\n self.WriteInlineElement( element )\n\n elif element == TAB :\n self._write( r'\\tab ' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L484_C16", "label": "WriteTextElement()", "type": "expression", "loc": [484, 484], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L483_C12", "vector": [8, 6, 0.7574, 0.0016, 6, 0.88, 0.0, 194, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "WriteTextElement", "arg_names": [], "import_names": [], "rhs_call_name": "WriteTextElement", "annotation": ""}, "snippet": " self.WriteTextElement( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L486_C12", "label": "if", "type": "if", "loc": [486, 499], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L483_C12", "vector": [4, 6, 0.7707, 0.0219, 6, 0.88, 1.0, 0, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( element, Inline ) :\n self.WriteInlineElement( element )\n\n elif element == TAB :\n self._write( r'\\tab ' )\n\n elif element == LINE :\n self._write( r'\\line ' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L487_C16", "label": "WriteInlineElement()", "type": "expression", "loc": [487, 487], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L486_C12", "vector": [8, 7, 0.7621, 0.0016, 7, 0.31, 0.0, 429, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "WriteInlineElement", "arg_names": [], "import_names": [], "rhs_call_name": "WriteInlineElement", "annotation": ""}, "snippet": " self.WriteInlineElement( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L489_C12", "label": "if", "type": "if", "loc": [489, 499], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L486_C12", "vector": [4, 7, 0.7731, 0.0172, 7, 0.31, 1.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif element == TAB :\n self._write( r'\\tab ' )\n\n elif element == LINE :\n self._write( r'\\line ' )\n\n elif self.WriteCustomElement :\n self.WriteCustomElement( self, element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L490_C16", "label": "_write()", "type": "expression", "loc": [490, 490], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L489_C12", "vector": [8, 8, 0.7668, 0.0016, 8, 0.23, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'\\tab ' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L492_C12", "label": "if", "type": "if", "loc": [492, 499], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L489_C12", "vector": [4, 8, 0.7754, 0.0125, 8, 0.23, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif element == LINE :\n self._write( r'\\line ' )\n\n elif self.WriteCustomElement :\n self.WriteCustomElement( self, element )\n\n else :\n raise Exception( 'Don\\'t know how to handle %s' % element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L493_C16", "label": "_write()", "type": "expression", "loc": [493, 493], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L492_C12", "vector": [8, 9, 0.7715, 0.0016, 9, 0.52, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'\\line ' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L495_C12", "label": "if", "type": "if", "loc": [495, 499], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L492_C12", "vector": [4, 9, 0.7778, 0.0078, 9, 0.52, 1.0, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif self.WriteCustomElement :\n self.WriteCustomElement( self, element )\n\n else :\n raise Exception( 'Don\\'t know how to handle %s' % element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L496_C16", "label": "WriteCustomElement()", "type": "expression", "loc": [496, 496], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L495_C12", "vector": [8, 10, 0.7762, 0.0016, 10, 0.41, 0.0, 80, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "WriteCustomElement", "arg_names": [], "import_names": [], "rhs_call_name": "WriteCustomElement", "annotation": ""}, "snippet": " self.WriteCustomElement( self, element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L501_C8", "label": "_write()", "type": "expression", "loc": [501, 501], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "vector": [8, 2, 0.784, 0.0016, 2, 0.73, 1.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( tag_suffix + closing )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L503_C4", "label": "WriteRawCode", "type": "function", "loc": [503, 504], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.7879, 0.0031, 1, 0.84, 0.8095, 34, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "WriteRawCode", "arg_names": ["self", "raw_elem"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def WriteRawCode( self, raw_elem ) :\n self._write( raw_elem.Data )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L504_C8", "label": "_write()", "type": "expression", "loc": [504, 504], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L503_C4", "vector": [8, 2, 0.7887, 0.0016, 2, 0.95, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( raw_elem.Data )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "label": "WriteTextElement", "type": "function", "loc": [506, 525], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.8067, 0.0313, 1, 0.84, 0.8571, 194, 0, 2, 0, 0, 0, 0, 10], "semantic": {"name": "WriteTextElement", "arg_names": ["self", "text_elem"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def WriteTextElement( self, text_elem ) :\n overrides = Settings()\n\n self._RendTextPropertySet ( text_elem.Properties, overrides )\n self._RendShadingPropertySet( text_elem.Shading, overrides, 'ch' )\n\n # write the wrapper and then let the custom handler have a go\n if overrides : self._write( '{%s ' % repr( overrides ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L507_C8", "label": "overrides = Settings()", "type": "assigned_variable", "loc": [507, 507], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "vector": [14, 2, 0.7934, 0.0016, 2, 0.6, 0.0, 53, 3, 0, 0, 0, 800, 10, 1], "semantic": {"name": "overrides", "arg_names": [], "import_names": [], "rhs_call_name": "Settings", "annotation": ""}, "snippet": " overrides = Settings()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L509_C8", "label": "_RendTextPropertySet()", "type": "expression", "loc": [509, 509], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "vector": [8, 2, 0.7966, 0.0016, 2, 0.6, 0.2, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendTextPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendTextPropertySet", "annotation": ""}, "snippet": " self._RendTextPropertySet ( text_elem.Properties, overrides )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L510_C8", "label": "_RendShadingPropertySet()", "type": "expression", "loc": [510, 510], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "vector": [8, 2, 0.7981, 0.0016, 2, 0.6, 0.4, 390, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_RendShadingPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendShadingPropertySet", "annotation": ""}, "snippet": " self._RendShadingPropertySet( text_elem.Shading, overrides, 'ch' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L513_C8", "label": "if", "type": "if", "loc": [513, 513], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "vector": [4, 2, 0.8028, 0.0016, 2, 0.6, 0.6, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if overrides : self._write( '{%s ' % repr( overrides ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L513_C23", "label": "_write()", "type": "expression", "loc": [513, 513], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L513_C8", "vector": [8, 3, 0.8028, 0.0016, 3, 0.24, 0.0, 961, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " if overrides : self._write( '{%s ' % repr( overrides ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L516_C8", "label": "if", "type": "if", "loc": [516, 523], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "vector": [4, 2, 0.813, 0.0125, 2, 0.6, 0.8, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance( text_elem.Data, StringType ) :\n self._write( text_elem.Data or '' )\n\n elif text_elem.Data == TAB :\n self._write( r'\\tab ' )\n\n else :\n self.WriteCustomElement( self, text_elem.Data )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L517_C12", "label": "_write()", "type": "expression", "loc": [517, 517], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L516_C8", "vector": [8, 3, 0.8091, 0.0016, 3, 0.4, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( text_elem.Data or '' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L519_C8", "label": "if", "type": "if", "loc": [519, 523], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L516_C8", "vector": [4, 3, 0.8153, 0.0078, 3, 0.4, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif text_elem.Data == TAB :\n self._write( r'\\tab ' )\n\n else :\n self.WriteCustomElement( self, text_elem.Data )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L520_C12", "label": "_write()", "type": "expression", "loc": [520, 520], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L519_C8", "vector": [8, 4, 0.8138, 0.0016, 4, 0.59, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'\\tab ' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L523_C12", "label": "WriteCustomElement()", "type": "expression", "loc": [523, 523], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L519_C8", "vector": [8, 4, 0.8185, 0.0016, 4, 0.59, 1.0, 80, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "WriteCustomElement", "arg_names": [], "import_names": [], "rhs_call_name": "WriteCustomElement", "annotation": ""}, "snippet": " self.WriteCustomElement( self, text_elem.Data )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L525_C8", "label": "if", "type": "if", "loc": [525, 525], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "vector": [4, 2, 0.8216, 0.0016, 2, 0.6, 1.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if overrides : self._write( '}' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L525_C23", "label": "_write()", "type": "expression", "loc": [525, 525], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L525_C8", "vector": [8, 3, 0.8216, 0.0016, 3, 0.21, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " if overrides : self._write( '}' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "label": "WriteInlineElement", "type": "function", "loc": [527, 553], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.8451, 0.0423, 1, 0.84, 0.9048, 429, 0, 2, 0, 0, 0, 0, 13], "semantic": {"name": "WriteInlineElement", "arg_names": ["self", "inline_elem"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def WriteInlineElement( self, inline_elem ) :\n overrides = Settings()\n\n self._RendTextPropertySet ( inline_elem.Properties, overrides )\n self._RendShadingPropertySet( inline_elem.Shading, overrides, 'ch' )\n\n # write the wrapper and then let the custom handler have a go\n if overrides : self._write( '{%s ' % repr( overrides ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L528_C8", "label": "overrides = Settings()", "type": "assigned_variable", "loc": [528, 528], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "vector": [14, 2, 0.8263, 0.0016, 2, 0.19, 0.0, 53, 3, 0, 0, 0, 800, 10, 1], "semantic": {"name": "overrides", "arg_names": [], "import_names": [], "rhs_call_name": "Settings", "annotation": ""}, "snippet": " overrides = Settings()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L530_C8", "label": "_RendTextPropertySet()", "type": "expression", "loc": [530, 530], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "vector": [8, 2, 0.8294, 0.0016, 2, 0.19, 0.2, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "_RendTextPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendTextPropertySet", "annotation": ""}, "snippet": " self._RendTextPropertySet ( inline_elem.Properties, overrides )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L531_C8", "label": "_RendShadingPropertySet()", "type": "expression", "loc": [531, 531], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "vector": [8, 2, 0.831, 0.0016, 2, 0.19, 0.4, 390, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_RendShadingPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendShadingPropertySet", "annotation": ""}, "snippet": " self._RendShadingPropertySet( inline_elem.Shading, overrides, 'ch' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L534_C8", "label": "if", "type": "if", "loc": [534, 534], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "vector": [4, 2, 0.8357, 0.0016, 2, 0.19, 0.6, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if overrides : self._write( '{%s ' % repr( overrides ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L534_C23", "label": "_write()", "type": "expression", "loc": [534, 534], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L534_C8", "vector": [8, 3, 0.8357, 0.0016, 3, 0.94, 0.0, 961, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " if overrides : self._write( '{%s ' % repr( overrides ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L536_C8", "label": "for element", "type": "for", "loc": [536, 551], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "vector": [6, 2, 0.8505, 0.025, 2, 0.19, 0.8, 736, 2, 0, 0, 0, 0, 0, 7], "semantic": {"name": "element", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for element in inline_elem :\n # if the data is just a string then we can now write it\n if isinstance( element, StringType ) :\n self._write( element )\n\n elif isinstance( element, RawCode ) :\n self._write( element.Data )\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L538_C12", "label": "if", "type": "if", "loc": [538, 551], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L536_C8", "vector": [4, 3, 0.8521, 0.0219, 3, 0.42, 0.0, 0, 3, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance( element, StringType ) :\n self._write( element )\n\n elif isinstance( element, RawCode ) :\n self._write( element.Data )\n\n elif element == TAB :\n self._write( r'\\tab ' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L539_C16", "label": "_write()", "type": "expression", "loc": [539, 539], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L538_C12", "vector": [8, 4, 0.8435, 0.0016, 4, 0.1, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L541_C12", "label": "if", "type": "if", "loc": [541, 551], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L538_C12", "vector": [4, 4, 0.8545, 0.0172, 4, 0.1, 1.0, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( element, RawCode ) :\n self._write( element.Data )\n\n elif element == TAB :\n self._write( r'\\tab ' )\n\n elif element == LINE :\n self._write( r'\\line ' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L542_C16", "label": "_write()", "type": "expression", "loc": [542, 542], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L541_C12", "vector": [8, 5, 0.8482, 0.0016, 5, 0.54, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( element.Data )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L544_C12", "label": "if", "type": "if", "loc": [544, 551], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L541_C12", "vector": [4, 5, 0.8568, 0.0125, 5, 0.54, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif element == TAB :\n self._write( r'\\tab ' )\n\n elif element == LINE :\n self._write( r'\\line ' )\n\n else :\n self.WriteCustomElement( self, element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L545_C16", "label": "_write()", "type": "expression", "loc": [545, 545], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L544_C12", "vector": [8, 6, 0.8529, 0.0016, 6, 0.32, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'\\tab ' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L547_C12", "label": "if", "type": "if", "loc": [547, 551], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L544_C12", "vector": [4, 6, 0.8592, 0.0078, 6, 0.32, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif element == LINE :\n self._write( r'\\line ' )\n\n else :\n self.WriteCustomElement( self, element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L548_C16", "label": "_write()", "type": "expression", "loc": [548, 548], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L547_C12", "vector": [8, 7, 0.8576, 0.0016, 7, 0.28, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'\\line ' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L551_C16", "label": "WriteCustomElement()", "type": "expression", "loc": [551, 551], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L547_C12", "vector": [8, 7, 0.8623, 0.0016, 7, 0.28, 1.0, 80, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "WriteCustomElement", "arg_names": [], "import_names": [], "rhs_call_name": "WriteCustomElement", "annotation": ""}, "snippet": " self.WriteCustomElement( self, element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L553_C8", "label": "if", "type": "if", "loc": [553, 553], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "vector": [4, 2, 0.8654, 0.0016, 2, 0.19, 1.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if overrides : self._write( '}' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L553_C23", "label": "_write()", "type": "expression", "loc": [553, 553], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L553_C8", "vector": [8, 3, 0.8654, 0.0016, 3, 0.77, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " if overrides : self._write( '}' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L555_C4", "label": "WriteText", "type": "function", "loc": [555, 556], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.8693, 0.0031, 1, 0.84, 0.9524, 558, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "WriteText", "arg_names": ["self", "text"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def WriteText( self, text ) :\n self._write( text or '' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L556_C8", "label": "_write()", "type": "expression", "loc": [556, 556], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L555_C4", "vector": [8, 2, 0.8701, 0.0016, 2, 0.52, 0.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( text or '' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L558_C4", "label": "WriteTableElement", "type": "function", "loc": [558, 638], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "vector": [2, 1, 0.9358, 0.1268, 1, 0.84, 1.0, 652, 0, 2, 0, 0, 0, 0, 28], "semantic": {"name": "WriteTableElement", "arg_names": ["self", "table_elem"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def WriteTableElement( self, table_elem ) :\n\n vmerge = [ False ] * table_elem.ColumnCount\n for height, cells in table_elem.Rows :\n\n # calculate the right hand edge of the cells taking into account the spans\n offset = table_elem.LeftOffset or 0\n cellx = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L560_C8", "label": "vmerge =", "type": "assigned_variable", "loc": [560, 560], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L558_C4", "vector": [14, 2, 0.8764, 0.0016, 2, 0.8, 0.0, 523, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "vmerge", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " vmerge = [ False ] * table_elem.ColumnCount"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "label": "for height, cells", "type": "for", "loc": [561, 638], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L558_C4", "vector": [6, 2, 0.9382, 0.1221, 2, 0.8, 1.0, 207, 7, 0, 0, 0, 0, 0, 28], "semantic": {"name": "height, cells", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for height, cells in table_elem.Rows :\n\n # calculate the right hand edge of the cells taking into account the spans\n offset = table_elem.LeftOffset or 0\n cellx = []\n cell_idx = 0\n for cell in cells :\n cellx.append( offset + sum( table_elem.ColumnWidths[ : cell_idx + cell.Span ] ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L564_C12", "label": "offset =", "type": "assigned_variable", "loc": [564, 564], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [14, 3, 0.8826, 0.0016, 3, 0.91, 0.0, 132, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offset = table_elem.LeftOffset or 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L565_C12", "label": "cellx =", "type": "assigned_variable", "loc": [565, 565], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [14, 3, 0.8842, 0.0016, 3, 0.91, 0.0714, 362, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "cellx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " cellx = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L566_C12", "label": "cell_idx =", "type": "assigned_variable", "loc": [566, 566], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [14, 3, 0.8858, 0.0016, 3, 0.91, 0.1429, 918, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "cell_idx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " cell_idx = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L567_C12", "label": "for cell", "type": "for", "loc": [567, 569], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [6, 3, 0.8889, 0.0047, 3, 0.91, 0.2143, 787, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "cell", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for cell in cells :\n cellx.append( offset + sum( table_elem.ColumnWidths[ : cell_idx + cell.Span ] ) )\n cell_idx += cell.Span"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L568_C16", "label": "append()", "type": "expression", "loc": [568, 568], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L567_C12", "vector": [8, 4, 0.8889, 0.0016, 4, 0.86, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " cellx.append( offset + sum( table_elem.ColumnWidths[ : cell_idx + cell.Span ] ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L571_C12", "label": "_write()", "type": "expression", "loc": [571, 571], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [8, 3, 0.8936, 0.0016, 3, 0.91, 0.2857, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'{\\trowd' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L573_C12", "label": "settings = Settings()", "type": "assigned_variable", "loc": [573, 573], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [14, 3, 0.8967, 0.0016, 3, 0.91, 0.3571, 168, 3, 0, 0, 0, 800, 10, 1], "semantic": {"name": "settings", "arg_names": [], "import_names": [], "rhs_call_name": "Settings", "annotation": ""}, "snippet": " settings = Settings()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L577_C12", "label": "append()", "type": "expression", "loc": [577, 577], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [8, 3, 0.903, 0.0016, 3, 0.91, 0.4286, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( table_elem.GapBetweenCells or 108, 'trgaph%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L578_C12", "label": "append()", "type": "expression", "loc": [578, 578], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [8, 3, 0.9045, 0.0016, 3, 0.91, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( TableAlignmentMap[ table_elem.Alignment ] )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L579_C12", "label": "append()", "type": "expression", "loc": [579, 579], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [8, 3, 0.9061, 0.0016, 3, 0.91, 0.5714, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( height, 'trrh%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L580_C12", "label": "append()", "type": "expression", "loc": [580, 580], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [8, 3, 0.9077, 0.0016, 3, 0.91, 0.6429, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( table_elem.LeftOffset, 'trleft%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L582_C12", "label": "width =", "type": "assigned_variable", "loc": [582, 582], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [14, 3, 0.9108, 0.0016, 3, 0.91, 0.7143, 989, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "width", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " width = table_elem.LeftOffset or 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "label": "for idx, cell", "type": "for", "loc": [583, 614], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [6, 3, 0.9366, 0.0501, 3, 0.91, 0.7857, 809, 3, 0, 0, 0, 0, 0, 8], "semantic": {"name": "idx, cell", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for idx, cell in enumerate( cells ) :\n self._RendFramePropertySet ( cell.Frame, settings, 'cl' )\n\n # cells don't have margins so I don't know why I was doing this\n # I think it might have an affect in some versions of some WPs.\n #self._RendMarginsPropertySet( cell.Margins, settings, 'cl' )\n\n # if we are starting to merge or if this one is the first in what is"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L584_C16", "label": "_RendFramePropertySet()", "type": "expression", "loc": [584, 584], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "vector": [8, 4, 0.9139, 0.0016, 4, 0.2, 0.0, 386, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_RendFramePropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "_RendFramePropertySet", "annotation": ""}, "snippet": " self._RendFramePropertySet ( cell.Frame, settings, 'cl' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L592_C16", "label": "if", "type": "if", "loc": [592, 602], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "vector": [4, 4, 0.9343, 0.0172, 4, 0.2, 0.2, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if cell.StartVerticalMerge or (cell.VerticalMerge and not vmerge[ idx ]) :\n settings.append( 'clvmgf' )\n vmerge[ idx ] = True\n\n elif cell.VerticalMerge :\n #..continuing a merge\n settings.append( 'clvmrg' )\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L593_C20", "label": "append()", "type": "expression", "loc": [593, 593], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L592_C16", "vector": [8, 5, 0.928, 0.0016, 5, 0.3, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( 'clvmgf' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L594_C20", "label": "assign", "type": "assigned_variable", "loc": [594, 594], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L592_C16", "vector": [14, 5, 0.9296, 0.0016, 5, 0.3, 0.5, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " vmerge[ idx ] = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L596_C16", "label": "if", "type": "if", "loc": [596, 602], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L592_C16", "vector": [4, 5, 0.9374, 0.011, 5, 0.3, 1.0, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif cell.VerticalMerge :\n #..continuing a merge\n settings.append( 'clvmrg' )\n\n else :\n #..no merging going on so make sure that it is off\n vmerge[ idx ] = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L598_C20", "label": "append()", "type": "expression", "loc": [598, 598], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L596_C16", "vector": [8, 6, 0.9358, 0.0016, 6, 0.24, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( 'clvmrg' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L602_C20", "label": "assign", "type": "assigned_variable", "loc": [602, 602], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L596_C16", "vector": [14, 6, 0.9421, 0.0016, 6, 0.24, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " vmerge[ idx ] = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L607_C16", "label": "for vmerge_idx", "type": "for", "loc": [607, 608], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "vector": [6, 4, 0.9507, 0.0031, 4, 0.2, 0.4, 591, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "vmerge_idx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for vmerge_idx in range( idx + 1, idx + cell.Span - 1 ) :\n vmerge[ vmerge_idx ] = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L608_C20", "label": "assign", "type": "assigned_variable", "loc": [608, 608], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L607_C16", "vector": [14, 5, 0.9515, 0.0016, 5, 0.35, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " vmerge[ vmerge_idx ] = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L610_C16", "label": "append()", "type": "expression", "loc": [610, 610], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "vector": [8, 4, 0.9546, 0.0016, 4, 0.2, 0.6, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( CellAlignmentMap[ cell.Alignment ] )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L611_C16", "label": "append()", "type": "expression", "loc": [611, 611], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "vector": [8, 4, 0.9562, 0.0016, 4, 0.2, 0.8, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( CellFlowMap[ cell.Flow ] )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L614_C16", "label": "append()", "type": "expression", "loc": [614, 614], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "vector": [8, 4, 0.9609, 0.0016, 4, 0.2, 1.0, 243, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " settings.append( cellx[ idx ], 'cellx%s' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L616_C12", "label": "_write()", "type": "expression", "loc": [616, 616], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [8, 3, 0.964, 0.0016, 3, 0.91, 0.8571, 961, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( repr( settings ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L618_C12", "label": "for cell", "type": "for", "loc": [618, 636], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [6, 3, 0.9812, 0.0297, 3, 0.91, 0.9286, 787, 2, 0, 0, 0, 0, 0, 9], "semantic": {"name": "cell", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for cell in cells :\n if len( cell ) :\n last_idx = len( cell ) - 1\n for element_idx, element in enumerate( cell ) :\n # wrap plain strings in paragraph tags\n if isinstance( element, StringType ) :\n element = Paragraph( element )\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L619_C16", "label": "if", "type": "if", "loc": [619, 636], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L618_C12", "vector": [4, 4, 0.982, 0.0282, 4, 0.4, 0.0, 0, 3, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len( cell ) :\n last_idx = len( cell ) - 1\n for element_idx, element in enumerate( cell ) :\n # wrap plain strings in paragraph tags\n if isinstance( element, StringType ) :\n element = Paragraph( element )\n\n # don't forget the prefix or else word crashes and does all sorts of strange things"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L620_C20", "label": "last_idx =", "type": "assigned_variable", "loc": [620, 620], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L619_C16", "vector": [14, 5, 0.9703, 0.0016, 5, 0.67, 0.0, 860, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "last_idx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " last_idx = len( cell ) - 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:For_L621_C20", "label": "for element_idx, element", "type": "for", "loc": [621, 631], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L619_C16", "vector": [6, 5, 0.9797, 0.0172, 5, 0.67, 0.3333, 71, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "element_idx, element", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for element_idx, element in enumerate( cell ) :\n # wrap plain strings in paragraph tags\n if isinstance( element, StringType ) :\n element = Paragraph( element )\n\n # don't forget the prefix or else word crashes and does all sorts of strange things\n if element_idx == last_idx :\n self.WriteParagraphElement( element, tag_prefix=r'\\intbl', tag_suffix='', opening='', closing='' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L623_C24", "label": "if", "type": "if", "loc": [623, 624], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L621_C20", "vector": [4, 6, 0.9757, 0.0031, 6, 0.74, 0.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance( element, StringType ) :\n element = Paragraph( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L624_C28", "label": "element = Paragraph()", "type": "assigned_variable", "loc": [624, 624], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L623_C24", "vector": [14, 7, 0.9765, 0.0016, 7, 0.01, 0.0, 736, 3, 1, 0, 0, 894, 10, 1], "semantic": {"name": "element", "arg_names": [], "import_names": [], "rhs_call_name": "Paragraph", "annotation": ""}, "snippet": " element = Paragraph( element )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:If_L627_C24", "label": "if", "type": "if", "loc": [627, 631], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L621_C20", "vector": [4, 6, 0.9844, 0.0078, 6, 0.74, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if element_idx == last_idx :\n self.WriteParagraphElement( element, tag_prefix=r'\\intbl', tag_suffix='', opening='', closing='' )\n\n else :\n self.WriteParagraphElement( element, tag_prefix=r'\\intbl', opening='', closing='' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L628_C28", "label": "WriteParagraphElement()", "type": "expression", "loc": [628, 628], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L627_C24", "vector": [8, 7, 0.9828, 0.0016, 7, 0.89, 0.0, 743, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "WriteParagraphElement", "arg_names": [], "import_names": [], "rhs_call_name": "WriteParagraphElement", "annotation": ""}, "snippet": " self.WriteParagraphElement( element, tag_prefix=r'\\intbl', tag_suffix='', opening='', closing='' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L631_C28", "label": "WriteParagraphElement()", "type": "expression", "loc": [631, 631], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L627_C24", "vector": [8, 7, 0.9875, 0.0016, 7, 0.89, 1.0, 743, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "WriteParagraphElement", "arg_names": [], "import_names": [], "rhs_call_name": "WriteParagraphElement", "annotation": ""}, "snippet": " self.WriteParagraphElement( element, tag_prefix=r'\\intbl', opening='', closing='' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L633_C20", "label": "_write()", "type": "expression", "loc": [633, 633], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L619_C16", "vector": [8, 5, 0.9906, 0.0016, 5, 0.67, 0.6667, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'\\cell' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L636_C20", "label": "_write()", "type": "expression", "loc": [636, 636], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:If_L619_C16", "vector": [8, 5, 0.9953, 0.0016, 5, 0.67, 1.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( r'\\pard\\intbl\\cell' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L638_C12", "label": "_write()", "type": "expression", "loc": [638, 638], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "vector": [8, 3, 0.9984, 0.0016, 3, 0.91, 1.0, 961, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_write", "arg_names": [], "import_names": [], "rhs_call_name": "_write", "annotation": ""}, "snippet": " self._write( '\\\\row}\\n' )"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L65_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L66_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L66_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L67_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L66_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L68_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L65_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L70_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L72_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L72_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L72_C26"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L75_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L75_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L76_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L76_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L77_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L76_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L79_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L80_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L65_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L82_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L82_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L83_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L83_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L83_C18"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L82_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L84_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L65_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L86_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L87_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L90_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L90_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L91_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L90_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L92_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L90_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L93_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L102_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L103_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L104_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L105_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L109_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L110_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L111_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L100_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L112_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L115_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L116_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L118_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L118_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L119_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L121_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L121_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L122_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L121_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L123_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L125_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L127_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L127_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L128_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L128_C31"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L127_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L130_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L127_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L131_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L127_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L133_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L127_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L134_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L136_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L136_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L137_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L136_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L138_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L136_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L139_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L136_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L140_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L142_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L142_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L143_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L143_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L143_C29"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L142_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L145_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L145_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L146_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L145_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L147_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L142_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L149_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L149_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L150_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L149_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L151_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L142_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L153_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L153_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L154_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L153_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L155_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L142_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L157_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L157_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L158_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L157_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L159_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L161_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L161_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L162_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L162_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L162_C30"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L161_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L164_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L161_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L165_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L161_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L166_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L161_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L167_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L170_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L170_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L170_C33"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L171_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L173_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L174_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L177_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L178_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L178_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L179_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L178_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L180_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L178_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L183_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L185_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L187_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L188_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L189_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L169_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L191_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L191_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L192_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L192_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L193_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L192_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L195_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L198_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L198_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Return_L198_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L200_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L200_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L201_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L203_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L204_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L205_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L206_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L207_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L208_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L210_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L211_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L212_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L197_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L214_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L214_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L215_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L214_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L216_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L214_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L217_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L214_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L218_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L214_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L219_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L229_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L230_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L231_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L232_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L233_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L234_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L236_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L237_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L238_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L242_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L242_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L243_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L242_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L248_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L248_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L249_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L248_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L250_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L248_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L251_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L227_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L253_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L257_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L257_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L277_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L277_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L277_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L257_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L278_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L281_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L288_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L289_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L290_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L291_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L280_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L293_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L295_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L295_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L296_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L295_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L298_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L295_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L299_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L295_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L300_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L300_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L301_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L300_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L302_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L295_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L304_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L306_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L306_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L307_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L306_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L309_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L306_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L310_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L306_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L312_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L313_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L314_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L315_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L315_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L315_C32"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L316_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L316_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L316_C32"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L317_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L317_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L317_C32"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L319_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L311_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L328_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L306_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L331_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L334_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L338_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L339_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L339_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L340_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L343_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L346_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L346_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L347_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L346_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L349_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L351_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L354_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L355_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L356_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L359_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L360_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L363_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L364_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L366_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L367_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L344_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L369_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L373_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L375_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L379_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L379_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L386_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L386_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L386_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L379_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L388_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L379_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L389_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L379_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L390_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L392_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L394_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L394_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L397_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L400_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L402_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L402_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L403_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L402_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L404_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L406_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L407_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L411_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L415_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L415_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L417_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L415_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L418_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L415_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L419_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L421_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L422_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L425_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L427_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L427_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L428_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L427_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L429_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L429_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L430_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L429_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L431_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L429_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L433_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L429_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L435_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L435_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L436_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L435_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L438_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L438_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L439_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L438_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L441_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L441_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L442_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L441_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L444_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L444_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L445_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L444_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L450_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L450_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L451_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L463_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L464_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L465_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L466_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L471_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L473_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L475_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L475_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L477_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L477_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L478_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L477_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L480_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L480_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L481_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L480_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L483_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L483_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L484_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L483_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L486_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L486_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L487_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L486_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L489_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L489_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L490_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L489_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L492_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L492_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L493_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L492_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L495_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L495_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L496_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L501_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L503_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L503_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L504_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L507_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L509_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L510_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L513_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L513_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L513_C23"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L516_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L516_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L517_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L516_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L519_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L519_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L520_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L519_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L523_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L506_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L525_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L525_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L525_C23"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L528_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L530_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L531_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L534_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L534_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L534_C23"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L536_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L536_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L538_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L538_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L539_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L538_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L541_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L541_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L542_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L541_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L544_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L544_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L545_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L544_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L547_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L547_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L548_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L547_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L551_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L527_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L553_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L553_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L553_C23"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L555_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L555_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L556_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:ClassDef_L89_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L558_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L558_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L560_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:FunctionDef_L558_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L564_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L565_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L566_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L567_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L567_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L568_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L571_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L573_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L577_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L578_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L579_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L580_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L582_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L584_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L592_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L592_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L593_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L592_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L594_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L592_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L596_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L596_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L598_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L596_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L602_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L607_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L607_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L608_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L610_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L611_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L583_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L614_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L616_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L618_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L618_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L619_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L619_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L620_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L619_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_552:For_L621_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L621_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L623_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L623_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Assign_L624_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L621_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_552:If_L627_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L627_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L628_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L627_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L631_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L619_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L633_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:If_L619_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L636_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_552:For_L561_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_552:Expr_L638_C12"}]
from types import IntType, FloatType, LongType, StringTypes from copy import deepcopy from binascii import hexlify from Constants import * from Styles import * class UnhandledParamError( Exception ) : def __init__( self, param ) : Exception.__init__( self, "Don't know what to do with param %s" % param ) # red green blue StandardColours = Colours() StandardColours.append( Colour( 'Black', 0, 0, 0 ) ) StandardColours.append( Colour( 'Blue', 0, 0, 255 ) ) StandardColours.append( Colour( 'Turquoise', 0, 255, 255 ) ) StandardColours.append( Colour( 'Green', 0, 255, 0 ) ) StandardColours.append( Colour( 'Pink', 255, 0, 255 ) ) StandardColours.append( Colour( 'Red', 255, 0, 0 ) ) StandardColours.append( Colour( 'Yellow', 255, 255, 0 ) ) StandardColours.append( Colour( 'White', 255, 255, 255 ) ) StandardColours.append( Colour( 'Blue Dark', 0, 0, 128 ) ) StandardColours.append( Colour( 'Teal', 0, 128, 128 ) ) StandardColours.append( Colour( 'Green Dark', 0, 128, 0 ) ) StandardColours.append( Colour( 'Violet', 128, 0, 128 ) ) StandardColours.append( Colour( 'Red Dark', 128, 0, 0 ) ) StandardColours.append( Colour( 'Yellow Dark', 128, 128, 0 ) ) StandardColours.append( Colour( 'Grey Dark', 128, 128, 128 ) ) StandardColours.append( Colour( 'Grey', 192, 192, 192 ) ) StandardFonts = Fonts() StandardFonts.append( Font( 'Arial' , 'swiss' , 0, 2, '020b0604020202020204' ) ) StandardFonts.append( Font( 'Arial Black' , 'swiss' , 0, 2, '020b0a04020102020204' ) ) StandardFonts.append( Font( 'Arial Narrow' , 'swiss' , 0, 2, '020b0506020202030204' ) ) StandardFonts.append( Font( 'Bitstream Vera Sans Mono', 'modern', 0, 1, '020b0609030804020204' ) ) StandardFonts.append( Font( 'Bitstream Vera Sans' , 'swiss' , 0, 2, '020b0603030804020204' ) ) StandardFonts.append( Font( 'Bitstream Vera Serif' , 'roman' , 0, 2, '02060603050605020204' ) ) StandardFonts.append( Font( 'Book Antiqua' , 'roman' , 0, 2, '02040602050305030304' ) ) StandardFonts.append( Font( 'Bookman Old Style' , 'roman' , 0, 2, '02050604050505020204' ) ) StandardFonts.append( Font( 'Castellar' , 'roman' , 0, 2, '020a0402060406010301' ) ) StandardFonts.append( Font( 'Century Gothic' , 'swiss' , 0, 2, '020b0502020202020204' ) ) StandardFonts.append( Font( 'Comic Sans MS' , 'script', 0, 2, '030f0702030302020204' ) ) StandardFonts.append( Font( 'Courier New' , 'modern', 0, 1, '02070309020205020404' ) ) StandardFonts.append( Font( 'Franklin Gothic Medium' , 'swiss' , 0, 2, '020b0603020102020204' ) ) StandardFonts.append( Font( 'Garamond' , 'roman' , 0, 2, '02020404030301010803' ) ) StandardFonts.append( Font( 'Georgia' , 'roman' , 0, 2, '02040502050405020303' ) ) StandardFonts.append( Font( 'Haettenschweiler' , 'swiss' , 0, 2, '020b0706040902060204' ) ) StandardFonts.append( Font( 'Impact' , 'swiss' , 0, 2, '020b0806030902050204' ) ) StandardFonts.append( Font( 'Lucida Console' , 'modern', 0, 1, '020b0609040504020204' ) ) StandardFonts.append( Font( 'Lucida Sans Unicode' , 'swiss' , 0, 2, '020b0602030504020204' ) ) StandardFonts.append( Font( 'Microsoft Sans Serif' , 'swiss' , 0, 2, '020b0604020202020204' ) ) StandardFonts.append( Font( 'Monotype Corsiva' , 'script', 0, 2, '03010101010201010101' ) ) StandardFonts.append( Font( 'Palatino Linotype' , 'roman' , 0, 2, '02040502050505030304' ) ) StandardFonts.append( Font( 'Papyrus' , 'script', 0, 2, '03070502060502030205' ) ) StandardFonts.append( Font( 'Sylfaen' , 'roman' , 0, 2, '010a0502050306030303' ) ) StandardFonts.append( Font( 'Symbol' , 'roman' , 2, 2, '05050102010706020507' ) ) StandardFonts.append( Font( 'Tahoma' , 'swiss' , 0, 2, '020b0604030504040204' ) ) StandardFonts.append( Font( 'Times New Roman' , 'roman' , 0, 2, '02020603050405020304' ) ) StandardFonts.append( Font( 'Trebuchet MS' , 'swiss' , 0, 2, '020b0603020202020204' ) ) StandardFonts.append( Font( 'Verdana' , 'swiss' , 0, 2, '020b0604030504040204' ) ) StandardFonts.Castellar.SetAlternate( StandardFonts.Georgia ) """ Found the following definition at http://www.pbdr.com/vbtips/gen/convtwip.htm Twips are screen-independent units used to ensure that the placement and proportion of screen elements in your screen application are the same on all display systems. A twip is a unit of screen measurement equal to 1/20 of a printer's point. The conversion between twips and inches/centimeters/millimeters is as follows: There are approximately 1440 twips to a inch (the length of a screen item measuring one inch when printed). As there are 2.54 centimeters to 1 inch, then there are approximately 567 twips to a centimeter (the length of a screen item measuring one centimeter when printed). Or in millimeters, as there are 25.4 millimeters to 1 inch, therefore there are approximately 56.7 twips to a millimeter (the length of a screen item measuring one millimeter when printed).""" # Width default is 12240, Height default is 15840 StandardPaper = Papers() StandardPaper.append( Paper( 'LETTER' , 1, 'Letter 8 1/2 x 11 in' , 12240, 15840 ) ) StandardPaper.append( Paper( 'LETTERSMALL' , 2, 'Letter Small 8 1/2 x 11 in' , 12240, 15840 ) ) StandardPaper.append( Paper( 'TABLOID' , 3, 'Tabloid 11 x 17 in' , 15840, 24480 ) ) StandardPaper.append( Paper( 'LEDGER' , 4, 'Ledger 17 x 11 in' , 24480, 15840 ) ) StandardPaper.append( Paper( 'LEGAL' , 5, 'Legal 8 1/2 x 14 in' , 12240, 20160 ) ) StandardPaper.append( Paper( 'STATEMENT' , 6, 'Statement 5 1/2 x 8 1/2 in' , 7920, 12240 ) ) StandardPaper.append( Paper( 'EXECUTIVE' , 7, 'Executive 7 1/4 x 10 1/2 in' , 10440, 15120 ) ) StandardPaper.append( Paper( 'A3' , 8, 'A3 297 x 420 mm' , 16838, 23811 ) ) StandardPaper.append( Paper( 'A4' , 9, 'A4 210 x 297 mm' , 11907, 16838 ) ) StandardPaper.append( Paper( 'A4SMALL' , 10, 'A4 Small 210 x 297 mm' , 11907, 16838 ) ) StandardPaper.append( Paper( 'A5' , 11, 'A5 148 x 210 mm' , 8391, 11907 ) ) StandardPaper.append( Paper( 'B4' , 12, 'B4 (JIS) 250 x 354' , 14175, 20072 ) ) StandardPaper.append( Paper( 'B5' , 13, 'B5 (JIS) 182 x 257 mm' , 10319, 14572 ) ) StandardPaper.append( Paper( 'FOLIO' , 14, 'Folio 8 1/2 x 13 in' , 12240, 18720 ) ) StandardPaper.append( Paper( 'QUARTO' , 15, 'Quarto 215 x 275 mm' , 12191, 15593 ) ) StandardPaper.append( Paper( '10X14' , 16, '10x14 in' , 14400, 20160 ) ) StandardPaper.append( Paper( '11X17' , 17, '11x17 in' , 15840, 24480 ) ) StandardPaper.append( Paper( 'NOTE' , 18, 'Note 8 1/2 x 11 in' , 12240, 15840 ) ) StandardPaper.append( Paper( 'ENV_9' , 19, 'Envelope #9 3 7/8 x 8 7/8' , 5580, 12780 ) ) StandardPaper.append( Paper( 'ENV_10' , 20, 'Envelope #10 4 1/8 x 9 1/2' , 5940, 13680 ) ) StandardPaper.append( Paper( 'ENV_11' , 21, 'Envelope #11 4 1/2 x 10 3/8' , 6480, 14940 ) ) StandardPaper.append( Paper( 'ENV_12' , 22, 'Envelope #12 4 3/4 x 11' , 6840, 15840 ) ) StandardPaper.append( Paper( 'ENV_14' , 23, 'Envelope #14 5 x 11 1/2' , 7200, 16560 ) ) StandardPaper.append( Paper( 'CSHEET' , 24, 'C size sheet 18 x 24 in' , 29520, 34560 ) ) StandardPaper.append( Paper( 'DSHEET' , 25, 'D size sheet 22 x 34 in' , 31680, 48960 ) ) StandardPaper.append( Paper( 'ESHEET' , 26, 'E size sheet 34 x 44 in' , 48960, 63360 ) ) StandardPaper.append( Paper( 'ENV_DL' , 27, 'Envelope DL 110 x 220mm' , 6237, 12474 ) ) StandardPaper.append( Paper( 'ENV_C5' , 28, 'Envelope C5 162 x 229 mm' , 9185, 12984 ) ) StandardPaper.append( Paper( 'ENV_C3' , 29, 'Envelope C3 324 x 458 mm' , 18371, 25969 ) ) StandardPaper.append( Paper( 'ENV_C4' , 30, 'Envelope C4 229 x 324 mm' , 12984, 18371 ) ) StandardPaper.append( Paper( 'ENV_C6' , 31, 'Envelope C6 114 x 162 mm' , 6464, 9185 ) ) StandardPaper.append( Paper( 'ENV_C65' , 32, 'Envelope C65 114 x 229 mm' , 6464, 12984 ) ) StandardPaper.append( Paper( 'ENV_B4' , 33, 'Envelope B4 250 x 353 mm' , 14175, 20015 ) ) StandardPaper.append( Paper( 'ENV_B5' , 34, 'Envelope B5 176 x 250 mm' , 9979, 14175 ) ) StandardPaper.append( Paper( 'ENV_B6' , 35, 'Envelope B6 176 x 125 mm' , 9979, 7088 ) ) StandardPaper.append( Paper( 'ENV_ITALY' , 36, 'Envelope 110 x 230 mm' , 6237, 13041 ) ) StandardPaper.append( Paper( 'ENV_MONARCH' , 37, 'Envelope Monarch 3.875 x 7.5 in' , 5580, 10800 ) ) StandardPaper.append( Paper( 'ENV_PERSONAL' , 38, '6 3/4 Envelope 3 5/8 x 6 1/2 in' , 5220, 9360 ) ) StandardPaper.append( Paper( 'FANFOLD_US' , 39, 'US Std Fanfold 14 7/8 x 11 in' , 21420, 15840 ) ) StandardPaper.append( Paper( 'FANFOLD_STD_GERMAN' , 40, 'German Std Fanfold 8 1/2 x 12 in' , 12240, 17280 ) ) StandardPaper.append( Paper( 'FANFOLD_LGL_GERMAN' , 41, 'German Legal Fanfold 8 1/2 x 13 in' , 12240, 18720 ) ) # # Finally a StyleSheet in which all of this stuff is put together # class StyleSheet : def __init__( self, colours=None, fonts=None ) : self.Colours = colours or deepcopy( StandardColours ) self.Fonts = fonts or deepcopy( StandardFonts ) self.TextStyles = AttributedList() self.ParagraphStyles = AttributedList() class Section( list ) : NONE = 1 COLUMN = 2 PAGE = 3 EVEN = 4 ODD = 5 BREAK_TYPES = [ NONE, COLUMN, PAGE, EVEN, ODD ] def __init__( self, paper=None, margins=None, break_type=None, headery=None, footery=None, landscape=None, first_page_number=None ) : super( Section, self ).__init__() self.Paper = paper or StandardPaper.A4 self.SetMargins( margins ) self.Header = [] self.Footer = [] self.FirstHeader = [] self.FirstFooter = [] self.SetBreakType( break_type or self.NONE ) self.SetHeaderY( headery ) self.SetFooterY( footery ) self.SetLandscape( landscape ) self.SetFirstPageNumber( first_page_number ) def TwipsToRightMargin( self ) : return self.Paper.Width - ( self.Margins.Left + self.Margins.Right ) def SetMargins( self, value ) : self.Margins = value or MarginsPropertySet( top=1000, left=1200, bottom=1000, right=1200 ) self.Width = self.Paper.Width - ( self.Margins.Left + self.Margins.Right ) def SetBreakType( self, value ) : assert value in self.BREAK_TYPES self.BreakType = value return self def SetHeaderY( self, value ) : self.HeaderY = value return self def SetFooterY( self, value ) : self.FooterY = value return self def SetLandscape( self, value ) : self.Landscape = False if value : self.Landscape = True return self def SetFirstPageNumber( self, value ) : self.FirstPageNumber = value return self def MakeDefaultStyleSheet( ) : result = StyleSheet() NormalText = TextStyle( TextPropertySet( result.Fonts.Arial, 22 ) ) ps = ParagraphStyle( 'Normal', NormalText.Copy(), ParagraphPropertySet( space_before = 60, space_after = 60 ) ) result.ParagraphStyles.append( ps ) ps = ParagraphStyle( 'Normal Short', NormalText.Copy() ) result.ParagraphStyles.append( ps ) NormalText.TextPropertySet.SetSize( 32 ) ps = ParagraphStyle( 'Heading 1', NormalText.Copy(), ParagraphPropertySet( space_before = 240, space_after = 60 ) ) result.ParagraphStyles.append( ps ) NormalText.TextPropertySet.SetSize( 24 ).SetBold( True ) ps = ParagraphStyle( 'Heading 2', NormalText.Copy(), ParagraphPropertySet( space_before = 240, space_after = 60 ) ) result.ParagraphStyles.append( ps ) # Add some more in that are based on the normal template but that # have some indenting set that makes them suitable for doing numbered normal_numbered = result.ParagraphStyles.Normal.Copy() normal_numbered.SetName( 'Normal Numbered' ) normal_numbered.ParagraphPropertySet.SetFirstLineIndent( TabPropertySet.DEFAULT_WIDTH * -1 ) normal_numbered.ParagraphPropertySet.SetLeftIndent ( TabPropertySet.DEFAULT_WIDTH ) result.ParagraphStyles.append( normal_numbered ) normal_numbered2 = result.ParagraphStyles.Normal.Copy() normal_numbered2.SetName( 'Normal Numbered 2' ) normal_numbered2.ParagraphPropertySet.SetFirstLineIndent( TabPropertySet.DEFAULT_WIDTH * -1 ) normal_numbered2.ParagraphPropertySet.SetLeftIndent ( TabPropertySet.DEFAULT_WIDTH * 2 ) result.ParagraphStyles.append( normal_numbered2 ) ## LIST STYLES for idx, indent in [ (1, TabPS.DEFAULT_WIDTH ), (2, TabPS.DEFAULT_WIDTH * 2), (3, TabPS.DEFAULT_WIDTH * 3) ] : indent = TabPropertySet.DEFAULT_WIDTH ps = ParagraphStyle( 'List %s' % idx, TextStyle( TextPropertySet( result.Fonts.Arial, 22 ) ), ParagraphPropertySet( space_before = 60, space_after = 60, first_line_indent = -indent, left_indent = indent) ) result.ParagraphStyles.append( ps ) return result class TAB : pass class LINE : pass class RawCode : def __init__( self, data ) : self.Data = data PAGE_NUMBER = RawCode( r'{\field{\fldinst page}}' ) TOTAL_PAGES = RawCode( r'{\field{\fldinst numpages}}' ) SECTION_PAGES = RawCode( r'{\field{\fldinst sectionpages}}' ) ARIAL_BULLET = RawCode( r'{\f2\'95}' ) def _get_jpg_dimensions( fin ): """ converted from: http://dev.w3.org/cvsweb/Amaya/libjpeg/rdjpgcom.c?rev=1.2 """ M_SOF0 = chr( 0xC0 ) # /* Start Of Frame N */ M_SOF1 = chr( 0xC1 ) # /* N indicates which compression process */ M_SOF2 = chr( 0xC2 ) # /* Only SOF0-SOF2 are now in common use */ M_SOF3 = chr( 0xC3 ) # M_SOF5 = chr( 0xC5 ) # /* NB: codes C4 and CC are NOT SOF markers */ M_SOF6 = chr( 0xC6 ) # M_SOF7 = chr( 0xC7 ) # M_SOF9 = chr( 0xC9 ) # M_SOF10 = chr( 0xCA ) # M_SOF11 = chr( 0xCB ) # M_SOF13 = chr( 0xCD ) # M_SOF14 = chr( 0xCE ) # M_SOF15 = chr( 0xCF ) # M_SOI = chr( 0xD8 ) # /* Start Of Image (beginning of datastream) */ M_EOI = chr( 0xD9 ) # /* End Of Image (end of datastream) */ M_FF = chr( 0xFF ) MARKERS = [ M_SOF0, M_SOF1, M_SOF2, M_SOF3, M_SOF5, M_SOF6, M_SOF7, M_SOF9, M_SOF10,M_SOF11, M_SOF13, M_SOF14, M_SOF15 ] def get_length() : b1 = fin.read( 1 ) b2 = fin.read( 1 ) return (ord(b1) << 8) + ord(b2) def next_marker() : # markers come straight after an 0xFF so skip everything # up to the first 0xFF that we find while fin.read(1) != M_FF : pass # there can be more than one 0xFF as they can be used # for padding so we are now looking for the first byte # that isn't an 0xFF, this will be the marker while True : result = fin.read(1) if result != M_FF : return result raise Exception( 'Invalid JPEG' ) # BODY OF THE FUNCTION if not ((fin.read(1) == M_FF) and (fin.read(1) == M_SOI)) : raise Exception( 'Invalid Jpeg' ) while True : marker = next_marker() # the marker is always followed by two bytes representing the length of the data field length = get_length () if length < 2 : raise Exception( "Erroneous JPEG marker length" ) # if it is a compression process marker then it will contain the dimension of the image if marker in MARKERS : # the next byte is the data precision, just skip it fin.read(1) # bingo image_height = get_length() image_width = get_length() return image_width, image_height # just skip whatever data it contains fin.read( length - 2 ) raise Exception( 'Invalid JPEG, end of stream reached' ) _PNG_HEADER = '\x89\x50\x4e' def _get_png_dimensions( data ) : if data[0:3] != _PNG_HEADER : raise Exception( 'Invalid PNG image' ) width = (ord(data[18]) * 256) + (ord(data[19])) height = (ord(data[22]) * 256) + (ord(data[23])) return width, height def _get_emf_dimensions( fin ): import struct def get_DWORD(): return struct.unpack("<L",fin.read(4))[0] def get_LONG(): return struct.unpack("<l",fin.read(4))[0] def get_WORD(): return struct.unpack("<H",fin.read(2))[0] class Empty: pass header = Empty() header.RecordType = get_DWORD() # Record type header.RecordSize = get_DWORD() # Size of the record in bytes header.BoundsLeft = get_LONG() # Left inclusive bounds header.BoundsTop = get_LONG() # Top inclusive bounds header.BoundsRight = get_LONG() # Right inclusive bounds header.BoundsBottom = get_LONG() # Bottom inclusive bounds header.FrameLeft = get_LONG() # Left side of inclusive picture frame header.FrameTop = get_LONG() # Top side of inclusive picture frame header.FrameRight = get_LONG() # Right side of inclusive picture frame header.FrameBottom = get_LONG() # Bottom side of inclusive picture frame header.Signature = get_DWORD() # Signature ID (always 0x464D4520) header.Version = get_DWORD() # Version of the metafile header.Size = get_DWORD() # Size of the metafile in bytes header.NumOfRecords = get_DWORD() # Number of records in the metafile header.NumOfHandles = get_WORD() # Number of handles in the handle table header.Reserved = get_WORD() # Not used (always 0) header.SizeOfDescrip = get_DWORD() # Size of description string in WORDs header.OffsOfDescrip = get_DWORD() # Offset of description string in metafile header.NumPalEntries = get_DWORD() # Number of color palette entries header.WidthDevPixels = get_LONG() # Width of reference device in pixels header.HeightDevPixels = get_LONG() # Height of reference device in pixels header.WidthDevMM = get_LONG() # Width of reference device in millimeters header.HeightDevMM = get_LONG() # Height of reference device in millimeters if 0: klist = header.__dict__.keys() klist.sort() for k in klist: print "%20s:%s" % (k,header.__dict__[k]) dw = header.FrameRight-header.FrameLeft dh = header.FrameBottom-header.FrameTop # convert from 0.01mm units to 1/72in units return int(dw * 72.0/2540.0), int(dh * 72.0/2540.0) class Image( RawCode ) : # Need to add in the width and height in twips as it crashes # word xp with these values. Still working out the most # efficient way of getting these values. # \picscalex100\picscaley100\piccropl0\piccropr0\piccropt0\piccropb0 # picwgoal900\pichgoal281 PNG_LIB = 'pngblip' JPG_LIB = 'jpegblip' EMF_LIB = 'emfblip' PICT_TYPES = { 'png' : PNG_LIB, 'jpg' : JPG_LIB, 'emf' : EMF_LIB} def __init__( self, infile, **kwargs ) : if hasattr( infile, 'read' ): fin = infile if 'datatype' not in kwargs.keys(): msg = "If passing in a file object, you must also specify type='xxx' where xxx is one of %s" % self.PICT_TYPES.keys() raise ValueError,msg file_name = kwargs.pop('datatype') else: fin = file( infile, 'rb' ) file_name = infile pict_type = self.PICT_TYPES[ file_name[ -3 : ].lower() ] if pict_type == self.PNG_LIB : width, height = _get_png_dimensions( fin.read( 100 ) ) elif pict_type == self.JPG_LIB : width, height = _get_jpg_dimensions( fin ) elif pict_type == self.EMF_LIB : width, height = _get_emf_dimensions( fin ) # if user specified height or width but not both, then # scale unspecified dimension to maintain aspect ratio if ('width' in kwargs) and ('height' not in kwargs): height = int(height * float(kwargs['width'])/width) elif ('height' in kwargs) and ('width' not in kwargs): width = int(width * float(kwargs['height'])/height) width = kwargs.pop('width',width) height = kwargs.pop('height', height) codes = [ pict_type, 'picwgoal%s' % (width * 20), 'pichgoal%s' % (height * 20) ] # let user specify global scaling scale = kwargs.pop('scale',100) for kwarg, code, default in [ ( 'scale_x', 'scalex', scale ), ( 'scale_y', 'scaley', scale ), ( 'crop_left', 'cropl', '0' ), ( 'crop_right', 'cropr', '0' ), ( 'crop_top', 'cropt', '0' ), ( 'crop_bottom', 'cropb', '0' ) ] : codes.append( 'pic%s%s' % ( code, kwargs.pop( kwarg, default ) ) ) # reset back to the start of the file to get all of it and now # turn it into hex. fin.seek( 0, 0 ) image = hexlify( fin.read() ) fin.close() data = [] for i in range( 0, len( image ), 128 ) : data.append( image[ i : i + 128 ] ) data = r'{\pict{\%s}%s}' % ( '\\'.join( codes ), '\n'.join( data ) ) RawCode.__init__( self, data ) def ToRawCode( self, var_name ) : return '%s = RawCode( """%s""" )' % ( var_name, self.Data ) class Text : def __init__( self, *params ) : self.Data = None self.Style = None self.Properties = None self.Shading = None for param in params : if isinstance( param, TextStyle ) : self.Style = param elif isinstance( param, TextPS ) : self.Properties = param elif isinstance( param, ShadingPS ) : self.Shading = param else : # otherwise let the rendering custom handler sort it out itself self.Data = param def SetData( self, value ) : self.Data = value class Inline( list ) : def __init__( self, *params ) : super( Inline, self ).__init__() self.Style = None self.Properties = None self.Shading = None self._append = super( Inline, self ).append for param in params : if isinstance( param, TextStyle ) : self.Style = param elif isinstance( param, TextPS ) : self.Properties = param elif isinstance( param, ShadingPS ) : self.Shading = param else : # otherwise we add to it to our list of elements and let # the rendering custom handler sort it out itself. self.append( param ) def append( self, *params ) : # filter out any that are explicitly None [ self._append( param ) for param in params if param is not None ] class Paragraph( list ) : def __init__( self, *params ) : super( Paragraph, self ).__init__() self.Style = None self.Properties = None self.Frame = None self.Shading = None self._append = super( Paragraph, self ).append for param in params : if isinstance( param, ParagraphStyle ) : self.Style = param elif isinstance( param, ParagraphPS ) : self.Properties = param elif isinstance( param, FramePS ) : self.Frame = param elif isinstance( param, ShadingPS ) : self.Shading = param else : # otherwise we add to it to our list of elements and let # the rendering custom handler sort it out itself. self.append( param ) def append( self, *params ) : # filter out any that are explicitly None [ self._append( param ) for param in params if param is not None ] def insert( self, index, value ) : if value is not None : super( Paragraph, self ).insert( index, value ) class Table : LEFT = 1 RIGHT = 2 CENTER = 3 ALIGNMENT = [ LEFT, RIGHT, CENTER ] NO_WRAPPING = 1 WRAP_AROUND = 2 WRAPPING = [ NO_WRAPPING, WRAP_AROUND ] # trrh height of row, 0 means automatically adjust, use negative for an absolute # trgaph is half of the space between a table cell in width, reduce this one # to get a really tiny column def __init__( self, *column_widths, **kwargs ) : self.Rows = [] self.SetAlignment ( kwargs.pop( 'alignment', self.LEFT ) ) self.SetLeftOffset ( kwargs.pop( 'left_offset', None ) ) self.SetGapBetweenCells( kwargs.pop( 'gap_between_cells', None ) ) self.SetColumnWidths ( *column_widths ) assert not kwargs, 'invalid keyword args %s' % kwargs def SetAlignment( self, value ) : assert value is None or value in self.ALIGNMENT self.Alignment = value or self.LEFT return self def SetLeftOffset( self, value ) : self.LeftOffset = value return self def SetGapBetweenCells( self, value ) : self.GapBetweenCells = value return self def SetColumnWidths( self, *column_widths ) : self.ColumnWidths = column_widths self.ColumnCount = len( column_widths ) return self def AddRow( self, *cells ) : height = None if isinstance( cells[ 0 ], (IntType, FloatType, LongType) ): height = int( cells[ 0 ] ) cells = cells[ 1 : ] # make sure all of the spans add up to the number of columns # otherwise the table will get corrupted if self.ColumnCount != sum( [ cell.Span for cell in cells ] ) : raise Exception( 'ColumnCount != the total of this row\'s cell.Spans.' ) self.Rows.append( ( height, cells ) ) append = AddRow class Cell( list ) : """ \clvertalt Text is top-aligned in cell (the default). \clvertalc Text is centered vertically in cell. \clvertalb Text is bottom-aligned in cell. \cltxlrtb Vertical text aligned left (direction bottom up). \cltxtbrl Vertical text aligned right (direction top down). """ ALIGN_TOP = 1 ALIGN_CENTER = 2 ALIGN_BOTTOM = 3 FLOW_LR_TB = 1 FLOW_RL_TB = 2 FLOW_LR_BT = 3 FLOW_VERTICAL_LR_TB = 4 FLOW_VERTICAL_TB_RL = 5 def __init__( self, *params, **kwargs ) : super( Cell, self ).__init__() self.SetFrame ( None ) self.SetMargins( None ) self.SetAlignment( kwargs.get( 'alignment', self.ALIGN_TOP ) ) self.SetFlow ( kwargs.get( 'flow' , self.FLOW_LR_TB ) ) self.SetSpan ( kwargs.get( 'span', 1 ) ) self.SetStartVerticalMerge( kwargs.get( 'start_vertical_merge', False ) ) self.SetVerticalMerge ( kwargs.get( 'vertical_merge', False ) ) self._append = super( Cell, self ).append for param in params : if isinstance( param, StringType ) : self.append ( param ) elif isinstance( param, Paragraph ) : self.append ( param ) elif isinstance( param, FramePS ) : self.SetFrame ( param ) elif isinstance( param, MarginsPS ) : self.SetMargins( param ) def SetFrame( self, value ) : self.Frame = value return self def SetMargins( self, value ) : self.Margins = value return self def SetAlignment( self, value ) : assert value in [ self.ALIGN_TOP, self.ALIGN_CENTER, self.ALIGN_BOTTOM ] #, self.ALIGN_TEXT_TOP_DOWN, self.ALIGN_TEXT_BOTTOM_UP ] self.Alignment = value def SetFlow( self, value ) : assert value in [ self.FLOW_LR_TB, self.FLOW_RL_TB, self.FLOW_LR_BT, self.FLOW_VERTICAL_LR_TB, self.FLOW_VERTICAL_TB_RL ] self.Flow = value def SetSpan( self, value ) : # must be a positive integer self.Span = int( max( value, 1 ) ) return self def SetStartVerticalMerge( self, value ) : self.StartVerticalMerge = False if value : self.StartVerticalMerge = True return self def SetVerticalMerge( self, value ) : self.VerticalMerge = False if value : self.VerticalMerge = True return self def append( self, *params ) : [ self._append( param ) for param in params ] class Document : def __init__( self, style_sheet=None, default_language=None, view_kind=None, view_zoom_kind=None, view_scale=None ) : self.StyleSheet = style_sheet or MakeDefaultStyleSheet() self.Sections = AttributedList( Section ) self.SetTitle( None ) self.DefaultLanguage = default_language or Languages.DEFAULT self.ViewKind = view_kind or ViewKind.DEFAULT self.ViewZoomKind = view_zoom_kind self.ViewScale = view_scale def NewSection( self, *params, **kwargs ) : result = Section( *params, **kwargs ) self.Sections.append( result ) return result def SetTitle( self, value ) : self.Title = value return self def Copy( self ) : result = Document( style_sheet = self.StyleSheet.Copy(), default_language = self.DefaultLanguage, view_kind = self.ViewKind, view_zoom_kind = self.ViewZoomKind, view_scale = self.ViewScale ) result.SetTitle( self.Title ) result.Sections = self.Sections.Copy() return result def TEXT( *params, **kwargs ) : text_props = TextPropertySet() text_props.SetFont ( kwargs.get( 'font', None ) ) text_props.SetSize ( kwargs.get( 'size', None ) ) text_props.SetBold ( kwargs.get( 'bold', False ) ) text_props.SetItalic ( kwargs.get( 'italic', False ) ) text_props.SetUnderline( kwargs.get( 'underline', False ) ) text_props.SetColour ( kwargs.get( 'colour', None ) ) if len( params ) == 1 : return Text( params[ 0 ], text_props ) result = Inline( text_props ) apply( result.append, params ) return result def B( *params ) : text_props = TextPropertySet( bold=True ) if len( params ) == 1 : return Text( params[ 0 ], text_props ) result = Inline( text_props ) apply( result.append, params ) return result def I( *params ) : text_props = TextPropertySet( italic=True ) if len( params ) == 1 : return Text( params[ 0 ], text_props ) result = Inline( text_props ) apply( result.append, params ) return result def U( *params ) : text_props = TextPropertySet( underline=True ) if len( params ) == 1 : return Text( params[ 0 ], text_props ) result = Inline( text_props ) apply( result.append, params ) return result
ajibawa-2023/Python-Code-Large/train/row_553
511
756
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_553:ImportFrom_L1_C0", "label": "from types import IntType, FloatType, LongType\u2026", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.0013, 0.0013, 0, 0.66, 0.0, 209, 0, 4, 0, 0, 209, 0, 0], "semantic": {"name": "types", "arg_names": [], "import_names": ["IntType", "FloatType", "LongType", "StringTypes"], "rhs_call_name": "", "annotation": ""}, "snippet": "from types import IntType, FloatType, LongType, StringTypes"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ImportFrom_L2_C0", "label": "from copy import deepcopy", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.0026, 0.0013, 0, 0.66, 0.0083, 739, 0, 1, 0, 0, 739, 0, 0], "semantic": {"name": "copy", "arg_names": [], "import_names": ["deepcopy"], "rhs_call_name": "", "annotation": ""}, "snippet": "from copy import deepcopy"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ImportFrom_L3_C0", "label": "from binascii import hexlify", "type": "import", "loc": [3, 3], "level": 0, "parent": null, "vector": [1, 0, 0.004, 0.0013, 0, 0.66, 0.0165, 984, 0, 1, 0, 0, 984, 0, 0], "semantic": {"name": "binascii", "arg_names": [], "import_names": ["hexlify"], "rhs_call_name": "", "annotation": ""}, "snippet": "from binascii import hexlify"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ImportFrom_L5_C0", "label": "from Constants import *", "type": "import", "loc": [5, 5], "level": 0, "parent": null, "vector": [1, 0, 0.0066, 0.0013, 0, 0.66, 0.0248, 507, 0, 1, 0, 0, 507, 0, 0], "semantic": {"name": "Constants", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from Constants import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ImportFrom_L6_C0", "label": "from Styles import *", "type": "import", "loc": [6, 6], "level": 0, "parent": null, "vector": [1, 0, 0.0079, 0.0013, 0, 0.66, 0.0331, 175, 0, 1, 0, 0, 175, 0, 0], "semantic": {"name": "Styles", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from Styles import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L8_C0", "label": "UnhandledParamError", "type": "class", "loc": [8, 10], "level": 0, "parent": null, "vector": [3, 0, 0.0119, 0.004, 0, 0.66, 0.0413, 895, 0, 1, 0, 0, 645, 0, 1], "semantic": {"name": "UnhandledParamError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class UnhandledParamError( Exception ) :\n def __init__( self, param ) :\n Exception.__init__( self, \"Don't know what to do with param %s\" % param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L9_C4", "label": "__init__", "type": "function", "loc": [9, 10], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L8_C0", "vector": [2, 1, 0.0126, 0.0026, 1, 0.77, 0.0, 555, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "param"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, param ) :\n Exception.__init__( self, \"Don't know what to do with param %s\" % param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L10_C8", "label": "__init__()", "type": "expression", "loc": [10, 10], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L9_C4", "vector": [8, 2, 0.0132, 0.0013, 2, 0.79, 0.0, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " Exception.__init__( self, \"Don't know what to do with param %s\" % param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L13_C0", "label": "StandardColours = Colours()", "type": "assigned_variable", "loc": [13, 13], "level": 0, "parent": null, "vector": [14, 0, 0.0172, 0.0013, 0, 0.66, 0.0496, 444, 3, 0, 0, 0, 524, 10, 1], "semantic": {"name": "StandardColours", "arg_names": [], "import_names": [], "rhs_call_name": "Colours", "annotation": ""}, "snippet": "StandardColours = Colours()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L14_C0", "label": "append()", "type": "expression", "loc": [14, 14], "level": 0, "parent": null, "vector": [8, 0, 0.0185, 0.0013, 0, 0.66, 0.0579, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Black', 0, 0, 0 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L15_C0", "label": "append()", "type": "expression", "loc": [15, 15], "level": 0, "parent": null, "vector": [8, 0, 0.0198, 0.0013, 0, 0.66, 0.0661, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Blue', 0, 0, 255 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L16_C0", "label": "append()", "type": "expression", "loc": [16, 16], "level": 0, "parent": null, "vector": [8, 0, 0.0212, 0.0013, 0, 0.66, 0.0744, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Turquoise', 0, 255, 255 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L17_C0", "label": "append()", "type": "expression", "loc": [17, 17], "level": 0, "parent": null, "vector": [8, 0, 0.0225, 0.0013, 0, 0.66, 0.0826, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Green', 0, 255, 0 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L18_C0", "label": "append()", "type": "expression", "loc": [18, 18], "level": 0, "parent": null, "vector": [8, 0, 0.0238, 0.0013, 0, 0.66, 0.0909, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Pink', 255, 0, 255 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L19_C0", "label": "append()", "type": "expression", "loc": [19, 19], "level": 0, "parent": null, "vector": [8, 0, 0.0251, 0.0013, 0, 0.66, 0.0992, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Red', 255, 0, 0 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L20_C0", "label": "append()", "type": "expression", "loc": [20, 20], "level": 0, "parent": null, "vector": [8, 0, 0.0265, 0.0013, 0, 0.66, 0.1074, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Yellow', 255, 255, 0 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L21_C0", "label": "append()", "type": "expression", "loc": [21, 21], "level": 0, "parent": null, "vector": [8, 0, 0.0278, 0.0013, 0, 0.66, 0.1157, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'White', 255, 255, 255 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L22_C0", "label": "append()", "type": "expression", "loc": [22, 22], "level": 0, "parent": null, "vector": [8, 0, 0.0291, 0.0013, 0, 0.66, 0.124, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Blue Dark', 0, 0, 128 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L23_C0", "label": "append()", "type": "expression", "loc": [23, 23], "level": 0, "parent": null, "vector": [8, 0, 0.0304, 0.0013, 0, 0.66, 0.1322, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Teal', 0, 128, 128 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L24_C0", "label": "append()", "type": "expression", "loc": [24, 24], "level": 0, "parent": null, "vector": [8, 0, 0.0317, 0.0013, 0, 0.66, 0.1405, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Green Dark', 0, 128, 0 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L25_C0", "label": "append()", "type": "expression", "loc": [25, 25], "level": 0, "parent": null, "vector": [8, 0, 0.0331, 0.0013, 0, 0.66, 0.1488, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Violet', 128, 0, 128 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L26_C0", "label": "append()", "type": "expression", "loc": [26, 26], "level": 0, "parent": null, "vector": [8, 0, 0.0344, 0.0013, 0, 0.66, 0.157, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Red Dark', 128, 0, 0 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L27_C0", "label": "append()", "type": "expression", "loc": [27, 27], "level": 0, "parent": null, "vector": [8, 0, 0.0357, 0.0013, 0, 0.66, 0.1653, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Yellow Dark', 128, 128, 0 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L28_C0", "label": "append()", "type": "expression", "loc": [28, 28], "level": 0, "parent": null, "vector": [8, 0, 0.037, 0.0013, 0, 0.66, 0.1736, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Grey Dark', 128, 128, 128 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L29_C0", "label": "append()", "type": "expression", "loc": [29, 29], "level": 0, "parent": null, "vector": [8, 0, 0.0384, 0.0013, 0, 0.66, 0.1818, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardColours.append( Colour( 'Grey', 192, 192, 192 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L31_C0", "label": "StandardFonts = Fonts()", "type": "assigned_variable", "loc": [31, 31], "level": 0, "parent": null, "vector": [14, 0, 0.041, 0.0013, 0, 0.66, 0.1901, 778, 3, 0, 0, 0, 442, 10, 1], "semantic": {"name": "StandardFonts", "arg_names": [], "import_names": [], "rhs_call_name": "Fonts", "annotation": ""}, "snippet": "StandardFonts = Fonts()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L32_C0", "label": "append()", "type": "expression", "loc": [32, 32], "level": 0, "parent": null, "vector": [8, 0, 0.0423, 0.0013, 0, 0.66, 0.1983, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Arial' , 'swiss' , 0, 2, '020b0604020202020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L33_C0", "label": "append()", "type": "expression", "loc": [33, 33], "level": 0, "parent": null, "vector": [8, 0, 0.0437, 0.0013, 0, 0.66, 0.2066, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Arial Black' , 'swiss' , 0, 2, '020b0a04020102020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L34_C0", "label": "append()", "type": "expression", "loc": [34, 34], "level": 0, "parent": null, "vector": [8, 0, 0.045, 0.0013, 0, 0.66, 0.2149, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Arial Narrow' , 'swiss' , 0, 2, '020b0506020202030204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L35_C0", "label": "append()", "type": "expression", "loc": [35, 35], "level": 0, "parent": null, "vector": [8, 0, 0.0463, 0.0013, 0, 0.66, 0.2231, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Bitstream Vera Sans Mono', 'modern', 0, 1, '020b0609030804020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L36_C0", "label": "append()", "type": "expression", "loc": [36, 36], "level": 0, "parent": null, "vector": [8, 0, 0.0476, 0.0013, 0, 0.66, 0.2314, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Bitstream Vera Sans' , 'swiss' , 0, 2, '020b0603030804020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L37_C0", "label": "append()", "type": "expression", "loc": [37, 37], "level": 0, "parent": null, "vector": [8, 0, 0.0489, 0.0013, 0, 0.66, 0.2397, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Bitstream Vera Serif' , 'roman' , 0, 2, '02060603050605020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L38_C0", "label": "append()", "type": "expression", "loc": [38, 38], "level": 0, "parent": null, "vector": [8, 0, 0.0503, 0.0013, 0, 0.66, 0.2479, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Book Antiqua' , 'roman' , 0, 2, '02040602050305030304' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L39_C0", "label": "append()", "type": "expression", "loc": [39, 39], "level": 0, "parent": null, "vector": [8, 0, 0.0516, 0.0013, 0, 0.66, 0.2562, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Bookman Old Style' , 'roman' , 0, 2, '02050604050505020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L40_C0", "label": "append()", "type": "expression", "loc": [40, 40], "level": 0, "parent": null, "vector": [8, 0, 0.0529, 0.0013, 0, 0.66, 0.2645, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Castellar' , 'roman' , 0, 2, '020a0402060406010301' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L41_C0", "label": "append()", "type": "expression", "loc": [41, 41], "level": 0, "parent": null, "vector": [8, 0, 0.0542, 0.0013, 0, 0.66, 0.2727, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Century Gothic' , 'swiss' , 0, 2, '020b0502020202020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L42_C0", "label": "append()", "type": "expression", "loc": [42, 42], "level": 0, "parent": null, "vector": [8, 0, 0.0556, 0.0013, 0, 0.66, 0.281, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Comic Sans MS' , 'script', 0, 2, '030f0702030302020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L43_C0", "label": "append()", "type": "expression", "loc": [43, 43], "level": 0, "parent": null, "vector": [8, 0, 0.0569, 0.0013, 0, 0.66, 0.2893, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Courier New' , 'modern', 0, 1, '02070309020205020404' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L44_C0", "label": "append()", "type": "expression", "loc": [44, 44], "level": 0, "parent": null, "vector": [8, 0, 0.0582, 0.0013, 0, 0.66, 0.2975, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Franklin Gothic Medium' , 'swiss' , 0, 2, '020b0603020102020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L45_C0", "label": "append()", "type": "expression", "loc": [45, 45], "level": 0, "parent": null, "vector": [8, 0, 0.0595, 0.0013, 0, 0.66, 0.3058, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Garamond' , 'roman' , 0, 2, '02020404030301010803' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L46_C0", "label": "append()", "type": "expression", "loc": [46, 46], "level": 0, "parent": null, "vector": [8, 0, 0.0608, 0.0013, 0, 0.66, 0.314, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Georgia' , 'roman' , 0, 2, '02040502050405020303' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L47_C0", "label": "append()", "type": "expression", "loc": [47, 47], "level": 0, "parent": null, "vector": [8, 0, 0.0622, 0.0013, 0, 0.66, 0.3223, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Haettenschweiler' , 'swiss' , 0, 2, '020b0706040902060204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L48_C0", "label": "append()", "type": "expression", "loc": [48, 48], "level": 0, "parent": null, "vector": [8, 0, 0.0635, 0.0013, 0, 0.66, 0.3306, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Impact' , 'swiss' , 0, 2, '020b0806030902050204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L49_C0", "label": "append()", "type": "expression", "loc": [49, 49], "level": 0, "parent": null, "vector": [8, 0, 0.0648, 0.0013, 0, 0.66, 0.3388, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Lucida Console' , 'modern', 0, 1, '020b0609040504020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L50_C0", "label": "append()", "type": "expression", "loc": [50, 50], "level": 0, "parent": null, "vector": [8, 0, 0.0661, 0.0013, 0, 0.66, 0.3471, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Lucida Sans Unicode' , 'swiss' , 0, 2, '020b0602030504020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L51_C0", "label": "append()", "type": "expression", "loc": [51, 51], "level": 0, "parent": null, "vector": [8, 0, 0.0675, 0.0013, 0, 0.66, 0.3554, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Microsoft Sans Serif' , 'swiss' , 0, 2, '020b0604020202020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L52_C0", "label": "append()", "type": "expression", "loc": [52, 52], "level": 0, "parent": null, "vector": [8, 0, 0.0688, 0.0013, 0, 0.66, 0.3636, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Monotype Corsiva' , 'script', 0, 2, '03010101010201010101' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L53_C0", "label": "append()", "type": "expression", "loc": [53, 53], "level": 0, "parent": null, "vector": [8, 0, 0.0701, 0.0013, 0, 0.66, 0.3719, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Palatino Linotype' , 'roman' , 0, 2, '02040502050505030304' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L54_C0", "label": "append()", "type": "expression", "loc": [54, 54], "level": 0, "parent": null, "vector": [8, 0, 0.0714, 0.0013, 0, 0.66, 0.3802, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Papyrus' , 'script', 0, 2, '03070502060502030205' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L55_C0", "label": "append()", "type": "expression", "loc": [55, 55], "level": 0, "parent": null, "vector": [8, 0, 0.0728, 0.0013, 0, 0.66, 0.3884, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Sylfaen' , 'roman' , 0, 2, '010a0502050306030303' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L56_C0", "label": "append()", "type": "expression", "loc": [56, 56], "level": 0, "parent": null, "vector": [8, 0, 0.0741, 0.0013, 0, 0.66, 0.3967, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Symbol' , 'roman' , 2, 2, '05050102010706020507' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L57_C0", "label": "append()", "type": "expression", "loc": [57, 57], "level": 0, "parent": null, "vector": [8, 0, 0.0754, 0.0013, 0, 0.66, 0.405, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Tahoma' , 'swiss' , 0, 2, '020b0604030504040204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L58_C0", "label": "append()", "type": "expression", "loc": [58, 58], "level": 0, "parent": null, "vector": [8, 0, 0.0767, 0.0013, 0, 0.66, 0.4132, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Times New Roman' , 'roman' , 0, 2, '02020603050405020304' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L59_C0", "label": "append()", "type": "expression", "loc": [59, 59], "level": 0, "parent": null, "vector": [8, 0, 0.078, 0.0013, 0, 0.66, 0.4215, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Trebuchet MS' , 'swiss' , 0, 2, '020b0603020202020204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L60_C0", "label": "append()", "type": "expression", "loc": [60, 60], "level": 0, "parent": null, "vector": [8, 0, 0.0794, 0.0013, 0, 0.66, 0.4298, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardFonts.append( Font( 'Verdana' , 'swiss' , 0, 2, '020b0604030504040204' ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L62_C0", "label": "SetAlternate()", "type": "expression", "loc": [62, 62], "level": 0, "parent": null, "vector": [8, 0, 0.082, 0.0013, 0, 0.66, 0.438, 68, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetAlternate", "arg_names": [], "import_names": [], "rhs_call_name": "SetAlternate", "annotation": ""}, "snippet": "StandardFonts.Castellar.SetAlternate( StandardFonts.Georgia )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L64_C0", "label": "expression", "type": "expression", "loc": [64, 82], "level": 0, "parent": null, "vector": [8, 0, 0.0966, 0.0251, 0, 0.66, 0.4463, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nFound the following definition at http://www.pbdr.com/vbtips/gen/convtwip.htm\n\nTwips are screen-independent units used to ensure that the placement and\nproportion of screen elements in your screen application are the same on all\ndisplay systems. A twip is a unit of screen measurement equal to 1/20 of a\nprinter's point. The conversion between twips and\ninches/centimeters/millimeters is as follows:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L85_C0", "label": "StandardPaper = Papers()", "type": "assigned_variable", "loc": [85, 85], "level": 0, "parent": null, "vector": [14, 0, 0.1124, 0.0013, 0, 0.66, 0.4545, 440, 3, 0, 0, 0, 141, 10, 1], "semantic": {"name": "StandardPaper", "arg_names": [], "import_names": [], "rhs_call_name": "Papers", "annotation": ""}, "snippet": "StandardPaper = Papers()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L86_C0", "label": "append()", "type": "expression", "loc": [86, 86], "level": 0, "parent": null, "vector": [8, 0, 0.1138, 0.0013, 0, 0.66, 0.4628, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'LETTER' , 1, 'Letter 8 1/2 x 11 in' , 12240, 15840 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L87_C0", "label": "append()", "type": "expression", "loc": [87, 87], "level": 0, "parent": null, "vector": [8, 0, 0.1151, 0.0013, 0, 0.66, 0.4711, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'LETTERSMALL' , 2, 'Letter Small 8 1/2 x 11 in' , 12240, 15840 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L88_C0", "label": "append()", "type": "expression", "loc": [88, 88], "level": 0, "parent": null, "vector": [8, 0, 0.1164, 0.0013, 0, 0.66, 0.4793, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'TABLOID' , 3, 'Tabloid 11 x 17 in' , 15840, 24480 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L89_C0", "label": "append()", "type": "expression", "loc": [89, 89], "level": 0, "parent": null, "vector": [8, 0, 0.1177, 0.0013, 0, 0.66, 0.4876, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'LEDGER' , 4, 'Ledger 17 x 11 in' , 24480, 15840 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L90_C0", "label": "append()", "type": "expression", "loc": [90, 90], "level": 0, "parent": null, "vector": [8, 0, 0.119, 0.0013, 0, 0.66, 0.4959, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'LEGAL' , 5, 'Legal 8 1/2 x 14 in' , 12240, 20160 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L91_C0", "label": "append()", "type": "expression", "loc": [91, 91], "level": 0, "parent": null, "vector": [8, 0, 0.1204, 0.0013, 0, 0.66, 0.5041, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'STATEMENT' , 6, 'Statement 5 1/2 x 8 1/2 in' , 7920, 12240 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L92_C0", "label": "append()", "type": "expression", "loc": [92, 92], "level": 0, "parent": null, "vector": [8, 0, 0.1217, 0.0013, 0, 0.66, 0.5124, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'EXECUTIVE' , 7, 'Executive 7 1/4 x 10 1/2 in' , 10440, 15120 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L93_C0", "label": "append()", "type": "expression", "loc": [93, 93], "level": 0, "parent": null, "vector": [8, 0, 0.123, 0.0013, 0, 0.66, 0.5207, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'A3' , 8, 'A3 297 x 420 mm' , 16838, 23811 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L94_C0", "label": "append()", "type": "expression", "loc": [94, 94], "level": 0, "parent": null, "vector": [8, 0, 0.1243, 0.0013, 0, 0.66, 0.5289, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'A4' , 9, 'A4 210 x 297 mm' , 11907, 16838 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L95_C0", "label": "append()", "type": "expression", "loc": [95, 95], "level": 0, "parent": null, "vector": [8, 0, 0.1257, 0.0013, 0, 0.66, 0.5372, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'A4SMALL' , 10, 'A4 Small 210 x 297 mm' , 11907, 16838 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L96_C0", "label": "append()", "type": "expression", "loc": [96, 96], "level": 0, "parent": null, "vector": [8, 0, 0.127, 0.0013, 0, 0.66, 0.5455, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'A5' , 11, 'A5 148 x 210 mm' , 8391, 11907 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L97_C0", "label": "append()", "type": "expression", "loc": [97, 97], "level": 0, "parent": null, "vector": [8, 0, 0.1283, 0.0013, 0, 0.66, 0.5537, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'B4' , 12, 'B4 (JIS) 250 x 354' , 14175, 20072 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L98_C0", "label": "append()", "type": "expression", "loc": [98, 98], "level": 0, "parent": null, "vector": [8, 0, 0.1296, 0.0013, 0, 0.66, 0.562, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'B5' , 13, 'B5 (JIS) 182 x 257 mm' , 10319, 14572 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L99_C0", "label": "append()", "type": "expression", "loc": [99, 99], "level": 0, "parent": null, "vector": [8, 0, 0.131, 0.0013, 0, 0.66, 0.5702, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'FOLIO' , 14, 'Folio 8 1/2 x 13 in' , 12240, 18720 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L100_C0", "label": "append()", "type": "expression", "loc": [100, 100], "level": 0, "parent": null, "vector": [8, 0, 0.1323, 0.0013, 0, 0.66, 0.5785, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'QUARTO' , 15, 'Quarto 215 x 275 mm' , 12191, 15593 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L101_C0", "label": "append()", "type": "expression", "loc": [101, 101], "level": 0, "parent": null, "vector": [8, 0, 0.1336, 0.0013, 0, 0.66, 0.5868, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( '10X14' , 16, '10x14 in' , 14400, 20160 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L102_C0", "label": "append()", "type": "expression", "loc": [102, 102], "level": 0, "parent": null, "vector": [8, 0, 0.1349, 0.0013, 0, 0.66, 0.595, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( '11X17' , 17, '11x17 in' , 15840, 24480 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L103_C0", "label": "append()", "type": "expression", "loc": [103, 103], "level": 0, "parent": null, "vector": [8, 0, 0.1362, 0.0013, 0, 0.66, 0.6033, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'NOTE' , 18, 'Note 8 1/2 x 11 in' , 12240, 15840 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L104_C0", "label": "append()", "type": "expression", "loc": [104, 104], "level": 0, "parent": null, "vector": [8, 0, 0.1376, 0.0013, 0, 0.66, 0.6116, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_9' , 19, 'Envelope #9 3 7/8 x 8 7/8' , 5580, 12780 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L105_C0", "label": "append()", "type": "expression", "loc": [105, 105], "level": 0, "parent": null, "vector": [8, 0, 0.1389, 0.0013, 0, 0.66, 0.6198, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_10' , 20, 'Envelope #10 4 1/8 x 9 1/2' , 5940, 13680 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L106_C0", "label": "append()", "type": "expression", "loc": [106, 106], "level": 0, "parent": null, "vector": [8, 0, 0.1402, 0.0013, 0, 0.66, 0.6281, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_11' , 21, 'Envelope #11 4 1/2 x 10 3/8' , 6480, 14940 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L107_C0", "label": "append()", "type": "expression", "loc": [107, 107], "level": 0, "parent": null, "vector": [8, 0, 0.1415, 0.0013, 0, 0.66, 0.6364, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_12' , 22, 'Envelope #12 4 3/4 x 11' , 6840, 15840 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L108_C0", "label": "append()", "type": "expression", "loc": [108, 108], "level": 0, "parent": null, "vector": [8, 0, 0.1429, 0.0013, 0, 0.66, 0.6446, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_14' , 23, 'Envelope #14 5 x 11 1/2' , 7200, 16560 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L109_C0", "label": "append()", "type": "expression", "loc": [109, 109], "level": 0, "parent": null, "vector": [8, 0, 0.1442, 0.0013, 0, 0.66, 0.6529, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'CSHEET' , 24, 'C size sheet 18 x 24 in' , 29520, 34560 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L110_C0", "label": "append()", "type": "expression", "loc": [110, 110], "level": 0, "parent": null, "vector": [8, 0, 0.1455, 0.0013, 0, 0.66, 0.6612, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'DSHEET' , 25, 'D size sheet 22 x 34 in' , 31680, 48960 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L111_C0", "label": "append()", "type": "expression", "loc": [111, 111], "level": 0, "parent": null, "vector": [8, 0, 0.1468, 0.0013, 0, 0.66, 0.6694, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ESHEET' , 26, 'E size sheet 34 x 44 in' , 48960, 63360 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L112_C0", "label": "append()", "type": "expression", "loc": [112, 112], "level": 0, "parent": null, "vector": [8, 0, 0.1481, 0.0013, 0, 0.66, 0.6777, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_DL' , 27, 'Envelope DL 110 x 220mm' , 6237, 12474 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L113_C0", "label": "append()", "type": "expression", "loc": [113, 113], "level": 0, "parent": null, "vector": [8, 0, 0.1495, 0.0013, 0, 0.66, 0.686, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_C5' , 28, 'Envelope C5 162 x 229 mm' , 9185, 12984 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L114_C0", "label": "append()", "type": "expression", "loc": [114, 114], "level": 0, "parent": null, "vector": [8, 0, 0.1508, 0.0013, 0, 0.66, 0.6942, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_C3' , 29, 'Envelope C3 324 x 458 mm' , 18371, 25969 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L115_C0", "label": "append()", "type": "expression", "loc": [115, 115], "level": 0, "parent": null, "vector": [8, 0, 0.1521, 0.0013, 0, 0.66, 0.7025, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_C4' , 30, 'Envelope C4 229 x 324 mm' , 12984, 18371 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L116_C0", "label": "append()", "type": "expression", "loc": [116, 116], "level": 0, "parent": null, "vector": [8, 0, 0.1534, 0.0013, 0, 0.66, 0.7107, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_C6' , 31, 'Envelope C6 114 x 162 mm' , 6464, 9185 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L117_C0", "label": "append()", "type": "expression", "loc": [117, 117], "level": 0, "parent": null, "vector": [8, 0, 0.1548, 0.0013, 0, 0.66, 0.719, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_C65' , 32, 'Envelope C65 114 x 229 mm' , 6464, 12984 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L118_C0", "label": "append()", "type": "expression", "loc": [118, 118], "level": 0, "parent": null, "vector": [8, 0, 0.1561, 0.0013, 0, 0.66, 0.7273, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_B4' , 33, 'Envelope B4 250 x 353 mm' , 14175, 20015 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L119_C0", "label": "append()", "type": "expression", "loc": [119, 119], "level": 0, "parent": null, "vector": [8, 0, 0.1574, 0.0013, 0, 0.66, 0.7355, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_B5' , 34, 'Envelope B5 176 x 250 mm' , 9979, 14175 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L120_C0", "label": "append()", "type": "expression", "loc": [120, 120], "level": 0, "parent": null, "vector": [8, 0, 0.1587, 0.0013, 0, 0.66, 0.7438, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_B6' , 35, 'Envelope B6 176 x 125 mm' , 9979, 7088 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L121_C0", "label": "append()", "type": "expression", "loc": [121, 121], "level": 0, "parent": null, "vector": [8, 0, 0.1601, 0.0013, 0, 0.66, 0.7521, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_ITALY' , 36, 'Envelope 110 x 230 mm' , 6237, 13041 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L122_C0", "label": "append()", "type": "expression", "loc": [122, 122], "level": 0, "parent": null, "vector": [8, 0, 0.1614, 0.0013, 0, 0.66, 0.7603, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_MONARCH' , 37, 'Envelope Monarch 3.875 x 7.5 in' , 5580, 10800 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L123_C0", "label": "append()", "type": "expression", "loc": [123, 123], "level": 0, "parent": null, "vector": [8, 0, 0.1627, 0.0013, 0, 0.66, 0.7686, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'ENV_PERSONAL' , 38, '6 3/4 Envelope 3 5/8 x 6 1/2 in' , 5220, 9360 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L124_C0", "label": "append()", "type": "expression", "loc": [124, 124], "level": 0, "parent": null, "vector": [8, 0, 0.164, 0.0013, 0, 0.66, 0.7769, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'FANFOLD_US' , 39, 'US Std Fanfold 14 7/8 x 11 in' , 21420, 15840 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L125_C0", "label": "append()", "type": "expression", "loc": [125, 125], "level": 0, "parent": null, "vector": [8, 0, 0.1653, 0.0013, 0, 0.66, 0.7851, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'FANFOLD_STD_GERMAN' , 40, 'German Std Fanfold 8 1/2 x 12 in' , 12240, 17280 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L126_C0", "label": "append()", "type": "expression", "loc": [126, 126], "level": 0, "parent": null, "vector": [8, 0, 0.1667, 0.0013, 0, 0.66, 0.7934, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": "StandardPaper.append( Paper( 'FANFOLD_LGL_GERMAN' , 41, 'German Legal Fanfold 8 1/2 x 13 in' , 12240, 18720 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L131_C0", "label": "StyleSheet", "type": "class", "loc": [131, 138], "level": 0, "parent": null, "vector": [3, 0, 0.1779, 0.0106, 0, 0.66, 0.8017, 120, 0, 1, 0, 0, 0, 0, 4], "semantic": {"name": "StyleSheet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class StyleSheet :\n def __init__( self, colours=None, fonts=None ) :\n\n self.Colours = colours or deepcopy( StandardColours )\n self.Fonts = fonts or deepcopy( StandardFonts )\n\n self.TextStyles = AttributedList()\n self.ParagraphStyles = AttributedList()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L132_C4", "label": "__init__", "type": "function", "loc": [132, 138], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L131_C0", "vector": [2, 1, 0.1786, 0.0093, 1, 0.32, 0.0, 555, 0, 3, 0, 0, 0, 0, 4], "semantic": {"name": "__init__", "arg_names": ["self", "colours", "fonts"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, colours=None, fonts=None ) :\n\n self.Colours = colours or deepcopy( StandardColours )\n self.Fonts = fonts or deepcopy( StandardFonts )\n\n self.TextStyles = AttributedList()\n self.ParagraphStyles = AttributedList()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L134_C8", "label": "self.Colours =", "type": "assigned_variable", "loc": [134, 134], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L132_C4", "vector": [14, 2, 0.1772, 0.0013, 2, 0.25, 0.0, 688, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.Colours", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Colours = colours or deepcopy( StandardColours )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L135_C8", "label": "self.Fonts =", "type": "assigned_variable", "loc": [135, 135], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L132_C4", "vector": [14, 2, 0.1786, 0.0013, 2, 0.25, 0.3333, 597, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.Fonts", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Fonts = fonts or deepcopy( StandardFonts )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L137_C8", "label": "self.TextStyles = AttributedList()", "type": "assigned_variable", "loc": [137, 137], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L132_C4", "vector": [14, 2, 0.1812, 0.0013, 2, 0.25, 0.6667, 572, 3, 0, 0, 0, 994, 10, 1], "semantic": {"name": "self.TextStyles", "arg_names": [], "import_names": [], "rhs_call_name": "AttributedList", "annotation": ""}, "snippet": " self.TextStyles = AttributedList()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L138_C8", "label": "self.ParagraphStyles = AttributedList()", "type": "assigned_variable", "loc": [138, 138], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L132_C4", "vector": [14, 2, 0.1825, 0.0013, 2, 0.25, 1.0, 366, 3, 0, 0, 0, 994, 10, 1], "semantic": {"name": "self.ParagraphStyles", "arg_names": [], "import_names": [], "rhs_call_name": "AttributedList", "annotation": ""}, "snippet": " self.ParagraphStyles = AttributedList()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "label": "Section", "type": "class", "loc": [140, 192], "level": 0, "parent": null, "vector": [3, 0, 0.2196, 0.0701, 0, 0.66, 0.8099, 944, 0, 8, 0, 0, 430, 0, 9], "semantic": {"name": "Section", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Section( list ) :\n NONE = 1\n COLUMN = 2\n PAGE = 3\n EVEN = 4\n ODD = 5\n BREAK_TYPES = [ NONE, COLUMN, PAGE, EVEN, ODD ]\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L141_C4", "label": "NONE =", "type": "assigned_variable", "loc": [141, 141], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [14, 1, 0.1865, 0.0013, 1, 0.68, 0.0, 677, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NONE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " NONE = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L142_C4", "label": "COLUMN =", "type": "assigned_variable", "loc": [142, 142], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [14, 1, 0.1878, 0.0013, 1, 0.68, 0.0769, 860, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "COLUMN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " COLUMN = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L143_C4", "label": "PAGE =", "type": "assigned_variable", "loc": [143, 143], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [14, 1, 0.1892, 0.0013, 1, 0.68, 0.1538, 26, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PAGE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " PAGE = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L144_C4", "label": "EVEN =", "type": "assigned_variable", "loc": [144, 144], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [14, 1, 0.1905, 0.0013, 1, 0.68, 0.2308, 728, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "EVEN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " EVEN = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L145_C4", "label": "ODD =", "type": "assigned_variable", "loc": [145, 145], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [14, 1, 0.1918, 0.0013, 1, 0.68, 0.3077, 107, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ODD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ODD = 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L146_C4", "label": "BREAK_TYPES =", "type": "assigned_variable", "loc": [146, 146], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [14, 1, 0.1931, 0.0013, 1, 0.68, 0.3846, 473, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "BREAK_TYPES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " BREAK_TYPES = [ NONE, COLUMN, PAGE, EVEN, ODD ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "label": "__init__", "type": "function", "loc": [148, 163], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [2, 1, 0.2057, 0.0212, 1, 0.68, 0.4615, 555, 0, 8, 0, 0, 0, 0, 8], "semantic": {"name": "__init__", "arg_names": ["self", "paper", "margins", "break_type", "headery", "footery", "landscape", "first_page_number"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, paper=None, margins=None, break_type=None, headery=None, footery=None, landscape=None, first_page_number=None ) :\n super( Section, self ).__init__()\n\n self.Paper = paper or StandardPaper.A4\n self.SetMargins( margins )\n\n self.Header = []\n self.Footer = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L149_C8", "label": "__init__()", "type": "expression", "loc": [149, 149], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "vector": [8, 2, 0.1971, 0.0013, 2, 0.31, 0.0, 555, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " super( Section, self ).__init__()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L151_C8", "label": "self.Paper =", "type": "assigned_variable", "loc": [151, 151], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "vector": [14, 2, 0.1997, 0.0013, 2, 0.31, 0.0909, 624, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Paper", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Paper = paper or StandardPaper.A4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L152_C8", "label": "SetMargins()", "type": "expression", "loc": [152, 152], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "vector": [8, 2, 0.2011, 0.0013, 2, 0.31, 0.1818, 898, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetMargins", "arg_names": [], "import_names": [], "rhs_call_name": "SetMargins", "annotation": ""}, "snippet": " self.SetMargins( margins )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L154_C8", "label": "self.Header =", "type": "assigned_variable", "loc": [154, 154], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "vector": [14, 2, 0.2037, 0.0013, 2, 0.31, 0.2727, 596, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.Header", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Header = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L155_C8", "label": "self.Footer =", "type": "assigned_variable", "loc": [155, 155], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "vector": [14, 2, 0.205, 0.0013, 2, 0.31, 0.3636, 244, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.Footer", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Footer = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L156_C8", "label": "self.FirstHeader =", "type": "assigned_variable", "loc": [156, 156], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "vector": [14, 2, 0.2063, 0.0013, 2, 0.31, 0.4545, 545, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.FirstHeader", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.FirstHeader = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L157_C8", "label": "self.FirstFooter =", "type": "assigned_variable", "loc": [157, 157], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "vector": [14, 2, 0.2077, 0.0013, 2, 0.31, 0.5455, 578, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.FirstFooter", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.FirstFooter = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L159_C8", "label": "SetBreakType()", "type": "expression", "loc": [159, 159], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "vector": [8, 2, 0.2103, 0.0013, 2, 0.31, 0.6364, 514, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetBreakType", "arg_names": [], "import_names": [], "rhs_call_name": "SetBreakType", "annotation": ""}, "snippet": " self.SetBreakType( break_type or self.NONE )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L160_C8", "label": "SetHeaderY()", "type": "expression", "loc": [160, 160], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "vector": [8, 2, 0.2116, 0.0013, 2, 0.31, 0.7273, 631, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetHeaderY", "arg_names": [], "import_names": [], "rhs_call_name": "SetHeaderY", "annotation": ""}, "snippet": " self.SetHeaderY( headery )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L161_C8", "label": "SetFooterY()", "type": "expression", "loc": [161, 161], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "vector": [8, 2, 0.213, 0.0013, 2, 0.31, 0.8182, 466, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetFooterY", "arg_names": [], "import_names": [], "rhs_call_name": "SetFooterY", "annotation": ""}, "snippet": " self.SetFooterY( footery )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L162_C8", "label": "SetLandscape()", "type": "expression", "loc": [162, 162], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "vector": [8, 2, 0.2143, 0.0013, 2, 0.31, 0.9091, 35, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetLandscape", "arg_names": [], "import_names": [], "rhs_call_name": "SetLandscape", "annotation": ""}, "snippet": " self.SetLandscape( landscape )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L163_C8", "label": "SetFirstPageNumber()", "type": "expression", "loc": [163, 163], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "vector": [8, 2, 0.2156, 0.0013, 2, 0.31, 1.0, 955, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetFirstPageNumber", "arg_names": [], "import_names": [], "rhs_call_name": "SetFirstPageNumber", "annotation": ""}, "snippet": " self.SetFirstPageNumber( first_page_number )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L165_C4", "label": "TwipsToRightMargin", "type": "function", "loc": [165, 166], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [2, 1, 0.2189, 0.0026, 1, 0.68, 0.5385, 816, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "TwipsToRightMargin", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def TwipsToRightMargin( self ) :\n return self.Paper.Width - ( self.Margins.Left + self.Margins.Right )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L166_C8", "label": "return", "type": "return", "loc": [166, 166], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L165_C4", "vector": [13, 2, 0.2196, 0.0013, 2, 0.34, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.Paper.Width - ( self.Margins.Left + self.Margins.Right )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L168_C4", "label": "SetMargins", "type": "function", "loc": [168, 170], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [2, 1, 0.2235, 0.004, 1, 0.68, 0.6154, 898, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "SetMargins", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetMargins( self, value ) :\n self.Margins = value or MarginsPropertySet( top=1000, left=1200, bottom=1000, right=1200 )\n self.Width = self.Paper.Width - ( self.Margins.Left + self.Margins.Right )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L169_C8", "label": "self.Margins =", "type": "assigned_variable", "loc": [169, 169], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L168_C4", "vector": [14, 2, 0.2235, 0.0013, 2, 0.84, 0.0, 572, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.Margins", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Margins = value or MarginsPropertySet( top=1000, left=1200, bottom=1000, right=1200 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L170_C8", "label": "self.Width =", "type": "assigned_variable", "loc": [170, 170], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L168_C4", "vector": [14, 2, 0.2249, 0.0013, 2, 0.84, 1.0, 907, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Width", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Width = self.Paper.Width - ( self.Margins.Left + self.Margins.Right )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L172_C4", "label": "SetBreakType", "type": "function", "loc": [172, 175], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [2, 1, 0.2295, 0.0053, 1, 0.68, 0.6923, 514, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetBreakType", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetBreakType( self, value ) :\n assert value in self.BREAK_TYPES\n self.BreakType = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L174_C8", "label": "self.BreakType =", "type": "assigned_variable", "loc": [174, 174], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L172_C4", "vector": [14, 2, 0.2302, 0.0013, 2, 0.25, 0.0, 871, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.BreakType", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.BreakType = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L175_C8", "label": "return", "type": "return", "loc": [175, 175], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L172_C4", "vector": [13, 2, 0.2315, 0.0013, 2, 0.25, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L177_C4", "label": "SetHeaderY", "type": "function", "loc": [177, 179], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [2, 1, 0.2354, 0.004, 1, 0.68, 0.7692, 631, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetHeaderY", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetHeaderY( self, value ) :\n self.HeaderY = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L178_C8", "label": "self.HeaderY =", "type": "assigned_variable", "loc": [178, 178], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L177_C4", "vector": [14, 2, 0.2354, 0.0013, 2, 0.52, 0.0, 949, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.HeaderY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.HeaderY = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L179_C8", "label": "return", "type": "return", "loc": [179, 179], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L177_C4", "vector": [13, 2, 0.2368, 0.0013, 2, 0.52, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L181_C4", "label": "SetFooterY", "type": "function", "loc": [181, 183], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [2, 1, 0.2407, 0.004, 1, 0.68, 0.8462, 466, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetFooterY", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetFooterY( self, value ) :\n self.FooterY = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L182_C8", "label": "self.FooterY =", "type": "assigned_variable", "loc": [182, 182], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L181_C4", "vector": [14, 2, 0.2407, 0.0013, 2, 0.61, 0.0, 129, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.FooterY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.FooterY = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L183_C8", "label": "return", "type": "return", "loc": [183, 183], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L181_C4", "vector": [13, 2, 0.2421, 0.0013, 2, 0.61, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L185_C4", "label": "SetLandscape", "type": "function", "loc": [185, 188], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [2, 1, 0.2467, 0.0053, 1, 0.68, 0.9231, 35, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetLandscape", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetLandscape( self, value ) :\n self.Landscape = False\n if value : self.Landscape = True\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L186_C8", "label": "self.Landscape =", "type": "assigned_variable", "loc": [186, 186], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L185_C4", "vector": [14, 2, 0.246, 0.0013, 2, 0.42, 0.0, 18, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.Landscape", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Landscape = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L187_C8", "label": "if", "type": "if", "loc": [187, 187], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L185_C4", "vector": [4, 2, 0.2474, 0.0013, 2, 0.42, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.Landscape = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L187_C19", "label": "self.Landscape =", "type": "assigned_variable", "loc": [187, 187], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L187_C8", "vector": [14, 3, 0.2474, 0.0013, 3, 0.73, 0.0, 18, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.Landscape", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.Landscape = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L188_C8", "label": "return", "type": "return", "loc": [188, 188], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L185_C4", "vector": [13, 2, 0.2487, 0.0013, 2, 0.42, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L190_C4", "label": "SetFirstPageNumber", "type": "function", "loc": [190, 192], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "vector": [2, 1, 0.2526, 0.004, 1, 0.68, 1.0, 955, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetFirstPageNumber", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetFirstPageNumber( self, value ) :\n self.FirstPageNumber = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L191_C8", "label": "self.FirstPageNumber =", "type": "assigned_variable", "loc": [191, 191], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L190_C4", "vector": [14, 2, 0.2526, 0.0013, 2, 0.72, 0.0, 760, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.FirstPageNumber", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.FirstPageNumber = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L192_C8", "label": "return", "type": "return", "loc": [192, 192], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L190_C4", "vector": [13, 2, 0.254, 0.0013, 2, 0.72, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "label": "MakeDefaultStyleSheet", "type": "function", "loc": [194, 252], "level": 0, "parent": null, "vector": [2, 0, 0.295, 0.078, 0, 0.66, 0.8182, 465, 0, 0, 1, 0, 0, 0, 36], "semantic": {"name": "MakeDefaultStyleSheet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def MakeDefaultStyleSheet( ) :\n result = StyleSheet()\n\n NormalText = TextStyle( TextPropertySet( result.Fonts.Arial, 22 ) )\n\n ps = ParagraphStyle( 'Normal',\n NormalText.Copy(),\n ParagraphPropertySet( space_before = 60,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L195_C4", "label": "result = StyleSheet()", "type": "assigned_variable", "loc": [195, 195], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [14, 1, 0.2579, 0.0013, 1, 0.69, 0.0, 51, 3, 0, 0, 0, 120, 10, 1], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "StyleSheet", "annotation": ""}, "snippet": " result = StyleSheet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L197_C4", "label": "NormalText = TextStyle()", "type": "assigned_variable", "loc": [197, 197], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [14, 1, 0.2606, 0.0013, 1, 0.69, 0.0435, 955, 3, 1, 0, 0, 117, 10, 2], "semantic": {"name": "NormalText", "arg_names": [], "import_names": [], "rhs_call_name": "TextStyle", "annotation": ""}, "snippet": " NormalText = TextStyle( TextPropertySet( result.Fonts.Arial, 22 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L199_C4", "label": "ps = ParagraphStyle()", "type": "assigned_variable", "loc": [199, 202], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [14, 1, 0.2652, 0.0053, 1, 0.69, 0.087, 232, 3, 3, 0, 0, 18, 10, 3], "semantic": {"name": "ps", "arg_names": [], "import_names": [], "rhs_call_name": "ParagraphStyle", "annotation": ""}, "snippet": " ps = ParagraphStyle( 'Normal',\n NormalText.Copy(),\n ParagraphPropertySet( space_before = 60,\n space_after = 60 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L203_C4", "label": "append()", "type": "expression", "loc": [203, 203], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.2685, 0.0013, 1, 0.69, 0.1304, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " result.ParagraphStyles.append( ps )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L205_C4", "label": "ps = ParagraphStyle()", "type": "assigned_variable", "loc": [205, 206], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [14, 1, 0.2718, 0.0026, 1, 0.69, 0.1739, 232, 3, 2, 0, 0, 18, 10, 2], "semantic": {"name": "ps", "arg_names": [], "import_names": [], "rhs_call_name": "ParagraphStyle", "annotation": ""}, "snippet": " ps = ParagraphStyle( 'Normal Short',\n NormalText.Copy() )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L207_C4", "label": "append()", "type": "expression", "loc": [207, 207], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.2738, 0.0013, 1, 0.69, 0.2174, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " result.ParagraphStyles.append( ps )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L209_C4", "label": "SetSize()", "type": "expression", "loc": [209, 209], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.2765, 0.0013, 1, 0.69, 0.2609, 36, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetSize", "arg_names": [], "import_names": [], "rhs_call_name": "SetSize", "annotation": ""}, "snippet": " NormalText.TextPropertySet.SetSize( 32 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L210_C4", "label": "ps = ParagraphStyle()", "type": "assigned_variable", "loc": [210, 213], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [14, 1, 0.2798, 0.0053, 1, 0.69, 0.3043, 232, 3, 3, 0, 0, 18, 10, 3], "semantic": {"name": "ps", "arg_names": [], "import_names": [], "rhs_call_name": "ParagraphStyle", "annotation": ""}, "snippet": " ps = ParagraphStyle( 'Heading 1',\n NormalText.Copy(),\n ParagraphPropertySet( space_before = 240,\n space_after = 60 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L214_C4", "label": "append()", "type": "expression", "loc": [214, 214], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.2831, 0.0013, 1, 0.69, 0.3478, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " result.ParagraphStyles.append( ps )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L216_C4", "label": "SetBold()", "type": "expression", "loc": [216, 216], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.2857, 0.0013, 1, 0.69, 0.3913, 269, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetBold", "arg_names": [], "import_names": [], "rhs_call_name": "SetBold", "annotation": ""}, "snippet": " NormalText.TextPropertySet.SetSize( 24 ).SetBold( True )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L217_C4", "label": "ps = ParagraphStyle()", "type": "assigned_variable", "loc": [217, 220], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [14, 1, 0.289, 0.0053, 1, 0.69, 0.4348, 232, 3, 3, 0, 0, 18, 10, 3], "semantic": {"name": "ps", "arg_names": [], "import_names": [], "rhs_call_name": "ParagraphStyle", "annotation": ""}, "snippet": " ps = ParagraphStyle( 'Heading 2',\n NormalText.Copy(),\n ParagraphPropertySet( space_before = 240,\n space_after = 60 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L221_C4", "label": "append()", "type": "expression", "loc": [221, 221], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.2923, 0.0013, 1, 0.69, 0.4783, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " result.ParagraphStyles.append( ps )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L225_C4", "label": "normal_numbered = Copy()", "type": "assigned_variable", "loc": [225, 225], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [14, 1, 0.2976, 0.0013, 1, 0.69, 0.5217, 663, 3, 0, 0, 0, 295, 10, 1], "semantic": {"name": "normal_numbered", "arg_names": [], "import_names": [], "rhs_call_name": "Copy", "annotation": ""}, "snippet": " normal_numbered = result.ParagraphStyles.Normal.Copy()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L226_C4", "label": "SetName()", "type": "expression", "loc": [226, 226], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.2989, 0.0013, 1, 0.69, 0.5652, 2, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetName", "arg_names": [], "import_names": [], "rhs_call_name": "SetName", "annotation": ""}, "snippet": " normal_numbered.SetName( 'Normal Numbered' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L227_C4", "label": "SetFirstLineIndent()", "type": "expression", "loc": [227, 227], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.3003, 0.0013, 1, 0.69, 0.6087, 723, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetFirstLineIndent", "arg_names": [], "import_names": [], "rhs_call_name": "SetFirstLineIndent", "annotation": ""}, "snippet": " normal_numbered.ParagraphPropertySet.SetFirstLineIndent( TabPropertySet.DEFAULT_WIDTH * -1 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L228_C4", "label": "SetLeftIndent()", "type": "expression", "loc": [228, 228], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.3016, 0.0013, 1, 0.69, 0.6522, 690, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetLeftIndent", "arg_names": [], "import_names": [], "rhs_call_name": "SetLeftIndent", "annotation": ""}, "snippet": " normal_numbered.ParagraphPropertySet.SetLeftIndent ( TabPropertySet.DEFAULT_WIDTH )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L230_C4", "label": "append()", "type": "expression", "loc": [230, 230], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.3042, 0.0013, 1, 0.69, 0.6957, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " result.ParagraphStyles.append( normal_numbered )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L232_C4", "label": "normal_numbered2 = Copy()", "type": "assigned_variable", "loc": [232, 232], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [14, 1, 0.3069, 0.0013, 1, 0.69, 0.7391, 266, 3, 0, 0, 0, 295, 10, 1], "semantic": {"name": "normal_numbered2", "arg_names": [], "import_names": [], "rhs_call_name": "Copy", "annotation": ""}, "snippet": " normal_numbered2 = result.ParagraphStyles.Normal.Copy()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L233_C4", "label": "SetName()", "type": "expression", "loc": [233, 233], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.3082, 0.0013, 1, 0.69, 0.7826, 2, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetName", "arg_names": [], "import_names": [], "rhs_call_name": "SetName", "annotation": ""}, "snippet": " normal_numbered2.SetName( 'Normal Numbered 2' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L234_C4", "label": "SetFirstLineIndent()", "type": "expression", "loc": [234, 234], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.3095, 0.0013, 1, 0.69, 0.8261, 723, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetFirstLineIndent", "arg_names": [], "import_names": [], "rhs_call_name": "SetFirstLineIndent", "annotation": ""}, "snippet": " normal_numbered2.ParagraphPropertySet.SetFirstLineIndent( TabPropertySet.DEFAULT_WIDTH * -1 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L235_C4", "label": "SetLeftIndent()", "type": "expression", "loc": [235, 235], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.3108, 0.0013, 1, 0.69, 0.8696, 690, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetLeftIndent", "arg_names": [], "import_names": [], "rhs_call_name": "SetLeftIndent", "annotation": ""}, "snippet": " normal_numbered2.ParagraphPropertySet.SetLeftIndent ( TabPropertySet.DEFAULT_WIDTH * 2 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L237_C4", "label": "append()", "type": "expression", "loc": [237, 237], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [8, 1, 0.3135, 0.0013, 1, 0.69, 0.913, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " result.ParagraphStyles.append( normal_numbered2 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:For_L240_C4", "label": "for idx, indent", "type": "for", "loc": [240, 250], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [6, 1, 0.3241, 0.0146, 1, 0.69, 0.9565, 600, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "idx, indent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for idx, indent in [ (1, TabPS.DEFAULT_WIDTH ),\n (2, TabPS.DEFAULT_WIDTH * 2),\n (3, TabPS.DEFAULT_WIDTH * 3) ] :\n indent = TabPropertySet.DEFAULT_WIDTH\n ps = ParagraphStyle( 'List %s' % idx,\n TextStyle( TextPropertySet( result.Fonts.Arial, 22 ) ),\n ParagraphPropertySet( space_before = 60,\n space_after = 60,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L243_C8", "label": "indent =", "type": "assigned_variable", "loc": [243, 243], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:For_L240_C4", "vector": [14, 2, 0.3214, 0.0013, 2, 0.09, 0.0, 231, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "indent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " indent = TabPropertySet.DEFAULT_WIDTH"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L244_C8", "label": "ps = ParagraphStyle()", "type": "assigned_variable", "loc": [244, 249], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:For_L240_C4", "vector": [14, 2, 0.3261, 0.0079, 2, 0.09, 0.5, 232, 3, 3, 0, 0, 18, 10, 4], "semantic": {"name": "ps", "arg_names": [], "import_names": [], "rhs_call_name": "ParagraphStyle", "annotation": ""}, "snippet": " ps = ParagraphStyle( 'List %s' % idx,\n TextStyle( TextPropertySet( result.Fonts.Arial, 22 ) ),\n ParagraphPropertySet( space_before = 60,\n space_after = 60,\n first_line_indent = -indent,\n left_indent = indent) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L250_C8", "label": "append()", "type": "expression", "loc": [250, 250], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:For_L240_C4", "vector": [8, 2, 0.3307, 0.0013, 2, 0.09, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " result.ParagraphStyles.append( ps )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L252_C4", "label": "return", "type": "return", "loc": [252, 252], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "vector": [13, 1, 0.3333, 0.0013, 1, 0.69, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L254_C0", "label": "TAB", "type": "class", "loc": [254, 254], "level": 0, "parent": null, "vector": [3, 0, 0.336, 0.0013, 0, 0.66, 0.8264, 375, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "TAB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class TAB : pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L255_C0", "label": "LINE", "type": "class", "loc": [255, 255], "level": 0, "parent": null, "vector": [3, 0, 0.3373, 0.0013, 0, 0.66, 0.8347, 286, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "LINE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class LINE : pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L257_C0", "label": "RawCode", "type": "class", "loc": [257, 259], "level": 0, "parent": null, "vector": [3, 0, 0.3413, 0.004, 0, 0.66, 0.843, 686, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "RawCode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class RawCode :\n def __init__( self, data ) :\n self.Data = data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L258_C4", "label": "__init__", "type": "function", "loc": [258, 259], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L257_C0", "vector": [2, 1, 0.3419, 0.0026, 1, 0.55, 0.0, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, data ) :\n self.Data = data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L259_C8", "label": "self.Data =", "type": "assigned_variable", "loc": [259, 259], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L258_C4", "vector": [14, 2, 0.3426, 0.0013, 2, 0.29, 0.0, 327, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Data = data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L261_C0", "label": "PAGE_NUMBER = RawCode()", "type": "assigned_variable", "loc": [261, 261], "level": 0, "parent": null, "vector": [14, 0, 0.3452, 0.0013, 0, 0.66, 0.8512, 891, 3, 1, 0, 0, 686, 10, 1], "semantic": {"name": "PAGE_NUMBER", "arg_names": [], "import_names": [], "rhs_call_name": "RawCode", "annotation": ""}, "snippet": "PAGE_NUMBER = RawCode( r'{\\field{\\fldinst page}}' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L262_C0", "label": "TOTAL_PAGES = RawCode()", "type": "assigned_variable", "loc": [262, 262], "level": 0, "parent": null, "vector": [14, 0, 0.3466, 0.0013, 0, 0.66, 0.8595, 729, 3, 1, 0, 0, 686, 10, 1], "semantic": {"name": "TOTAL_PAGES", "arg_names": [], "import_names": [], "rhs_call_name": "RawCode", "annotation": ""}, "snippet": "TOTAL_PAGES = RawCode( r'{\\field{\\fldinst numpages}}' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L263_C0", "label": "SECTION_PAGES = RawCode()", "type": "assigned_variable", "loc": [263, 263], "level": 0, "parent": null, "vector": [14, 0, 0.3479, 0.0013, 0, 0.66, 0.8678, 187, 3, 1, 0, 0, 686, 10, 1], "semantic": {"name": "SECTION_PAGES", "arg_names": [], "import_names": [], "rhs_call_name": "RawCode", "annotation": ""}, "snippet": "SECTION_PAGES = RawCode( r'{\\field{\\fldinst sectionpages}}' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L264_C0", "label": "ARIAL_BULLET = RawCode()", "type": "assigned_variable", "loc": [264, 264], "level": 0, "parent": null, "vector": [14, 0, 0.3492, 0.0013, 0, 0.66, 0.876, 864, 3, 1, 0, 0, 686, 10, 1], "semantic": {"name": "ARIAL_BULLET", "arg_names": [], "import_names": [], "rhs_call_name": "RawCode", "annotation": ""}, "snippet": "ARIAL_BULLET = RawCode( r'{\\f2\\'95}' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "label": "_get_jpg_dimensions", "type": "function", "loc": [266, 339], "level": 0, "parent": null, "vector": [2, 0, 0.4001, 0.0979, 0, 0.66, 0.8843, 334, 0, 1, 1, 0, 0, 0, 34], "semantic": {"name": "_get_jpg_dimensions", "arg_names": ["fin"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _get_jpg_dimensions( fin ):\n \"\"\"\n converted from: http://dev.w3.org/cvsweb/Amaya/libjpeg/rdjpgcom.c?rev=1.2\n \"\"\"\n\n M_SOF0 = chr( 0xC0 ) # /* Start Of Frame N */\n M_SOF1 = chr( 0xC1 ) # /* N indicates which compression process */\n M_SOF2 = chr( 0xC2 ) # /* Only SOF0-SOF2 are now in common use */"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L267_C4", "label": "expression", "type": "expression", "loc": [267, 269], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [8, 1, 0.3545, 0.004, 1, 0.46, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n converted from: http://dev.w3.org/cvsweb/Amaya/libjpeg/rdjpgcom.c?rev=1.2\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L271_C4", "label": "M_SOF0 = chr()", "type": "assigned_variable", "loc": [271, 271], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3585, 0.0013, 1, 0.46, 0.0476, 771, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF0", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF0 = chr( 0xC0 ) # /* Start Of Frame N */"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L272_C4", "label": "M_SOF1 = chr()", "type": "assigned_variable", "loc": [272, 272], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3598, 0.0013, 1, 0.46, 0.0952, 963, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF1", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF1 = chr( 0xC1 ) # /* N indicates which compression process */"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L273_C4", "label": "M_SOF2 = chr()", "type": "assigned_variable", "loc": [273, 273], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3611, 0.0013, 1, 0.46, 0.1429, 950, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF2", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF2 = chr( 0xC2 ) # /* Only SOF0-SOF2 are now in common use */"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L274_C4", "label": "M_SOF3 = chr()", "type": "assigned_variable", "loc": [274, 274], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3624, 0.0013, 1, 0.46, 0.1905, 625, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF3", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF3 = chr( 0xC3 ) #"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L275_C4", "label": "M_SOF5 = chr()", "type": "assigned_variable", "loc": [275, 275], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3638, 0.0013, 1, 0.46, 0.2381, 441, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF5", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF5 = chr( 0xC5 ) # /* NB: codes C4 and CC are NOT SOF markers */"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L276_C4", "label": "M_SOF6 = chr()", "type": "assigned_variable", "loc": [276, 276], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3651, 0.0013, 1, 0.46, 0.2857, 314, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF6", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF6 = chr( 0xC6 ) #"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L277_C4", "label": "M_SOF7 = chr()", "type": "assigned_variable", "loc": [277, 277], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3664, 0.0013, 1, 0.46, 0.3333, 885, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF7", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF7 = chr( 0xC7 ) #"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L278_C4", "label": "M_SOF9 = chr()", "type": "assigned_variable", "loc": [278, 278], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3677, 0.0013, 1, 0.46, 0.381, 639, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF9", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF9 = chr( 0xC9 ) #"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L279_C4", "label": "M_SOF10 = chr()", "type": "assigned_variable", "loc": [279, 279], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.369, 0.0013, 1, 0.46, 0.4286, 993, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF10", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF10 = chr( 0xCA ) #"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L280_C4", "label": "M_SOF11 = chr()", "type": "assigned_variable", "loc": [280, 280], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3704, 0.0013, 1, 0.46, 0.4762, 609, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF11", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF11 = chr( 0xCB ) #"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L281_C4", "label": "M_SOF13 = chr()", "type": "assigned_variable", "loc": [281, 281], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3717, 0.0013, 1, 0.46, 0.5238, 45, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF13", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF13 = chr( 0xCD ) #"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L282_C4", "label": "M_SOF14 = chr()", "type": "assigned_variable", "loc": [282, 282], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.373, 0.0013, 1, 0.46, 0.5714, 661, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF14", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF14 = chr( 0xCE ) #"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L283_C4", "label": "M_SOF15 = chr()", "type": "assigned_variable", "loc": [283, 283], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3743, 0.0013, 1, 0.46, 0.619, 470, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOF15", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOF15 = chr( 0xCF ) #"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L284_C4", "label": "M_SOI = chr()", "type": "assigned_variable", "loc": [284, 284], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3757, 0.0013, 1, 0.46, 0.6667, 168, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_SOI", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_SOI = chr( 0xD8 ) # /* Start Of Image (beginning of datastream) */"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L285_C4", "label": "M_EOI = chr()", "type": "assigned_variable", "loc": [285, 285], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.377, 0.0013, 1, 0.46, 0.7143, 535, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_EOI", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_EOI = chr( 0xD9 ) # /* End Of Image (end of datastream) */"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L287_C4", "label": "M_FF = chr()", "type": "assigned_variable", "loc": [287, 287], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3796, 0.0013, 1, 0.46, 0.7619, 456, 3, 1, 0, 0, 915, 10, 1], "semantic": {"name": "M_FF", "arg_names": [], "import_names": [], "rhs_call_name": "chr", "annotation": ""}, "snippet": " M_FF = chr( 0xFF )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L289_C4", "label": "MARKERS =", "type": "assigned_variable", "loc": [289, 292], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [14, 1, 0.3843, 0.0053, 1, 0.46, 0.8095, 845, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "MARKERS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " MARKERS = [ M_SOF0, M_SOF1, M_SOF2, M_SOF3,\n M_SOF5, M_SOF6, M_SOF7, M_SOF9,\n M_SOF10,M_SOF11, M_SOF13, M_SOF14,\n M_SOF15 ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L294_C4", "label": "get_length", "type": "function", "loc": [294, 297], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [2, 1, 0.3909, 0.0053, 1, 0.46, 0.8571, 341, 0, 0, 1, 0, 0, 0, 4], "semantic": {"name": "get_length", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_length() :\n b1 = fin.read( 1 )\n b2 = fin.read( 1 )\n return (ord(b1) << 8) + ord(b2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L295_C8", "label": "b1 = read()", "type": "assigned_variable", "loc": [295, 295], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L294_C4", "vector": [14, 2, 0.3902, 0.0013, 2, 0.2, 0.0, 341, 3, 1, 0, 0, 453, 10, 1], "semantic": {"name": "b1", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " b1 = fin.read( 1 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L296_C8", "label": "b2 = read()", "type": "assigned_variable", "loc": [296, 296], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L294_C4", "vector": [14, 2, 0.3915, 0.0013, 2, 0.2, 0.5, 670, 3, 1, 0, 0, 453, 10, 1], "semantic": {"name": "b2", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " b2 = fin.read( 1 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L297_C8", "label": "return", "type": "return", "loc": [297, 297], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L294_C4", "vector": [13, 2, 0.3929, 0.0013, 2, 0.2, 1.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (ord(b1) << 8) + ord(b2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L299_C4", "label": "next_marker", "type": "function", "loc": [299, 313], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [2, 1, 0.4048, 0.0198, 1, 0.46, 0.9048, 361, 0, 0, 1, 0, 0, 0, 3], "semantic": {"name": "next_marker", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def next_marker() :\n # markers come straight after an 0xFF so skip everything\n # up to the first 0xFF that we find\n while fin.read(1) != M_FF :\n pass\n\n # there can be more than one 0xFF as they can be used\n # for padding so we are now looking for the first byte"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:While_L302_C8", "label": "while", "type": "while", "loc": [302, 303], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L299_C4", "vector": [5, 2, 0.4001, 0.0026, 2, 0.94, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while fin.read(1) != M_FF :\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:While_L308_C8", "label": "while", "type": "while", "loc": [308, 311], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L299_C4", "vector": [5, 2, 0.4094, 0.0053, 2, 0.94, 1.0, 0, 1, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while True :\n result = fin.read(1)\n if result != M_FF :\n return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L309_C12", "label": "result = read()", "type": "assigned_variable", "loc": [309, 309], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:While_L308_C8", "vector": [14, 3, 0.4087, 0.0013, 3, 0.96, 0.0, 51, 3, 1, 0, 0, 453, 10, 1], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " result = fin.read(1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L310_C12", "label": "if", "type": "if", "loc": [310, 311], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:While_L308_C8", "vector": [4, 3, 0.4107, 0.0026, 3, 0.96, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if result != M_FF :\n return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L311_C16", "label": "return", "type": "return", "loc": [311, 311], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L310_C12", "vector": [13, 4, 0.4114, 0.0013, 4, 0.07, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L316_C4", "label": "if", "type": "if", "loc": [316, 317], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [4, 1, 0.4187, 0.0026, 1, 0.46, 0.9524, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not ((fin.read(1) == M_FF) and (fin.read(1) == M_SOI)) :\n raise Exception( 'Invalid Jpeg' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:While_L319_C4", "label": "while", "type": "while", "loc": [319, 337], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "vector": [5, 1, 0.4339, 0.0251, 1, 0.46, 1.0, 0, 1, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while True :\n marker = next_marker()\n\n # the marker is always followed by two bytes representing the length of the data field\n length = get_length ()\n if length < 2 : raise Exception( \"Erroneous JPEG marker length\" )\n\n # if it is a compression process marker then it will contain the dimension of the image"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L320_C8", "label": "marker = next_marker()", "type": "assigned_variable", "loc": [320, 320], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:While_L319_C4", "vector": [14, 2, 0.4233, 0.0013, 2, 0.26, 0.0, 864, 3, 0, 0, 0, 361, 10, 1], "semantic": {"name": "marker", "arg_names": [], "import_names": [], "rhs_call_name": "next_marker", "annotation": ""}, "snippet": " marker = next_marker()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L323_C8", "label": "length = get_length()", "type": "assigned_variable", "loc": [323, 323], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:While_L319_C4", "vector": [14, 2, 0.4272, 0.0013, 2, 0.26, 0.25, 221, 3, 0, 0, 0, 341, 10, 1], "semantic": {"name": "length", "arg_names": [], "import_names": [], "rhs_call_name": "get_length", "annotation": ""}, "snippet": " length = get_length ()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L324_C8", "label": "if", "type": "if", "loc": [324, 324], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:While_L319_C4", "vector": [4, 2, 0.4286, 0.0013, 2, 0.26, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if length < 2 : raise Exception( \"Erroneous JPEG marker length\" )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L327_C8", "label": "if", "type": "if", "loc": [327, 334], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:While_L319_C4", "vector": [4, 2, 0.4372, 0.0106, 2, 0.26, 0.75, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if marker in MARKERS :\n # the next byte is the data precision, just skip it\n fin.read(1)\n\n # bingo\n image_height = get_length()\n image_width = get_length()\n return image_width, image_height"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L329_C12", "label": "read()", "type": "expression", "loc": [329, 329], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L327_C8", "vector": [8, 3, 0.4352, 0.0013, 3, 0.42, 0.0, 453, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "read", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " fin.read(1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L332_C12", "label": "image_height = get_length()", "type": "assigned_variable", "loc": [332, 332], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L327_C8", "vector": [14, 3, 0.4392, 0.0013, 3, 0.42, 0.3333, 906, 3, 0, 0, 0, 341, 10, 1], "semantic": {"name": "image_height", "arg_names": [], "import_names": [], "rhs_call_name": "get_length", "annotation": ""}, "snippet": " image_height = get_length()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L333_C12", "label": "image_width = get_length()", "type": "assigned_variable", "loc": [333, 333], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L327_C8", "vector": [14, 3, 0.4405, 0.0013, 3, 0.42, 0.6667, 347, 3, 0, 0, 0, 341, 10, 1], "semantic": {"name": "image_width", "arg_names": [], "import_names": [], "rhs_call_name": "get_length", "annotation": ""}, "snippet": " image_width = get_length()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L334_C12", "label": "return", "type": "return", "loc": [334, 334], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L327_C8", "vector": [13, 3, 0.4418, 0.0013, 3, 0.42, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return image_width, image_height"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L337_C8", "label": "read()", "type": "expression", "loc": [337, 337], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:While_L319_C4", "vector": [8, 2, 0.4458, 0.0013, 2, 0.26, 1.0, 453, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "read", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " fin.read( length - 2 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L342_C0", "label": "_PNG_HEADER =", "type": "assigned_variable", "loc": [342, 342], "level": 0, "parent": null, "vector": [14, 0, 0.4524, 0.0013, 0, 0.66, 0.8926, 552, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "_PNG_HEADER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "_PNG_HEADER = '\\x89\\x50\\x4e'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L343_C0", "label": "_get_png_dimensions", "type": "function", "loc": [343, 349], "level": 0, "parent": null, "vector": [2, 0, 0.4577, 0.0093, 0, 0.66, 0.9008, 8, 0, 1, 1, 0, 0, 0, 5], "semantic": {"name": "_get_png_dimensions", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _get_png_dimensions( data ) :\n if data[0:3] != _PNG_HEADER :\n raise Exception( 'Invalid PNG image' )\n\n width = (ord(data[18]) * 256) + (ord(data[19]))\n height = (ord(data[22]) * 256) + (ord(data[23]))\n return width, height"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L344_C4", "label": "if", "type": "if", "loc": [344, 345], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L343_C0", "vector": [4, 1, 0.4557, 0.0026, 1, 0.12, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if data[0:3] != _PNG_HEADER :\n raise Exception( 'Invalid PNG image' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L347_C4", "label": "width =", "type": "assigned_variable", "loc": [347, 347], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L343_C0", "vector": [14, 1, 0.459, 0.0013, 1, 0.12, 0.3333, 989, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "width", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " width = (ord(data[18]) * 256) + (ord(data[19]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L348_C4", "label": "height =", "type": "assigned_variable", "loc": [348, 348], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L343_C0", "vector": [14, 1, 0.4603, 0.0013, 1, 0.12, 0.6667, 751, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "height", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " height = (ord(data[22]) * 256) + (ord(data[23]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L349_C4", "label": "return", "type": "return", "loc": [349, 349], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L343_C0", "vector": [13, 1, 0.4616, 0.0013, 1, 0.12, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return width, height"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "label": "_get_emf_dimensions", "type": "function", "loc": [351, 396], "level": 0, "parent": null, "vector": [2, 0, 0.494, 0.0608, 0, 0.66, 0.9091, 116, 0, 1, 1, 0, 0, 0, 35], "semantic": {"name": "_get_emf_dimensions", "arg_names": ["fin"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _get_emf_dimensions( fin ):\n import struct\n def get_DWORD():\n return struct.unpack(\"<L\",fin.read(4))[0]\n def get_LONG():\n return struct.unpack(\"<l\",fin.read(4))[0]\n def get_WORD():\n return struct.unpack(\"<H\",fin.read(2))[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Import_L352_C4", "label": "struct import struct", "type": "import", "loc": [352, 352], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [1, 1, 0.4656, 0.0013, 1, 0.25, 0.0, 399, 0, 1, 0, 0, 399, 0, 0], "semantic": {"name": "struct", "arg_names": [], "import_names": ["struct"], "rhs_call_name": "", "annotation": ""}, "snippet": " import struct"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L353_C4", "label": "get_DWORD", "type": "function", "loc": [353, 354], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [2, 1, 0.4676, 0.0026, 1, 0.25, 0.0312, 947, 0, 0, 1, 0, 0, 0, 2], "semantic": {"name": "get_DWORD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_DWORD():\n return struct.unpack(\"<L\",fin.read(4))[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L354_C8", "label": "return", "type": "return", "loc": [354, 354], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L353_C4", "vector": [13, 2, 0.4683, 0.0013, 2, 0.44, 0.0, 0, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.unpack(\"<L\",fin.read(4))[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L355_C4", "label": "get_LONG", "type": "function", "loc": [355, 356], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [2, 1, 0.4702, 0.0026, 1, 0.25, 0.0625, 372, 0, 0, 1, 0, 0, 0, 2], "semantic": {"name": "get_LONG", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_LONG():\n return struct.unpack(\"<l\",fin.read(4))[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L356_C8", "label": "return", "type": "return", "loc": [356, 356], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L355_C4", "vector": [13, 2, 0.4709, 0.0013, 2, 0.5, 0.0, 0, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.unpack(\"<l\",fin.read(4))[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L357_C4", "label": "get_WORD", "type": "function", "loc": [357, 358], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [2, 1, 0.4729, 0.0026, 1, 0.25, 0.0938, 554, 0, 0, 1, 0, 0, 0, 2], "semantic": {"name": "get_WORD", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_WORD():\n return struct.unpack(\"<H\",fin.read(2))[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L358_C8", "label": "return", "type": "return", "loc": [358, 358], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L357_C4", "vector": [13, 2, 0.4735, 0.0013, 2, 0.38, 0.0, 0, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.unpack(\"<H\",fin.read(2))[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L359_C4", "label": "Empty", "type": "class", "loc": [359, 360], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [3, 1, 0.4755, 0.0026, 1, 0.25, 0.125, 28, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "Empty", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " class Empty:\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L361_C4", "label": "header = Empty()", "type": "assigned_variable", "loc": [361, 361], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4775, 0.0013, 1, 0.25, 0.1562, 481, 3, 0, 0, 0, 28, 10, 1], "semantic": {"name": "header", "arg_names": [], "import_names": [], "rhs_call_name": "Empty", "annotation": ""}, "snippet": " header = Empty()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L362_C4", "label": "header.RecordType = get_DWORD()", "type": "assigned_variable", "loc": [362, 362], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4788, 0.0013, 1, 0.25, 0.1875, 686, 3, 0, 0, 0, 947, 10, 1], "semantic": {"name": "header.RecordType", "arg_names": [], "import_names": [], "rhs_call_name": "get_DWORD", "annotation": ""}, "snippet": " header.RecordType = get_DWORD() # Record type"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L363_C4", "label": "header.RecordSize = get_DWORD()", "type": "assigned_variable", "loc": [363, 363], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4802, 0.0013, 1, 0.25, 0.2188, 335, 3, 0, 0, 0, 947, 10, 1], "semantic": {"name": "header.RecordSize", "arg_names": [], "import_names": [], "rhs_call_name": "get_DWORD", "annotation": ""}, "snippet": " header.RecordSize = get_DWORD() # Size of the record in bytes"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L364_C4", "label": "header.BoundsLeft = get_LONG()", "type": "assigned_variable", "loc": [364, 364], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4815, 0.0013, 1, 0.25, 0.25, 411, 3, 0, 0, 0, 372, 10, 1], "semantic": {"name": "header.BoundsLeft", "arg_names": [], "import_names": [], "rhs_call_name": "get_LONG", "annotation": ""}, "snippet": " header.BoundsLeft = get_LONG() # Left inclusive bounds"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L365_C4", "label": "header.BoundsTop = get_LONG()", "type": "assigned_variable", "loc": [365, 365], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4828, 0.0013, 1, 0.25, 0.2812, 893, 3, 0, 0, 0, 372, 10, 1], "semantic": {"name": "header.BoundsTop", "arg_names": [], "import_names": [], "rhs_call_name": "get_LONG", "annotation": ""}, "snippet": " header.BoundsTop = get_LONG() # Top inclusive bounds"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L366_C4", "label": "header.BoundsRight = get_LONG()", "type": "assigned_variable", "loc": [366, 366], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4841, 0.0013, 1, 0.25, 0.3125, 77, 3, 0, 0, 0, 372, 10, 1], "semantic": {"name": "header.BoundsRight", "arg_names": [], "import_names": [], "rhs_call_name": "get_LONG", "annotation": ""}, "snippet": " header.BoundsRight = get_LONG() # Right inclusive bounds"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L367_C4", "label": "header.BoundsBottom = get_LONG()", "type": "assigned_variable", "loc": [367, 367], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4854, 0.0013, 1, 0.25, 0.3438, 149, 3, 0, 0, 0, 372, 10, 1], "semantic": {"name": "header.BoundsBottom", "arg_names": [], "import_names": [], "rhs_call_name": "get_LONG", "annotation": ""}, "snippet": " header.BoundsBottom = get_LONG() # Bottom inclusive bounds"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L368_C4", "label": "header.FrameLeft = get_LONG()", "type": "assigned_variable", "loc": [368, 368], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4868, 0.0013, 1, 0.25, 0.375, 465, 3, 0, 0, 0, 372, 10, 1], "semantic": {"name": "header.FrameLeft", "arg_names": [], "import_names": [], "rhs_call_name": "get_LONG", "annotation": ""}, "snippet": " header.FrameLeft = get_LONG() # Left side of inclusive picture frame"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L369_C4", "label": "header.FrameTop = get_LONG()", "type": "assigned_variable", "loc": [369, 369], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4881, 0.0013, 1, 0.25, 0.4062, 943, 3, 0, 0, 0, 372, 10, 1], "semantic": {"name": "header.FrameTop", "arg_names": [], "import_names": [], "rhs_call_name": "get_LONG", "annotation": ""}, "snippet": " header.FrameTop = get_LONG() # Top side of inclusive picture frame"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L370_C4", "label": "header.FrameRight = get_LONG()", "type": "assigned_variable", "loc": [370, 370], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4894, 0.0013, 1, 0.25, 0.4375, 434, 3, 0, 0, 0, 372, 10, 1], "semantic": {"name": "header.FrameRight", "arg_names": [], "import_names": [], "rhs_call_name": "get_LONG", "annotation": ""}, "snippet": " header.FrameRight = get_LONG() # Right side of inclusive picture frame"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L371_C4", "label": "header.FrameBottom = get_LONG()", "type": "assigned_variable", "loc": [371, 371], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4907, 0.0013, 1, 0.25, 0.4688, 49, 3, 0, 0, 0, 372, 10, 1], "semantic": {"name": "header.FrameBottom", "arg_names": [], "import_names": [], "rhs_call_name": "get_LONG", "annotation": ""}, "snippet": " header.FrameBottom = get_LONG() # Bottom side of inclusive picture frame"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L372_C4", "label": "header.Signature = get_DWORD()", "type": "assigned_variable", "loc": [372, 372], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4921, 0.0013, 1, 0.25, 0.5, 51, 3, 0, 0, 0, 947, 10, 1], "semantic": {"name": "header.Signature", "arg_names": [], "import_names": [], "rhs_call_name": "get_DWORD", "annotation": ""}, "snippet": " header.Signature = get_DWORD() # Signature ID (always 0x464D4520)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L373_C4", "label": "header.Version = get_DWORD()", "type": "assigned_variable", "loc": [373, 373], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4934, 0.0013, 1, 0.25, 0.5312, 671, 3, 0, 0, 0, 947, 10, 1], "semantic": {"name": "header.Version", "arg_names": [], "import_names": [], "rhs_call_name": "get_DWORD", "annotation": ""}, "snippet": " header.Version = get_DWORD() # Version of the metafile"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L374_C4", "label": "header.Size = get_DWORD()", "type": "assigned_variable", "loc": [374, 374], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4947, 0.0013, 1, 0.25, 0.5625, 224, 3, 0, 0, 0, 947, 10, 1], "semantic": {"name": "header.Size", "arg_names": [], "import_names": [], "rhs_call_name": "get_DWORD", "annotation": ""}, "snippet": " header.Size = get_DWORD() # Size of the metafile in bytes"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L375_C4", "label": "header.NumOfRecords = get_DWORD()", "type": "assigned_variable", "loc": [375, 375], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.496, 0.0013, 1, 0.25, 0.5938, 926, 3, 0, 0, 0, 947, 10, 1], "semantic": {"name": "header.NumOfRecords", "arg_names": [], "import_names": [], "rhs_call_name": "get_DWORD", "annotation": ""}, "snippet": " header.NumOfRecords = get_DWORD() # Number of records in the metafile"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L376_C4", "label": "header.NumOfHandles = get_WORD()", "type": "assigned_variable", "loc": [376, 376], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4974, 0.0013, 1, 0.25, 0.625, 668, 3, 0, 0, 0, 554, 10, 1], "semantic": {"name": "header.NumOfHandles", "arg_names": [], "import_names": [], "rhs_call_name": "get_WORD", "annotation": ""}, "snippet": " header.NumOfHandles = get_WORD() # Number of handles in the handle table"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L377_C4", "label": "header.Reserved = get_WORD()", "type": "assigned_variable", "loc": [377, 377], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.4987, 0.0013, 1, 0.25, 0.6562, 538, 3, 0, 0, 0, 554, 10, 1], "semantic": {"name": "header.Reserved", "arg_names": [], "import_names": [], "rhs_call_name": "get_WORD", "annotation": ""}, "snippet": " header.Reserved = get_WORD() # Not used (always 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L378_C4", "label": "header.SizeOfDescrip = get_DWORD()", "type": "assigned_variable", "loc": [378, 378], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.5, 0.0013, 1, 0.25, 0.6875, 554, 3, 0, 0, 0, 947, 10, 1], "semantic": {"name": "header.SizeOfDescrip", "arg_names": [], "import_names": [], "rhs_call_name": "get_DWORD", "annotation": ""}, "snippet": " header.SizeOfDescrip = get_DWORD() # Size of description string in WORDs"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L379_C4", "label": "header.OffsOfDescrip = get_DWORD()", "type": "assigned_variable", "loc": [379, 379], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.5013, 0.0013, 1, 0.25, 0.7188, 896, 3, 0, 0, 0, 947, 10, 1], "semantic": {"name": "header.OffsOfDescrip", "arg_names": [], "import_names": [], "rhs_call_name": "get_DWORD", "annotation": ""}, "snippet": " header.OffsOfDescrip = get_DWORD() # Offset of description string in metafile"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L380_C4", "label": "header.NumPalEntries = get_DWORD()", "type": "assigned_variable", "loc": [380, 380], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.5026, 0.0013, 1, 0.25, 0.75, 691, 3, 0, 0, 0, 947, 10, 1], "semantic": {"name": "header.NumPalEntries", "arg_names": [], "import_names": [], "rhs_call_name": "get_DWORD", "annotation": ""}, "snippet": " header.NumPalEntries = get_DWORD() # Number of color palette entries"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L381_C4", "label": "header.WidthDevPixels = get_LONG()", "type": "assigned_variable", "loc": [381, 381], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.504, 0.0013, 1, 0.25, 0.7812, 474, 3, 0, 0, 0, 372, 10, 1], "semantic": {"name": "header.WidthDevPixels", "arg_names": [], "import_names": [], "rhs_call_name": "get_LONG", "annotation": ""}, "snippet": " header.WidthDevPixels = get_LONG() # Width of reference device in pixels"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L382_C4", "label": "header.HeightDevPixels = get_LONG()", "type": "assigned_variable", "loc": [382, 382], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.5053, 0.0013, 1, 0.25, 0.8125, 31, 3, 0, 0, 0, 372, 10, 1], "semantic": {"name": "header.HeightDevPixels", "arg_names": [], "import_names": [], "rhs_call_name": "get_LONG", "annotation": ""}, "snippet": " header.HeightDevPixels = get_LONG() # Height of reference device in pixels"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L383_C4", "label": "header.WidthDevMM = get_LONG()", "type": "assigned_variable", "loc": [383, 383], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.5066, 0.0013, 1, 0.25, 0.8438, 354, 3, 0, 0, 0, 372, 10, 1], "semantic": {"name": "header.WidthDevMM", "arg_names": [], "import_names": [], "rhs_call_name": "get_LONG", "annotation": ""}, "snippet": " header.WidthDevMM = get_LONG() # Width of reference device in millimeters"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L384_C4", "label": "header.HeightDevMM = get_LONG()", "type": "assigned_variable", "loc": [384, 384], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.5079, 0.0013, 1, 0.25, 0.875, 627, 3, 0, 0, 0, 372, 10, 1], "semantic": {"name": "header.HeightDevMM", "arg_names": [], "import_names": [], "rhs_call_name": "get_LONG", "annotation": ""}, "snippet": " header.HeightDevMM = get_LONG() # Height of reference device in millimeters"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L386_C4", "label": "if", "type": "if", "loc": [386, 390], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [4, 1, 0.5132, 0.0066, 1, 0.25, 0.9062, 0, 1, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 0:\n klist = header.__dict__.keys()\n klist.sort()\n for k in klist:\n print(\"%20s:%s\" % (k,header.__dict__[k]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L387_C8", "label": "klist = keys()", "type": "assigned_variable", "loc": [387, 387], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L386_C4", "vector": [14, 2, 0.5119, 0.0013, 2, 0.7, 0.0, 367, 3, 0, 0, 0, 204, 10, 1], "semantic": {"name": "klist", "arg_names": [], "import_names": [], "rhs_call_name": "keys", "annotation": ""}, "snippet": " klist = header.__dict__.keys()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L388_C8", "label": "sort()", "type": "expression", "loc": [388, 388], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L386_C4", "vector": [8, 2, 0.5132, 0.0013, 2, 0.7, 0.5, 489, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "sort", "arg_names": [], "import_names": [], "rhs_call_name": "sort", "annotation": ""}, "snippet": " klist.sort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:For_L389_C8", "label": "for k", "type": "for", "loc": [389, 390], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L386_C4", "vector": [6, 2, 0.5152, 0.0026, 2, 0.7, 1.0, 954, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "k", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k in klist:\n print(\"%20s:%s\" % (k,header.__dict__[k]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L390_C12", "label": "print()", "type": "expression", "loc": [390, 390], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:For_L389_C8", "vector": [8, 3, 0.5159, 0.0013, 3, 0.86, 0.0, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(\"%20s:%s\" % (k,header.__dict__[k]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L392_C4", "label": "dw =", "type": "assigned_variable", "loc": [392, 392], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.5185, 0.0013, 1, 0.25, 0.9375, 71, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "dw", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " dw = header.FrameRight-header.FrameLeft"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L393_C4", "label": "dh =", "type": "assigned_variable", "loc": [393, 393], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [14, 1, 0.5198, 0.0013, 1, 0.25, 0.9688, 844, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "dh", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " dh = header.FrameBottom-header.FrameTop"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L396_C4", "label": "return", "type": "return", "loc": [396, 396], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "vector": [13, 1, 0.5238, 0.0013, 1, 0.25, 1.0, 0, 0, 0, 0, 0, 0, 8, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return int(dw * 72.0/2540.0), int(dh * 72.0/2540.0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "label": "Image", "type": "class", "loc": [398, 472], "level": 0, "parent": null, "vector": [3, 0, 0.5754, 0.0992, 0, 0.66, 0.9174, 721, 0, 2, 0, 0, 686, 0, 29], "semantic": {"name": "Image", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Image( RawCode ) :\n\n # Need to add in the width and height in twips as it crashes\n # word xp with these values. Still working out the most\n # efficient way of getting these values.\n # \\picscalex100\\picscaley100\\piccropl0\\piccropr0\\piccropt0\\piccropb0\n # picwgoal900\\pichgoal281\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L406_C4", "label": "PNG_LIB =", "type": "assigned_variable", "loc": [406, 406], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "vector": [14, 1, 0.537, 0.0013, 1, 0.16, 0.0, 516, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "PNG_LIB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " PNG_LIB = 'pngblip'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L407_C4", "label": "JPG_LIB =", "type": "assigned_variable", "loc": [407, 407], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "vector": [14, 1, 0.5384, 0.0013, 1, 0.16, 0.2, 820, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "JPG_LIB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " JPG_LIB = 'jpegblip'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L408_C4", "label": "EMF_LIB =", "type": "assigned_variable", "loc": [408, 408], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "vector": [14, 1, 0.5397, 0.0013, 1, 0.16, 0.4, 739, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "EMF_LIB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " EMF_LIB = 'emfblip'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L409_C4", "label": "PICT_TYPES =", "type": "assigned_variable", "loc": [409, 411], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "vector": [14, 1, 0.5423, 0.004, 1, 0.16, 0.6, 829, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "PICT_TYPES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " PICT_TYPES = { 'png' : PNG_LIB,\n 'jpg' : JPG_LIB,\n 'emf' : EMF_LIB}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "label": "__init__", "type": "function", "loc": [413, 469], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "vector": [2, 1, 0.5833, 0.0754, 1, 0.16, 0.8, 555, 0, 3, 0, 0, 0, 0, 29], "semantic": {"name": "__init__", "arg_names": ["self", "infile", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, infile, **kwargs ) :\n\n if hasattr( infile, 'read' ):\n fin = infile\n if 'datatype' not in kwargs.keys():\n msg = \"If passing in a file object, you must also specify type='xxx' where xxx is one of %s\" % self.PICT_TYPES.keys()\n file_name = kwargs.pop('datatype')\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L415_C8", "label": "if", "type": "if", "loc": [415, 422], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [4, 2, 0.5536, 0.0106, 2, 0.2, 0.0, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if hasattr( infile, 'read' ):\n fin = infile\n if 'datatype' not in kwargs.keys():\n msg = \"If passing in a file object, you must also specify type='xxx' where xxx is one of %s\" % self.PICT_TYPES.keys()\n file_name = kwargs.pop('datatype')\n else:\n fin = file( infile, 'rb' )\n file_name = infile"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L416_C12", "label": "fin =", "type": "assigned_variable", "loc": [416, 416], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L415_C8", "vector": [14, 3, 0.5503, 0.0013, 3, 0.44, 0.0, 225, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "fin", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fin = infile"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L417_C12", "label": "if", "type": "if", "loc": [417, 418], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L415_C8", "vector": [4, 3, 0.5522, 0.0026, 3, 0.44, 0.25, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 'datatype' not in kwargs.keys():\n msg = \"If passing in a file object, you must also specify type='xxx' where xxx is one of %s\" % self.PICT_TYPES.keys()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L418_C16", "label": "msg =", "type": "assigned_variable", "loc": [418, 418], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L417_C12", "vector": [14, 4, 0.5529, 0.0013, 4, 0.51, 0.0, 712, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "msg", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " msg = \"If passing in a file object, you must also specify type='xxx' where xxx is one of %s\" % self.PICT_TYPES.keys()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L419_C12", "label": "file_name = pop()", "type": "assigned_variable", "loc": [419, 419], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L415_C8", "vector": [14, 3, 0.5542, 0.0013, 3, 0.44, 0.5, 991, 3, 1, 0, 0, 969, 10, 1], "semantic": {"name": "file_name", "arg_names": [], "import_names": [], "rhs_call_name": "pop", "annotation": ""}, "snippet": " file_name = kwargs.pop('datatype')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L421_C12", "label": "fin = file()", "type": "assigned_variable", "loc": [421, 421], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L415_C8", "vector": [14, 3, 0.5569, 0.0013, 3, 0.44, 0.75, 225, 3, 2, 0, 0, 107, 10, 1], "semantic": {"name": "fin", "arg_names": [], "import_names": [], "rhs_call_name": "file", "annotation": ""}, "snippet": " fin = file( infile, 'rb' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L422_C12", "label": "file_name =", "type": "assigned_variable", "loc": [422, 422], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L415_C8", "vector": [14, 3, 0.5582, 0.0013, 3, 0.44, 1.0, 991, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "file_name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " file_name = infile"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L424_C8", "label": "pict_type =", "type": "assigned_variable", "loc": [424, 424], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [14, 2, 0.5608, 0.0013, 2, 0.2, 0.0667, 911, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "pict_type", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pict_type = self.PICT_TYPES[ file_name[ -3 : ].lower() ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L425_C8", "label": "if", "type": "if", "loc": [425, 430], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [4, 2, 0.5655, 0.0079, 2, 0.2, 0.1333, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pict_type == self.PNG_LIB :\n width, height = _get_png_dimensions( fin.read( 100 ) )\n elif pict_type == self.JPG_LIB :\n width, height = _get_jpg_dimensions( fin )\n elif pict_type == self.EMF_LIB :\n width, height = _get_emf_dimensions( fin )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L426_C12", "label": "width, height = _get_png_dimensions()", "type": "assigned_variable", "loc": [426, 426], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L425_C8", "vector": [14, 3, 0.5635, 0.0013, 3, 0.5, 0.0, 560, 3, 1, 0, 0, 8, 10, 2], "semantic": {"name": "width, height", "arg_names": [], "import_names": [], "rhs_call_name": "_get_png_dimensions", "annotation": ""}, "snippet": " width, height = _get_png_dimensions( fin.read( 100 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L427_C8", "label": "if", "type": "if", "loc": [427, 430], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L425_C8", "vector": [4, 3, 0.5668, 0.0053, 3, 0.5, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif pict_type == self.JPG_LIB :\n width, height = _get_jpg_dimensions( fin )\n elif pict_type == self.EMF_LIB :\n width, height = _get_emf_dimensions( fin )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L428_C12", "label": "width, height = _get_jpg_dimensions()", "type": "assigned_variable", "loc": [428, 428], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L427_C8", "vector": [14, 4, 0.5661, 0.0013, 4, 0.8, 0.0, 560, 3, 1, 0, 0, 334, 10, 1], "semantic": {"name": "width, height", "arg_names": [], "import_names": [], "rhs_call_name": "_get_jpg_dimensions", "annotation": ""}, "snippet": " width, height = _get_jpg_dimensions( fin )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L429_C8", "label": "if", "type": "if", "loc": [429, 430], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L427_C8", "vector": [4, 4, 0.5681, 0.0026, 4, 0.8, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif pict_type == self.EMF_LIB :\n width, height = _get_emf_dimensions( fin )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L430_C12", "label": "width, height = _get_emf_dimensions()", "type": "assigned_variable", "loc": [430, 430], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L429_C8", "vector": [14, 5, 0.5688, 0.0013, 5, 0.66, 0.0, 560, 3, 1, 0, 0, 116, 10, 1], "semantic": {"name": "width, height", "arg_names": [], "import_names": [], "rhs_call_name": "_get_emf_dimensions", "annotation": ""}, "snippet": " width, height = _get_emf_dimensions( fin )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L436_C8", "label": "if", "type": "if", "loc": [436, 439], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [4, 2, 0.5787, 0.0053, 2, 0.2, 0.2, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ('width' in kwargs) and ('height' not in kwargs):\n height = int(height * float(kwargs['width'])/width)\n elif ('height' in kwargs) and ('width' not in kwargs):\n width = int(width * float(kwargs['height'])/height)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L437_C12", "label": "height = int()", "type": "assigned_variable", "loc": [437, 437], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L436_C8", "vector": [14, 3, 0.578, 0.0013, 3, 0.58, 0.0, 751, 3, 1, 0, 0, 901, 10, 2], "semantic": {"name": "height", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " height = int(height * float(kwargs['width'])/width)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L438_C8", "label": "if", "type": "if", "loc": [438, 439], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L436_C8", "vector": [4, 3, 0.58, 0.0026, 3, 0.58, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif ('height' in kwargs) and ('width' not in kwargs):\n width = int(width * float(kwargs['height'])/height)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L439_C12", "label": "width = int()", "type": "assigned_variable", "loc": [439, 439], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L438_C8", "vector": [14, 4, 0.5807, 0.0013, 4, 0.34, 0.0, 989, 3, 1, 0, 0, 901, 10, 2], "semantic": {"name": "width", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " width = int(width * float(kwargs['height'])/height)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L441_C8", "label": "width = pop()", "type": "assigned_variable", "loc": [441, 441], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [14, 2, 0.5833, 0.0013, 2, 0.2, 0.2667, 989, 3, 2, 0, 0, 969, 10, 1], "semantic": {"name": "width", "arg_names": [], "import_names": [], "rhs_call_name": "pop", "annotation": ""}, "snippet": " width = kwargs.pop('width',width)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L442_C8", "label": "height = pop()", "type": "assigned_variable", "loc": [442, 442], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [14, 2, 0.5847, 0.0013, 2, 0.2, 0.3333, 751, 3, 2, 0, 0, 969, 10, 1], "semantic": {"name": "height", "arg_names": [], "import_names": [], "rhs_call_name": "pop", "annotation": ""}, "snippet": " height = kwargs.pop('height', height)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L444_C8", "label": "codes =", "type": "assigned_variable", "loc": [444, 446], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [14, 2, 0.5886, 0.004, 2, 0.2, 0.4, 865, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "codes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " codes = [ pict_type,\n 'picwgoal%s' % (width * 20),\n 'pichgoal%s' % (height * 20) ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L448_C8", "label": "scale = pop()", "type": "assigned_variable", "loc": [448, 448], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [14, 2, 0.5926, 0.0013, 2, 0.2, 0.4667, 18, 3, 2, 0, 0, 969, 10, 1], "semantic": {"name": "scale", "arg_names": [], "import_names": [], "rhs_call_name": "pop", "annotation": ""}, "snippet": " scale = kwargs.pop('scale',100)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:For_L450_C8", "label": "for kwarg, code, default", "type": "for", "loc": [450, 456], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [6, 2, 0.5992, 0.0093, 2, 0.2, 0.5333, 750, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "kwarg, code, default", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for kwarg, code, default in [ ( 'scale_x', 'scalex', scale ),\n ( 'scale_y', 'scaley', scale ),\n ( 'crop_left', 'cropl', '0' ),\n ( 'crop_right', 'cropr', '0' ),\n ( 'crop_top', 'cropt', '0' ),\n ( 'crop_bottom', 'cropb', '0' ) ] :\n codes.append( 'pic%s%s' % ( code, kwargs.pop( kwarg, default ) ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L456_C12", "label": "append()", "type": "expression", "loc": [456, 456], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:For_L450_C8", "vector": [8, 3, 0.6032, 0.0013, 3, 0.88, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " codes.append( 'pic%s%s' % ( code, kwargs.pop( kwarg, default ) ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L461_C8", "label": "seek()", "type": "expression", "loc": [461, 461], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [8, 2, 0.6098, 0.0013, 2, 0.2, 0.6, 66, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " fin.seek( 0, 0 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L462_C8", "label": "image = hexlify()", "type": "assigned_variable", "loc": [462, 462], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [14, 2, 0.6111, 0.0013, 2, 0.2, 0.6667, 505, 3, 1, 0, 0, 620, 10, 2], "semantic": {"name": "image", "arg_names": [], "import_names": [], "rhs_call_name": "hexlify", "annotation": ""}, "snippet": " image = hexlify( fin.read() )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L463_C8", "label": "close()", "type": "expression", "loc": [463, 463], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [8, 2, 0.6124, 0.0013, 2, 0.2, 0.7333, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " fin.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L464_C8", "label": "data =", "type": "assigned_variable", "loc": [464, 464], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [14, 2, 0.6138, 0.0013, 2, 0.2, 0.8, 929, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:For_L465_C8", "label": "for i", "type": "for", "loc": [465, 466], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [6, 2, 0.6157, 0.0026, 2, 0.2, 0.8667, 826, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range( 0, len( image ), 128 ) :\n data.append( image[ i : i + 128 ] )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L466_C12", "label": "append()", "type": "expression", "loc": [466, 466], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:For_L465_C8", "vector": [8, 3, 0.6164, 0.0013, 3, 0.03, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " data.append( image[ i : i + 128 ] )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L468_C8", "label": "data =", "type": "assigned_variable", "loc": [468, 468], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [14, 2, 0.619, 0.0013, 2, 0.2, 0.9333, 929, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = r'{\\pict{\\%s}%s}' % ( '\\\\'.join( codes ), '\\n'.join( data ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L469_C8", "label": "__init__()", "type": "expression", "loc": [469, 469], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "vector": [8, 2, 0.6204, 0.0013, 2, 0.2, 1.0, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " RawCode.__init__( self, data )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L471_C4", "label": "ToRawCode", "type": "function", "loc": [471, 472], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "vector": [2, 1, 0.6237, 0.0026, 1, 0.16, 1.0, 201, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "ToRawCode", "arg_names": ["self", "var_name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def ToRawCode( self, var_name ) :\n return '%s = RawCode( \"\"\"%s\"\"\" )' % ( var_name, self.Data )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L472_C8", "label": "return", "type": "return", "loc": [472, 472], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L471_C4", "vector": [13, 2, 0.6243, 0.0013, 2, 0.98, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s = RawCode( \"\"\"%s\"\"\" )' % ( var_name, self.Data )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L474_C0", "label": "Text", "type": "class", "loc": [474, 490], "level": 0, "parent": null, "vector": [3, 0, 0.6376, 0.0225, 0, 0.66, 0.9256, 833, 0, 2, 0, 0, 0, 0, 3], "semantic": {"name": "Text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Text :\n def __init__( self, *params ) :\n self.Data = None\n self.Style = None\n self.Properties = None\n self.Shading = None\n\n for param in params :"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L475_C4", "label": "__init__", "type": "function", "loc": [475, 487], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L474_C0", "vector": [2, 1, 0.6362, 0.0172, 1, 0.99, 0.0, 555, 0, 2, 0, 0, 0, 0, 3], "semantic": {"name": "__init__", "arg_names": ["self", "params"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, *params ) :\n self.Data = None\n self.Style = None\n self.Properties = None\n self.Shading = None\n\n for param in params :\n if isinstance( param, TextStyle ) : self.Style = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L476_C8", "label": "self.Data =", "type": "assigned_variable", "loc": [476, 476], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L475_C4", "vector": [14, 2, 0.6296, 0.0013, 2, 0.58, 0.0, 327, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.Data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Data = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L477_C8", "label": "self.Style =", "type": "assigned_variable", "loc": [477, 477], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L475_C4", "vector": [14, 2, 0.631, 0.0013, 2, 0.58, 0.25, 432, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.Style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Style = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L478_C8", "label": "self.Properties =", "type": "assigned_variable", "loc": [478, 478], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L475_C4", "vector": [14, 2, 0.6323, 0.0013, 2, 0.58, 0.5, 788, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.Properties", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Properties = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L479_C8", "label": "self.Shading =", "type": "assigned_variable", "loc": [479, 479], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L475_C4", "vector": [14, 2, 0.6336, 0.0013, 2, 0.58, 0.75, 232, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.Shading", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Shading = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:For_L481_C8", "label": "for param", "type": "for", "loc": [481, 487], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L475_C4", "vector": [6, 2, 0.6402, 0.0093, 2, 0.58, 1.0, 841, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "param", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for param in params :\n if isinstance( param, TextStyle ) : self.Style = param\n elif isinstance( param, TextPS ) : self.Properties = param\n elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise let the rendering custom handler sort it out itself\n self.Data = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L482_C12", "label": "if", "type": "if", "loc": [482, 487], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:For_L481_C8", "vector": [4, 3, 0.6409, 0.0079, 3, 0.19, 0.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance( param, TextStyle ) : self.Style = param\n elif isinstance( param, TextPS ) : self.Properties = param\n elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise let the rendering custom handler sort it out itself\n self.Data = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L482_C51", "label": "self.Style =", "type": "assigned_variable", "loc": [482, 482], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L482_C12", "vector": [14, 4, 0.6376, 0.0013, 4, 0.88, 0.0, 432, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance( param, TextStyle ) : self.Style = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L483_C12", "label": "if", "type": "if", "loc": [483, 487], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L482_C12", "vector": [4, 4, 0.6415, 0.0066, 4, 0.88, 1.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, TextPS ) : self.Properties = param\n elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise let the rendering custom handler sort it out itself\n self.Data = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L483_C51", "label": "self.Properties =", "type": "assigned_variable", "loc": [483, 483], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L483_C12", "vector": [14, 5, 0.6389, 0.0013, 5, 0.52, 0.0, 788, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Properties", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, TextPS ) : self.Properties = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L484_C12", "label": "if", "type": "if", "loc": [484, 487], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L483_C12", "vector": [4, 5, 0.6422, 0.0053, 5, 0.52, 1.0, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise let the rendering custom handler sort it out itself\n self.Data = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L484_C51", "label": "self.Shading =", "type": "assigned_variable", "loc": [484, 484], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L484_C12", "vector": [14, 6, 0.6402, 0.0013, 6, 0.53, 0.0, 232, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Shading", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, ShadingPS ) : self.Shading = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L487_C16", "label": "self.Data =", "type": "assigned_variable", "loc": [487, 487], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L484_C12", "vector": [14, 6, 0.6442, 0.0013, 6, 0.53, 1.0, 327, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Data = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L489_C4", "label": "SetData", "type": "function", "loc": [489, 490], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L474_C0", "vector": [2, 1, 0.6475, 0.0026, 1, 0.99, 1.0, 617, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "SetData", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetData( self, value ) :\n self.Data = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L490_C8", "label": "self.Data =", "type": "assigned_variable", "loc": [490, 490], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L489_C4", "vector": [14, 2, 0.6481, 0.0013, 2, 0.36, 0.0, 327, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Data = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L492_C0", "label": "Inline", "type": "class", "loc": [492, 513], "level": 0, "parent": null, "vector": [3, 0, 0.6647, 0.0291, 0, 0.66, 0.9339, 391, 0, 2, 0, 0, 430, 0, 8], "semantic": {"name": "Inline", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Inline( list ) :\n def __init__( self, *params ) :\n super( Inline, self ).__init__()\n\n self.Style = None\n self.Properties = None\n self.Shading = None\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "label": "__init__", "type": "function", "loc": [493, 509], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L492_C0", "vector": [2, 1, 0.6627, 0.0225, 1, 0.02, 0.0, 555, 0, 2, 0, 0, 0, 0, 7], "semantic": {"name": "__init__", "arg_names": ["self", "params"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, *params ) :\n super( Inline, self ).__init__()\n\n self.Style = None\n self.Properties = None\n self.Shading = None\n\n self._append = super( Inline, self ).append"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L494_C8", "label": "__init__()", "type": "expression", "loc": [494, 494], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "vector": [8, 2, 0.6534, 0.0013, 2, 0.82, 0.0, 555, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " super( Inline, self ).__init__()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L496_C8", "label": "self.Style =", "type": "assigned_variable", "loc": [496, 496], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "vector": [14, 2, 0.6561, 0.0013, 2, 0.82, 0.2, 432, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.Style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Style = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L497_C8", "label": "self.Properties =", "type": "assigned_variable", "loc": [497, 497], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "vector": [14, 2, 0.6574, 0.0013, 2, 0.82, 0.4, 788, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.Properties", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Properties = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L498_C8", "label": "self.Shading =", "type": "assigned_variable", "loc": [498, 498], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "vector": [14, 2, 0.6587, 0.0013, 2, 0.82, 0.6, 232, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.Shading", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Shading = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L500_C8", "label": "self._append =", "type": "assigned_variable", "loc": [500, 500], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "vector": [14, 2, 0.6614, 0.0013, 2, 0.82, 0.8, 26, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self._append", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._append = super( Inline, self ).append"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:For_L502_C8", "label": "for param", "type": "for", "loc": [502, 509], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "vector": [6, 2, 0.6687, 0.0106, 2, 0.82, 1.0, 841, 2, 0, 0, 0, 0, 0, 4], "semantic": {"name": "param", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for param in params :\n if isinstance( param, TextStyle ) : self.Style = param\n elif isinstance( param, TextPS ) : self.Properties = param\n elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise we add to it to our list of elements and let\n # the rendering custom handler sort it out itself.\n self.append( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L503_C12", "label": "if", "type": "if", "loc": [503, 509], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:For_L502_C8", "vector": [4, 3, 0.6693, 0.0093, 3, 0.88, 0.0, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance( param, TextStyle ) : self.Style = param\n elif isinstance( param, TextPS ) : self.Properties = param\n elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise we add to it to our list of elements and let\n # the rendering custom handler sort it out itself.\n self.append( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L503_C51", "label": "self.Style =", "type": "assigned_variable", "loc": [503, 503], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L503_C12", "vector": [14, 4, 0.6653, 0.0013, 4, 0.95, 0.0, 432, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance( param, TextStyle ) : self.Style = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L504_C12", "label": "if", "type": "if", "loc": [504, 509], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L503_C12", "vector": [4, 4, 0.67, 0.0079, 4, 0.95, 1.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, TextPS ) : self.Properties = param\n elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise we add to it to our list of elements and let\n # the rendering custom handler sort it out itself.\n self.append( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L504_C51", "label": "self.Properties =", "type": "assigned_variable", "loc": [504, 504], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L504_C12", "vector": [14, 5, 0.6667, 0.0013, 5, 0.99, 0.0, 788, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Properties", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, TextPS ) : self.Properties = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L505_C12", "label": "if", "type": "if", "loc": [505, 509], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L504_C12", "vector": [4, 5, 0.6706, 0.0066, 5, 0.99, 1.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise we add to it to our list of elements and let\n # the rendering custom handler sort it out itself.\n self.append( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L505_C51", "label": "self.Shading =", "type": "assigned_variable", "loc": [505, 505], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L505_C12", "vector": [14, 6, 0.668, 0.0013, 6, 0.89, 0.0, 232, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Shading", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, ShadingPS ) : self.Shading = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L509_C16", "label": "append()", "type": "expression", "loc": [509, 509], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L505_C12", "vector": [8, 6, 0.6733, 0.0013, 6, 0.89, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.append( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L511_C4", "label": "append", "type": "function", "loc": [511, 513], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L492_C0", "vector": [2, 1, 0.6772, 0.004, 1, 0.02, 1.0, 243, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": ["self", "params"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def append( self, *params ) :\n # filter out any that are explicitly None\n [ self._append( param ) for param in params if param is not None ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L513_C8", "label": "expression", "type": "expression", "loc": [513, 513], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L511_C4", "vector": [8, 2, 0.6786, 0.0013, 2, 0.97, 0.0, 0, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " [ self._append( param ) for param in params if param is not None ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L515_C0", "label": "Paragraph", "type": "class", "loc": [515, 542], "level": 0, "parent": null, "vector": [3, 0, 0.6991, 0.037, 0, 0.66, 0.9421, 894, 0, 3, 0, 0, 430, 0, 11], "semantic": {"name": "Paragraph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Paragraph( list ) :\n def __init__( self, *params ) :\n super( Paragraph, self ).__init__()\n\n self.Style = None\n self.Properties = None\n self.Frame = None\n self.Shading = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "label": "__init__", "type": "function", "loc": [516, 534], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L515_C0", "vector": [2, 1, 0.6944, 0.0251, 1, 0.94, 0.0, 555, 0, 2, 0, 0, 0, 0, 8], "semantic": {"name": "__init__", "arg_names": ["self", "params"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, *params ) :\n super( Paragraph, self ).__init__()\n\n self.Style = None\n self.Properties = None\n self.Frame = None\n self.Shading = None\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L517_C8", "label": "__init__()", "type": "expression", "loc": [517, 517], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "vector": [8, 2, 0.6839, 0.0013, 2, 0.15, 0.0, 555, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " super( Paragraph, self ).__init__()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L519_C8", "label": "self.Style =", "type": "assigned_variable", "loc": [519, 519], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "vector": [14, 2, 0.6865, 0.0013, 2, 0.15, 0.1667, 432, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.Style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Style = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L520_C8", "label": "self.Properties =", "type": "assigned_variable", "loc": [520, 520], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "vector": [14, 2, 0.6878, 0.0013, 2, 0.15, 0.3333, 788, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.Properties", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Properties = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L521_C8", "label": "self.Frame =", "type": "assigned_variable", "loc": [521, 521], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "vector": [14, 2, 0.6892, 0.0013, 2, 0.15, 0.5, 816, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.Frame", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Frame = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L522_C8", "label": "self.Shading =", "type": "assigned_variable", "loc": [522, 522], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "vector": [14, 2, 0.6905, 0.0013, 2, 0.15, 0.6667, 232, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.Shading", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Shading = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L524_C8", "label": "self._append =", "type": "assigned_variable", "loc": [524, 524], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "vector": [14, 2, 0.6931, 0.0013, 2, 0.15, 0.8333, 26, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self._append", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._append = super( Paragraph, self ).append"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:For_L526_C8", "label": "for param", "type": "for", "loc": [526, 534], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "vector": [6, 2, 0.7011, 0.0119, 2, 0.15, 1.0, 841, 2, 0, 0, 0, 0, 0, 5], "semantic": {"name": "param", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for param in params :\n if isinstance( param, ParagraphStyle ) : self.Style = param\n elif isinstance( param, ParagraphPS ) : self.Properties = param\n elif isinstance( param, FramePS ) : self.Frame = param\n elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise we add to it to our list of elements and let\n # the rendering custom handler sort it out itself."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L527_C12", "label": "if", "type": "if", "loc": [527, 534], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:For_L526_C8", "vector": [4, 3, 0.7017, 0.0106, 3, 0.39, 0.0, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance( param, ParagraphStyle ) : self.Style = param\n elif isinstance( param, ParagraphPS ) : self.Properties = param\n elif isinstance( param, FramePS ) : self.Frame = param\n elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise we add to it to our list of elements and let\n # the rendering custom handler sort it out itself.\n self.append( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L527_C55", "label": "self.Style =", "type": "assigned_variable", "loc": [527, 527], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L527_C12", "vector": [14, 4, 0.6971, 0.0013, 4, 0.96, 0.0, 432, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance( param, ParagraphStyle ) : self.Style = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L528_C12", "label": "if", "type": "if", "loc": [528, 534], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L527_C12", "vector": [4, 4, 0.7024, 0.0093, 4, 0.96, 1.0, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, ParagraphPS ) : self.Properties = param\n elif isinstance( param, FramePS ) : self.Frame = param\n elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise we add to it to our list of elements and let\n # the rendering custom handler sort it out itself.\n self.append( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L528_C55", "label": "self.Properties =", "type": "assigned_variable", "loc": [528, 528], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L528_C12", "vector": [14, 5, 0.6984, 0.0013, 5, 0.13, 0.0, 788, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Properties", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, ParagraphPS ) : self.Properties = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L529_C12", "label": "if", "type": "if", "loc": [529, 534], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L528_C12", "vector": [4, 5, 0.703, 0.0079, 5, 0.13, 1.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, FramePS ) : self.Frame = param\n elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise we add to it to our list of elements and let\n # the rendering custom handler sort it out itself.\n self.append( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L529_C55", "label": "self.Frame =", "type": "assigned_variable", "loc": [529, 529], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L529_C12", "vector": [14, 6, 0.6997, 0.0013, 6, 0.16, 0.0, 816, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Frame", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, FramePS ) : self.Frame = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L530_C12", "label": "if", "type": "if", "loc": [530, 534], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L529_C12", "vector": [4, 6, 0.7037, 0.0066, 6, 0.16, 1.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, ShadingPS ) : self.Shading = param\n else :\n # otherwise we add to it to our list of elements and let\n # the rendering custom handler sort it out itself.\n self.append( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L530_C55", "label": "self.Shading =", "type": "assigned_variable", "loc": [530, 530], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L530_C12", "vector": [14, 7, 0.7011, 0.0013, 7, 0.23, 0.0, 232, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Shading", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, ShadingPS ) : self.Shading = param"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L534_C16", "label": "append()", "type": "expression", "loc": [534, 534], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L530_C12", "vector": [8, 7, 0.7063, 0.0013, 7, 0.23, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.append( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L536_C4", "label": "append", "type": "function", "loc": [536, 538], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L515_C0", "vector": [2, 1, 0.7103, 0.004, 1, 0.94, 0.5, 243, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": ["self", "params"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def append( self, *params ) :\n # filter out any that are explicitly None\n [ self._append( param ) for param in params if param is not None ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L538_C8", "label": "expression", "type": "expression", "loc": [538, 538], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L536_C4", "vector": [8, 2, 0.7116, 0.0013, 2, 0.11, 0.0, 0, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " [ self._append( param ) for param in params if param is not None ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L540_C4", "label": "insert", "type": "function", "loc": [540, 542], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L515_C0", "vector": [2, 1, 0.7156, 0.004, 1, 0.94, 1.0, 368, 0, 3, 0, 0, 0, 0, 2], "semantic": {"name": "insert", "arg_names": ["self", "index", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def insert( self, index, value ) :\n if value is not None :\n super( Paragraph, self ).insert( index, value )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L541_C8", "label": "if", "type": "if", "loc": [541, 542], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L540_C4", "vector": [4, 2, 0.7163, 0.0026, 2, 0.65, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value is not None :\n super( Paragraph, self ).insert( index, value )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L542_C12", "label": "insert()", "type": "expression", "loc": [542, 542], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L541_C8", "vector": [8, 3, 0.7169, 0.0013, 3, 0.54, 0.0, 368, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "insert", "arg_names": [], "import_names": [], "rhs_call_name": "insert", "annotation": ""}, "snippet": " super( Paragraph, self ).insert( index, value )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "label": "Table", "type": "class", "loc": [544, 600], "level": 0, "parent": null, "vector": [3, 0, 0.7566, 0.0754, 0, 0.66, 0.9504, 79, 0, 6, 0, 0, 0, 0, 13], "semantic": {"name": "Table", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Table :\n LEFT = 1\n RIGHT = 2\n CENTER = 3\n ALIGNMENT = [ LEFT, RIGHT, CENTER ]\n\n NO_WRAPPING = 1\n WRAP_AROUND = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L545_C4", "label": "LEFT =", "type": "assigned_variable", "loc": [545, 545], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [14, 1, 0.7209, 0.0013, 1, 0.98, 0.0, 856, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LEFT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " LEFT = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L546_C4", "label": "RIGHT =", "type": "assigned_variable", "loc": [546, 546], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [14, 1, 0.7222, 0.0013, 1, 0.98, 0.0769, 682, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "RIGHT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " RIGHT = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L547_C4", "label": "CENTER =", "type": "assigned_variable", "loc": [547, 547], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [14, 1, 0.7235, 0.0013, 1, 0.98, 0.1538, 995, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CENTER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " CENTER = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L548_C4", "label": "ALIGNMENT =", "type": "assigned_variable", "loc": [548, 548], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [14, 1, 0.7249, 0.0013, 1, 0.98, 0.2308, 872, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "ALIGNMENT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ALIGNMENT = [ LEFT, RIGHT, CENTER ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L550_C4", "label": "NO_WRAPPING =", "type": "assigned_variable", "loc": [550, 550], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [14, 1, 0.7275, 0.0013, 1, 0.98, 0.3077, 691, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NO_WRAPPING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " NO_WRAPPING = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L551_C4", "label": "WRAP_AROUND =", "type": "assigned_variable", "loc": [551, 551], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [14, 1, 0.7288, 0.0013, 1, 0.98, 0.3846, 875, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "WRAP_AROUND", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " WRAP_AROUND = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L552_C4", "label": "WRAPPING =", "type": "assigned_variable", "loc": [552, 552], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [14, 1, 0.7302, 0.0013, 1, 0.98, 0.4615, 106, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "WRAPPING", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " WRAPPING = [ NO_WRAPPING, WRAP_AROUND ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L558_C4", "label": "__init__", "type": "function", "loc": [558, 567], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [2, 1, 0.744, 0.0132, 1, 0.98, 0.5385, 555, 0, 3, 0, 0, 0, 0, 7], "semantic": {"name": "__init__", "arg_names": ["self", "column_widths", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, *column_widths, **kwargs ) :\n\n self.Rows = []\n\n self.SetAlignment ( kwargs.pop( 'alignment', self.LEFT ) )\n self.SetLeftOffset ( kwargs.pop( 'left_offset', None ) )\n self.SetGapBetweenCells( kwargs.pop( 'gap_between_cells', None ) )\n self.SetColumnWidths ( *column_widths )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L560_C8", "label": "self.Rows =", "type": "assigned_variable", "loc": [560, 560], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L558_C4", "vector": [14, 2, 0.7407, 0.0013, 2, 0.59, 0.0, 317, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.Rows", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Rows = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L562_C8", "label": "SetAlignment()", "type": "expression", "loc": [562, 562], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L558_C4", "vector": [8, 2, 0.7434, 0.0013, 2, 0.59, 0.25, 423, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetAlignment", "arg_names": [], "import_names": [], "rhs_call_name": "SetAlignment", "annotation": ""}, "snippet": " self.SetAlignment ( kwargs.pop( 'alignment', self.LEFT ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L563_C8", "label": "SetLeftOffset()", "type": "expression", "loc": [563, 563], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L558_C4", "vector": [8, 2, 0.7447, 0.0013, 2, 0.59, 0.5, 65, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetLeftOffset", "arg_names": [], "import_names": [], "rhs_call_name": "SetLeftOffset", "annotation": ""}, "snippet": " self.SetLeftOffset ( kwargs.pop( 'left_offset', None ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L564_C8", "label": "SetGapBetweenCells()", "type": "expression", "loc": [564, 564], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L558_C4", "vector": [8, 2, 0.746, 0.0013, 2, 0.59, 0.75, 607, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetGapBetweenCells", "arg_names": [], "import_names": [], "rhs_call_name": "SetGapBetweenCells", "annotation": ""}, "snippet": " self.SetGapBetweenCells( kwargs.pop( 'gap_between_cells', None ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L565_C8", "label": "SetColumnWidths()", "type": "expression", "loc": [565, 565], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L558_C4", "vector": [8, 2, 0.7474, 0.0013, 2, 0.59, 1.0, 397, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetColumnWidths", "arg_names": [], "import_names": [], "rhs_call_name": "SetColumnWidths", "annotation": ""}, "snippet": " self.SetColumnWidths ( *column_widths )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L569_C4", "label": "SetAlignment", "type": "function", "loc": [569, 572], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [2, 1, 0.7546, 0.0053, 1, 0.98, 0.6154, 423, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetAlignment", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetAlignment( self, value ) :\n assert value is None or value in self.ALIGNMENT\n self.Alignment = value or self.LEFT\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L571_C8", "label": "self.Alignment =", "type": "assigned_variable", "loc": [571, 571], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L569_C4", "vector": [14, 2, 0.7553, 0.0013, 2, 0.12, 0.0, 714, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Alignment", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Alignment = value or self.LEFT"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L572_C8", "label": "return", "type": "return", "loc": [572, 572], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L569_C4", "vector": [13, 2, 0.7566, 0.0013, 2, 0.12, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L574_C4", "label": "SetLeftOffset", "type": "function", "loc": [574, 576], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [2, 1, 0.7606, 0.004, 1, 0.98, 0.6923, 65, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetLeftOffset", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetLeftOffset( self, value ) :\n self.LeftOffset = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L575_C8", "label": "self.LeftOffset =", "type": "assigned_variable", "loc": [575, 575], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L574_C4", "vector": [14, 2, 0.7606, 0.0013, 2, 0.66, 0.0, 6, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.LeftOffset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.LeftOffset = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L576_C8", "label": "return", "type": "return", "loc": [576, 576], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L574_C4", "vector": [13, 2, 0.7619, 0.0013, 2, 0.66, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L578_C4", "label": "SetGapBetweenCells", "type": "function", "loc": [578, 580], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [2, 1, 0.7659, 0.004, 1, 0.98, 0.7692, 607, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetGapBetweenCells", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetGapBetweenCells( self, value ) :\n self.GapBetweenCells = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L579_C8", "label": "self.GapBetweenCells =", "type": "assigned_variable", "loc": [579, 579], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L578_C4", "vector": [14, 2, 0.7659, 0.0013, 2, 0.83, 0.0, 541, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.GapBetweenCells", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.GapBetweenCells = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L580_C8", "label": "return", "type": "return", "loc": [580, 580], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L578_C4", "vector": [13, 2, 0.7672, 0.0013, 2, 0.83, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L582_C4", "label": "SetColumnWidths", "type": "function", "loc": [582, 585], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [2, 1, 0.7718, 0.0053, 1, 0.98, 0.8462, 397, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetColumnWidths", "arg_names": ["self", "column_widths"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetColumnWidths( self, *column_widths ) :\n self.ColumnWidths = column_widths\n self.ColumnCount = len( column_widths )\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L583_C8", "label": "self.ColumnWidths =", "type": "assigned_variable", "loc": [583, 583], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L582_C4", "vector": [14, 2, 0.7712, 0.0013, 2, 0.33, 0.0, 500, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.ColumnWidths", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ColumnWidths = column_widths"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L584_C8", "label": "self.ColumnCount = len()", "type": "assigned_variable", "loc": [584, 584], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L582_C4", "vector": [14, 2, 0.7725, 0.0013, 2, 0.33, 0.5, 146, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "self.ColumnCount", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " self.ColumnCount = len( column_widths )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L585_C8", "label": "return", "type": "return", "loc": [585, 585], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L582_C4", "vector": [13, 2, 0.7738, 0.0013, 2, 0.33, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L587_C4", "label": "AddRow", "type": "function", "loc": [587, 598], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [2, 1, 0.7837, 0.0159, 1, 0.98, 0.9231, 742, 0, 2, 0, 0, 0, 0, 5], "semantic": {"name": "AddRow", "arg_names": ["self", "cells"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def AddRow( self, *cells ) :\n height = None\n if isinstance( cells[ 0 ], (IntType, FloatType, LongType) ):\n height = int( cells[ 0 ] )\n cells = cells[ 1 : ]\n\n # make sure all of the spans add up to the number of columns\n # otherwise the table will get corrupted"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L588_C8", "label": "height =", "type": "assigned_variable", "loc": [588, 588], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L587_C4", "vector": [14, 2, 0.7778, 0.0013, 2, 0.43, 0.0, 751, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "height", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " height = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L589_C8", "label": "if", "type": "if", "loc": [589, 591], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L587_C4", "vector": [4, 2, 0.7804, 0.004, 2, 0.43, 0.3333, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance( cells[ 0 ], (IntType, FloatType, LongType) ):\n height = int( cells[ 0 ] )\n cells = cells[ 1 : ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L590_C12", "label": "height = int()", "type": "assigned_variable", "loc": [590, 590], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L589_C8", "vector": [14, 3, 0.7804, 0.0013, 3, 0.17, 0.0, 751, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "height", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " height = int( cells[ 0 ] )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L591_C12", "label": "cells =", "type": "assigned_variable", "loc": [591, 591], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L589_C8", "vector": [14, 3, 0.7817, 0.0013, 3, 0.17, 1.0, 757, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "cells", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " cells = cells[ 1 : ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L595_C8", "label": "if", "type": "if", "loc": [595, 596], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L587_C4", "vector": [4, 2, 0.7877, 0.0026, 2, 0.43, 0.6667, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.ColumnCount != sum( [ cell.Span for cell in cells ] ) :\n raise Exception( 'ColumnCount != the total of this row\\'s cell.Spans.' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L598_C8", "label": "append()", "type": "expression", "loc": [598, 598], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L587_C4", "vector": [8, 2, 0.791, 0.0013, 2, 0.43, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.Rows.append( ( height, cells ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L600_C4", "label": "append =", "type": "assigned_variable", "loc": [600, 600], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "vector": [14, 1, 0.7937, 0.0013, 1, 0.98, 1.0, 243, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " append = AddRow"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "label": "Cell", "type": "class", "loc": [602, 677], "level": 0, "parent": null, "vector": [3, 0, 0.8459, 0.1005, 0, 0.66, 0.9587, 166, 0, 9, 0, 0, 430, 0, 26], "semantic": {"name": "Cell", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Cell( list ) :\n\n \"\"\"\n \\clvertalt Text is top-aligned in cell (the default).\n \\clvertalc Text is centered vertically in cell.\n \\clvertalb Text is bottom-aligned in cell.\n \\cltxlrtb Vertical text aligned left (direction bottom up).\n \\cltxtbrl Vertical text aligned right (direction top down)."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L604_C4", "label": "expression", "type": "expression", "loc": [604, 610], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [8, 1, 0.8029, 0.0093, 1, 0.57, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n \\clvertalt Text is top-aligned in cell (the default).\n \\clvertalc Text is centered vertically in cell.\n \\clvertalb Text is bottom-aligned in cell.\n \\cltxlrtb Vertical text aligned left (direction bottom up).\n \\cltxtbrl Vertical text aligned right (direction top down).\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L612_C4", "label": "ALIGN_TOP =", "type": "assigned_variable", "loc": [612, 612], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [14, 1, 0.8095, 0.0013, 1, 0.57, 0.0588, 839, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ALIGN_TOP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ALIGN_TOP = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L613_C4", "label": "ALIGN_CENTER =", "type": "assigned_variable", "loc": [613, 613], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [14, 1, 0.8108, 0.0013, 1, 0.57, 0.1176, 448, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ALIGN_CENTER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ALIGN_CENTER = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L614_C4", "label": "ALIGN_BOTTOM =", "type": "assigned_variable", "loc": [614, 614], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [14, 1, 0.8122, 0.0013, 1, 0.57, 0.1765, 24, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "ALIGN_BOTTOM", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ALIGN_BOTTOM = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L616_C4", "label": "FLOW_LR_TB =", "type": "assigned_variable", "loc": [616, 616], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [14, 1, 0.8148, 0.0013, 1, 0.57, 0.2353, 366, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FLOW_LR_TB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " FLOW_LR_TB = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L617_C4", "label": "FLOW_RL_TB =", "type": "assigned_variable", "loc": [617, 617], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [14, 1, 0.8161, 0.0013, 1, 0.57, 0.2941, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FLOW_RL_TB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " FLOW_RL_TB = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L618_C4", "label": "FLOW_LR_BT =", "type": "assigned_variable", "loc": [618, 618], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [14, 1, 0.8175, 0.0013, 1, 0.57, 0.3529, 51, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FLOW_LR_BT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " FLOW_LR_BT = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L619_C4", "label": "FLOW_VERTICAL_LR_TB =", "type": "assigned_variable", "loc": [619, 619], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [14, 1, 0.8188, 0.0013, 1, 0.57, 0.4118, 323, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FLOW_VERTICAL_LR_TB", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " FLOW_VERTICAL_LR_TB = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L620_C4", "label": "FLOW_VERTICAL_TB_RL =", "type": "assigned_variable", "loc": [620, 620], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [14, 1, 0.8201, 0.0013, 1, 0.57, 0.4706, 11, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FLOW_VERTICAL_TB_RL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " FLOW_VERTICAL_TB_RL = 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "label": "__init__", "type": "function", "loc": [622, 641], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [2, 1, 0.8353, 0.0265, 1, 0.57, 0.5294, 555, 0, 3, 0, 0, 0, 0, 23], "semantic": {"name": "__init__", "arg_names": ["self", "params", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, *params, **kwargs ) :\n super( Cell, self ).__init__()\n\n self.SetFrame ( None )\n self.SetMargins( None )\n\n self.SetAlignment( kwargs.get( 'alignment', self.ALIGN_TOP ) )\n self.SetFlow ( kwargs.get( 'flow' , self.FLOW_LR_TB ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L623_C8", "label": "__init__()", "type": "expression", "loc": [623, 623], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "vector": [8, 2, 0.8241, 0.0013, 2, 0.33, 0.0, 555, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " super( Cell, self ).__init__()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L625_C8", "label": "SetFrame()", "type": "expression", "loc": [625, 625], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "vector": [8, 2, 0.8267, 0.0013, 2, 0.33, 0.1111, 28, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetFrame", "arg_names": [], "import_names": [], "rhs_call_name": "SetFrame", "annotation": ""}, "snippet": " self.SetFrame ( None )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L626_C8", "label": "SetMargins()", "type": "expression", "loc": [626, 626], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "vector": [8, 2, 0.828, 0.0013, 2, 0.33, 0.2222, 898, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetMargins", "arg_names": [], "import_names": [], "rhs_call_name": "SetMargins", "annotation": ""}, "snippet": " self.SetMargins( None )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L628_C8", "label": "SetAlignment()", "type": "expression", "loc": [628, 628], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "vector": [8, 2, 0.8307, 0.0013, 2, 0.33, 0.3333, 423, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetAlignment", "arg_names": [], "import_names": [], "rhs_call_name": "SetAlignment", "annotation": ""}, "snippet": " self.SetAlignment( kwargs.get( 'alignment', self.ALIGN_TOP ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L629_C8", "label": "SetFlow()", "type": "expression", "loc": [629, 629], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "vector": [8, 2, 0.832, 0.0013, 2, 0.33, 0.4444, 161, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetFlow", "arg_names": [], "import_names": [], "rhs_call_name": "SetFlow", "annotation": ""}, "snippet": " self.SetFlow ( kwargs.get( 'flow' , self.FLOW_LR_TB ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L630_C8", "label": "SetSpan()", "type": "expression", "loc": [630, 630], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "vector": [8, 2, 0.8333, 0.0013, 2, 0.33, 0.5556, 385, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetSpan", "arg_names": [], "import_names": [], "rhs_call_name": "SetSpan", "annotation": ""}, "snippet": " self.SetSpan ( kwargs.get( 'span', 1 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L632_C8", "label": "SetStartVerticalMerge()", "type": "expression", "loc": [632, 632], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "vector": [8, 2, 0.836, 0.0013, 2, 0.33, 0.6667, 14, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetStartVerticalMerge", "arg_names": [], "import_names": [], "rhs_call_name": "SetStartVerticalMerge", "annotation": ""}, "snippet": " self.SetStartVerticalMerge( kwargs.get( 'start_vertical_merge', False ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L633_C8", "label": "SetVerticalMerge()", "type": "expression", "loc": [633, 633], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "vector": [8, 2, 0.8373, 0.0013, 2, 0.33, 0.7778, 456, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetVerticalMerge", "arg_names": [], "import_names": [], "rhs_call_name": "SetVerticalMerge", "annotation": ""}, "snippet": " self.SetVerticalMerge ( kwargs.get( 'vertical_merge', False ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L635_C8", "label": "self._append =", "type": "assigned_variable", "loc": [635, 635], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "vector": [14, 2, 0.8399, 0.0013, 2, 0.33, 0.8889, 26, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self._append", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._append = super( Cell, self ).append"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:For_L637_C8", "label": "for param", "type": "for", "loc": [637, 641], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "vector": [6, 2, 0.8452, 0.0066, 2, 0.33, 1.0, 841, 2, 0, 0, 0, 0, 0, 8], "semantic": {"name": "param", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for param in params :\n if isinstance( param, StringType ) : self.append ( param )\n elif isinstance( param, Paragraph ) : self.append ( param )\n elif isinstance( param, FramePS ) : self.SetFrame ( param )\n elif isinstance( param, MarginsPS ) : self.SetMargins( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L638_C12", "label": "if", "type": "if", "loc": [638, 641], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:For_L637_C8", "vector": [4, 3, 0.8459, 0.0053, 3, 0.65, 0.0, 0, 3, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance( param, StringType ) : self.append ( param )\n elif isinstance( param, Paragraph ) : self.append ( param )\n elif isinstance( param, FramePS ) : self.SetFrame ( param )\n elif isinstance( param, MarginsPS ) : self.SetMargins( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L638_C51", "label": "append()", "type": "expression", "loc": [638, 638], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L638_C12", "vector": [8, 4, 0.8439, 0.0013, 4, 0.47, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " if isinstance( param, StringType ) : self.append ( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L639_C12", "label": "if", "type": "if", "loc": [639, 641], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L638_C12", "vector": [4, 4, 0.8466, 0.004, 4, 0.47, 1.0, 0, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, Paragraph ) : self.append ( param )\n elif isinstance( param, FramePS ) : self.SetFrame ( param )\n elif isinstance( param, MarginsPS ) : self.SetMargins( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L639_C51", "label": "append()", "type": "expression", "loc": [639, 639], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L639_C12", "vector": [8, 5, 0.8452, 0.0013, 5, 0.61, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " elif isinstance( param, Paragraph ) : self.append ( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L640_C12", "label": "if", "type": "if", "loc": [640, 641], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L639_C12", "vector": [4, 5, 0.8472, 0.0026, 5, 0.61, 1.0, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, FramePS ) : self.SetFrame ( param )\n elif isinstance( param, MarginsPS ) : self.SetMargins( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L640_C51", "label": "SetFrame()", "type": "expression", "loc": [640, 640], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L640_C12", "vector": [8, 6, 0.8466, 0.0013, 6, 0.88, 0.0, 28, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetFrame", "arg_names": [], "import_names": [], "rhs_call_name": "SetFrame", "annotation": ""}, "snippet": " elif isinstance( param, FramePS ) : self.SetFrame ( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L641_C12", "label": "if", "type": "if", "loc": [641, 641], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L640_C12", "vector": [4, 6, 0.8479, 0.0013, 6, 0.88, 1.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance( param, MarginsPS ) : self.SetMargins( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L641_C51", "label": "SetMargins()", "type": "expression", "loc": [641, 641], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L641_C12", "vector": [8, 7, 0.8479, 0.0013, 7, 0.46, 0.0, 898, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetMargins", "arg_names": [], "import_names": [], "rhs_call_name": "SetMargins", "annotation": ""}, "snippet": " elif isinstance( param, MarginsPS ) : self.SetMargins( param )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L643_C4", "label": "SetFrame", "type": "function", "loc": [643, 645], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [2, 1, 0.8519, 0.004, 1, 0.57, 0.5882, 28, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetFrame", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetFrame( self, value ) :\n self.Frame = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L644_C8", "label": "self.Frame =", "type": "assigned_variable", "loc": [644, 644], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L643_C4", "vector": [14, 2, 0.8519, 0.0013, 2, 0.91, 0.0, 816, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Frame", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Frame = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L645_C8", "label": "return", "type": "return", "loc": [645, 645], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L643_C4", "vector": [13, 2, 0.8532, 0.0013, 2, 0.91, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L647_C4", "label": "SetMargins", "type": "function", "loc": [647, 649], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [2, 1, 0.8571, 0.004, 1, 0.57, 0.6471, 898, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetMargins", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetMargins( self, value ) :\n self.Margins = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L648_C8", "label": "self.Margins =", "type": "assigned_variable", "loc": [648, 648], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L647_C4", "vector": [14, 2, 0.8571, 0.0013, 2, 0.2, 0.0, 572, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Margins", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Margins = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L649_C8", "label": "return", "type": "return", "loc": [649, 649], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L647_C4", "vector": [13, 2, 0.8585, 0.0013, 2, 0.2, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L651_C4", "label": "SetAlignment", "type": "function", "loc": [651, 653], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [2, 1, 0.8624, 0.004, 1, 0.57, 0.7059, 423, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "SetAlignment", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetAlignment( self, value ) :\n assert value in [ self.ALIGN_TOP, self.ALIGN_CENTER, self.ALIGN_BOTTOM ] #, self.ALIGN_TEXT_TOP_DOWN, self.ALIGN_TEXT_BOTTOM_UP ]\n self.Alignment = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L653_C8", "label": "self.Alignment =", "type": "assigned_variable", "loc": [653, 653], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L651_C4", "vector": [14, 2, 0.8638, 0.0013, 2, 0.44, 0.0, 714, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Alignment", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Alignment = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L655_C4", "label": "SetFlow", "type": "function", "loc": [655, 657], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [2, 1, 0.8677, 0.004, 1, 0.57, 0.7647, 161, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "SetFlow", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetFlow( self, value ) :\n assert value in [ self.FLOW_LR_TB, self.FLOW_RL_TB, self.FLOW_LR_BT, self.FLOW_VERTICAL_LR_TB, self.FLOW_VERTICAL_TB_RL ]\n self.Flow = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L657_C8", "label": "self.Flow =", "type": "assigned_variable", "loc": [657, 657], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L655_C4", "vector": [14, 2, 0.869, 0.0013, 2, 0.5, 0.0, 167, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Flow", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Flow = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L659_C4", "label": "SetSpan", "type": "function", "loc": [659, 662], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [2, 1, 0.8737, 0.0053, 1, 0.57, 0.8235, 385, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "SetSpan", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetSpan( self, value ) :\n # must be a positive integer\n self.Span = int( max( value, 1 ) )\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L661_C8", "label": "self.Span = int()", "type": "assigned_variable", "loc": [661, 661], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L659_C4", "vector": [14, 2, 0.8743, 0.0013, 2, 0.48, 0.0, 588, 3, 1, 0, 0, 901, 10, 2], "semantic": {"name": "self.Span", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " self.Span = int( max( value, 1 ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L662_C8", "label": "return", "type": "return", "loc": [662, 662], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L659_C4", "vector": [13, 2, 0.8757, 0.0013, 2, 0.48, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L664_C4", "label": "SetStartVerticalMerge", "type": "function", "loc": [664, 668], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [2, 1, 0.881, 0.0066, 1, 0.57, 0.8824, 14, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetStartVerticalMerge", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetStartVerticalMerge( self, value ) :\n self.StartVerticalMerge = False\n if value :\n self.StartVerticalMerge = True\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L665_C8", "label": "self.StartVerticalMerge =", "type": "assigned_variable", "loc": [665, 665], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L664_C4", "vector": [14, 2, 0.8796, 0.0013, 2, 0.31, 0.0, 342, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.StartVerticalMerge", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.StartVerticalMerge = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L666_C8", "label": "if", "type": "if", "loc": [666, 667], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L664_C4", "vector": [4, 2, 0.8816, 0.0026, 2, 0.31, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value :\n self.StartVerticalMerge = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L667_C12", "label": "self.StartVerticalMerge =", "type": "assigned_variable", "loc": [667, 667], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L666_C8", "vector": [14, 3, 0.8823, 0.0013, 3, 0.25, 0.0, 342, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.StartVerticalMerge", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.StartVerticalMerge = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L668_C8", "label": "return", "type": "return", "loc": [668, 668], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L664_C4", "vector": [13, 2, 0.8836, 0.0013, 2, 0.31, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L670_C4", "label": "SetVerticalMerge", "type": "function", "loc": [670, 674], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [2, 1, 0.8889, 0.0066, 1, 0.57, 0.9412, 456, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetVerticalMerge", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetVerticalMerge( self, value ) :\n self.VerticalMerge = False\n if value :\n self.VerticalMerge = True\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L671_C8", "label": "self.VerticalMerge =", "type": "assigned_variable", "loc": [671, 671], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L670_C4", "vector": [14, 2, 0.8876, 0.0013, 2, 0.73, 0.0, 736, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.VerticalMerge", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.VerticalMerge = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L672_C8", "label": "if", "type": "if", "loc": [672, 673], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L670_C4", "vector": [4, 2, 0.8896, 0.0026, 2, 0.73, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value :\n self.VerticalMerge = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L673_C12", "label": "self.VerticalMerge =", "type": "assigned_variable", "loc": [673, 673], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L672_C8", "vector": [14, 3, 0.8902, 0.0013, 3, 0.51, 0.0, 736, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.VerticalMerge", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.VerticalMerge = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L674_C8", "label": "return", "type": "return", "loc": [674, 674], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L670_C4", "vector": [13, 2, 0.8915, 0.0013, 2, 0.73, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L676_C4", "label": "append", "type": "function", "loc": [676, 677], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "vector": [2, 1, 0.8948, 0.0026, 1, 0.57, 1.0, 243, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": ["self", "params"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def append( self, *params ) :\n [ self._append( param ) for param in params ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L677_C8", "label": "expression", "type": "expression", "loc": [677, 677], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L676_C4", "vector": [8, 2, 0.8955, 0.0013, 2, 0.78, 0.0, 0, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " [ self._append( param ) for param in params ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L679_C0", "label": "Document", "type": "class", "loc": [679, 709], "level": 0, "parent": null, "vector": [3, 0, 0.918, 0.041, 0, 0.66, 0.9669, 920, 0, 4, 0, 0, 0, 0, 9], "semantic": {"name": "Document", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Document :\n def __init__( self, style_sheet=None, default_language=None, view_kind=None, view_zoom_kind=None, view_scale=None ) :\n self.StyleSheet = style_sheet or MakeDefaultStyleSheet()\n self.Sections = AttributedList( Section )\n\n self.SetTitle( None )\n\n self.DefaultLanguage = default_language or Languages.DEFAULT"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "label": "__init__", "type": "function", "loc": [680, 689], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L679_C0", "vector": [2, 1, 0.9054, 0.0132, 1, 0.75, 0.0, 555, 0, 6, 0, 0, 0, 0, 3], "semantic": {"name": "__init__", "arg_names": ["self", "style_sheet", "default_language", "view_kind", "view_zoom_kind", "view_scale"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, style_sheet=None, default_language=None, view_kind=None, view_zoom_kind=None, view_scale=None ) :\n self.StyleSheet = style_sheet or MakeDefaultStyleSheet()\n self.Sections = AttributedList( Section )\n\n self.SetTitle( None )\n\n self.DefaultLanguage = default_language or Languages.DEFAULT\n self.ViewKind = view_kind or ViewKind.DEFAULT"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L681_C8", "label": "self.StyleSheet =", "type": "assigned_variable", "loc": [681, 681], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "vector": [14, 2, 0.9008, 0.0013, 2, 0.92, 0.0, 593, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.StyleSheet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.StyleSheet = style_sheet or MakeDefaultStyleSheet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L682_C8", "label": "self.Sections = AttributedList()", "type": "assigned_variable", "loc": [682, 682], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "vector": [14, 2, 0.9021, 0.0013, 2, 0.92, 0.1667, 277, 3, 1, 0, 0, 994, 10, 1], "semantic": {"name": "self.Sections", "arg_names": [], "import_names": [], "rhs_call_name": "AttributedList", "annotation": ""}, "snippet": " self.Sections = AttributedList( Section )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L684_C8", "label": "SetTitle()", "type": "expression", "loc": [684, 684], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "vector": [8, 2, 0.9048, 0.0013, 2, 0.92, 0.3333, 450, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetTitle", "arg_names": [], "import_names": [], "rhs_call_name": "SetTitle", "annotation": ""}, "snippet": " self.SetTitle( None )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L686_C8", "label": "self.DefaultLanguage =", "type": "assigned_variable", "loc": [686, 686], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "vector": [14, 2, 0.9074, 0.0013, 2, 0.92, 0.5, 561, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.DefaultLanguage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.DefaultLanguage = default_language or Languages.DEFAULT"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L687_C8", "label": "self.ViewKind =", "type": "assigned_variable", "loc": [687, 687], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "vector": [14, 2, 0.9087, 0.0013, 2, 0.92, 0.6667, 978, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.ViewKind", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ViewKind = view_kind or ViewKind.DEFAULT"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L688_C8", "label": "self.ViewZoomKind =", "type": "assigned_variable", "loc": [688, 688], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "vector": [14, 2, 0.9101, 0.0013, 2, 0.92, 0.8333, 867, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.ViewZoomKind", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ViewZoomKind = view_zoom_kind"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L689_C8", "label": "self.ViewScale =", "type": "assigned_variable", "loc": [689, 689], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "vector": [14, 2, 0.9114, 0.0013, 2, 0.92, 1.0, 558, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.ViewScale", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ViewScale = view_scale"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L691_C4", "label": "NewSection", "type": "function", "loc": [691, 694], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L679_C0", "vector": [2, 1, 0.916, 0.0053, 1, 0.75, 0.3333, 859, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "NewSection", "arg_names": ["self", "params", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def NewSection( self, *params, **kwargs ) :\n result = Section( *params, **kwargs )\n self.Sections.append( result )\n return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L692_C8", "label": "result = Section()", "type": "assigned_variable", "loc": [692, 692], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L691_C4", "vector": [14, 2, 0.9153, 0.0013, 2, 0.85, 0.0, 51, 3, 2, 0, 0, 944, 10, 1], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "Section", "annotation": ""}, "snippet": " result = Section( *params, **kwargs )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L693_C8", "label": "append()", "type": "expression", "loc": [693, 693], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L691_C4", "vector": [8, 2, 0.9167, 0.0013, 2, 0.85, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.Sections.append( result )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L694_C8", "label": "return", "type": "return", "loc": [694, 694], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L691_C4", "vector": [13, 2, 0.918, 0.0013, 2, 0.85, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L696_C4", "label": "SetTitle", "type": "function", "loc": [696, 698], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L679_C0", "vector": [2, 1, 0.922, 0.004, 1, 0.75, 0.6667, 450, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetTitle", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetTitle( self, value ) :\n self.Title = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L697_C8", "label": "self.Title =", "type": "assigned_variable", "loc": [697, 697], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L696_C4", "vector": [14, 2, 0.922, 0.0013, 2, 0.05, 0.0, 663, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Title", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Title = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L698_C8", "label": "return", "type": "return", "loc": [698, 698], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L696_C4", "vector": [13, 2, 0.9233, 0.0013, 2, 0.05, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L700_C4", "label": "Copy", "type": "function", "loc": [700, 709], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L679_C0", "vector": [2, 1, 0.9319, 0.0132, 1, 0.75, 1.0, 295, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "Copy", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def Copy( self ) :\n result = Document( style_sheet = self.StyleSheet.Copy(),\n default_language = self.DefaultLanguage,\n view_kind = self.ViewKind,\n view_zoom_kind = self.ViewZoomKind,\n view_scale = self.ViewScale )\n result.SetTitle( self.Title )\n result.Sections = self.Sections.Copy()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L701_C8", "label": "result = Document()", "type": "assigned_variable", "loc": [701, 705], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L700_C4", "vector": [14, 2, 0.9299, 0.0066, 2, 0.27, 0.0, 51, 3, 5, 0, 0, 920, 10, 2], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "Document", "annotation": ""}, "snippet": " result = Document( style_sheet = self.StyleSheet.Copy(),\n default_language = self.DefaultLanguage,\n view_kind = self.ViewKind,\n view_zoom_kind = self.ViewZoomKind,\n view_scale = self.ViewScale )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L706_C8", "label": "SetTitle()", "type": "expression", "loc": [706, 706], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L700_C4", "vector": [8, 2, 0.9339, 0.0013, 2, 0.27, 0.3333, 450, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetTitle", "arg_names": [], "import_names": [], "rhs_call_name": "SetTitle", "annotation": ""}, "snippet": " result.SetTitle( self.Title )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L707_C8", "label": "result.Sections = Copy()", "type": "assigned_variable", "loc": [707, 707], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L700_C4", "vector": [14, 2, 0.9352, 0.0013, 2, 0.27, 0.6667, 10, 3, 0, 0, 0, 295, 10, 1], "semantic": {"name": "result.Sections", "arg_names": [], "import_names": [], "rhs_call_name": "Copy", "annotation": ""}, "snippet": " result.Sections = self.Sections.Copy()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L709_C8", "label": "return", "type": "return", "loc": [709, 709], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L700_C4", "vector": [13, 2, 0.9378, 0.0013, 2, 0.27, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "label": "TEXT", "type": "function", "loc": [711, 725], "level": 0, "parent": null, "vector": [2, 0, 0.9497, 0.0198, 0, 0.66, 0.9752, 691, 0, 2, 1, 0, 0, 0, 17], "semantic": {"name": "TEXT", "arg_names": ["params", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def TEXT( *params, **kwargs ) :\n text_props = TextPropertySet()\n text_props.SetFont ( kwargs.get( 'font', None ) )\n text_props.SetSize ( kwargs.get( 'size', None ) )\n text_props.SetBold ( kwargs.get( 'bold', False ) )\n text_props.SetItalic ( kwargs.get( 'italic', False ) )\n text_props.SetUnderline( kwargs.get( 'underline', False ) )\n text_props.SetColour ( kwargs.get( 'colour', None ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L712_C4", "label": "text_props = TextPropertySet()", "type": "assigned_variable", "loc": [712, 712], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "vector": [14, 1, 0.9418, 0.0013, 1, 0.31, 0.0, 698, 3, 0, 0, 0, 840, 10, 1], "semantic": {"name": "text_props", "arg_names": [], "import_names": [], "rhs_call_name": "TextPropertySet", "annotation": ""}, "snippet": " text_props = TextPropertySet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L713_C4", "label": "SetFont()", "type": "expression", "loc": [713, 713], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "vector": [8, 1, 0.9431, 0.0013, 1, 0.31, 0.1, 434, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetFont", "arg_names": [], "import_names": [], "rhs_call_name": "SetFont", "annotation": ""}, "snippet": " text_props.SetFont ( kwargs.get( 'font', None ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L714_C4", "label": "SetSize()", "type": "expression", "loc": [714, 714], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "vector": [8, 1, 0.9444, 0.0013, 1, 0.31, 0.2, 36, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetSize", "arg_names": [], "import_names": [], "rhs_call_name": "SetSize", "annotation": ""}, "snippet": " text_props.SetSize ( kwargs.get( 'size', None ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L715_C4", "label": "SetBold()", "type": "expression", "loc": [715, 715], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "vector": [8, 1, 0.9458, 0.0013, 1, 0.31, 0.3, 269, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetBold", "arg_names": [], "import_names": [], "rhs_call_name": "SetBold", "annotation": ""}, "snippet": " text_props.SetBold ( kwargs.get( 'bold', False ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L716_C4", "label": "SetItalic()", "type": "expression", "loc": [716, 716], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "vector": [8, 1, 0.9471, 0.0013, 1, 0.31, 0.4, 125, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetItalic", "arg_names": [], "import_names": [], "rhs_call_name": "SetItalic", "annotation": ""}, "snippet": " text_props.SetItalic ( kwargs.get( 'italic', False ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L717_C4", "label": "SetUnderline()", "type": "expression", "loc": [717, 717], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "vector": [8, 1, 0.9484, 0.0013, 1, 0.31, 0.5, 39, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetUnderline", "arg_names": [], "import_names": [], "rhs_call_name": "SetUnderline", "annotation": ""}, "snippet": " text_props.SetUnderline( kwargs.get( 'underline', False ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L718_C4", "label": "SetColour()", "type": "expression", "loc": [718, 718], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "vector": [8, 1, 0.9497, 0.0013, 1, 0.31, 0.6, 588, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "SetColour", "arg_names": [], "import_names": [], "rhs_call_name": "SetColour", "annotation": ""}, "snippet": " text_props.SetColour ( kwargs.get( 'colour', None ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L720_C4", "label": "if", "type": "if", "loc": [720, 721], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "vector": [4, 1, 0.953, 0.0026, 1, 0.31, 0.7, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len( params ) == 1 :\n return Text( params[ 0 ], text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L721_C8", "label": "return", "type": "return", "loc": [721, 721], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L720_C4", "vector": [13, 2, 0.9537, 0.0013, 2, 0.94, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Text( params[ 0 ], text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L723_C4", "label": "result = Inline()", "type": "assigned_variable", "loc": [723, 723], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "vector": [14, 1, 0.9563, 0.0013, 1, 0.31, 0.8, 51, 3, 1, 0, 0, 391, 10, 1], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "Inline", "annotation": ""}, "snippet": " result = Inline( text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L724_C4", "label": "apply()", "type": "expression", "loc": [724, 724], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "vector": [8, 1, 0.9577, 0.0013, 1, 0.31, 0.9, 524, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "apply", "arg_names": [], "import_names": [], "rhs_call_name": "apply", "annotation": ""}, "snippet": " apply( result.append, params )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L725_C4", "label": "return", "type": "return", "loc": [725, 725], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "vector": [13, 1, 0.959, 0.0013, 1, 0.31, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L727_C0", "label": "B", "type": "function", "loc": [727, 735], "level": 0, "parent": null, "vector": [2, 0, 0.9669, 0.0119, 0, 0.66, 0.9835, 197, 0, 1, 1, 0, 0, 0, 5], "semantic": {"name": "B", "arg_names": ["params"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def B( *params ) :\n text_props = TextPropertySet( bold=True )\n\n if len( params ) == 1 :\n return Text( params[ 0 ], text_props )\n\n result = Inline( text_props )\n apply( result.append, params )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L728_C4", "label": "text_props = TextPropertySet()", "type": "assigned_variable", "loc": [728, 728], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L727_C0", "vector": [14, 1, 0.963, 0.0013, 1, 0.17, 0.0, 698, 3, 1, 0, 0, 840, 10, 1], "semantic": {"name": "text_props", "arg_names": [], "import_names": [], "rhs_call_name": "TextPropertySet", "annotation": ""}, "snippet": " text_props = TextPropertySet( bold=True )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L730_C4", "label": "if", "type": "if", "loc": [730, 731], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L727_C0", "vector": [4, 1, 0.9663, 0.0026, 1, 0.17, 0.25, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len( params ) == 1 :\n return Text( params[ 0 ], text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L731_C8", "label": "return", "type": "return", "loc": [731, 731], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L730_C4", "vector": [13, 2, 0.9669, 0.0013, 2, 0.35, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Text( params[ 0 ], text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L733_C4", "label": "result = Inline()", "type": "assigned_variable", "loc": [733, 733], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L727_C0", "vector": [14, 1, 0.9696, 0.0013, 1, 0.17, 0.5, 51, 3, 1, 0, 0, 391, 10, 1], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "Inline", "annotation": ""}, "snippet": " result = Inline( text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L734_C4", "label": "apply()", "type": "expression", "loc": [734, 734], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L727_C0", "vector": [8, 1, 0.9709, 0.0013, 1, 0.17, 0.75, 524, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "apply", "arg_names": [], "import_names": [], "rhs_call_name": "apply", "annotation": ""}, "snippet": " apply( result.append, params )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L735_C4", "label": "return", "type": "return", "loc": [735, 735], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L727_C0", "vector": [13, 1, 0.9722, 0.0013, 1, 0.17, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L737_C0", "label": "I", "type": "function", "loc": [737, 745], "level": 0, "parent": null, "vector": [2, 0, 0.9802, 0.0119, 0, 0.66, 0.9917, 134, 0, 1, 1, 0, 0, 0, 5], "semantic": {"name": "I", "arg_names": ["params"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def I( *params ) :\n text_props = TextPropertySet( italic=True )\n\n if len( params ) == 1 :\n return Text( params[ 0 ], text_props )\n\n result = Inline( text_props )\n apply( result.append, params )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L738_C4", "label": "text_props = TextPropertySet()", "type": "assigned_variable", "loc": [738, 738], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L737_C0", "vector": [14, 1, 0.9762, 0.0013, 1, 0.35, 0.0, 698, 3, 1, 0, 0, 840, 10, 1], "semantic": {"name": "text_props", "arg_names": [], "import_names": [], "rhs_call_name": "TextPropertySet", "annotation": ""}, "snippet": " text_props = TextPropertySet( italic=True )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L740_C4", "label": "if", "type": "if", "loc": [740, 741], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L737_C0", "vector": [4, 1, 0.9795, 0.0026, 1, 0.35, 0.25, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len( params ) == 1 :\n return Text( params[ 0 ], text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L741_C8", "label": "return", "type": "return", "loc": [741, 741], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L740_C4", "vector": [13, 2, 0.9802, 0.0013, 2, 0.91, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Text( params[ 0 ], text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L743_C4", "label": "result = Inline()", "type": "assigned_variable", "loc": [743, 743], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L737_C0", "vector": [14, 1, 0.9828, 0.0013, 1, 0.35, 0.5, 51, 3, 1, 0, 0, 391, 10, 1], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "Inline", "annotation": ""}, "snippet": " result = Inline( text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L744_C4", "label": "apply()", "type": "expression", "loc": [744, 744], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L737_C0", "vector": [8, 1, 0.9841, 0.0013, 1, 0.35, 0.75, 524, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "apply", "arg_names": [], "import_names": [], "rhs_call_name": "apply", "annotation": ""}, "snippet": " apply( result.append, params )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L745_C4", "label": "return", "type": "return", "loc": [745, 745], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L737_C0", "vector": [13, 1, 0.9854, 0.0013, 1, 0.35, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L747_C0", "label": "U", "type": "function", "loc": [747, 755], "level": 0, "parent": null, "vector": [2, 0, 0.9934, 0.0119, 0, 0.66, 1.0, 643, 0, 1, 1, 0, 0, 0, 5], "semantic": {"name": "U", "arg_names": ["params"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def U( *params ) :\n text_props = TextPropertySet( underline=True )\n\n if len( params ) == 1 :\n return Text( params[ 0 ], text_props )\n\n result = Inline( text_props )\n apply( result.append, params )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L748_C4", "label": "text_props = TextPropertySet()", "type": "assigned_variable", "loc": [748, 748], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L747_C0", "vector": [14, 1, 0.9894, 0.0013, 1, 0.4, 0.0, 698, 3, 1, 0, 0, 840, 10, 1], "semantic": {"name": "text_props", "arg_names": [], "import_names": [], "rhs_call_name": "TextPropertySet", "annotation": ""}, "snippet": " text_props = TextPropertySet( underline=True )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:If_L750_C4", "label": "if", "type": "if", "loc": [750, 751], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L747_C0", "vector": [4, 1, 0.9927, 0.0026, 1, 0.4, 0.25, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len( params ) == 1 :\n return Text( params[ 0 ], text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L751_C8", "label": "return", "type": "return", "loc": [751, 751], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:If_L750_C4", "vector": [13, 2, 0.9934, 0.0013, 2, 0.14, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return Text( params[ 0 ], text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L753_C4", "label": "result = Inline()", "type": "assigned_variable", "loc": [753, 753], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L747_C0", "vector": [14, 1, 0.996, 0.0013, 1, 0.4, 0.5, 51, 3, 1, 0, 0, 391, 10, 1], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "Inline", "annotation": ""}, "snippet": " result = Inline( text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L754_C4", "label": "apply()", "type": "expression", "loc": [754, 754], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L747_C0", "vector": [8, 1, 0.9974, 0.0013, 1, 0.4, 0.75, 524, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "apply", "arg_names": [], "import_names": [], "rhs_call_name": "apply", "annotation": ""}, "snippet": " apply( result.append, params )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L755_C4", "label": "return", "type": "return", "loc": [755, 755], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L747_C0", "vector": [13, 1, 0.9987, 0.0013, 1, 0.4, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L8_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L9_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L9_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L10_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L131_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L132_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L132_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L134_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L132_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L135_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L132_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L137_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L132_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L138_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L141_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L142_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L143_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L144_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L145_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L146_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L149_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L151_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L152_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L154_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L155_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L156_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L157_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L159_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L160_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L161_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L162_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L163_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L165_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L165_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L166_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L168_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L169_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L170_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L172_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L172_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L174_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L172_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L175_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L177_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L177_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L178_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L177_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L179_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L181_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L182_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L183_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L185_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L185_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L186_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L185_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L187_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L187_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L187_C19"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L185_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L188_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L140_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L190_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L190_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L191_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L190_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L192_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L195_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L197_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L199_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L203_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L205_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L207_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L209_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L210_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L214_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L216_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L217_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L221_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L225_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L226_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L227_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L228_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L230_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L232_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L233_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L234_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L235_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L237_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:For_L240_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:For_L240_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L243_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:For_L240_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L244_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:For_L240_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L250_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L194_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L252_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L257_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L258_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L258_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L259_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L267_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L271_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L272_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L273_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L274_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L275_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L276_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L277_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L278_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L279_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L280_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L281_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L282_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L283_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L284_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L285_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L287_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L289_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L294_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L294_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L295_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L294_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L296_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L294_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L297_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L299_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L299_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:While_L302_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L299_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:While_L308_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:While_L308_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L309_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:While_L308_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L310_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L310_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L311_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L316_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L266_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:While_L319_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:While_L319_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L320_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:While_L319_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L323_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:While_L319_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L324_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:While_L319_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L327_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L327_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L329_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L327_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L332_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L327_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L333_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L327_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L334_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:While_L319_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L337_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L343_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L344_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L343_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L347_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L343_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L348_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L343_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L349_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Import_L352_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L353_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L353_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L354_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L355_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L355_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L356_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L357_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L357_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L358_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L359_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L361_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L362_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L363_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L364_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L365_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L366_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L367_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L368_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L369_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L370_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L371_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L372_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L373_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L374_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L375_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L376_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L377_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L378_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L379_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L380_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L381_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L382_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L383_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L384_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L386_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L386_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L387_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L386_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L388_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L386_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:For_L389_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:For_L389_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L390_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L392_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L393_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L351_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L396_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L406_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L407_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L408_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L409_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L415_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L415_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L416_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L415_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L417_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L417_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L418_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L415_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L419_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L415_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L421_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L415_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L422_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L424_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L425_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L425_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L426_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L425_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L427_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L427_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L428_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L427_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L429_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L429_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L430_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L436_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L436_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L437_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L436_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L438_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L438_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L439_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L441_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L442_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L444_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L448_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:For_L450_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:For_L450_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L456_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L461_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L462_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L463_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L464_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:For_L465_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:For_L465_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L466_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L468_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L413_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L469_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L398_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L471_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L471_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L472_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L474_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L475_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L475_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L476_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L475_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L477_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L475_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L478_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L475_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L479_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L475_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:For_L481_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:For_L481_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L482_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L482_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L482_C51"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L482_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L483_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L483_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L483_C51"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L483_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L484_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L484_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L484_C51"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L484_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L487_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L474_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L489_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L489_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L490_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L492_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L494_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L496_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L497_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L498_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L500_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L493_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:For_L502_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:For_L502_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L503_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L503_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L503_C51"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L503_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L504_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L504_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L504_C51"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L504_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L505_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L505_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L505_C51"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L505_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L509_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L492_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L511_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L511_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L513_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L515_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L517_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L519_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L520_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L521_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L522_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L524_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L516_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:For_L526_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:For_L526_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L527_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L527_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L527_C55"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L527_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L528_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L528_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L528_C55"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L528_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L529_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L529_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L529_C55"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L529_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L530_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L530_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L530_C55"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L530_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L534_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L515_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L536_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L536_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L538_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L515_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L540_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L540_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L541_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L541_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L542_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L545_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L546_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L547_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L548_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L550_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L551_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L552_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L558_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L558_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L560_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L558_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L562_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L558_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L563_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L558_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L564_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L558_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L565_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L569_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L569_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L571_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L569_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L572_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L574_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L574_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L575_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L574_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L576_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L578_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L578_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L579_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L578_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L580_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L582_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L582_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L583_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L582_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L584_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L582_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L585_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L587_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L587_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L588_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L587_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L589_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L589_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L590_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L589_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L591_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L587_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L595_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L587_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L598_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L544_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L600_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L604_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L612_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L613_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L614_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L616_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L617_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L618_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L619_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L620_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L623_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L625_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L626_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L628_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L629_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L630_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L632_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L633_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L635_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:For_L637_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:For_L637_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L638_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L638_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L638_C51"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L638_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L639_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L639_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L639_C51"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L639_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L640_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L640_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L640_C51"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L640_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L641_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L641_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L641_C51"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L643_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L643_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L644_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L643_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L645_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L647_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L647_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L648_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L647_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L649_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L651_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L651_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L653_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L655_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L655_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L657_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L659_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L659_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L661_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L659_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L662_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L664_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L664_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L665_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L664_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L666_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L666_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L667_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L664_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L668_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L670_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L670_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L671_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L670_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L672_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L672_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L673_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L670_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L674_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L602_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L676_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L676_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L677_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L679_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L681_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L682_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L684_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L686_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L687_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L688_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L680_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L689_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L679_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L691_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L691_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L692_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L691_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L693_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L691_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L694_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L679_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L696_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L696_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L697_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L696_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L698_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:ClassDef_L679_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L700_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L700_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L701_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L700_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L706_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L700_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L707_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L700_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L709_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L712_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L713_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L714_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L715_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L716_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L717_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L718_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L720_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L720_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L721_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L723_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L724_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L711_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L725_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L727_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L728_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L727_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L730_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L730_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L731_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L727_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L733_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L727_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L734_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L727_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L735_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L737_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L738_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L737_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L740_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L740_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L741_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L737_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L743_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L737_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L744_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L737_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L745_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L747_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L748_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L747_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:If_L750_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:If_L750_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L751_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L747_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Assign_L753_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L747_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Expr_L754_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_553:FunctionDef_L747_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_553:Return_L755_C4"}]
""" A Styles is a collection of PropertySets that can be applied to a particular RTF element. At present there are only two, Text and Paragraph but ListStyles will be added soon too. """ from PropertySets import * class TextStyle : def __init__( self, text_props, name=None, shading_props=None ) : self.SetTextPropertySet ( text_props ) self.SetName ( name ) self.SetShadingPropertySet( shading_props ) def Copy( self ) : return deepcopy( self ) def SetName( self, value ) : self.Name = value return self def SetTextPropertySet( self, value ) : assert isinstance( value, TextPropertySet ) self.TextPropertySet = value return self def SetShadingPropertySet( self, value ) : assert value is None or isinstance( value, ShadingPropertySet ) self.ShadingPropertySet = value or ShadingPropertySet() return self class ParagraphStyle : def __init__( self, name, text_style, paragraph_props=None, frame_props=None, shading_props=None ) : # A style must have Font and a Font Size but the Text property set doesn't # make these mandatory so that they can be used for overrides so at this point # we need to make sure that that we have these values set if not text_style.TextPropertySet.Font : raise Exception( 'Paragraph Styles must have a Font specified.' ) if not text_style.TextPropertySet.Size : raise Exception( 'Paragraph Styles must have a Font Size specified.' ) self.SetName ( name ) self.SetTextStyle ( text_style ) self.SetParagraphPropertySet( paragraph_props ) self.SetFramePropertySet ( frame_props ) self.SetShadingPropertySet ( shading_props ) self.SetBasedOn( None ) self.SetNext ( None ) def Copy( self ) : return deepcopy( self ) def SetName( self, value ) : self.Name = value return self def SetTextStyle( self, value ) : assert isinstance( value, TextStyle ) self.TextStyle = value return self def SetParagraphPropertySet( self, value ) : assert value is None or isinstance( value, ParagraphPropertySet ) self.ParagraphPropertySet = value or ParagraphPropertySet() return self def SetFramePropertySet( self, value ) : assert value is None or isinstance( value, FramePropertySet ) self.FramePropertySet = value or FramePropertySet() return self def SetShadingPropertySet( self, value ) : """Set the background shading for the paragraph.""" assert value is None or isinstance( value, ShadingPropertySet ) self.ShadingPropertySet = value or ShadingPropertySet() return self def SetBasedOn( self, value ) : """Set the Paragraph Style that this one is based on.""" assert not value or isinstance( value, ParagraphStyle ) self.BasedOn = value return self def SetNext( self, value ) : """Set the Paragraph Style that should follow this one.""" assert not value or isinstance( value, ParagraphStyle ) self.Next = value return self
ajibawa-2023/Python-Code-Large/train/row_554
55
94
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 7], "level": 0, "parent": null, "vector": [8, 0, 0.0426, 0.0745, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nA Styles is a collection of PropertySets that can be applied to a particular RTF element.\n\nAt present there are only two, Text and Paragraph but ListStyles will be added soon too.\n\n\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:ImportFrom_L9_C0", "label": "from PropertySets import *", "type": "import", "loc": [9, 9], "level": 0, "parent": null, "vector": [1, 0, 0.0957, 0.0106, 0, 0.66, 0.3333, 611, 0, 1, 0, 0, 611, 0, 0], "semantic": {"name": "PropertySets", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from PropertySets import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L11_C0", "label": "TextStyle", "type": "class", "loc": [11, 32], "level": 0, "parent": null, "vector": [3, 0, 0.2287, 0.234, 0, 0.66, 0.6667, 117, 0, 5, 0, 0, 0, 0, 7], "semantic": {"name": "TextStyle", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class TextStyle :\n def __init__( self, text_props, name=None, shading_props=None ) :\n self.SetTextPropertySet ( text_props )\n self.SetName ( name )\n self.SetShadingPropertySet( shading_props )\n\n def Copy( self ) :\n return deepcopy( self )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L12_C4", "label": "__init__", "type": "function", "loc": [12, 15], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L11_C0", "vector": [2, 1, 0.1436, 0.0426, 1, 0.4, 0.0, 555, 0, 4, 0, 0, 0, 0, 3], "semantic": {"name": "__init__", "arg_names": ["self", "text_props", "name", "shading_props"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, text_props, name=None, shading_props=None ) :\n self.SetTextPropertySet ( text_props )\n self.SetName ( name )\n self.SetShadingPropertySet( shading_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L13_C8", "label": "SetTextPropertySet()", "type": "expression", "loc": [13, 13], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L12_C4", "vector": [8, 2, 0.1383, 0.0106, 2, 0.04, 0.0, 886, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetTextPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "SetTextPropertySet", "annotation": ""}, "snippet": " self.SetTextPropertySet ( text_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L14_C8", "label": "SetName()", "type": "expression", "loc": [14, 14], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L12_C4", "vector": [8, 2, 0.1489, 0.0106, 2, 0.04, 0.5, 2, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetName", "arg_names": [], "import_names": [], "rhs_call_name": "SetName", "annotation": ""}, "snippet": " self.SetName ( name )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L15_C8", "label": "SetShadingPropertySet()", "type": "expression", "loc": [15, 15], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L12_C4", "vector": [8, 2, 0.1596, 0.0106, 2, 0.04, 1.0, 834, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetShadingPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "SetShadingPropertySet", "annotation": ""}, "snippet": " self.SetShadingPropertySet( shading_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L17_C4", "label": "Copy", "type": "function", "loc": [17, 18], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L11_C0", "vector": [2, 1, 0.1862, 0.0213, 1, 0.4, 0.25, 295, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "Copy", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def Copy( self ) :\n return deepcopy( self )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L18_C8", "label": "return", "type": "return", "loc": [18, 18], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L17_C4", "vector": [13, 2, 0.1915, 0.0106, 2, 0.35, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return deepcopy( self )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L20_C4", "label": "SetName", "type": "function", "loc": [20, 22], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L11_C0", "vector": [2, 1, 0.2234, 0.0319, 1, 0.4, 0.5, 2, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetName", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetName( self, value ) :\n self.Name = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L21_C8", "label": "self.Name =", "type": "assigned_variable", "loc": [21, 21], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L20_C4", "vector": [14, 2, 0.2234, 0.0106, 2, 0.24, 0.0, 671, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Name = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L22_C8", "label": "return", "type": "return", "loc": [22, 22], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L20_C4", "vector": [13, 2, 0.234, 0.0106, 2, 0.24, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L24_C4", "label": "SetTextPropertySet", "type": "function", "loc": [24, 27], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L11_C0", "vector": [2, 1, 0.2713, 0.0426, 1, 0.4, 0.75, 886, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetTextPropertySet", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetTextPropertySet( self, value ) :\n assert isinstance( value, TextPropertySet )\n self.TextPropertySet = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L26_C8", "label": "self.TextPropertySet =", "type": "assigned_variable", "loc": [26, 26], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L24_C4", "vector": [14, 2, 0.2766, 0.0106, 2, 0.62, 0.0, 575, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.TextPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.TextPropertySet = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L27_C8", "label": "return", "type": "return", "loc": [27, 27], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L24_C4", "vector": [13, 2, 0.2872, 0.0106, 2, 0.62, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L29_C4", "label": "SetShadingPropertySet", "type": "function", "loc": [29, 32], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L11_C0", "vector": [2, 1, 0.3245, 0.0426, 1, 0.4, 1.0, 834, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "SetShadingPropertySet", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetShadingPropertySet( self, value ) :\n assert value is None or isinstance( value, ShadingPropertySet )\n self.ShadingPropertySet = value or ShadingPropertySet()\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L31_C8", "label": "self.ShadingPropertySet =", "type": "assigned_variable", "loc": [31, 31], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L29_C4", "vector": [14, 2, 0.3298, 0.0106, 2, 0.03, 0.0, 236, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.ShadingPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ShadingPropertySet = value or ShadingPropertySet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L32_C8", "label": "return", "type": "return", "loc": [32, 32], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L29_C4", "vector": [13, 2, 0.3404, 0.0106, 2, 0.03, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "label": "ParagraphStyle", "type": "class", "loc": [34, 93], "level": 0, "parent": null, "vector": [3, 0, 0.6755, 0.6383, 0, 0.66, 1.0, 18, 0, 9, 0, 0, 0, 0, 19], "semantic": {"name": "ParagraphStyle", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ParagraphStyle :\n def __init__( self, name, text_style, paragraph_props=None, frame_props=None, shading_props=None ) :\n\n # A style must have Font and a Font Size but the Text property set doesn't\n # make these mandatory so that they can be used for overrides so at this point\n # we need to make sure that that we have these values set\n if not text_style.TextPropertySet.Font : raise Exception( 'Paragraph Styles must have a Font specified.' )\n if not text_style.TextPropertySet.Size : raise Exception( 'Paragraph Styles must have a Font Size specified.' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "label": "__init__", "type": "function", "loc": [35, 50], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "vector": [2, 1, 0.4521, 0.1702, 1, 0.42, 0.0, 555, 0, 6, 0, 0, 0, 0, 9], "semantic": {"name": "__init__", "arg_names": ["self", "name", "text_style", "paragraph_props", "frame_props", "shading_props"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, name, text_style, paragraph_props=None, frame_props=None, shading_props=None ) :\n\n # A style must have Font and a Font Size but the Text property set doesn't\n # make these mandatory so that they can be used for overrides so at this point\n # we need to make sure that that we have these values set\n if not text_style.TextPropertySet.Font : raise Exception( 'Paragraph Styles must have a Font specified.' )\n if not text_style.TextPropertySet.Size : raise Exception( 'Paragraph Styles must have a Font Size specified.' )\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:If_L40_C8", "label": "if", "type": "if", "loc": [40, 40], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "vector": [4, 2, 0.4255, 0.0106, 2, 0.36, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not text_style.TextPropertySet.Font : raise Exception( 'Paragraph Styles must have a Font specified.' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:If_L41_C8", "label": "if", "type": "if", "loc": [41, 41], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "vector": [4, 2, 0.4362, 0.0106, 2, 0.36, 0.125, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not text_style.TextPropertySet.Size : raise Exception( 'Paragraph Styles must have a Font Size specified.' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L43_C8", "label": "SetName()", "type": "expression", "loc": [43, 43], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "vector": [8, 2, 0.4574, 0.0106, 2, 0.36, 0.25, 2, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetName", "arg_names": [], "import_names": [], "rhs_call_name": "SetName", "annotation": ""}, "snippet": " self.SetName ( name )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L44_C8", "label": "SetTextStyle()", "type": "expression", "loc": [44, 44], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "vector": [8, 2, 0.4681, 0.0106, 2, 0.36, 0.375, 461, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetTextStyle", "arg_names": [], "import_names": [], "rhs_call_name": "SetTextStyle", "annotation": ""}, "snippet": " self.SetTextStyle ( text_style )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L45_C8", "label": "SetParagraphPropertySet()", "type": "expression", "loc": [45, 45], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "vector": [8, 2, 0.4787, 0.0106, 2, 0.36, 0.5, 395, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetParagraphPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "SetParagraphPropertySet", "annotation": ""}, "snippet": " self.SetParagraphPropertySet( paragraph_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L46_C8", "label": "SetFramePropertySet()", "type": "expression", "loc": [46, 46], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "vector": [8, 2, 0.4894, 0.0106, 2, 0.36, 0.625, 163, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetFramePropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "SetFramePropertySet", "annotation": ""}, "snippet": " self.SetFramePropertySet ( frame_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L47_C8", "label": "SetShadingPropertySet()", "type": "expression", "loc": [47, 47], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "vector": [8, 2, 0.5, 0.0106, 2, 0.36, 0.75, 834, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetShadingPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "SetShadingPropertySet", "annotation": ""}, "snippet": " self.SetShadingPropertySet ( shading_props )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L49_C8", "label": "SetBasedOn()", "type": "expression", "loc": [49, 49], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "vector": [8, 2, 0.5213, 0.0106, 2, 0.36, 0.875, 186, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetBasedOn", "arg_names": [], "import_names": [], "rhs_call_name": "SetBasedOn", "annotation": ""}, "snippet": " self.SetBasedOn( None )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L50_C8", "label": "SetNext()", "type": "expression", "loc": [50, 50], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "vector": [8, 2, 0.5319, 0.0106, 2, 0.36, 1.0, 208, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetNext", "arg_names": [], "import_names": [], "rhs_call_name": "SetNext", "annotation": ""}, "snippet": " self.SetNext ( None )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L52_C4", "label": "Copy", "type": "function", "loc": [52, 53], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "vector": [2, 1, 0.5585, 0.0213, 1, 0.42, 0.125, 295, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "Copy", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def Copy( self ) :\n return deepcopy( self )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L53_C8", "label": "return", "type": "return", "loc": [53, 53], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L52_C4", "vector": [13, 2, 0.5638, 0.0106, 2, 0.68, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return deepcopy( self )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L55_C4", "label": "SetName", "type": "function", "loc": [55, 57], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "vector": [2, 1, 0.5957, 0.0319, 1, 0.42, 0.25, 2, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetName", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetName( self, value ) :\n self.Name = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L56_C8", "label": "self.Name =", "type": "assigned_variable", "loc": [56, 56], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L55_C4", "vector": [14, 2, 0.5957, 0.0106, 2, 0.19, 0.0, 671, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Name = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L57_C8", "label": "return", "type": "return", "loc": [57, 57], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L55_C4", "vector": [13, 2, 0.6064, 0.0106, 2, 0.19, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L59_C4", "label": "SetTextStyle", "type": "function", "loc": [59, 62], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "vector": [2, 1, 0.6436, 0.0426, 1, 0.42, 0.375, 461, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetTextStyle", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetTextStyle( self, value ) :\n assert isinstance( value, TextStyle )\n self.TextStyle = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L61_C8", "label": "self.TextStyle =", "type": "assigned_variable", "loc": [61, 61], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L59_C4", "vector": [14, 2, 0.6489, 0.0106, 2, 0.92, 0.0, 860, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.TextStyle", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.TextStyle = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L62_C8", "label": "return", "type": "return", "loc": [62, 62], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L59_C4", "vector": [13, 2, 0.6596, 0.0106, 2, 0.92, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L64_C4", "label": "SetParagraphPropertySet", "type": "function", "loc": [64, 67], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "vector": [2, 1, 0.6968, 0.0426, 1, 0.42, 0.5, 395, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "SetParagraphPropertySet", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetParagraphPropertySet( self, value ) :\n assert value is None or isinstance( value, ParagraphPropertySet )\n self.ParagraphPropertySet = value or ParagraphPropertySet()\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L66_C8", "label": "self.ParagraphPropertySet =", "type": "assigned_variable", "loc": [66, 66], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L64_C4", "vector": [14, 2, 0.7021, 0.0106, 2, 0.38, 0.0, 152, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.ParagraphPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ParagraphPropertySet = value or ParagraphPropertySet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L67_C8", "label": "return", "type": "return", "loc": [67, 67], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L64_C4", "vector": [13, 2, 0.7128, 0.0106, 2, 0.38, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L69_C4", "label": "SetFramePropertySet", "type": "function", "loc": [69, 72], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "vector": [2, 1, 0.75, 0.0426, 1, 0.42, 0.625, 163, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "SetFramePropertySet", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetFramePropertySet( self, value ) :\n assert value is None or isinstance( value, FramePropertySet )\n self.FramePropertySet = value or FramePropertySet()\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L71_C8", "label": "self.FramePropertySet =", "type": "assigned_variable", "loc": [71, 71], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L69_C4", "vector": [14, 2, 0.7553, 0.0106, 2, 0.41, 0.0, 721, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.FramePropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.FramePropertySet = value or FramePropertySet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L72_C8", "label": "return", "type": "return", "loc": [72, 72], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L69_C4", "vector": [13, 2, 0.766, 0.0106, 2, 0.41, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L74_C4", "label": "SetShadingPropertySet", "type": "function", "loc": [74, 79], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "vector": [2, 1, 0.8138, 0.0638, 1, 0.42, 0.75, 834, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "SetShadingPropertySet", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetShadingPropertySet( self, value ) :\n \"\"\"Set the background shading for the paragraph.\"\"\"\n\n assert value is None or isinstance( value, ShadingPropertySet )\n self.ShadingPropertySet = value or ShadingPropertySet()\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L75_C8", "label": "expression", "type": "expression", "loc": [75, 75], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L74_C4", "vector": [8, 2, 0.7979, 0.0106, 2, 0.08, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Set the background shading for the paragraph.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L78_C8", "label": "self.ShadingPropertySet =", "type": "assigned_variable", "loc": [78, 78], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L74_C4", "vector": [14, 2, 0.8298, 0.0106, 2, 0.08, 0.5, 236, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.ShadingPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ShadingPropertySet = value or ShadingPropertySet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L79_C8", "label": "return", "type": "return", "loc": [79, 79], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L74_C4", "vector": [13, 2, 0.8404, 0.0106, 2, 0.08, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L81_C4", "label": "SetBasedOn", "type": "function", "loc": [81, 86], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "vector": [2, 1, 0.8883, 0.0638, 1, 0.42, 0.875, 186, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetBasedOn", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetBasedOn( self, value ) :\n \"\"\"Set the Paragraph Style that this one is based on.\"\"\"\n\n assert not value or isinstance( value, ParagraphStyle )\n self.BasedOn = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L82_C8", "label": "expression", "type": "expression", "loc": [82, 82], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L81_C4", "vector": [8, 2, 0.8723, 0.0106, 2, 0.97, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Set the Paragraph Style that this one is based on.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L85_C8", "label": "self.BasedOn =", "type": "assigned_variable", "loc": [85, 85], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L81_C4", "vector": [14, 2, 0.9043, 0.0106, 2, 0.97, 0.5, 470, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.BasedOn", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.BasedOn = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L86_C8", "label": "return", "type": "return", "loc": [86, 86], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L81_C4", "vector": [13, 2, 0.9149, 0.0106, 2, 0.97, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L88_C4", "label": "SetNext", "type": "function", "loc": [88, 93], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "vector": [2, 1, 0.9628, 0.0638, 1, 0.42, 1.0, 208, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetNext", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetNext( self, value ) :\n \"\"\"Set the Paragraph Style that should follow this one.\"\"\"\n\n assert not value or isinstance( value, ParagraphStyle )\n self.Next = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L89_C8", "label": "expression", "type": "expression", "loc": [89, 89], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L88_C4", "vector": [8, 2, 0.9468, 0.0106, 2, 0.5, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Set the Paragraph Style that should follow this one.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L92_C8", "label": "self.Next =", "type": "assigned_variable", "loc": [92, 92], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L88_C4", "vector": [14, 2, 0.9787, 0.0106, 2, 0.5, 0.5, 140, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Next", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Next = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L93_C8", "label": "return", "type": "return", "loc": [93, 93], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L88_C4", "vector": [13, 2, 0.9894, 0.0106, 2, 0.5, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L12_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L12_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L13_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L12_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L14_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L12_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L15_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L17_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L17_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L18_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L20_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L21_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L22_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L24_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L24_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L26_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L24_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L27_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L29_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L29_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L31_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L29_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L32_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:If_L40_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:If_L41_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L43_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L44_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L45_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L46_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L47_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L49_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L35_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L50_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L52_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L53_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L55_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L55_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L56_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L55_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L57_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L59_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L59_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L61_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L59_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L62_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L64_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L64_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L66_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L64_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L67_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L69_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L69_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L69_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L72_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L74_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L74_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L75_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L74_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L78_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L74_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L79_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L81_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L81_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L82_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L81_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L85_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L81_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L86_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:ClassDef_L34_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L88_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L88_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Expr_L89_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L88_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Assign_L92_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_554:FunctionDef_L88_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_554:Return_L93_C8"}]
""" PropertySets group common attributes together, each property set is used to control a specific part of the rendering. PropertySets can be used in different elements of the document. For example the FramePropertySet is used in paragraphs, tables, cells, etc. The TextPropertySet can be used for text or in a Paragraph Style. """ from types import StringType from copy import deepcopy # # We need some basic Type like fonts, colours and paper definitions # def MakeAttributeName( value ) : assert value and type( value ) is StringType value = value.replace( ' ', '' ) return value class AttributedList( list ) : def __init__( self, accepted_type=None ) : super( AttributedList, self ).__init__() self.AcceptedType = accepted_type self._append = super( AttributedList, self ).append def append( self, *values ) : for value in values : if self.AcceptedType : assert isinstance( value, self.AcceptedType ) self._append( value ) name = getattr( value, 'Name', None ) if name : name = MakeAttributeName( value.Name ) setattr( self, name, value ) def __deepcopy__( self, memo ) : result = self.__class__() result.append( *self[:] ) return result class Colour : def __init__( self, name, red, green, blue ) : self.SetName ( name ) self.SetRed ( red ) self.SetGreen( green ) self.SetBlue ( blue ) def SetName( self, value ) : self.Name = value return self def SetRed( self, value ) : self.Red = value return self def SetGreen( self, value ) : self.Green = value return self def SetBlue( self, value ) : self.Blue = value return self class Colours( AttributedList ) : def __init__( self ) : super( Colours, self ).__init__( Colour ) class Font : def __init__( self, name, family, character_set = 0, pitch = None, panose = None, alternate = None ) : self.SetName ( name ) self.SetFamily ( family ) self.SetCharacterSet( character_set ) self.SetPitch ( pitch ) self.SetPanose ( panose ) self.SetAlternate ( alternate ) def SetName( self, value ) : self.Name = value return self def SetFamily( self, value ) : self.Family = value return self def SetCharacterSet( self, value ) : self.CharacterSet = value return self def SetPitch( self, value ) : self.Pitch = value return self def SetPanose( self, value ) : self.Panose = value return self def SetAlternate( self, value ) : self.Alternate = value return self class Fonts( AttributedList ) : def __init__( self ) : super( Fonts, self ).__init__( Font ) class Paper : def __init__( self, name, code, description, width, height ) : self.SetName ( name ) self.SetCode ( code ) self.SetDescription( description ) self.SetWidth ( width ) self.SetHeight ( height ) def SetName( self, value ) : self.Name = value return self def SetCode( self, value ) : self.Code = value return self def SetDescription( self, value ) : self.Description = value return self def SetWidth( self, value ) : self.Width = value return self def SetHeight( self, value ) : self.Height = value return self class Papers( AttributedList ) : def __init__( self ) : super( Papers, self ).__init__( Paper ) # # Then we have property sets which represent different aspects of Styles # class MarginsPropertySet : def __init__( self, top=None, left=None, bottom=None, right=None ) : self.SetTop ( top ) self.SetLeft ( left ) self.SetBottom( bottom ) self.SetRight ( right ) def SetTop( self, value ) : self.Top = value return self def SetLeft( self, value ) : self.Left = value return self def SetBottom( self, value ) : self.Bottom = value return self def SetRight( self, value ) : self.Right = value return self class ShadingPropertySet : HORIZONTAL = 1 VERTICAL = 2 FORWARD_DIAGONAL = 3 BACKWARD_DIAGONAL = 4 VERTICAL_CROSS = 5 DIAGONAL_CROSS = 6 DARK_HORIZONTAL = 7 DARK_VERTICAL = 8 DARK_FORWARD_DIAGONAL = 9 DARK_BACKWARD_DIAGONAL = 10 DARK_VERTICAL_CROSS = 11 DARK_DIAGONAL_CROSS = 12 PATTERNS = [ HORIZONTAL, VERTICAL, FORWARD_DIAGONAL, BACKWARD_DIAGONAL, VERTICAL_CROSS, DIAGONAL_CROSS, DARK_HORIZONTAL, DARK_VERTICAL, DARK_FORWARD_DIAGONAL, DARK_BACKWARD_DIAGONAL, DARK_VERTICAL_CROSS, DARK_DIAGONAL_CROSS ] def __init__( self, shading=None, pattern=None, foreground=None, background=None ) : self.SetShading ( shading ) self.SetForeground( foreground ) self.SetBackground( background ) self.SetPattern ( pattern ) def __deepcopy__( self, memo ) : return ShadingPropertySet( self.Shading, self.Foreground, self.Background, self.Pattern ) def SetShading( self, value ) : self.Shading = value return self def SetPattern( self, value ) : assert value is None or value in self.PATTERNS self.Pattern = value return self def SetForeground( self, value ) : assert not value or isinstance( value, Colour ) self.Foreground = value return self def SetBackground( self, value ) : assert not value or isinstance( value, Colour ) self.Background = value return self class BorderPropertySet : SINGLE = 1 DOUBLE = 2 SHADOWED = 3 DOUBLED = 4 DOTTED = 5 DASHED = 6 HAIRLINE = 7 STYLES = [ SINGLE, DOUBLE, SHADOWED, DOUBLED, DOTTED, DASHED, HAIRLINE ] def __init__( self, width=None, style=None, colour=None, spacing=None ) : self.SetWidth ( width ) self.SetStyle ( style or self.SINGLE ) self.SetColour ( colour ) self.SetSpacing( spacing ) def SetWidth( self, value ) : self.Width = value return self def SetStyle( self, value ) : assert value is None or value in self.STYLES self.Style = value return self def SetColour( self, value ) : assert value is None or isinstance( value, Colour ) self.Colour = value return self def SetSpacing( self, value ) : self.Spacing = value return self class FramePropertySet : def __init__( self, top=None, left=None, bottom=None, right=None ) : self.SetTop ( top ) self.SetLeft ( left ) self.SetBottom( bottom ) self.SetRight ( right ) def SetTop( self, value ) : assert value is None or isinstance( value, BorderPropertySet ) self.Top = value return self def SetLeft( self, value ) : assert value is None or isinstance( value, BorderPropertySet ) self.Left = value return self def SetBottom( self, value ) : assert value is None or isinstance( value, BorderPropertySet ) self.Bottom = value return self def SetRight( self, value ) : assert value is None or isinstance( value, BorderPropertySet ) self.Right = value return self class TabPropertySet : DEFAULT_WIDTH = 720 LEFT = 1 RIGHT = 2 CENTER = 3 DECIMAL = 4 ALIGNMENT = [ LEFT, RIGHT, CENTER, DECIMAL ] DOTS = 1 HYPHENS = 2 UNDERLINE = 3 THICK_LINE = 4 EQUAL_SIGN = 5 LEADERS = [ DOTS, HYPHENS, UNDERLINE, THICK_LINE, EQUAL_SIGN ] def __init__( self, width=None, alignment=None, leader=None ) : self.SetWidth ( width ) self.SetAlignment( alignment or self.LEFT ) self.SetLeader ( leader ) def SetWidth( self, value ) : self.Width = value return self def SetAlignment( self, value ) : assert value in self.ALIGNMENT self.Alignment = value return self def SetLeader( self, value ) : assert not value or value in self.LEADERS self.Leader = value return self class TextPropertySet : def __init__( self, font=None, size=None, bold=None, italic=None, underline=None, colour=None, frame=None, expansion=None ) : self.SetFont ( font ) self.SetSize ( size ) self.SetBold ( bold or False ) self.SetItalic ( italic or False ) self.SetUnderline ( underline or False ) self.SetColour( colour ) self.SetFrame ( frame ) self.SetStrikeThrough ( False ) self.SetDottedUnderline( False ) self.SetDoubleUnderline( False ) self.SetWordUnderline ( False ) self.SetExpansion ( expansion ) def Copy( self ) : return deepcopy( self ) def __deepcopy__( self, memo ) : # the font must remain a reference to the same font that we are looking at # so we want to stop the recursiveness at this point and return an object # with the right references. result = TextPropertySet( self.Font, self.Size, self.Bold, self.Italic, self.Underline, self.Colour, deepcopy( self.Frame, memo ) ) result.SetStrikeThrough( self.StrikeThrough ) return result def SetFont( self, value ) : assert not value or isinstance( value, Font ) self.Font = value return self def SetSize( self, value ) : self.Size = value return self def SetBold( self, value ) : self.Bold = False if value : self.Bold = True return self def SetItalic( self, value ) : self.Italic = False if value : self.Italic = True return self def SetUnderline( self, value ) : self.Underline = False if value : self.Underline = True return self def SetColour( self, value ) : assert value is None or isinstance( value, Colour ) self.Colour = value return self def SetFrame( self, value ) : assert value is None or isinstance( value, BorderPropertySet ) self.Frame = value return self def SetStrikeThrough( self, value ) : self.StrikeThrough = False if value : self.StrikeThrough = True return self def SetDottedUnderline( self, value ) : self.DottedUnderline = False if value : self.DottedUnderline = True return self def SetDoubleUnderline( self, value ) : self.DoubleUnderline = False if value : self.DoubleUnderline = True return self def SetWordUnderline( self, value ) : self.WordUnderline = False if value : self.WordUnderline = True return self def SetExpansion( self, value ) : self.Expansion = value return self class ParagraphPropertySet : LEFT = 1 RIGHT = 2 CENTER = 3 JUSTIFY = 4 DISTRIBUTE = 5 ALIGNMENT = [ LEFT, RIGHT, CENTER, JUSTIFY, DISTRIBUTE ] def __init__( self, alignment=None, space_before=None, space_after=None, tabs=None, first_line_indent=None, left_indent=None, right_indent=None, page_break_before=None ) : self.SetAlignment ( alignment or self.LEFT ) self.SetSpaceBefore( space_before ) self.SetSpaceAfter ( space_after ) self.Tabs = [] if tabs : apply( self.SetTabs, tabs ) self.SetFirstLineIndent( first_line_indent or None ) self.SetLeftIndent ( left_indent or None ) self.SetRightIndent ( right_indent or None ) self.SetPageBreakBefore( page_break_before ) self.SetSpaceBetweenLines( None ) def Copy( self ) : return deepcopy( self ) def SetAlignment( self, value ) : assert not value or value in self.ALIGNMENT self.Alignment = value or self.LEFT return self def SetSpaceBefore( self, value ) : self.SpaceBefore = value return self def SetSpaceAfter( self, value ) : self.SpaceAfter = value return self def SetTabs( self, *params ) : self.Tabs = params return self def SetFirstLineIndent( self, value ) : self.FirstLineIndent = value return self def SetLeftIndent( self, value ) : self.LeftIndent = value return self def SetRightIndent( self, value ) : self.RightIndent = value return self def SetSpaceBetweenLines( self, value ) : self.SpaceBetweenLines = value return self def SetPageBreakBefore( self, value ) : self.PageBreakBefore = False if value : self.PageBreakBefore = True return self # Some short cuts to make the code a bit easier to read MarginsPS = MarginsPropertySet ShadingPS = ShadingPropertySet BorderPS = BorderPropertySet FramePS = FramePropertySet TabPS = TabPropertySet TextPS = TextPropertySet ParagraphPS = ParagraphPropertySet
ajibawa-2023/Python-Code-Large/train/row_555
346
489
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 10], "level": 0, "parent": null, "vector": [8, 0, 0.0112, 0.0204, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nPropertySets group common attributes together, each property set is used to control a specific part of the rendering.\n\nPropertySets can be used in different elements of the document.\n\nFor example the FramePropertySet is used in paragraphs, tables, cells, etc.\n\nThe TextPropertySet can be used for text or in a Paragraph Style."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ImportFrom_L12_C0", "label": "from types import StringType", "type": "import", "loc": [12, 12], "level": 0, "parent": null, "vector": [1, 0, 0.0245, 0.002, 0, 0.66, 0.0417, 209, 0, 1, 0, 0, 209, 0, 0], "semantic": {"name": "types", "arg_names": [], "import_names": ["StringType"], "rhs_call_name": "", "annotation": ""}, "snippet": "from types import StringType"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ImportFrom_L13_C0", "label": "from copy import deepcopy", "type": "import", "loc": [13, 13], "level": 0, "parent": null, "vector": [1, 0, 0.0266, 0.002, 0, 0.66, 0.0833, 739, 0, 1, 0, 0, 739, 0, 0], "semantic": {"name": "copy", "arg_names": [], "import_names": ["deepcopy"], "rhs_call_name": "", "annotation": ""}, "snippet": "from copy import deepcopy"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L19_C0", "label": "MakeAttributeName", "type": "function", "loc": [19, 22], "level": 0, "parent": null, "vector": [2, 0, 0.0419, 0.0082, 0, 0.66, 0.125, 717, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "MakeAttributeName", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def MakeAttributeName( value ) :\n assert value and type( value ) is StringType\n value = value.replace( ' ', '' )\n return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L21_C4", "label": "value = replace()", "type": "assigned_variable", "loc": [21, 21], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L19_C0", "vector": [14, 1, 0.0429, 0.002, 1, 0.04, 0.0, 441, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " value = value.replace( ' ', '' )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L22_C4", "label": "return", "type": "return", "loc": [22, 22], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L19_C0", "vector": [13, 1, 0.045, 0.002, 1, 0.04, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L24_C0", "label": "AttributedList", "type": "class", "loc": [24, 44], "level": 0, "parent": null, "vector": [3, 0, 0.0695, 0.0429, 0, 0.66, 0.1667, 994, 0, 3, 0, 0, 430, 0, 10], "semantic": {"name": "AttributedList", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class AttributedList( list ) :\n def __init__( self, accepted_type=None ) :\n super( AttributedList, self ).__init__()\n self.AcceptedType = accepted_type\n self._append = super( AttributedList, self ).append\n\n def append( self, *values ) :\n for value in values :"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L25_C4", "label": "__init__", "type": "function", "loc": [25, 28], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L24_C0", "vector": [2, 1, 0.0542, 0.0082, 1, 0.55, 0.0, 555, 0, 2, 0, 0, 0, 0, 3], "semantic": {"name": "__init__", "arg_names": ["self", "accepted_type"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, accepted_type=None ) :\n super( AttributedList, self ).__init__()\n self.AcceptedType = accepted_type\n self._append = super( AttributedList, self ).append"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L26_C8", "label": "__init__()", "type": "expression", "loc": [26, 26], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L25_C4", "vector": [8, 2, 0.0532, 0.002, 2, 0.26, 0.0, 555, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " super( AttributedList, self ).__init__()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L27_C8", "label": "self.AcceptedType =", "type": "assigned_variable", "loc": [27, 27], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L25_C4", "vector": [14, 2, 0.0552, 0.002, 2, 0.26, 0.5, 97, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.AcceptedType", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.AcceptedType = accepted_type"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L28_C8", "label": "self._append =", "type": "assigned_variable", "loc": [28, 28], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L25_C4", "vector": [14, 2, 0.0573, 0.002, 2, 0.26, 1.0, 26, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self._append", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._append = super( AttributedList, self ).append"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L30_C4", "label": "append", "type": "function", "loc": [30, 39], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L24_C0", "vector": [2, 1, 0.0706, 0.0204, 1, 0.55, 0.5, 243, 0, 2, 0, 0, 0, 0, 5], "semantic": {"name": "append", "arg_names": ["self", "values"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def append( self, *values ) :\n for value in values :\n if self.AcceptedType : assert isinstance( value, self.AcceptedType )\n\n self._append( value )\n\n name = getattr( value, 'Name', None )\n if name :"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:For_L31_C8", "label": "for value", "type": "for", "loc": [31, 39], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L30_C4", "vector": [6, 2, 0.0716, 0.0184, 2, 0.11, 0.0, 441, 2, 0, 0, 0, 0, 0, 5], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for value in values :\n if self.AcceptedType : assert isinstance( value, self.AcceptedType )\n\n self._append( value )\n\n name = getattr( value, 'Name', None )\n if name :\n name = MakeAttributeName( value.Name )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:If_L32_C12", "label": "if", "type": "if", "loc": [32, 32], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:For_L31_C8", "vector": [4, 3, 0.0654, 0.002, 3, 0.94, 0.0, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.AcceptedType : assert isinstance( value, self.AcceptedType )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L34_C12", "label": "_append()", "type": "expression", "loc": [34, 34], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:For_L31_C8", "vector": [8, 3, 0.0695, 0.002, 3, 0.94, 0.3333, 6, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "_append", "arg_names": [], "import_names": [], "rhs_call_name": "_append", "annotation": ""}, "snippet": " self._append( value )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L36_C12", "label": "name = getattr()", "type": "assigned_variable", "loc": [36, 36], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:For_L31_C8", "vector": [14, 3, 0.0736, 0.002, 3, 0.94, 0.6667, 57, 3, 3, 0, 0, 121, 10, 1], "semantic": {"name": "name", "arg_names": [], "import_names": [], "rhs_call_name": "getattr", "annotation": ""}, "snippet": " name = getattr( value, 'Name', None )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:If_L37_C12", "label": "if", "type": "if", "loc": [37, 39], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:For_L31_C8", "vector": [4, 3, 0.0777, 0.0061, 3, 0.94, 1.0, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if name :\n name = MakeAttributeName( value.Name )\n setattr( self, name, value )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L38_C16", "label": "name = MakeAttributeName()", "type": "assigned_variable", "loc": [38, 38], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:If_L37_C12", "vector": [14, 4, 0.0777, 0.002, 4, 0.24, 0.0, 57, 3, 1, 0, 0, 717, 10, 1], "semantic": {"name": "name", "arg_names": [], "import_names": [], "rhs_call_name": "MakeAttributeName", "annotation": ""}, "snippet": " name = MakeAttributeName( value.Name )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L39_C16", "label": "setattr()", "type": "expression", "loc": [39, 39], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:If_L37_C12", "vector": [8, 4, 0.0798, 0.002, 4, 0.24, 1.0, 501, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "setattr", "arg_names": [], "import_names": [], "rhs_call_name": "setattr", "annotation": ""}, "snippet": " setattr( self, name, value )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L41_C4", "label": "__deepcopy__", "type": "function", "loc": [41, 44], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L24_C0", "vector": [2, 1, 0.0869, 0.0082, 1, 0.55, 1.0, 652, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "__deepcopy__", "arg_names": ["self", "memo"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __deepcopy__( self, memo ) :\n result = self.__class__()\n result.append( *self[:] )\n return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L42_C8", "label": "result = __class__()", "type": "assigned_variable", "loc": [42, 42], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L41_C4", "vector": [14, 2, 0.0859, 0.002, 2, 0.96, 0.0, 51, 3, 0, 0, 0, 826, 10, 1], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "__class__", "annotation": ""}, "snippet": " result = self.__class__()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L43_C8", "label": "append()", "type": "expression", "loc": [43, 43], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L41_C4", "vector": [8, 2, 0.0879, 0.002, 2, 0.96, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " result.append( *self[:] )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L44_C8", "label": "return", "type": "return", "loc": [44, 44], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L41_C4", "vector": [13, 2, 0.09, 0.002, 2, 0.96, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L46_C0", "label": "Colour", "type": "class", "loc": [46, 67], "level": 0, "parent": null, "vector": [3, 0, 0.1155, 0.045, 0, 0.66, 0.2083, 397, 0, 5, 0, 0, 0, 0, 4], "semantic": {"name": "Colour", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Colour :\n def __init__( self, name, red, green, blue ) :\n self.SetName ( name )\n self.SetRed ( red )\n self.SetGreen( green )\n self.SetBlue ( blue )\n\n def SetName( self, value ) :"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L47_C4", "label": "__init__", "type": "function", "loc": [47, 51], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L46_C0", "vector": [2, 1, 0.1002, 0.0102, 1, 0.29, 0.0, 555, 0, 5, 0, 0, 0, 0, 4], "semantic": {"name": "__init__", "arg_names": ["self", "name", "red", "green", "blue"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, name, red, green, blue ) :\n self.SetName ( name )\n self.SetRed ( red )\n self.SetGreen( green )\n self.SetBlue ( blue )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L48_C8", "label": "SetName()", "type": "expression", "loc": [48, 48], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L47_C4", "vector": [8, 2, 0.0982, 0.002, 2, 0.32, 0.0, 2, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetName", "arg_names": [], "import_names": [], "rhs_call_name": "SetName", "annotation": ""}, "snippet": " self.SetName ( name )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L49_C8", "label": "SetRed()", "type": "expression", "loc": [49, 49], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L47_C4", "vector": [8, 2, 0.1002, 0.002, 2, 0.32, 0.3333, 220, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetRed", "arg_names": [], "import_names": [], "rhs_call_name": "SetRed", "annotation": ""}, "snippet": " self.SetRed ( red )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L50_C8", "label": "SetGreen()", "type": "expression", "loc": [50, 50], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L47_C4", "vector": [8, 2, 0.1022, 0.002, 2, 0.32, 0.6667, 86, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetGreen", "arg_names": [], "import_names": [], "rhs_call_name": "SetGreen", "annotation": ""}, "snippet": " self.SetGreen( green )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L51_C8", "label": "SetBlue()", "type": "expression", "loc": [51, 51], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L47_C4", "vector": [8, 2, 0.1043, 0.002, 2, 0.32, 1.0, 597, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetBlue", "arg_names": [], "import_names": [], "rhs_call_name": "SetBlue", "annotation": ""}, "snippet": " self.SetBlue ( blue )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L53_C4", "label": "SetName", "type": "function", "loc": [53, 55], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L46_C0", "vector": [2, 1, 0.1104, 0.0061, 1, 0.29, 0.25, 2, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetName", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetName( self, value ) :\n self.Name = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L54_C8", "label": "self.Name =", "type": "assigned_variable", "loc": [54, 54], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L53_C4", "vector": [14, 2, 0.1104, 0.002, 2, 0.19, 0.0, 671, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Name = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L55_C8", "label": "return", "type": "return", "loc": [55, 55], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L53_C4", "vector": [13, 2, 0.1125, 0.002, 2, 0.19, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L57_C4", "label": "SetRed", "type": "function", "loc": [57, 59], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L46_C0", "vector": [2, 1, 0.1186, 0.0061, 1, 0.29, 0.5, 220, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetRed", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetRed( self, value ) :\n self.Red = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L58_C8", "label": "self.Red =", "type": "assigned_variable", "loc": [58, 58], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L57_C4", "vector": [14, 2, 0.1186, 0.002, 2, 0.47, 0.0, 291, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Red", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Red = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L59_C8", "label": "return", "type": "return", "loc": [59, 59], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L57_C4", "vector": [13, 2, 0.1207, 0.002, 2, 0.47, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L61_C4", "label": "SetGreen", "type": "function", "loc": [61, 63], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L46_C0", "vector": [2, 1, 0.1268, 0.0061, 1, 0.29, 0.75, 86, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetGreen", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetGreen( self, value ) :\n self.Green = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L62_C8", "label": "self.Green =", "type": "assigned_variable", "loc": [62, 62], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L61_C4", "vector": [14, 2, 0.1268, 0.002, 2, 0.09, 0.0, 569, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Green", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Green = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L63_C8", "label": "return", "type": "return", "loc": [63, 63], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L61_C4", "vector": [13, 2, 0.1288, 0.002, 2, 0.09, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L65_C4", "label": "SetBlue", "type": "function", "loc": [65, 67], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L46_C0", "vector": [2, 1, 0.135, 0.0061, 1, 0.29, 1.0, 597, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetBlue", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetBlue( self, value ) :\n self.Blue = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L66_C8", "label": "self.Blue =", "type": "assigned_variable", "loc": [66, 66], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L65_C4", "vector": [14, 2, 0.135, 0.002, 2, 0.05, 0.0, 721, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Blue", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Blue = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L67_C8", "label": "return", "type": "return", "loc": [67, 67], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L65_C4", "vector": [13, 2, 0.137, 0.002, 2, 0.05, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L69_C0", "label": "Colours", "type": "class", "loc": [69, 71], "level": 0, "parent": null, "vector": [3, 0, 0.1431, 0.0061, 0, 0.66, 0.25, 524, 0, 1, 0, 0, 994, 0, 2], "semantic": {"name": "Colours", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Colours( AttributedList ) :\n def __init__( self ) :\n super( Colours, self ).__init__( Colour )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L70_C4", "label": "__init__", "type": "function", "loc": [70, 71], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L69_C0", "vector": [2, 1, 0.1442, 0.0041, 1, 0.93, 0.0, 555, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self ) :\n super( Colours, self ).__init__( Colour )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L71_C8", "label": "__init__()", "type": "expression", "loc": [71, 71], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L70_C4", "vector": [8, 2, 0.1452, 0.002, 2, 0.7, 0.0, 555, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " super( Colours, self ).__init__( Colour )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "label": "Font", "type": "class", "loc": [73, 104], "level": 0, "parent": null, "vector": [3, 0, 0.181, 0.0654, 0, 0.66, 0.2917, 69, 0, 7, 0, 0, 0, 0, 6], "semantic": {"name": "Font", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Font :\n def __init__( self, name, family, character_set = 0, pitch = None, panose = None, alternate = None ) :\n self.SetName ( name )\n self.SetFamily ( family )\n self.SetCharacterSet( character_set )\n self.SetPitch ( pitch )\n self.SetPanose ( panose )\n self.SetAlternate ( alternate )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "label": "__init__", "type": "function", "loc": [74, 80], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "vector": [2, 1, 0.1575, 0.0143, 1, 0.73, 0.0, 555, 0, 7, 0, 0, 0, 0, 6], "semantic": {"name": "__init__", "arg_names": ["self", "name", "family", "character_set", "pitch", "panose", "alternate"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, name, family, character_set = 0, pitch = None, panose = None, alternate = None ) :\n self.SetName ( name )\n self.SetFamily ( family )\n self.SetCharacterSet( character_set )\n self.SetPitch ( pitch )\n self.SetPanose ( panose )\n self.SetAlternate ( alternate )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L75_C8", "label": "SetName()", "type": "expression", "loc": [75, 75], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "vector": [8, 2, 0.1534, 0.002, 2, 0.35, 0.0, 2, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetName", "arg_names": [], "import_names": [], "rhs_call_name": "SetName", "annotation": ""}, "snippet": " self.SetName ( name )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L76_C8", "label": "SetFamily()", "type": "expression", "loc": [76, 76], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "vector": [8, 2, 0.1554, 0.002, 2, 0.35, 0.2, 72, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetFamily", "arg_names": [], "import_names": [], "rhs_call_name": "SetFamily", "annotation": ""}, "snippet": " self.SetFamily ( family )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L77_C8", "label": "SetCharacterSet()", "type": "expression", "loc": [77, 77], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "vector": [8, 2, 0.1575, 0.002, 2, 0.35, 0.4, 658, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetCharacterSet", "arg_names": [], "import_names": [], "rhs_call_name": "SetCharacterSet", "annotation": ""}, "snippet": " self.SetCharacterSet( character_set )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L78_C8", "label": "SetPitch()", "type": "expression", "loc": [78, 78], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "vector": [8, 2, 0.1595, 0.002, 2, 0.35, 0.6, 974, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetPitch", "arg_names": [], "import_names": [], "rhs_call_name": "SetPitch", "annotation": ""}, "snippet": " self.SetPitch ( pitch )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L79_C8", "label": "SetPanose()", "type": "expression", "loc": [79, 79], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "vector": [8, 2, 0.1616, 0.002, 2, 0.35, 0.8, 908, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetPanose", "arg_names": [], "import_names": [], "rhs_call_name": "SetPanose", "annotation": ""}, "snippet": " self.SetPanose ( panose )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L80_C8", "label": "SetAlternate()", "type": "expression", "loc": [80, 80], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "vector": [8, 2, 0.1636, 0.002, 2, 0.35, 1.0, 68, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetAlternate", "arg_names": [], "import_names": [], "rhs_call_name": "SetAlternate", "annotation": ""}, "snippet": " self.SetAlternate ( alternate )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L82_C4", "label": "SetName", "type": "function", "loc": [82, 84], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "vector": [2, 1, 0.1697, 0.0061, 1, 0.73, 0.1667, 2, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetName", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetName( self, value ) :\n self.Name = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L83_C8", "label": "self.Name =", "type": "assigned_variable", "loc": [83, 83], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L82_C4", "vector": [14, 2, 0.1697, 0.002, 2, 0.71, 0.0, 671, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Name = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L84_C8", "label": "return", "type": "return", "loc": [84, 84], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L82_C4", "vector": [13, 2, 0.1718, 0.002, 2, 0.71, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L86_C4", "label": "SetFamily", "type": "function", "loc": [86, 88], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "vector": [2, 1, 0.1779, 0.0061, 1, 0.73, 0.3333, 72, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetFamily", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetFamily( self, value ) :\n self.Family = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L87_C8", "label": "self.Family =", "type": "assigned_variable", "loc": [87, 87], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L86_C4", "vector": [14, 2, 0.1779, 0.002, 2, 0.53, 0.0, 415, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Family", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Family = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L88_C8", "label": "return", "type": "return", "loc": [88, 88], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L86_C4", "vector": [13, 2, 0.18, 0.002, 2, 0.53, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L90_C4", "label": "SetCharacterSet", "type": "function", "loc": [90, 92], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "vector": [2, 1, 0.1861, 0.0061, 1, 0.73, 0.5, 658, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetCharacterSet", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetCharacterSet( self, value ) :\n self.CharacterSet = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L91_C8", "label": "self.CharacterSet =", "type": "assigned_variable", "loc": [91, 91], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L90_C4", "vector": [14, 2, 0.1861, 0.002, 2, 0.97, 0.0, 240, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.CharacterSet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.CharacterSet = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L92_C8", "label": "return", "type": "return", "loc": [92, 92], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L90_C4", "vector": [13, 2, 0.1881, 0.002, 2, 0.97, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L94_C4", "label": "SetPitch", "type": "function", "loc": [94, 96], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "vector": [2, 1, 0.1943, 0.0061, 1, 0.73, 0.6667, 974, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetPitch", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetPitch( self, value ) :\n self.Pitch = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L95_C8", "label": "self.Pitch =", "type": "assigned_variable", "loc": [95, 95], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L94_C4", "vector": [14, 2, 0.1943, 0.002, 2, 0.26, 0.0, 970, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Pitch", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Pitch = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L96_C8", "label": "return", "type": "return", "loc": [96, 96], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L94_C4", "vector": [13, 2, 0.1963, 0.002, 2, 0.26, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L98_C4", "label": "SetPanose", "type": "function", "loc": [98, 100], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "vector": [2, 1, 0.2025, 0.0061, 1, 0.73, 0.8333, 908, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetPanose", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetPanose( self, value ) :\n self.Panose = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L99_C8", "label": "self.Panose =", "type": "assigned_variable", "loc": [99, 99], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L98_C4", "vector": [14, 2, 0.2025, 0.002, 2, 0.75, 0.0, 845, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Panose", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Panose = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L100_C8", "label": "return", "type": "return", "loc": [100, 100], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L98_C4", "vector": [13, 2, 0.2045, 0.002, 2, 0.75, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L102_C4", "label": "SetAlternate", "type": "function", "loc": [102, 104], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "vector": [2, 1, 0.2106, 0.0061, 1, 0.73, 1.0, 68, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetAlternate", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetAlternate( self, value ) :\n self.Alternate = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L103_C8", "label": "self.Alternate =", "type": "assigned_variable", "loc": [103, 103], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L102_C4", "vector": [14, 2, 0.2106, 0.002, 2, 0.07, 0.0, 351, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Alternate", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Alternate = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L104_C8", "label": "return", "type": "return", "loc": [104, 104], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L102_C4", "vector": [13, 2, 0.2127, 0.002, 2, 0.07, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L106_C0", "label": "Fonts", "type": "class", "loc": [106, 108], "level": 0, "parent": null, "vector": [3, 0, 0.2188, 0.0061, 0, 0.66, 0.3333, 442, 0, 1, 0, 0, 994, 0, 2], "semantic": {"name": "Fonts", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Fonts( AttributedList ) :\n def __init__( self ) :\n super( Fonts, self ).__init__( Font )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L107_C4", "label": "__init__", "type": "function", "loc": [107, 108], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L106_C0", "vector": [2, 1, 0.2198, 0.0041, 1, 0.41, 0.0, 555, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self ) :\n super( Fonts, self ).__init__( Font )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L108_C8", "label": "__init__()", "type": "expression", "loc": [108, 108], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L107_C4", "vector": [8, 2, 0.2209, 0.002, 2, 0.85, 0.0, 555, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " super( Fonts, self ).__init__( Font )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "label": "Paper", "type": "class", "loc": [110, 136], "level": 0, "parent": null, "vector": [3, 0, 0.2515, 0.0552, 0, 0.66, 0.375, 955, 0, 6, 0, 0, 0, 0, 5], "semantic": {"name": "Paper", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Paper :\n def __init__( self, name, code, description, width, height ) :\n self.SetName ( name )\n self.SetCode ( code )\n self.SetDescription( description )\n self.SetWidth ( width )\n self.SetHeight ( height )\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L111_C4", "label": "__init__", "type": "function", "loc": [111, 116], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "vector": [2, 1, 0.2321, 0.0123, 1, 0.55, 0.0, 555, 0, 6, 0, 0, 0, 0, 5], "semantic": {"name": "__init__", "arg_names": ["self", "name", "code", "description", "width", "height"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, name, code, description, width, height ) :\n self.SetName ( name )\n self.SetCode ( code )\n self.SetDescription( description )\n self.SetWidth ( width )\n self.SetHeight ( height )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L112_C8", "label": "SetName()", "type": "expression", "loc": [112, 112], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L111_C4", "vector": [8, 2, 0.229, 0.002, 2, 0.8, 0.0, 2, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetName", "arg_names": [], "import_names": [], "rhs_call_name": "SetName", "annotation": ""}, "snippet": " self.SetName ( name )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L113_C8", "label": "SetCode()", "type": "expression", "loc": [113, 113], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L111_C4", "vector": [8, 2, 0.2311, 0.002, 2, 0.8, 0.25, 453, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetCode", "arg_names": [], "import_names": [], "rhs_call_name": "SetCode", "annotation": ""}, "snippet": " self.SetCode ( code )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L114_C8", "label": "SetDescription()", "type": "expression", "loc": [114, 114], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L111_C4", "vector": [8, 2, 0.2331, 0.002, 2, 0.8, 0.5, 689, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetDescription", "arg_names": [], "import_names": [], "rhs_call_name": "SetDescription", "annotation": ""}, "snippet": " self.SetDescription( description )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L115_C8", "label": "SetWidth()", "type": "expression", "loc": [115, 115], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L111_C4", "vector": [8, 2, 0.2352, 0.002, 2, 0.8, 0.75, 664, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetWidth", "arg_names": [], "import_names": [], "rhs_call_name": "SetWidth", "annotation": ""}, "snippet": " self.SetWidth ( width )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L116_C8", "label": "SetHeight()", "type": "expression", "loc": [116, 116], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L111_C4", "vector": [8, 2, 0.2372, 0.002, 2, 0.8, 1.0, 794, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetHeight", "arg_names": [], "import_names": [], "rhs_call_name": "SetHeight", "annotation": ""}, "snippet": " self.SetHeight ( height )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L118_C4", "label": "SetName", "type": "function", "loc": [118, 120], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "vector": [2, 1, 0.2434, 0.0061, 1, 0.55, 0.2, 2, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetName", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetName( self, value ) :\n self.Name = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L119_C8", "label": "self.Name =", "type": "assigned_variable", "loc": [119, 119], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L118_C4", "vector": [14, 2, 0.2434, 0.002, 2, 0.13, 0.0, 671, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Name = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L120_C8", "label": "return", "type": "return", "loc": [120, 120], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L118_C4", "vector": [13, 2, 0.2454, 0.002, 2, 0.13, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L122_C4", "label": "SetCode", "type": "function", "loc": [122, 124], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "vector": [2, 1, 0.2515, 0.0061, 1, 0.55, 0.4, 453, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetCode", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetCode( self, value ) :\n self.Code = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L123_C8", "label": "self.Code =", "type": "assigned_variable", "loc": [123, 123], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L122_C4", "vector": [14, 2, 0.2515, 0.002, 2, 0.23, 0.0, 278, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Code = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L124_C8", "label": "return", "type": "return", "loc": [124, 124], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L122_C4", "vector": [13, 2, 0.2536, 0.002, 2, 0.23, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L126_C4", "label": "SetDescription", "type": "function", "loc": [126, 128], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "vector": [2, 1, 0.2597, 0.0061, 1, 0.55, 0.6, 689, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetDescription", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetDescription( self, value ) :\n self.Description = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L127_C8", "label": "self.Description =", "type": "assigned_variable", "loc": [127, 127], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L126_C4", "vector": [14, 2, 0.2597, 0.002, 2, 0.75, 0.0, 863, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Description", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Description = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L128_C8", "label": "return", "type": "return", "loc": [128, 128], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L126_C4", "vector": [13, 2, 0.2618, 0.002, 2, 0.75, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L130_C4", "label": "SetWidth", "type": "function", "loc": [130, 132], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "vector": [2, 1, 0.2679, 0.0061, 1, 0.55, 0.8, 664, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetWidth", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetWidth( self, value ) :\n self.Width = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L131_C8", "label": "self.Width =", "type": "assigned_variable", "loc": [131, 131], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L130_C4", "vector": [14, 2, 0.2679, 0.002, 2, 0.73, 0.0, 907, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Width", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Width = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L132_C8", "label": "return", "type": "return", "loc": [132, 132], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L130_C4", "vector": [13, 2, 0.2699, 0.002, 2, 0.73, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L134_C4", "label": "SetHeight", "type": "function", "loc": [134, 136], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "vector": [2, 1, 0.2761, 0.0061, 1, 0.55, 1.0, 794, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetHeight", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetHeight( self, value ) :\n self.Height = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L135_C8", "label": "self.Height =", "type": "assigned_variable", "loc": [135, 135], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L134_C4", "vector": [14, 2, 0.2761, 0.002, 2, 0.08, 0.0, 660, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Height", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Height = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L136_C8", "label": "return", "type": "return", "loc": [136, 136], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L134_C4", "vector": [13, 2, 0.2781, 0.002, 2, 0.08, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L138_C0", "label": "Papers", "type": "class", "loc": [138, 140], "level": 0, "parent": null, "vector": [3, 0, 0.2843, 0.0061, 0, 0.66, 0.4167, 141, 0, 1, 0, 0, 994, 0, 2], "semantic": {"name": "Papers", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Papers( AttributedList ) :\n def __init__( self ) :\n super( Papers, self ).__init__( Paper )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L139_C4", "label": "__init__", "type": "function", "loc": [139, 140], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L138_C0", "vector": [2, 1, 0.2853, 0.0041, 1, 0.11, 0.0, 555, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self ) :\n super( Papers, self ).__init__( Paper )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L140_C8", "label": "__init__()", "type": "expression", "loc": [140, 140], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L139_C4", "vector": [8, 2, 0.2863, 0.002, 2, 0.1, 0.0, 555, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " super( Papers, self ).__init__( Paper )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L145_C0", "label": "MarginsPropertySet", "type": "class", "loc": [145, 166], "level": 0, "parent": null, "vector": [3, 0, 0.318, 0.045, 0, 0.66, 0.4583, 673, 0, 5, 0, 0, 0, 0, 4], "semantic": {"name": "MarginsPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class MarginsPropertySet :\n def __init__( self, top=None, left=None, bottom=None, right=None ) :\n self.SetTop ( top )\n self.SetLeft ( left )\n self.SetBottom( bottom )\n self.SetRight ( right )\n\n def SetTop( self, value ) :"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L146_C4", "label": "__init__", "type": "function", "loc": [146, 150], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L145_C0", "vector": [2, 1, 0.3027, 0.0102, 1, 0.68, 0.0, 555, 0, 5, 0, 0, 0, 0, 4], "semantic": {"name": "__init__", "arg_names": ["self", "top", "left", "bottom", "right"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, top=None, left=None, bottom=None, right=None ) :\n self.SetTop ( top )\n self.SetLeft ( left )\n self.SetBottom( bottom )\n self.SetRight ( right )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L147_C8", "label": "SetTop()", "type": "expression", "loc": [147, 147], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L146_C4", "vector": [8, 2, 0.3006, 0.002, 2, 0.97, 0.0, 521, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetTop", "arg_names": [], "import_names": [], "rhs_call_name": "SetTop", "annotation": ""}, "snippet": " self.SetTop ( top )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L148_C8", "label": "SetLeft()", "type": "expression", "loc": [148, 148], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L146_C4", "vector": [8, 2, 0.3027, 0.002, 2, 0.97, 0.3333, 386, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetLeft", "arg_names": [], "import_names": [], "rhs_call_name": "SetLeft", "annotation": ""}, "snippet": " self.SetLeft ( left )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L149_C8", "label": "SetBottom()", "type": "expression", "loc": [149, 149], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L146_C4", "vector": [8, 2, 0.3047, 0.002, 2, 0.97, 0.6667, 622, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetBottom", "arg_names": [], "import_names": [], "rhs_call_name": "SetBottom", "annotation": ""}, "snippet": " self.SetBottom( bottom )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L150_C8", "label": "SetRight()", "type": "expression", "loc": [150, 150], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L146_C4", "vector": [8, 2, 0.3067, 0.002, 2, 0.97, 1.0, 231, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetRight", "arg_names": [], "import_names": [], "rhs_call_name": "SetRight", "annotation": ""}, "snippet": " self.SetRight ( right )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L152_C4", "label": "SetTop", "type": "function", "loc": [152, 154], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L145_C0", "vector": [2, 1, 0.3129, 0.0061, 1, 0.68, 0.25, 521, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetTop", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetTop( self, value ) :\n self.Top = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L153_C8", "label": "self.Top =", "type": "assigned_variable", "loc": [153, 153], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L152_C4", "vector": [14, 2, 0.3129, 0.002, 2, 0.47, 0.0, 231, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Top", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Top = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L154_C8", "label": "return", "type": "return", "loc": [154, 154], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L152_C4", "vector": [13, 2, 0.3149, 0.002, 2, 0.47, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L156_C4", "label": "SetLeft", "type": "function", "loc": [156, 158], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L145_C0", "vector": [2, 1, 0.3211, 0.0061, 1, 0.68, 0.5, 386, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetLeft", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetLeft( self, value ) :\n self.Left = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L157_C8", "label": "self.Left =", "type": "assigned_variable", "loc": [157, 157], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L156_C4", "vector": [14, 2, 0.3211, 0.002, 2, 0.09, 0.0, 159, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Left", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Left = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L158_C8", "label": "return", "type": "return", "loc": [158, 158], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L156_C4", "vector": [13, 2, 0.3231, 0.002, 2, 0.09, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L160_C4", "label": "SetBottom", "type": "function", "loc": [160, 162], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L145_C0", "vector": [2, 1, 0.3292, 0.0061, 1, 0.68, 0.75, 622, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetBottom", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetBottom( self, value ) :\n self.Bottom = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L161_C8", "label": "self.Bottom =", "type": "assigned_variable", "loc": [161, 161], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L160_C4", "vector": [14, 2, 0.3292, 0.002, 2, 0.37, 0.0, 80, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Bottom", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Bottom = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L162_C8", "label": "return", "type": "return", "loc": [162, 162], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L160_C4", "vector": [13, 2, 0.3313, 0.002, 2, 0.37, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L164_C4", "label": "SetRight", "type": "function", "loc": [164, 166], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L145_C0", "vector": [2, 1, 0.3374, 0.0061, 1, 0.68, 1.0, 231, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetRight", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetRight( self, value ) :\n self.Right = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L165_C8", "label": "self.Right =", "type": "assigned_variable", "loc": [165, 165], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L164_C4", "vector": [14, 2, 0.3374, 0.002, 2, 0.19, 0.0, 448, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Right", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Right = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L166_C8", "label": "return", "type": "return", "loc": [166, 166], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L164_C4", "vector": [13, 2, 0.3395, 0.002, 2, 0.19, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "label": "ShadingPropertySet", "type": "class", "loc": [168, 223], "level": 0, "parent": null, "vector": [3, 0, 0.3998, 0.1145, 0, 0.66, 0.5, 287, 0, 6, 0, 0, 0, 0, 7], "semantic": {"name": "ShadingPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ShadingPropertySet :\n HORIZONTAL = 1\n VERTICAL = 2\n FORWARD_DIAGONAL = 3\n BACKWARD_DIAGONAL = 4\n VERTICAL_CROSS = 5\n DIAGONAL_CROSS = 6\n DARK_HORIZONTAL = 7"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L169_C4", "label": "HORIZONTAL =", "type": "assigned_variable", "loc": [169, 169], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.3456, 0.002, 1, 0.48, 0.0, 790, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "HORIZONTAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " HORIZONTAL = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L170_C4", "label": "VERTICAL =", "type": "assigned_variable", "loc": [170, 170], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.3476, 0.002, 1, 0.48, 0.0556, 726, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VERTICAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " VERTICAL = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L171_C4", "label": "FORWARD_DIAGONAL =", "type": "assigned_variable", "loc": [171, 171], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.3497, 0.002, 1, 0.48, 0.1111, 775, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FORWARD_DIAGONAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " FORWARD_DIAGONAL = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L172_C4", "label": "BACKWARD_DIAGONAL =", "type": "assigned_variable", "loc": [172, 172], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.3517, 0.002, 1, 0.48, 0.1667, 759, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BACKWARD_DIAGONAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " BACKWARD_DIAGONAL = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L173_C4", "label": "VERTICAL_CROSS =", "type": "assigned_variable", "loc": [173, 173], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.3538, 0.002, 1, 0.48, 0.2222, 670, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "VERTICAL_CROSS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " VERTICAL_CROSS = 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L174_C4", "label": "DIAGONAL_CROSS =", "type": "assigned_variable", "loc": [174, 174], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.3558, 0.002, 1, 0.48, 0.2778, 762, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DIAGONAL_CROSS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DIAGONAL_CROSS = 6"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L175_C4", "label": "DARK_HORIZONTAL =", "type": "assigned_variable", "loc": [175, 175], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.3579, 0.002, 1, 0.48, 0.3333, 661, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DARK_HORIZONTAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DARK_HORIZONTAL = 7"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L176_C4", "label": "DARK_VERTICAL =", "type": "assigned_variable", "loc": [176, 176], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.3599, 0.002, 1, 0.48, 0.3889, 90, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DARK_VERTICAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DARK_VERTICAL = 8"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L177_C4", "label": "DARK_FORWARD_DIAGONAL =", "type": "assigned_variable", "loc": [177, 177], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.362, 0.002, 1, 0.48, 0.4444, 822, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DARK_FORWARD_DIAGONAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DARK_FORWARD_DIAGONAL = 9"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L178_C4", "label": "DARK_BACKWARD_DIAGONAL =", "type": "assigned_variable", "loc": [178, 178], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.364, 0.002, 1, 0.48, 0.5, 126, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DARK_BACKWARD_DIAGONAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DARK_BACKWARD_DIAGONAL = 10"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L179_C4", "label": "DARK_VERTICAL_CROSS =", "type": "assigned_variable", "loc": [179, 179], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.3661, 0.002, 1, 0.48, 0.5556, 369, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DARK_VERTICAL_CROSS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DARK_VERTICAL_CROSS = 11"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L180_C4", "label": "DARK_DIAGONAL_CROSS =", "type": "assigned_variable", "loc": [180, 180], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.3681, 0.002, 1, 0.48, 0.6111, 480, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DARK_DIAGONAL_CROSS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DARK_DIAGONAL_CROSS = 12"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L181_C4", "label": "PATTERNS =", "type": "assigned_variable", "loc": [181, 192], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [14, 1, 0.3814, 0.0245, 1, 0.48, 0.6667, 979, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "PATTERNS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " PATTERNS = [ HORIZONTAL,\n VERTICAL,\n FORWARD_DIAGONAL,\n BACKWARD_DIAGONAL,\n VERTICAL_CROSS,\n DIAGONAL_CROSS,\n DARK_HORIZONTAL,\n DARK_VERTICAL,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L194_C4", "label": "__init__", "type": "function", "loc": [194, 198], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [2, 1, 0.4008, 0.0102, 1, 0.48, 0.7222, 555, 0, 5, 0, 0, 0, 0, 4], "semantic": {"name": "__init__", "arg_names": ["self", "shading", "pattern", "foreground", "background"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, shading=None, pattern=None, foreground=None, background=None ) :\n self.SetShading ( shading )\n self.SetForeground( foreground )\n self.SetBackground( background )\n self.SetPattern ( pattern )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L195_C8", "label": "SetShading()", "type": "expression", "loc": [195, 195], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L194_C4", "vector": [8, 2, 0.3988, 0.002, 2, 0.24, 0.0, 609, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetShading", "arg_names": [], "import_names": [], "rhs_call_name": "SetShading", "annotation": ""}, "snippet": " self.SetShading ( shading )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L196_C8", "label": "SetForeground()", "type": "expression", "loc": [196, 196], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L194_C4", "vector": [8, 2, 0.4008, 0.002, 2, 0.24, 0.3333, 840, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetForeground", "arg_names": [], "import_names": [], "rhs_call_name": "SetForeground", "annotation": ""}, "snippet": " self.SetForeground( foreground )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L197_C8", "label": "SetBackground()", "type": "expression", "loc": [197, 197], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L194_C4", "vector": [8, 2, 0.4029, 0.002, 2, 0.24, 0.6667, 553, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetBackground", "arg_names": [], "import_names": [], "rhs_call_name": "SetBackground", "annotation": ""}, "snippet": " self.SetBackground( background )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L198_C8", "label": "SetPattern()", "type": "expression", "loc": [198, 198], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L194_C4", "vector": [8, 2, 0.4049, 0.002, 2, 0.24, 1.0, 275, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetPattern", "arg_names": [], "import_names": [], "rhs_call_name": "SetPattern", "annotation": ""}, "snippet": " self.SetPattern ( pattern )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L200_C4", "label": "__deepcopy__", "type": "function", "loc": [200, 204], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [2, 1, 0.4131, 0.0102, 1, 0.48, 0.7778, 652, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__deepcopy__", "arg_names": ["self", "memo"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __deepcopy__( self, memo ) :\n return ShadingPropertySet( self.Shading,\n self.Foreground,\n self.Background,\n self.Pattern )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L201_C8", "label": "return", "type": "return", "loc": [201, 204], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L200_C4", "vector": [13, 2, 0.4141, 0.0082, 2, 0.02, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ShadingPropertySet( self.Shading,\n self.Foreground,\n self.Background,\n self.Pattern )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L206_C4", "label": "SetShading", "type": "function", "loc": [206, 208], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [2, 1, 0.4233, 0.0061, 1, 0.48, 0.8333, 609, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetShading", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetShading( self, value ) :\n self.Shading = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L207_C8", "label": "self.Shading =", "type": "assigned_variable", "loc": [207, 207], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L206_C4", "vector": [14, 2, 0.4233, 0.002, 2, 0.68, 0.0, 232, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Shading", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Shading = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L208_C8", "label": "return", "type": "return", "loc": [208, 208], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L206_C4", "vector": [13, 2, 0.4254, 0.002, 2, 0.68, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L210_C4", "label": "SetPattern", "type": "function", "loc": [210, 213], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [2, 1, 0.4325, 0.0082, 1, 0.48, 0.8889, 275, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetPattern", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetPattern( self, value ) :\n assert value is None or value in self.PATTERNS\n self.Pattern = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L212_C8", "label": "self.Pattern =", "type": "assigned_variable", "loc": [212, 212], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L210_C4", "vector": [14, 2, 0.4335, 0.002, 2, 0.94, 0.0, 132, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Pattern", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Pattern = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L213_C8", "label": "return", "type": "return", "loc": [213, 213], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L210_C4", "vector": [13, 2, 0.4356, 0.002, 2, 0.94, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L215_C4", "label": "SetForeground", "type": "function", "loc": [215, 218], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [2, 1, 0.4427, 0.0082, 1, 0.48, 0.9444, 840, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetForeground", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetForeground( self, value ) :\n assert not value or isinstance( value, Colour )\n self.Foreground = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L217_C8", "label": "self.Foreground =", "type": "assigned_variable", "loc": [217, 217], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L215_C4", "vector": [14, 2, 0.4438, 0.002, 2, 0.34, 0.0, 460, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Foreground", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Foreground = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L218_C8", "label": "return", "type": "return", "loc": [218, 218], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L215_C4", "vector": [13, 2, 0.4458, 0.002, 2, 0.34, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L220_C4", "label": "SetBackground", "type": "function", "loc": [220, 223], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "vector": [2, 1, 0.453, 0.0082, 1, 0.48, 1.0, 553, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetBackground", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetBackground( self, value ) :\n assert not value or isinstance( value, Colour )\n self.Background = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L222_C8", "label": "self.Background =", "type": "assigned_variable", "loc": [222, 222], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L220_C4", "vector": [14, 2, 0.454, 0.002, 2, 0.8, 0.0, 959, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Background", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Background = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L223_C8", "label": "return", "type": "return", "loc": [223, 223], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L220_C4", "vector": [13, 2, 0.456, 0.002, 2, 0.8, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "label": "BorderPropertySet", "type": "class", "loc": [226, 258], "level": 0, "parent": null, "vector": [3, 0, 0.4949, 0.0675, 0, 0.66, 0.5417, 155, 0, 5, 0, 0, 0, 0, 5], "semantic": {"name": "BorderPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class BorderPropertySet :\n SINGLE = 1\n DOUBLE = 2\n SHADOWED = 3\n DOUBLED = 4\n DOTTED = 5\n DASHED = 6\n HAIRLINE = 7"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L227_C4", "label": "SINGLE =", "type": "assigned_variable", "loc": [227, 227], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [14, 1, 0.4642, 0.002, 1, 0.01, 0.0, 376, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SINGLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " SINGLE = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L228_C4", "label": "DOUBLE =", "type": "assigned_variable", "loc": [228, 228], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [14, 1, 0.4663, 0.002, 1, 0.01, 0.0833, 206, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DOUBLE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DOUBLE = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L229_C4", "label": "SHADOWED =", "type": "assigned_variable", "loc": [229, 229], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [14, 1, 0.4683, 0.002, 1, 0.01, 0.1667, 235, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SHADOWED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " SHADOWED = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L230_C4", "label": "DOUBLED =", "type": "assigned_variable", "loc": [230, 230], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [14, 1, 0.4703, 0.002, 1, 0.01, 0.25, 950, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DOUBLED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DOUBLED = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L231_C4", "label": "DOTTED =", "type": "assigned_variable", "loc": [231, 231], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [14, 1, 0.4724, 0.002, 1, 0.01, 0.3333, 663, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DOTTED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DOTTED = 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L232_C4", "label": "DASHED =", "type": "assigned_variable", "loc": [232, 232], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [14, 1, 0.4744, 0.002, 1, 0.01, 0.4167, 977, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DASHED", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DASHED = 6"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L233_C4", "label": "HAIRLINE =", "type": "assigned_variable", "loc": [233, 233], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [14, 1, 0.4765, 0.002, 1, 0.01, 0.5, 50, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "HAIRLINE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " HAIRLINE = 7"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L234_C4", "label": "STYLES =", "type": "assigned_variable", "loc": [234, 234], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [14, 1, 0.4785, 0.002, 1, 0.01, 0.5833, 779, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "STYLES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " STYLES = [ SINGLE, DOUBLE, SHADOWED, DOUBLED, DOTTED, DASHED, HAIRLINE ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L236_C4", "label": "__init__", "type": "function", "loc": [236, 240], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [2, 1, 0.4867, 0.0102, 1, 0.01, 0.6667, 555, 0, 5, 0, 0, 0, 0, 4], "semantic": {"name": "__init__", "arg_names": ["self", "width", "style", "colour", "spacing"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, width=None, style=None, colour=None, spacing=None ) :\n self.SetWidth ( width )\n self.SetStyle ( style or self.SINGLE )\n self.SetColour ( colour )\n self.SetSpacing( spacing )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L237_C8", "label": "SetWidth()", "type": "expression", "loc": [237, 237], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L236_C4", "vector": [8, 2, 0.4847, 0.002, 2, 0.88, 0.0, 664, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetWidth", "arg_names": [], "import_names": [], "rhs_call_name": "SetWidth", "annotation": ""}, "snippet": " self.SetWidth ( width )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L238_C8", "label": "SetStyle()", "type": "expression", "loc": [238, 238], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L236_C4", "vector": [8, 2, 0.4867, 0.002, 2, 0.88, 0.3333, 923, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetStyle", "arg_names": [], "import_names": [], "rhs_call_name": "SetStyle", "annotation": ""}, "snippet": " self.SetStyle ( style or self.SINGLE )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L239_C8", "label": "SetColour()", "type": "expression", "loc": [239, 239], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L236_C4", "vector": [8, 2, 0.4888, 0.002, 2, 0.88, 0.6667, 588, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetColour", "arg_names": [], "import_names": [], "rhs_call_name": "SetColour", "annotation": ""}, "snippet": " self.SetColour ( colour )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L240_C8", "label": "SetSpacing()", "type": "expression", "loc": [240, 240], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L236_C4", "vector": [8, 2, 0.4908, 0.002, 2, 0.88, 1.0, 839, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetSpacing", "arg_names": [], "import_names": [], "rhs_call_name": "SetSpacing", "annotation": ""}, "snippet": " self.SetSpacing( spacing )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L242_C4", "label": "SetWidth", "type": "function", "loc": [242, 244], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [2, 1, 0.4969, 0.0061, 1, 0.01, 0.75, 664, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetWidth", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetWidth( self, value ) :\n self.Width = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L243_C8", "label": "self.Width =", "type": "assigned_variable", "loc": [243, 243], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L242_C4", "vector": [14, 2, 0.4969, 0.002, 2, 0.59, 0.0, 907, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Width", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Width = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L244_C8", "label": "return", "type": "return", "loc": [244, 244], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L242_C4", "vector": [13, 2, 0.499, 0.002, 2, 0.59, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L246_C4", "label": "SetStyle", "type": "function", "loc": [246, 249], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [2, 1, 0.5061, 0.0082, 1, 0.01, 0.8333, 923, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetStyle", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetStyle( self, value ) :\n assert value is None or value in self.STYLES\n self.Style = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L248_C8", "label": "self.Style =", "type": "assigned_variable", "loc": [248, 248], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L246_C4", "vector": [14, 2, 0.5072, 0.002, 2, 0.86, 0.0, 432, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Style = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L249_C8", "label": "return", "type": "return", "loc": [249, 249], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L246_C4", "vector": [13, 2, 0.5092, 0.002, 2, 0.86, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L251_C4", "label": "SetColour", "type": "function", "loc": [251, 254], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [2, 1, 0.5164, 0.0082, 1, 0.01, 0.9167, 588, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetColour", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetColour( self, value ) :\n assert value is None or isinstance( value, Colour )\n self.Colour = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L253_C8", "label": "self.Colour =", "type": "assigned_variable", "loc": [253, 253], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L251_C4", "vector": [14, 2, 0.5174, 0.002, 2, 0.54, 0.0, 397, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Colour", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Colour = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L254_C8", "label": "return", "type": "return", "loc": [254, 254], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L251_C4", "vector": [13, 2, 0.5194, 0.002, 2, 0.54, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L256_C4", "label": "SetSpacing", "type": "function", "loc": [256, 258], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "vector": [2, 1, 0.5256, 0.0061, 1, 0.01, 1.0, 839, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetSpacing", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetSpacing( self, value ) :\n self.Spacing = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L257_C8", "label": "self.Spacing =", "type": "assigned_variable", "loc": [257, 257], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L256_C4", "vector": [14, 2, 0.5256, 0.002, 2, 0.89, 0.0, 343, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Spacing", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Spacing = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L258_C8", "label": "return", "type": "return", "loc": [258, 258], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L256_C4", "vector": [13, 2, 0.5276, 0.002, 2, 0.89, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L260_C0", "label": "FramePropertySet", "type": "class", "loc": [260, 285], "level": 0, "parent": null, "vector": [3, 0, 0.5573, 0.0532, 0, 0.66, 0.5833, 542, 0, 5, 0, 0, 0, 0, 8], "semantic": {"name": "FramePropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class FramePropertySet :\n def __init__( self, top=None, left=None, bottom=None, right=None ) :\n self.SetTop ( top )\n self.SetLeft ( left )\n self.SetBottom( bottom )\n self.SetRight ( right )\n\n def SetTop( self, value ) :"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L261_C4", "label": "__init__", "type": "function", "loc": [261, 265], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L260_C0", "vector": [2, 1, 0.5378, 0.0102, 1, 0.4, 0.0, 555, 0, 5, 0, 0, 0, 0, 4], "semantic": {"name": "__init__", "arg_names": ["self", "top", "left", "bottom", "right"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, top=None, left=None, bottom=None, right=None ) :\n self.SetTop ( top )\n self.SetLeft ( left )\n self.SetBottom( bottom )\n self.SetRight ( right )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L262_C8", "label": "SetTop()", "type": "expression", "loc": [262, 262], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L261_C4", "vector": [8, 2, 0.5358, 0.002, 2, 0.78, 0.0, 521, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetTop", "arg_names": [], "import_names": [], "rhs_call_name": "SetTop", "annotation": ""}, "snippet": " self.SetTop ( top )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L263_C8", "label": "SetLeft()", "type": "expression", "loc": [263, 263], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L261_C4", "vector": [8, 2, 0.5378, 0.002, 2, 0.78, 0.3333, 386, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetLeft", "arg_names": [], "import_names": [], "rhs_call_name": "SetLeft", "annotation": ""}, "snippet": " self.SetLeft ( left )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L264_C8", "label": "SetBottom()", "type": "expression", "loc": [264, 264], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L261_C4", "vector": [8, 2, 0.5399, 0.002, 2, 0.78, 0.6667, 622, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetBottom", "arg_names": [], "import_names": [], "rhs_call_name": "SetBottom", "annotation": ""}, "snippet": " self.SetBottom( bottom )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L265_C8", "label": "SetRight()", "type": "expression", "loc": [265, 265], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L261_C4", "vector": [8, 2, 0.5419, 0.002, 2, 0.78, 1.0, 231, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetRight", "arg_names": [], "import_names": [], "rhs_call_name": "SetRight", "annotation": ""}, "snippet": " self.SetRight ( right )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L267_C4", "label": "SetTop", "type": "function", "loc": [267, 270], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L260_C0", "vector": [2, 1, 0.5491, 0.0082, 1, 0.4, 0.25, 521, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetTop", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetTop( self, value ) :\n assert value is None or isinstance( value, BorderPropertySet )\n self.Top = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L269_C8", "label": "self.Top =", "type": "assigned_variable", "loc": [269, 269], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L267_C4", "vector": [14, 2, 0.5501, 0.002, 2, 0.44, 0.0, 231, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Top", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Top = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L270_C8", "label": "return", "type": "return", "loc": [270, 270], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L267_C4", "vector": [13, 2, 0.5521, 0.002, 2, 0.44, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L272_C4", "label": "SetLeft", "type": "function", "loc": [272, 275], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L260_C0", "vector": [2, 1, 0.5593, 0.0082, 1, 0.4, 0.5, 386, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetLeft", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetLeft( self, value ) :\n assert value is None or isinstance( value, BorderPropertySet )\n self.Left = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L274_C8", "label": "self.Left =", "type": "assigned_variable", "loc": [274, 274], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L272_C4", "vector": [14, 2, 0.5603, 0.002, 2, 0.2, 0.0, 159, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Left", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Left = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L275_C8", "label": "return", "type": "return", "loc": [275, 275], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L272_C4", "vector": [13, 2, 0.5624, 0.002, 2, 0.2, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L277_C4", "label": "SetBottom", "type": "function", "loc": [277, 280], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L260_C0", "vector": [2, 1, 0.5695, 0.0082, 1, 0.4, 0.75, 622, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetBottom", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetBottom( self, value ) :\n assert value is None or isinstance( value, BorderPropertySet )\n self.Bottom = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L279_C8", "label": "self.Bottom =", "type": "assigned_variable", "loc": [279, 279], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L277_C4", "vector": [14, 2, 0.5706, 0.002, 2, 0.13, 0.0, 80, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Bottom", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Bottom = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L280_C8", "label": "return", "type": "return", "loc": [280, 280], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L277_C4", "vector": [13, 2, 0.5726, 0.002, 2, 0.13, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L282_C4", "label": "SetRight", "type": "function", "loc": [282, 285], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L260_C0", "vector": [2, 1, 0.5798, 0.0082, 1, 0.4, 1.0, 231, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetRight", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetRight( self, value ) :\n assert value is None or isinstance( value, BorderPropertySet )\n self.Right = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L284_C8", "label": "self.Right =", "type": "assigned_variable", "loc": [284, 284], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L282_C4", "vector": [14, 2, 0.5808, 0.002, 2, 0.61, 0.0, 448, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Right", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Right = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L285_C8", "label": "return", "type": "return", "loc": [285, 285], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L282_C4", "vector": [13, 2, 0.5828, 0.002, 2, 0.61, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "label": "TabPropertySet", "type": "class", "loc": [287, 320], "level": 0, "parent": null, "vector": [3, 0, 0.6207, 0.0695, 0, 0.66, 0.625, 941, 0, 4, 0, 0, 0, 0, 3], "semantic": {"name": "TabPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class TabPropertySet :\n DEFAULT_WIDTH = 720\n\n LEFT = 1\n RIGHT = 2\n CENTER = 3\n DECIMAL = 4\n ALIGNMENT = [ LEFT, RIGHT, CENTER, DECIMAL ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L288_C4", "label": "DEFAULT_WIDTH =", "type": "assigned_variable", "loc": [288, 288], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [14, 1, 0.589, 0.002, 1, 0.77, 0.0, 389, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DEFAULT_WIDTH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DEFAULT_WIDTH = 720"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L290_C4", "label": "LEFT =", "type": "assigned_variable", "loc": [290, 290], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [14, 1, 0.593, 0.002, 1, 0.77, 0.0667, 856, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LEFT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " LEFT = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L291_C4", "label": "RIGHT =", "type": "assigned_variable", "loc": [291, 291], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [14, 1, 0.5951, 0.002, 1, 0.77, 0.1333, 682, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "RIGHT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " RIGHT = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L292_C4", "label": "CENTER =", "type": "assigned_variable", "loc": [292, 292], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [14, 1, 0.5971, 0.002, 1, 0.77, 0.2, 995, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CENTER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " CENTER = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L293_C4", "label": "DECIMAL =", "type": "assigned_variable", "loc": [293, 293], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [14, 1, 0.5992, 0.002, 1, 0.77, 0.2667, 22, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DECIMAL", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DECIMAL = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L294_C4", "label": "ALIGNMENT =", "type": "assigned_variable", "loc": [294, 294], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [14, 1, 0.6012, 0.002, 1, 0.77, 0.3333, 872, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "ALIGNMENT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ALIGNMENT = [ LEFT, RIGHT, CENTER, DECIMAL ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L296_C4", "label": "DOTS =", "type": "assigned_variable", "loc": [296, 296], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [14, 1, 0.6053, 0.002, 1, 0.77, 0.4, 175, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DOTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DOTS = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L297_C4", "label": "HYPHENS =", "type": "assigned_variable", "loc": [297, 297], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [14, 1, 0.6074, 0.002, 1, 0.77, 0.4667, 340, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "HYPHENS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " HYPHENS = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L298_C4", "label": "UNDERLINE =", "type": "assigned_variable", "loc": [298, 298], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [14, 1, 0.6094, 0.002, 1, 0.77, 0.5333, 285, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "UNDERLINE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " UNDERLINE = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L299_C4", "label": "THICK_LINE =", "type": "assigned_variable", "loc": [299, 299], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [14, 1, 0.6115, 0.002, 1, 0.77, 0.6, 430, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "THICK_LINE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " THICK_LINE = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L300_C4", "label": "EQUAL_SIGN =", "type": "assigned_variable", "loc": [300, 300], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [14, 1, 0.6135, 0.002, 1, 0.77, 0.6667, 17, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "EQUAL_SIGN", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " EQUAL_SIGN = 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L301_C4", "label": "LEADERS =", "type": "assigned_variable", "loc": [301, 301], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [14, 1, 0.6155, 0.002, 1, 0.77, 0.7333, 780, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "LEADERS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " LEADERS = [ DOTS, HYPHENS, UNDERLINE, THICK_LINE, EQUAL_SIGN ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L303_C4", "label": "__init__", "type": "function", "loc": [303, 306], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [2, 1, 0.6227, 0.0082, 1, 0.77, 0.8, 555, 0, 4, 0, 0, 0, 0, 3], "semantic": {"name": "__init__", "arg_names": ["self", "width", "alignment", "leader"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, width=None, alignment=None, leader=None ) :\n self.SetWidth ( width )\n self.SetAlignment( alignment or self.LEFT )\n self.SetLeader ( leader )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L304_C8", "label": "SetWidth()", "type": "expression", "loc": [304, 304], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L303_C4", "vector": [8, 2, 0.6217, 0.002, 2, 0.76, 0.0, 664, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetWidth", "arg_names": [], "import_names": [], "rhs_call_name": "SetWidth", "annotation": ""}, "snippet": " self.SetWidth ( width )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L305_C8", "label": "SetAlignment()", "type": "expression", "loc": [305, 305], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L303_C4", "vector": [8, 2, 0.6237, 0.002, 2, 0.76, 0.5, 423, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetAlignment", "arg_names": [], "import_names": [], "rhs_call_name": "SetAlignment", "annotation": ""}, "snippet": " self.SetAlignment( alignment or self.LEFT )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L306_C8", "label": "SetLeader()", "type": "expression", "loc": [306, 306], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L303_C4", "vector": [8, 2, 0.6258, 0.002, 2, 0.76, 1.0, 568, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetLeader", "arg_names": [], "import_names": [], "rhs_call_name": "SetLeader", "annotation": ""}, "snippet": " self.SetLeader ( leader )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L308_C4", "label": "SetWidth", "type": "function", "loc": [308, 310], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [2, 1, 0.6319, 0.0061, 1, 0.77, 0.8667, 664, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetWidth", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetWidth( self, value ) :\n self.Width = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L309_C8", "label": "self.Width =", "type": "assigned_variable", "loc": [309, 309], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L308_C4", "vector": [14, 2, 0.6319, 0.002, 2, 0.15, 0.0, 907, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Width", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Width = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L310_C8", "label": "return", "type": "return", "loc": [310, 310], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L308_C4", "vector": [13, 2, 0.6339, 0.002, 2, 0.15, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L312_C4", "label": "SetAlignment", "type": "function", "loc": [312, 315], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [2, 1, 0.6411, 0.0082, 1, 0.77, 0.9333, 423, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetAlignment", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetAlignment( self, value ) :\n assert value in self.ALIGNMENT\n self.Alignment = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L314_C8", "label": "self.Alignment =", "type": "assigned_variable", "loc": [314, 314], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L312_C4", "vector": [14, 2, 0.6421, 0.002, 2, 0.55, 0.0, 714, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Alignment", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Alignment = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L315_C8", "label": "return", "type": "return", "loc": [315, 315], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L312_C4", "vector": [13, 2, 0.6442, 0.002, 2, 0.55, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L317_C4", "label": "SetLeader", "type": "function", "loc": [317, 320], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "vector": [2, 1, 0.6513, 0.0082, 1, 0.77, 1.0, 568, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetLeader", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetLeader( self, value ) :\n assert not value or value in self.LEADERS\n self.Leader = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L319_C8", "label": "self.Leader =", "type": "assigned_variable", "loc": [319, 319], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L317_C4", "vector": [14, 2, 0.6524, 0.002, 2, 0.76, 0.0, 144, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Leader", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Leader = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L320_C8", "label": "return", "type": "return", "loc": [320, 320], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L317_C4", "vector": [13, 2, 0.6544, 0.002, 2, 0.76, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "label": "TextPropertySet", "type": "class", "loc": [322, 414], "level": 0, "parent": null, "vector": [3, 0, 0.7526, 0.1902, 0, 0.66, 0.6667, 840, 0, 15, 0, 0, 0, 0, 19], "semantic": {"name": "TextPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class TextPropertySet :\n\n def __init__( self, font=None, size=None, bold=None, italic=None, underline=None, colour=None, frame=None, expansion=None ) :\n self.SetFont ( font )\n self.SetSize ( size )\n\n self.SetBold ( bold or False )\n self.SetItalic ( italic or False )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "label": "__init__", "type": "function", "loc": [324, 339], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.6779, 0.0327, 1, 0.97, 0.0, 555, 0, 9, 0, 0, 0, 0, 12], "semantic": {"name": "__init__", "arg_names": ["self", "font", "size", "bold", "italic", "underline", "colour", "frame", "expansion"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, font=None, size=None, bold=None, italic=None, underline=None, colour=None, frame=None, expansion=None ) :\n self.SetFont ( font )\n self.SetSize ( size )\n\n self.SetBold ( bold or False )\n self.SetItalic ( italic or False )\n self.SetUnderline ( underline or False )\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L325_C8", "label": "SetFont()", "type": "expression", "loc": [325, 325], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "vector": [8, 2, 0.6646, 0.002, 2, 0.73, 0.0, 434, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetFont", "arg_names": [], "import_names": [], "rhs_call_name": "SetFont", "annotation": ""}, "snippet": " self.SetFont ( font )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L326_C8", "label": "SetSize()", "type": "expression", "loc": [326, 326], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "vector": [8, 2, 0.6667, 0.002, 2, 0.73, 0.0909, 36, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetSize", "arg_names": [], "import_names": [], "rhs_call_name": "SetSize", "annotation": ""}, "snippet": " self.SetSize ( size )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L328_C8", "label": "SetBold()", "type": "expression", "loc": [328, 328], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "vector": [8, 2, 0.6708, 0.002, 2, 0.73, 0.1818, 269, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetBold", "arg_names": [], "import_names": [], "rhs_call_name": "SetBold", "annotation": ""}, "snippet": " self.SetBold ( bold or False )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L329_C8", "label": "SetItalic()", "type": "expression", "loc": [329, 329], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "vector": [8, 2, 0.6728, 0.002, 2, 0.73, 0.2727, 125, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetItalic", "arg_names": [], "import_names": [], "rhs_call_name": "SetItalic", "annotation": ""}, "snippet": " self.SetItalic ( italic or False )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L330_C8", "label": "SetUnderline()", "type": "expression", "loc": [330, 330], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "vector": [8, 2, 0.6748, 0.002, 2, 0.73, 0.3636, 39, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetUnderline", "arg_names": [], "import_names": [], "rhs_call_name": "SetUnderline", "annotation": ""}, "snippet": " self.SetUnderline ( underline or False )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L332_C8", "label": "SetColour()", "type": "expression", "loc": [332, 332], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "vector": [8, 2, 0.6789, 0.002, 2, 0.73, 0.4545, 588, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetColour", "arg_names": [], "import_names": [], "rhs_call_name": "SetColour", "annotation": ""}, "snippet": " self.SetColour( colour )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L333_C8", "label": "SetFrame()", "type": "expression", "loc": [333, 333], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "vector": [8, 2, 0.681, 0.002, 2, 0.73, 0.5455, 28, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetFrame", "arg_names": [], "import_names": [], "rhs_call_name": "SetFrame", "annotation": ""}, "snippet": " self.SetFrame ( frame )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L335_C8", "label": "SetStrikeThrough()", "type": "expression", "loc": [335, 335], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "vector": [8, 2, 0.6851, 0.002, 2, 0.73, 0.6364, 33, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetStrikeThrough", "arg_names": [], "import_names": [], "rhs_call_name": "SetStrikeThrough", "annotation": ""}, "snippet": " self.SetStrikeThrough ( False )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L336_C8", "label": "SetDottedUnderline()", "type": "expression", "loc": [336, 336], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "vector": [8, 2, 0.6871, 0.002, 2, 0.73, 0.7273, 255, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetDottedUnderline", "arg_names": [], "import_names": [], "rhs_call_name": "SetDottedUnderline", "annotation": ""}, "snippet": " self.SetDottedUnderline( False )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L337_C8", "label": "SetDoubleUnderline()", "type": "expression", "loc": [337, 337], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "vector": [8, 2, 0.6892, 0.002, 2, 0.73, 0.8182, 833, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetDoubleUnderline", "arg_names": [], "import_names": [], "rhs_call_name": "SetDoubleUnderline", "annotation": ""}, "snippet": " self.SetDoubleUnderline( False )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L338_C8", "label": "SetWordUnderline()", "type": "expression", "loc": [338, 338], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "vector": [8, 2, 0.6912, 0.002, 2, 0.73, 0.9091, 417, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetWordUnderline", "arg_names": [], "import_names": [], "rhs_call_name": "SetWordUnderline", "annotation": ""}, "snippet": " self.SetWordUnderline ( False )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L339_C8", "label": "SetExpansion()", "type": "expression", "loc": [339, 339], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "vector": [8, 2, 0.6933, 0.002, 2, 0.73, 1.0, 199, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetExpansion", "arg_names": [], "import_names": [], "rhs_call_name": "SetExpansion", "annotation": ""}, "snippet": " self.SetExpansion ( expansion )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L341_C4", "label": "Copy", "type": "function", "loc": [341, 342], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.6984, 0.0041, 1, 0.97, 0.0714, 295, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "Copy", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def Copy( self ) :\n return deepcopy( self )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L342_C8", "label": "return", "type": "return", "loc": [342, 342], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L341_C4", "vector": [13, 2, 0.6994, 0.002, 2, 0.02, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return deepcopy( self )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L344_C4", "label": "__deepcopy__", "type": "function", "loc": [344, 356], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.7157, 0.0266, 1, 0.97, 0.1429, 652, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "__deepcopy__", "arg_names": ["self", "memo"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __deepcopy__( self, memo ) :\n # the font must remain a reference to the same font that we are looking at\n # so we want to stop the recursiveness at this point and return an object\n # with the right references.\n result = TextPropertySet( self.Font,\n self.Size,\n self.Bold,\n self.Italic,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L348_C8", "label": "result = TextPropertySet()", "type": "assigned_variable", "loc": [348, 354], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L344_C4", "vector": [14, 2, 0.7178, 0.0143, 2, 0.08, 0.0, 51, 3, 7, 0, 0, 840, 10, 2], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "TextPropertySet", "annotation": ""}, "snippet": " result = TextPropertySet( self.Font,\n self.Size,\n self.Bold,\n self.Italic,\n self.Underline,\n self.Colour,\n deepcopy( self.Frame, memo ) )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L355_C8", "label": "SetStrikeThrough()", "type": "expression", "loc": [355, 355], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L344_C4", "vector": [8, 2, 0.726, 0.002, 2, 0.08, 0.5, 33, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetStrikeThrough", "arg_names": [], "import_names": [], "rhs_call_name": "SetStrikeThrough", "annotation": ""}, "snippet": " result.SetStrikeThrough( self.StrikeThrough )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L356_C8", "label": "return", "type": "return", "loc": [356, 356], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L344_C4", "vector": [13, 2, 0.728, 0.002, 2, 0.08, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L358_C4", "label": "SetFont", "type": "function", "loc": [358, 361], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.7352, 0.0082, 1, 0.97, 0.2143, 434, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetFont", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetFont( self, value ) :\n assert not value or isinstance( value, Font )\n self.Font = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L360_C8", "label": "self.Font =", "type": "assigned_variable", "loc": [360, 360], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L358_C4", "vector": [14, 2, 0.7362, 0.002, 2, 0.36, 0.0, 935, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Font", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Font = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L361_C8", "label": "return", "type": "return", "loc": [361, 361], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L358_C4", "vector": [13, 2, 0.7382, 0.002, 2, 0.36, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L363_C4", "label": "SetSize", "type": "function", "loc": [363, 365], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.7444, 0.0061, 1, 0.97, 0.2857, 36, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetSize", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetSize( self, value ) :\n self.Size = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L364_C8", "label": "self.Size =", "type": "assigned_variable", "loc": [364, 364], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L363_C4", "vector": [14, 2, 0.7444, 0.002, 2, 0.99, 0.0, 885, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Size", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Size = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L365_C8", "label": "return", "type": "return", "loc": [365, 365], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L363_C4", "vector": [13, 2, 0.7464, 0.002, 2, 0.99, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L367_C4", "label": "SetBold", "type": "function", "loc": [367, 370], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.7536, 0.0082, 1, 0.97, 0.3571, 269, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetBold", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetBold( self, value ) :\n self.Bold = False\n if value : self.Bold = True\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L368_C8", "label": "self.Bold =", "type": "assigned_variable", "loc": [368, 368], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L367_C4", "vector": [14, 2, 0.7526, 0.002, 2, 0.91, 0.0, 924, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.Bold", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Bold = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:If_L369_C8", "label": "if", "type": "if", "loc": [369, 369], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L367_C4", "vector": [4, 2, 0.7546, 0.002, 2, 0.91, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.Bold = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L369_C19", "label": "self.Bold =", "type": "assigned_variable", "loc": [369, 369], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:If_L369_C8", "vector": [14, 3, 0.7546, 0.002, 3, 0.65, 0.0, 924, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.Bold", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.Bold = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L370_C8", "label": "return", "type": "return", "loc": [370, 370], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L367_C4", "vector": [13, 2, 0.7566, 0.002, 2, 0.91, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L372_C4", "label": "SetItalic", "type": "function", "loc": [372, 375], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.7638, 0.0082, 1, 0.97, 0.4286, 125, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetItalic", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetItalic( self, value ) :\n self.Italic = False\n if value : self.Italic = True\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L373_C8", "label": "self.Italic =", "type": "assigned_variable", "loc": [373, 373], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L372_C4", "vector": [14, 2, 0.7628, 0.002, 2, 0.88, 0.0, 521, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.Italic", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Italic = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:If_L374_C8", "label": "if", "type": "if", "loc": [374, 374], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L372_C4", "vector": [4, 2, 0.7648, 0.002, 2, 0.88, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.Italic = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L374_C19", "label": "self.Italic =", "type": "assigned_variable", "loc": [374, 374], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:If_L374_C8", "vector": [14, 3, 0.7648, 0.002, 3, 0.54, 0.0, 521, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.Italic", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.Italic = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L375_C8", "label": "return", "type": "return", "loc": [375, 375], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L372_C4", "vector": [13, 2, 0.7669, 0.002, 2, 0.88, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L377_C4", "label": "SetUnderline", "type": "function", "loc": [377, 380], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.774, 0.0082, 1, 0.97, 0.5, 39, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetUnderline", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetUnderline( self, value ) :\n self.Underline = False\n if value : self.Underline = True\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L378_C8", "label": "self.Underline =", "type": "assigned_variable", "loc": [378, 378], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L377_C4", "vector": [14, 2, 0.773, 0.002, 2, 0.23, 0.0, 354, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.Underline", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Underline = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:If_L379_C8", "label": "if", "type": "if", "loc": [379, 379], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L377_C4", "vector": [4, 2, 0.7751, 0.002, 2, 0.23, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.Underline = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L379_C19", "label": "self.Underline =", "type": "assigned_variable", "loc": [379, 379], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:If_L379_C8", "vector": [14, 3, 0.7751, 0.002, 3, 0.59, 0.0, 354, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.Underline", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.Underline = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L380_C8", "label": "return", "type": "return", "loc": [380, 380], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L377_C4", "vector": [13, 2, 0.7771, 0.002, 2, 0.23, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L382_C4", "label": "SetColour", "type": "function", "loc": [382, 385], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.7843, 0.0082, 1, 0.97, 0.5714, 588, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetColour", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetColour( self, value ) :\n assert value is None or isinstance( value, Colour )\n self.Colour = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L384_C8", "label": "self.Colour =", "type": "assigned_variable", "loc": [384, 384], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L382_C4", "vector": [14, 2, 0.7853, 0.002, 2, 0.99, 0.0, 397, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Colour", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Colour = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L385_C8", "label": "return", "type": "return", "loc": [385, 385], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L382_C4", "vector": [13, 2, 0.7873, 0.002, 2, 0.99, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L387_C4", "label": "SetFrame", "type": "function", "loc": [387, 390], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.7945, 0.0082, 1, 0.97, 0.6429, 28, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "SetFrame", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetFrame( self, value ) :\n assert value is None or isinstance( value, BorderPropertySet )\n self.Frame = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L389_C8", "label": "self.Frame =", "type": "assigned_variable", "loc": [389, 389], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L387_C4", "vector": [14, 2, 0.7955, 0.002, 2, 0.38, 0.0, 816, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Frame", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Frame = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L390_C8", "label": "return", "type": "return", "loc": [390, 390], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L387_C4", "vector": [13, 2, 0.7975, 0.002, 2, 0.38, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L392_C4", "label": "SetStrikeThrough", "type": "function", "loc": [392, 395], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.8047, 0.0082, 1, 0.97, 0.7143, 33, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetStrikeThrough", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetStrikeThrough( self, value ) :\n self.StrikeThrough = False\n if value : self.StrikeThrough = True\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L393_C8", "label": "self.StrikeThrough =", "type": "assigned_variable", "loc": [393, 393], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L392_C4", "vector": [14, 2, 0.8037, 0.002, 2, 0.77, 0.0, 832, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.StrikeThrough", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.StrikeThrough = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:If_L394_C8", "label": "if", "type": "if", "loc": [394, 394], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L392_C4", "vector": [4, 2, 0.8057, 0.002, 2, 0.77, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.StrikeThrough = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L394_C19", "label": "self.StrikeThrough =", "type": "assigned_variable", "loc": [394, 394], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:If_L394_C8", "vector": [14, 3, 0.8057, 0.002, 3, 0.77, 0.0, 832, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.StrikeThrough", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.StrikeThrough = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L395_C8", "label": "return", "type": "return", "loc": [395, 395], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L392_C4", "vector": [13, 2, 0.8078, 0.002, 2, 0.77, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L397_C4", "label": "SetDottedUnderline", "type": "function", "loc": [397, 400], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.8149, 0.0082, 1, 0.97, 0.7857, 255, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetDottedUnderline", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetDottedUnderline( self, value ) :\n self.DottedUnderline = False\n if value : self.DottedUnderline = True\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L398_C8", "label": "self.DottedUnderline =", "type": "assigned_variable", "loc": [398, 398], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L397_C4", "vector": [14, 2, 0.8139, 0.002, 2, 0.83, 0.0, 318, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.DottedUnderline", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.DottedUnderline = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:If_L399_C8", "label": "if", "type": "if", "loc": [399, 399], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L397_C4", "vector": [4, 2, 0.816, 0.002, 2, 0.83, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.DottedUnderline = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L399_C19", "label": "self.DottedUnderline =", "type": "assigned_variable", "loc": [399, 399], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:If_L399_C8", "vector": [14, 3, 0.816, 0.002, 3, 0.83, 0.0, 318, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.DottedUnderline", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.DottedUnderline = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L400_C8", "label": "return", "type": "return", "loc": [400, 400], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L397_C4", "vector": [13, 2, 0.818, 0.002, 2, 0.83, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L402_C4", "label": "SetDoubleUnderline", "type": "function", "loc": [402, 405], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.8252, 0.0082, 1, 0.97, 0.8571, 833, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetDoubleUnderline", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetDoubleUnderline( self, value ) :\n self.DoubleUnderline = False\n if value : self.DoubleUnderline = True\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L403_C8", "label": "self.DoubleUnderline =", "type": "assigned_variable", "loc": [403, 403], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L402_C4", "vector": [14, 2, 0.8241, 0.002, 2, 0.26, 0.0, 114, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.DoubleUnderline", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.DoubleUnderline = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:If_L404_C8", "label": "if", "type": "if", "loc": [404, 404], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L402_C4", "vector": [4, 2, 0.8262, 0.002, 2, 0.26, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.DoubleUnderline = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L404_C19", "label": "self.DoubleUnderline =", "type": "assigned_variable", "loc": [404, 404], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:If_L404_C8", "vector": [14, 3, 0.8262, 0.002, 3, 0.92, 0.0, 114, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.DoubleUnderline", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.DoubleUnderline = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L405_C8", "label": "return", "type": "return", "loc": [405, 405], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L402_C4", "vector": [13, 2, 0.8282, 0.002, 2, 0.26, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L407_C4", "label": "SetWordUnderline", "type": "function", "loc": [407, 410], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.8354, 0.0082, 1, 0.97, 0.9286, 417, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetWordUnderline", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetWordUnderline( self, value ) :\n self.WordUnderline = False\n if value : self.WordUnderline = True\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L408_C8", "label": "self.WordUnderline =", "type": "assigned_variable", "loc": [408, 408], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L407_C4", "vector": [14, 2, 0.8344, 0.002, 2, 0.35, 0.0, 532, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.WordUnderline", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.WordUnderline = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:If_L409_C8", "label": "if", "type": "if", "loc": [409, 409], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L407_C4", "vector": [4, 2, 0.8364, 0.002, 2, 0.35, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.WordUnderline = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L409_C19", "label": "self.WordUnderline =", "type": "assigned_variable", "loc": [409, 409], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:If_L409_C8", "vector": [14, 3, 0.8364, 0.002, 3, 0.42, 0.0, 532, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.WordUnderline", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.WordUnderline = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L410_C8", "label": "return", "type": "return", "loc": [410, 410], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L407_C4", "vector": [13, 2, 0.8384, 0.002, 2, 0.35, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L412_C4", "label": "SetExpansion", "type": "function", "loc": [412, 414], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "vector": [2, 1, 0.8446, 0.0061, 1, 0.97, 1.0, 199, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetExpansion", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetExpansion( self, value ) :\n self.Expansion = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L413_C8", "label": "self.Expansion =", "type": "assigned_variable", "loc": [413, 413], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L412_C4", "vector": [14, 2, 0.8446, 0.002, 2, 0.71, 0.0, 427, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Expansion", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Expansion = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L414_C8", "label": "return", "type": "return", "loc": [414, 414], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L412_C4", "vector": [13, 2, 0.8466, 0.002, 2, 0.71, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "label": "ParagraphPropertySet", "type": "class", "loc": [416, 479], "level": 0, "parent": null, "vector": [3, 0, 0.9151, 0.1309, 0, 0.66, 0.7083, 449, 0, 11, 0, 0, 0, 0, 10], "semantic": {"name": "ParagraphPropertySet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ParagraphPropertySet :\n LEFT = 1\n RIGHT = 2\n CENTER = 3\n JUSTIFY = 4\n DISTRIBUTE = 5\n ALIGNMENT = [ LEFT, RIGHT, CENTER, JUSTIFY, DISTRIBUTE ]\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L417_C4", "label": "LEFT =", "type": "assigned_variable", "loc": [417, 417], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [14, 1, 0.8528, 0.002, 1, 0.9, 0.0, 856, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "LEFT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " LEFT = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L418_C4", "label": "RIGHT =", "type": "assigned_variable", "loc": [418, 418], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [14, 1, 0.8548, 0.002, 1, 0.9, 0.0625, 682, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "RIGHT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " RIGHT = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L419_C4", "label": "CENTER =", "type": "assigned_variable", "loc": [419, 419], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [14, 1, 0.8569, 0.002, 1, 0.9, 0.125, 995, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CENTER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " CENTER = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L420_C4", "label": "JUSTIFY =", "type": "assigned_variable", "loc": [420, 420], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [14, 1, 0.8589, 0.002, 1, 0.9, 0.1875, 129, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "JUSTIFY", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " JUSTIFY = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L421_C4", "label": "DISTRIBUTE =", "type": "assigned_variable", "loc": [421, 421], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [14, 1, 0.8609, 0.002, 1, 0.9, 0.25, 849, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DISTRIBUTE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DISTRIBUTE = 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L422_C4", "label": "ALIGNMENT =", "type": "assigned_variable", "loc": [422, 422], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [14, 1, 0.863, 0.002, 1, 0.9, 0.3125, 872, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "ALIGNMENT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ALIGNMENT = [ LEFT, RIGHT, CENTER, JUSTIFY, DISTRIBUTE ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "label": "__init__", "type": "function", "loc": [424, 438], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [2, 1, 0.8814, 0.0307, 1, 0.9, 0.375, 555, 0, 9, 0, 0, 0, 0, 9], "semantic": {"name": "__init__", "arg_names": ["self", "alignment", "space_before", "space_after", "tabs", "first_line_indent", "left_indent", "right_indent", "page_break_before"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__( self, alignment=None, space_before=None, space_after=None, tabs=None, first_line_indent=None, left_indent=None, right_indent=None, page_break_before=None ) :\n self.SetAlignment ( alignment or self.LEFT )\n self.SetSpaceBefore( space_before )\n self.SetSpaceAfter ( space_after )\n\n self.Tabs = []\n if tabs : apply( self.SetTabs, tabs )\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L425_C8", "label": "SetAlignment()", "type": "expression", "loc": [425, 425], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "vector": [8, 2, 0.8691, 0.002, 2, 0.25, 0.0, 423, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetAlignment", "arg_names": [], "import_names": [], "rhs_call_name": "SetAlignment", "annotation": ""}, "snippet": " self.SetAlignment ( alignment or self.LEFT )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L426_C8", "label": "SetSpaceBefore()", "type": "expression", "loc": [426, 426], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "vector": [8, 2, 0.8712, 0.002, 2, 0.25, 0.1111, 685, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetSpaceBefore", "arg_names": [], "import_names": [], "rhs_call_name": "SetSpaceBefore", "annotation": ""}, "snippet": " self.SetSpaceBefore( space_before )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L427_C8", "label": "SetSpaceAfter()", "type": "expression", "loc": [427, 427], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "vector": [8, 2, 0.8732, 0.002, 2, 0.25, 0.2222, 377, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetSpaceAfter", "arg_names": [], "import_names": [], "rhs_call_name": "SetSpaceAfter", "annotation": ""}, "snippet": " self.SetSpaceAfter ( space_after )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L429_C8", "label": "self.Tabs =", "type": "assigned_variable", "loc": [429, 429], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "vector": [14, 2, 0.8773, 0.002, 2, 0.25, 0.3333, 239, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.Tabs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Tabs = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:If_L430_C8", "label": "if", "type": "if", "loc": [430, 430], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "vector": [4, 2, 0.8793, 0.002, 2, 0.25, 0.4444, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if tabs : apply( self.SetTabs, tabs )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L430_C18", "label": "apply()", "type": "expression", "loc": [430, 430], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:If_L430_C8", "vector": [8, 3, 0.8793, 0.002, 3, 0.01, 0.0, 524, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "apply", "arg_names": [], "import_names": [], "rhs_call_name": "apply", "annotation": ""}, "snippet": " if tabs : apply( self.SetTabs, tabs )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L432_C8", "label": "SetFirstLineIndent()", "type": "expression", "loc": [432, 432], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "vector": [8, 2, 0.8834, 0.002, 2, 0.25, 0.5556, 723, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetFirstLineIndent", "arg_names": [], "import_names": [], "rhs_call_name": "SetFirstLineIndent", "annotation": ""}, "snippet": " self.SetFirstLineIndent( first_line_indent or None )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L433_C8", "label": "SetLeftIndent()", "type": "expression", "loc": [433, 433], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "vector": [8, 2, 0.8855, 0.002, 2, 0.25, 0.6667, 690, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetLeftIndent", "arg_names": [], "import_names": [], "rhs_call_name": "SetLeftIndent", "annotation": ""}, "snippet": " self.SetLeftIndent ( left_indent or None )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L434_C8", "label": "SetRightIndent()", "type": "expression", "loc": [434, 434], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "vector": [8, 2, 0.8875, 0.002, 2, 0.25, 0.7778, 177, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetRightIndent", "arg_names": [], "import_names": [], "rhs_call_name": "SetRightIndent", "annotation": ""}, "snippet": " self.SetRightIndent ( right_indent or None )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L436_C8", "label": "SetPageBreakBefore()", "type": "expression", "loc": [436, 436], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "vector": [8, 2, 0.8916, 0.002, 2, 0.25, 0.8889, 881, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetPageBreakBefore", "arg_names": [], "import_names": [], "rhs_call_name": "SetPageBreakBefore", "annotation": ""}, "snippet": " self.SetPageBreakBefore( page_break_before )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L438_C8", "label": "SetSpaceBetweenLines()", "type": "expression", "loc": [438, 438], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "vector": [8, 2, 0.8957, 0.002, 2, 0.25, 1.0, 763, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "SetSpaceBetweenLines", "arg_names": [], "import_names": [], "rhs_call_name": "SetSpaceBetweenLines", "annotation": ""}, "snippet": " self.SetSpaceBetweenLines( None )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L440_C4", "label": "Copy", "type": "function", "loc": [440, 441], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [2, 1, 0.9008, 0.0041, 1, 0.9, 0.4375, 295, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "Copy", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def Copy( self ) :\n return deepcopy( self )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L441_C8", "label": "return", "type": "return", "loc": [441, 441], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L440_C4", "vector": [13, 2, 0.9018, 0.002, 2, 0.82, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return deepcopy( self )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L443_C4", "label": "SetAlignment", "type": "function", "loc": [443, 446], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [2, 1, 0.909, 0.0082, 1, 0.9, 0.5, 423, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetAlignment", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetAlignment( self, value ) :\n assert not value or value in self.ALIGNMENT\n self.Alignment = value or self.LEFT\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L445_C8", "label": "self.Alignment =", "type": "assigned_variable", "loc": [445, 445], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L443_C4", "vector": [14, 2, 0.91, 0.002, 2, 0.11, 0.0, 714, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Alignment", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Alignment = value or self.LEFT"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L446_C8", "label": "return", "type": "return", "loc": [446, 446], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L443_C4", "vector": [13, 2, 0.9121, 0.002, 2, 0.11, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L448_C4", "label": "SetSpaceBefore", "type": "function", "loc": [448, 450], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [2, 1, 0.9182, 0.0061, 1, 0.9, 0.5625, 685, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetSpaceBefore", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetSpaceBefore( self, value ) :\n self.SpaceBefore = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L449_C8", "label": "self.SpaceBefore =", "type": "assigned_variable", "loc": [449, 449], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L448_C4", "vector": [14, 2, 0.9182, 0.002, 2, 0.19, 0.0, 787, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.SpaceBefore", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.SpaceBefore = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L450_C8", "label": "return", "type": "return", "loc": [450, 450], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L448_C4", "vector": [13, 2, 0.9202, 0.002, 2, 0.19, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L452_C4", "label": "SetSpaceAfter", "type": "function", "loc": [452, 454], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [2, 1, 0.9264, 0.0061, 1, 0.9, 0.625, 377, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetSpaceAfter", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetSpaceAfter( self, value ) :\n self.SpaceAfter = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L453_C8", "label": "self.SpaceAfter =", "type": "assigned_variable", "loc": [453, 453], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L452_C4", "vector": [14, 2, 0.9264, 0.002, 2, 0.1, 0.0, 36, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.SpaceAfter", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.SpaceAfter = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L454_C8", "label": "return", "type": "return", "loc": [454, 454], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L452_C4", "vector": [13, 2, 0.9284, 0.002, 2, 0.1, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L456_C4", "label": "SetTabs", "type": "function", "loc": [456, 458], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [2, 1, 0.9346, 0.0061, 1, 0.9, 0.6875, 128, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetTabs", "arg_names": ["self", "params"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetTabs( self, *params ) :\n self.Tabs = params\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L457_C8", "label": "self.Tabs =", "type": "assigned_variable", "loc": [457, 457], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L456_C4", "vector": [14, 2, 0.9346, 0.002, 2, 0.43, 0.0, 239, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.Tabs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.Tabs = params"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L458_C8", "label": "return", "type": "return", "loc": [458, 458], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L456_C4", "vector": [13, 2, 0.9366, 0.002, 2, 0.43, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L460_C4", "label": "SetFirstLineIndent", "type": "function", "loc": [460, 462], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [2, 1, 0.9427, 0.0061, 1, 0.9, 0.75, 723, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetFirstLineIndent", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetFirstLineIndent( self, value ) :\n self.FirstLineIndent = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L461_C8", "label": "self.FirstLineIndent =", "type": "assigned_variable", "loc": [461, 461], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L460_C4", "vector": [14, 2, 0.9427, 0.002, 2, 0.39, 0.0, 73, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.FirstLineIndent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.FirstLineIndent = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L462_C8", "label": "return", "type": "return", "loc": [462, 462], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L460_C4", "vector": [13, 2, 0.9448, 0.002, 2, 0.39, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L464_C4", "label": "SetLeftIndent", "type": "function", "loc": [464, 466], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [2, 1, 0.9509, 0.0061, 1, 0.9, 0.8125, 690, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetLeftIndent", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetLeftIndent( self, value ) :\n self.LeftIndent = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L465_C8", "label": "self.LeftIndent =", "type": "assigned_variable", "loc": [465, 465], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L464_C4", "vector": [14, 2, 0.9509, 0.002, 2, 0.76, 0.0, 543, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.LeftIndent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.LeftIndent = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L466_C8", "label": "return", "type": "return", "loc": [466, 466], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L464_C4", "vector": [13, 2, 0.953, 0.002, 2, 0.76, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L468_C4", "label": "SetRightIndent", "type": "function", "loc": [468, 470], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [2, 1, 0.9591, 0.0061, 1, 0.9, 0.875, 177, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetRightIndent", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetRightIndent( self, value ) :\n self.RightIndent = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L469_C8", "label": "self.RightIndent =", "type": "assigned_variable", "loc": [469, 469], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L468_C4", "vector": [14, 2, 0.9591, 0.002, 2, 0.46, 0.0, 407, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.RightIndent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.RightIndent = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L470_C8", "label": "return", "type": "return", "loc": [470, 470], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L468_C4", "vector": [13, 2, 0.9611, 0.002, 2, 0.46, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L472_C4", "label": "SetSpaceBetweenLines", "type": "function", "loc": [472, 474], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [2, 1, 0.9673, 0.0061, 1, 0.9, 0.9375, 763, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetSpaceBetweenLines", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetSpaceBetweenLines( self, value ) :\n self.SpaceBetweenLines = value\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L473_C8", "label": "self.SpaceBetweenLines =", "type": "assigned_variable", "loc": [473, 473], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L472_C4", "vector": [14, 2, 0.9673, 0.002, 2, 0.8, 0.0, 643, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.SpaceBetweenLines", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.SpaceBetweenLines = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L474_C8", "label": "return", "type": "return", "loc": [474, 474], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L472_C4", "vector": [13, 2, 0.9693, 0.002, 2, 0.8, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L476_C4", "label": "SetPageBreakBefore", "type": "function", "loc": [476, 479], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "vector": [2, 1, 0.9765, 0.0082, 1, 0.9, 1.0, 881, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "SetPageBreakBefore", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def SetPageBreakBefore( self, value ) :\n self.PageBreakBefore = False\n if value : self.PageBreakBefore = True\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L477_C8", "label": "self.PageBreakBefore =", "type": "assigned_variable", "loc": [477, 477], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L476_C4", "vector": [14, 2, 0.9755, 0.002, 2, 0.88, 0.0, 797, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.PageBreakBefore", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.PageBreakBefore = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:If_L478_C8", "label": "if", "type": "if", "loc": [478, 478], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L476_C4", "vector": [4, 2, 0.9775, 0.002, 2, 0.88, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.PageBreakBefore = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L478_C19", "label": "self.PageBreakBefore =", "type": "assigned_variable", "loc": [478, 478], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:If_L478_C8", "vector": [14, 3, 0.9775, 0.002, 3, 0.92, 0.0, 797, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.PageBreakBefore", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value : self.PageBreakBefore = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L479_C8", "label": "return", "type": "return", "loc": [479, 479], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L476_C4", "vector": [13, 2, 0.9796, 0.002, 2, 0.88, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L482_C0", "label": "MarginsPS =", "type": "assigned_variable", "loc": [482, 482], "level": 0, "parent": null, "vector": [14, 0, 0.9857, 0.002, 0, 0.66, 0.75, 754, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "MarginsPS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "MarginsPS = MarginsPropertySet"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L483_C0", "label": "ShadingPS =", "type": "assigned_variable", "loc": [483, 483], "level": 0, "parent": null, "vector": [14, 0, 0.9877, 0.002, 0, 0.66, 0.7917, 708, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ShadingPS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ShadingPS = ShadingPropertySet"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L484_C0", "label": "BorderPS =", "type": "assigned_variable", "loc": [484, 484], "level": 0, "parent": null, "vector": [14, 0, 0.9898, 0.002, 0, 0.66, 0.8333, 704, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "BorderPS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "BorderPS = BorderPropertySet"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L485_C0", "label": "FramePS =", "type": "assigned_variable", "loc": [485, 485], "level": 0, "parent": null, "vector": [14, 0, 0.9918, 0.002, 0, 0.66, 0.875, 237, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "FramePS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FramePS = FramePropertySet"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L486_C0", "label": "TabPS =", "type": "assigned_variable", "loc": [486, 486], "level": 0, "parent": null, "vector": [14, 0, 0.9939, 0.002, 0, 0.66, 0.9167, 96, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "TabPS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TabPS = TabPropertySet"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L487_C0", "label": "TextPS =", "type": "assigned_variable", "loc": [487, 487], "level": 0, "parent": null, "vector": [14, 0, 0.9959, 0.002, 0, 0.66, 0.9583, 817, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "TextPS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "TextPS = TextPropertySet"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L488_C0", "label": "ParagraphPS =", "type": "assigned_variable", "loc": [488, 488], "level": 0, "parent": null, "vector": [14, 0, 0.998, 0.002, 0, 0.66, 1.0, 258, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ParagraphPS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ParagraphPS = ParagraphPropertySet"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L21_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L22_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L25_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L25_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L26_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L25_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L27_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L25_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L28_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L30_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L30_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:For_L31_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:For_L31_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:If_L32_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:For_L31_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L34_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:For_L31_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L36_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:For_L31_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:If_L37_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:If_L37_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L38_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:If_L37_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L39_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L41_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L41_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L42_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L41_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L43_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L41_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L44_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L47_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L47_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L48_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L47_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L49_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L47_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L50_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L47_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L51_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L53_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L53_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L54_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L53_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L55_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L57_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L57_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L58_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L57_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L59_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L61_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L61_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L62_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L61_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L63_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L65_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L65_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L66_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L65_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L67_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L69_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L70_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L75_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L76_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L77_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L78_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L79_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L74_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L80_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L82_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L82_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L83_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L82_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L84_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L86_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L87_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L88_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L90_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L90_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L91_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L90_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L92_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L94_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L95_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L96_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L98_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L99_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L100_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L73_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L102_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L102_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L103_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L102_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L104_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L106_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L107_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L108_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L111_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L111_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L112_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L111_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L113_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L111_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L114_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L111_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L115_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L111_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L116_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L118_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L119_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L120_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L122_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L122_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L123_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L122_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L124_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L126_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L126_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L127_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L126_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L128_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L130_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L130_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L131_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L130_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L132_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L134_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L134_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L135_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L134_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L136_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L138_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L139_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L139_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L140_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L145_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L146_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L146_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L147_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L146_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L148_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L146_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L149_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L146_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L150_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L145_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L152_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L152_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L153_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L152_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L154_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L145_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L156_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L156_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L157_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L156_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L158_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L145_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L160_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L160_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L161_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L160_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L162_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L145_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L164_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L164_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L165_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L164_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L166_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L169_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L170_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L171_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L172_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L173_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L174_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L175_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L176_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L177_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L178_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L179_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L180_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L181_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L194_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L194_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L195_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L194_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L196_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L194_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L197_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L194_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L198_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L200_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L200_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L201_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L206_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L207_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L208_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L210_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L210_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L212_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L210_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L213_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L215_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L217_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L218_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L220_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L220_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L222_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L220_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L223_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L227_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L228_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L229_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L230_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L231_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L232_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L233_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L234_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L236_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L236_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L237_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L236_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L238_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L236_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L239_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L236_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L240_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L242_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L242_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L243_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L242_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L244_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L246_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L246_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L248_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L246_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L249_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L251_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L253_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L254_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L226_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L256_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L256_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L257_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L256_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L258_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L260_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L261_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L262_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L263_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L264_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L261_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L265_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L260_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L267_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L269_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L270_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L260_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L272_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L272_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L274_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L272_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L275_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L260_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L277_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L277_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L279_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L277_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L280_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L260_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L282_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L282_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L284_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L282_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L285_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L288_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L290_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L291_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L292_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L293_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L294_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L296_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L297_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L298_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L299_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L300_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L301_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L303_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L303_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L304_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L303_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L305_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L303_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L306_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L308_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L308_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L309_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L308_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L310_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L312_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L312_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L314_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L312_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L315_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L287_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L317_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L317_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L319_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L317_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L320_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L325_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L326_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L328_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L329_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L330_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L332_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L333_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L335_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L336_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L337_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L338_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L324_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L339_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L341_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L341_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L342_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L344_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L344_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L348_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L344_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L355_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L344_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L356_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L358_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L358_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L360_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L358_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L361_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L363_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L363_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L364_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L363_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L365_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L367_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L367_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L368_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L367_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:If_L369_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:If_L369_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L369_C19"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L367_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L370_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L372_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L372_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L373_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L372_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:If_L374_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:If_L374_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L374_C19"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L372_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L375_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L377_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L378_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:If_L379_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:If_L379_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L379_C19"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L377_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L380_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L382_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L382_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L384_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L382_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L385_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L387_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L387_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L389_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L387_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L390_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L392_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L392_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L393_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L392_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:If_L394_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:If_L394_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L394_C19"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L392_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L395_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L397_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L397_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L398_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L397_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:If_L399_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:If_L399_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L399_C19"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L397_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L400_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L402_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L402_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L403_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L402_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:If_L404_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:If_L404_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L404_C19"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L402_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L405_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L407_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L407_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L408_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L407_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:If_L409_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:If_L409_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L409_C19"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L407_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L410_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L322_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L412_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L412_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L413_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L412_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L414_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L417_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L418_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L419_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L420_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L421_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L422_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L425_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L426_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L427_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L429_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:If_L430_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:If_L430_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L430_C18"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L432_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L433_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L434_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L436_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L424_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Expr_L438_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L440_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L440_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L441_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L443_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L443_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L445_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L443_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L446_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L448_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L448_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L449_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L448_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L450_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L452_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L452_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L453_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L452_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L454_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L456_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L457_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L458_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L460_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L460_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L461_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L460_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L462_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L464_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L464_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L465_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L464_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L466_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L468_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L468_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L469_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L468_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L470_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L472_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L472_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L473_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L472_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L474_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:ClassDef_L416_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L476_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L476_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L477_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L476_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:If_L478_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:If_L478_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Assign_L478_C19"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_555:FunctionDef_L476_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_555:Return_L479_C8"}]
from PropertySets import * from Elements import * from Styles import * from Renderer import * def dumps(doc): import cStringIO s=cStringIO.StringIO() r=Renderer() r.Write(doc,s) return s.getvalue()
ajibawa-2023/Python-Code-Large/train/row_556
10
12
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_556:ImportFrom_L1_C0", "label": "from PropertySets import *", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.0833, 0.0833, 0, 0.66, 0.0, 611, 0, 1, 0, 0, 611, 0, 0], "semantic": {"name": "PropertySets", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from PropertySets import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_556:ImportFrom_L2_C0", "label": "from Elements import *", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.1667, 0.0833, 0, 0.66, 0.25, 413, 0, 1, 0, 0, 413, 0, 0], "semantic": {"name": "Elements", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from Elements import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_556:ImportFrom_L3_C0", "label": "from Styles import *", "type": "import", "loc": [3, 3], "level": 0, "parent": null, "vector": [1, 0, 0.25, 0.0833, 0, 0.66, 0.5, 175, 0, 1, 0, 0, 175, 0, 0], "semantic": {"name": "Styles", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from Styles import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_556:ImportFrom_L4_C0", "label": "from Renderer import *", "type": "import", "loc": [4, 4], "level": 0, "parent": null, "vector": [1, 0, 0.3333, 0.0833, 0, 0.66, 0.75, 406, 0, 1, 0, 0, 406, 0, 0], "semantic": {"name": "Renderer", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from Renderer import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_556:FunctionDef_L6_C0", "label": "dumps", "type": "function", "loc": [6, 11], "level": 0, "parent": null, "vector": [2, 0, 0.7083, 0.5, 0, 0.66, 1.0, 160, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "dumps", "arg_names": ["doc"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def dumps(doc):\n import cStringIO\n s=cStringIO.StringIO()\n r=Renderer()\n r.Write(doc,s)\n return s.getvalue()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_556:Import_L7_C4", "label": "cStringIO import cStringIO", "type": "import", "loc": [7, 7], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_556:FunctionDef_L6_C0", "vector": [1, 1, 0.5833, 0.0833, 1, 0.31, 0.0, 764, 0, 1, 0, 0, 764, 0, 0], "semantic": {"name": "cStringIO", "arg_names": [], "import_names": ["cStringIO"], "rhs_call_name": "", "annotation": ""}, "snippet": " import cStringIO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_556:Assign_L8_C4", "label": "s = StringIO()", "type": "assigned_variable", "loc": [8, 8], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_556:FunctionDef_L6_C0", "vector": [14, 1, 0.6667, 0.0833, 1, 0.31, 0.25, 553, 3, 0, 0, 0, 609, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "StringIO", "annotation": ""}, "snippet": " s=cStringIO.StringIO()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_556:Assign_L9_C4", "label": "r = Renderer()", "type": "assigned_variable", "loc": [9, 9], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_556:FunctionDef_L6_C0", "vector": [14, 1, 0.75, 0.0833, 1, 0.31, 0.5, 436, 3, 0, 0, 0, 406, 10, 1], "semantic": {"name": "r", "arg_names": [], "import_names": [], "rhs_call_name": "Renderer", "annotation": ""}, "snippet": " r=Renderer()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_556:Expr_L10_C4", "label": "Write()", "type": "expression", "loc": [10, 10], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_556:FunctionDef_L6_C0", "vector": [8, 1, 0.8333, 0.0833, 1, 0.31, 0.75, 919, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "Write", "arg_names": [], "import_names": [], "rhs_call_name": "Write", "annotation": ""}, "snippet": " r.Write(doc,s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_556:Return_L11_C4", "label": "return", "type": "return", "loc": [11, 11], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_556:FunctionDef_L6_C0", "vector": [13, 1, 0.9167, 0.0833, 1, 0.31, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return s.getvalue()"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_556:FunctionDef_L6_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_556:Import_L7_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_556:FunctionDef_L6_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_556:Assign_L8_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_556:FunctionDef_L6_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_556:Assign_L9_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_556:FunctionDef_L6_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_556:Expr_L10_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_556:FunctionDef_L6_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_556:Return_L11_C4"}]
class ViewKind : """An integer (0-5) that represents the view mode of the document.""" NONE = 0 PageLayout = 1 Outline = 2 MasterDocument = 3 Normal = 4 OnlineLayout = 5 DEFAULT = PageLayout def _IsValid( cls, value ) : return value in [ 0, 1, 2, 3, 4, 5 ] IsValid = classmethod( _IsValid ) class ViewScale : """Zoom level of the document; the N argument is a value representing a percentage (the default is 100).""" def _IsValid( cls, value ) : return value is None or (0 < value < 101) IsValid = classmethod( _IsValid ) class ViewZoomKind : """An integer (0 to 2) that represents the zoom kind of the document.""" NONE = 0 FullPage = 1 BestFit = 2 def _IsValid( cls, value ) : return value in [ None, 0, 1, 2 ] IsValid = classmethod( _IsValid ) class Languages : NoLanguage = 1024 Albanian = 1052 Arabic = 1025 Bahasa = 1057 BelgianDutch = 2067 BelgianFrench = 2060 BrazilianPortuguese = 1046 Bulgarian = 1026 Catalan = 1027 CroatoSerbianLatin = 1050 Czech = 1029 Danish = 1030 Dutch = 1043 EnglishAustralian = 3081 EnglishUK = 2057 EnglishUS = 1033 Finnish = 1035 French = 1036 FrenchCanadian = 3084 German = 1031 Greek = 1032 Hebrew = 1037 Hungarian = 1038 Icelandic = 1039 Italian = 1040 Japanese = 1041 Korean = 1042 NorwegianBokmal = 1044 NorwegianNynorsk = 2068 Polish = 1045 Portuguese = 2070 RhaetoRomanic = 1047 Romanian = 1048 Russian = 1049 SerboCroatianCyrillic = 2074 SimplifiedChinese = 2052 Slovak = 1051 SpanishCastilian = 1034 SpanishMexican = 2058 Swedish = 1053 SwissFrench = 4108 SwissGerman = 2055 SwissItalian = 2064 Thai = 1054 TraditionalChinese = 1028 Turkish = 1055 Urdu = 1056 SesothoSotho = 1072 Afrikaans = 1078 Zulu = 1077 Xhosa = 1076 Venda = 1075 Tswana = 1074 Tsonga = 1073 FarsiPersian = 1065 Codes = [ 1024, 1052, 1025, 1057, 2067, 2060, 1046, 1026, 1027, 1050, 1029, 1030, 1043, 3081, 2057, 1033, 1035, 1036, 3084, 1031, 1032, 1037, 1038, 1039, 1040, 1041, 1042, 1044, 2068, 1045, 2070, 1047, 1048, 1049, 2074, 2052, 1051, 1034, 2058, 1053, 4108, 2055, 2064, 1054, 1028, 1055, 1056, 1072, 1078, 1077, 1076, 1075, 1074, 1073, 1065 ] # make it Australian as that is what I use most of the time DEFAULT = EnglishAustralian def _IsValid( cls, value ) : return value in cls.Codes IsValid = classmethod( _IsValid ) if __name__ == '__main__' : PrintHexTable()
ajibawa-2023/Python-Code-Large/train/row_557
88
158
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "label": "ViewKind", "type": "class", "loc": [1, 15], "level": 0, "parent": null, "vector": [3, 0, 0.0506, 0.0949, 0, 0.66, 0.0, 480, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "ViewKind", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ViewKind :\n \"\"\"An integer (0-5) that represents the view mode of the document.\"\"\"\n\n NONE = 0\n PageLayout = 1\n Outline = 2\n MasterDocument = 3\n Normal = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Expr_L2_C4", "label": "expression", "type": "expression", "loc": [2, 2], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "vector": [8, 1, 0.0127, 0.0063, 1, 0.31, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"An integer (0-5) that represents the view mode of the document.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L4_C4", "label": "NONE =", "type": "assigned_variable", "loc": [4, 4], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "vector": [14, 1, 0.0253, 0.0063, 1, 0.31, 0.1111, 677, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NONE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " NONE = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L5_C4", "label": "PageLayout =", "type": "assigned_variable", "loc": [5, 5], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "vector": [14, 1, 0.0316, 0.0063, 1, 0.31, 0.2222, 520, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "PageLayout", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " PageLayout = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L6_C4", "label": "Outline =", "type": "assigned_variable", "loc": [6, 6], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "vector": [14, 1, 0.038, 0.0063, 1, 0.31, 0.3333, 897, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Outline", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Outline = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L7_C4", "label": "MasterDocument =", "type": "assigned_variable", "loc": [7, 7], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "vector": [14, 1, 0.0443, 0.0063, 1, 0.31, 0.4444, 431, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "MasterDocument", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " MasterDocument = 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L8_C4", "label": "Normal =", "type": "assigned_variable", "loc": [8, 8], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "vector": [14, 1, 0.0506, 0.0063, 1, 0.31, 0.5556, 287, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Normal", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Normal = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L9_C4", "label": "OnlineLayout =", "type": "assigned_variable", "loc": [9, 9], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "vector": [14, 1, 0.057, 0.0063, 1, 0.31, 0.6667, 886, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "OnlineLayout", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " OnlineLayout = 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L11_C4", "label": "DEFAULT =", "type": "assigned_variable", "loc": [11, 11], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "vector": [14, 1, 0.0696, 0.0063, 1, 0.31, 0.7778, 570, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "DEFAULT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DEFAULT = PageLayout"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L13_C4", "label": "_IsValid", "type": "function", "loc": [13, 14], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "vector": [2, 1, 0.0854, 0.0127, 1, 0.31, 0.8889, 925, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "_IsValid", "arg_names": ["cls", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _IsValid( cls, value ) :\n return value in [ 0, 1, 2, 3, 4, 5 ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Return_L14_C8", "label": "return", "type": "return", "loc": [14, 14], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L13_C4", "vector": [13, 2, 0.0886, 0.0063, 2, 0.89, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value in [ 0, 1, 2, 3, 4, 5 ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L15_C4", "label": "IsValid = classmethod()", "type": "assigned_variable", "loc": [15, 15], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "vector": [14, 1, 0.0949, 0.0063, 1, 0.31, 1.0, 983, 3, 1, 0, 0, 76, 10, 1], "semantic": {"name": "IsValid", "arg_names": [], "import_names": [], "rhs_call_name": "classmethod", "annotation": ""}, "snippet": " IsValid = classmethod( _IsValid )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L17_C0", "label": "ViewScale", "type": "class", "loc": [17, 22], "level": 0, "parent": null, "vector": [3, 0, 0.1234, 0.038, 0, 0.66, 0.25, 190, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "ViewScale", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ViewScale :\n \"\"\"Zoom level of the document; the N argument is a value representing a percentage (the default is 100).\"\"\"\n\n def _IsValid( cls, value ) :\n return value is None or (0 < value < 101)\n IsValid = classmethod( _IsValid )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Expr_L18_C4", "label": "expression", "type": "expression", "loc": [18, 18], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L17_C0", "vector": [8, 1, 0.1139, 0.0063, 1, 0.56, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Zoom level of the document; the N argument is a value representing a percentage (the default is 100).\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L20_C4", "label": "_IsValid", "type": "function", "loc": [20, 21], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L17_C0", "vector": [2, 1, 0.1297, 0.0127, 1, 0.56, 0.5, 925, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "_IsValid", "arg_names": ["cls", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _IsValid( cls, value ) :\n return value is None or (0 < value < 101)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Return_L21_C8", "label": "return", "type": "return", "loc": [21, 21], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L20_C4", "vector": [13, 2, 0.1329, 0.0063, 2, 0.05, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value is None or (0 < value < 101)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L22_C4", "label": "IsValid = classmethod()", "type": "assigned_variable", "loc": [22, 22], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L17_C0", "vector": [14, 1, 0.1392, 0.0063, 1, 0.56, 1.0, 983, 3, 1, 0, 0, 76, 10, 1], "semantic": {"name": "IsValid", "arg_names": [], "import_names": [], "rhs_call_name": "classmethod", "annotation": ""}, "snippet": " IsValid = classmethod( _IsValid )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "label": "ViewZoomKind", "type": "class", "loc": [24, 33], "level": 0, "parent": null, "vector": [3, 0, 0.1804, 0.0633, 0, 0.66, 0.5, 894, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "ViewZoomKind", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class ViewZoomKind :\n \"\"\"An integer (0 to 2) that represents the zoom kind of the document.\"\"\"\n\n NONE = 0\n FullPage = 1\n BestFit = 2\n\n def _IsValid( cls, value ) :"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Expr_L25_C4", "label": "expression", "type": "expression", "loc": [25, 25], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "vector": [8, 1, 0.1582, 0.0063, 1, 0.77, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"An integer (0 to 2) that represents the zoom kind of the document.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L27_C4", "label": "NONE =", "type": "assigned_variable", "loc": [27, 27], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "vector": [14, 1, 0.1709, 0.0063, 1, 0.77, 0.2, 677, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NONE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " NONE = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L28_C4", "label": "FullPage =", "type": "assigned_variable", "loc": [28, 28], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "vector": [14, 1, 0.1772, 0.0063, 1, 0.77, 0.4, 19, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FullPage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " FullPage = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L29_C4", "label": "BestFit =", "type": "assigned_variable", "loc": [29, 29], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "vector": [14, 1, 0.1835, 0.0063, 1, 0.77, 0.6, 623, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BestFit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " BestFit = 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L31_C4", "label": "_IsValid", "type": "function", "loc": [31, 32], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "vector": [2, 1, 0.1994, 0.0127, 1, 0.77, 0.8, 925, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "_IsValid", "arg_names": ["cls", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _IsValid( cls, value ) :\n return value in [ None, 0, 1, 2 ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Return_L32_C8", "label": "return", "type": "return", "loc": [32, 32], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L31_C4", "vector": [13, 2, 0.2025, 0.0063, 2, 0.86, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value in [ None, 0, 1, 2 ]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L33_C4", "label": "IsValid = classmethod()", "type": "assigned_variable", "loc": [33, 33], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "vector": [14, 1, 0.2089, 0.0063, 1, 0.77, 1.0, 983, 3, 1, 0, 0, 76, 10, 1], "semantic": {"name": "IsValid", "arg_names": [], "import_names": [], "rhs_call_name": "classmethod", "annotation": ""}, "snippet": " IsValid = classmethod( _IsValid )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "label": "Languages", "type": "class", "loc": [36, 154], "level": 0, "parent": null, "vector": [3, 0, 0.6013, 0.7532, 0, 0.66, 0.75, 557, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "Languages", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Languages :\n NoLanguage = 1024\n Albanian = 1052\n Arabic = 1025\n Bahasa = 1057\n BelgianDutch = 2067\n BelgianFrench = 2060\n BrazilianPortuguese = 1046"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L37_C4", "label": "NoLanguage =", "type": "assigned_variable", "loc": [37, 37], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.2342, 0.0063, 1, 0.34, 0.0, 724, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NoLanguage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " NoLanguage = 1024"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L38_C4", "label": "Albanian =", "type": "assigned_variable", "loc": [38, 38], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.2405, 0.0063, 1, 0.34, 0.0172, 568, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Albanian", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Albanian = 1052"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L39_C4", "label": "Arabic =", "type": "assigned_variable", "loc": [39, 39], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.2468, 0.0063, 1, 0.34, 0.0345, 28, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Arabic", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Arabic = 1025"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L40_C4", "label": "Bahasa =", "type": "assigned_variable", "loc": [40, 40], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.2532, 0.0063, 1, 0.34, 0.0517, 286, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Bahasa", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Bahasa = 1057"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L41_C4", "label": "BelgianDutch =", "type": "assigned_variable", "loc": [41, 41], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.2595, 0.0063, 1, 0.34, 0.069, 510, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BelgianDutch", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " BelgianDutch = 2067"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L42_C4", "label": "BelgianFrench =", "type": "assigned_variable", "loc": [42, 42], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.2658, 0.0063, 1, 0.34, 0.0862, 435, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BelgianFrench", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " BelgianFrench = 2060"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L43_C4", "label": "BrazilianPortuguese =", "type": "assigned_variable", "loc": [43, 43], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.2722, 0.0063, 1, 0.34, 0.1034, 810, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "BrazilianPortuguese", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " BrazilianPortuguese = 1046"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L44_C4", "label": "Bulgarian =", "type": "assigned_variable", "loc": [44, 44], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.2785, 0.0063, 1, 0.34, 0.1207, 39, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Bulgarian", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Bulgarian = 1026"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L45_C4", "label": "Catalan =", "type": "assigned_variable", "loc": [45, 45], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.2848, 0.0063, 1, 0.34, 0.1379, 930, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Catalan", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Catalan = 1027"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L46_C4", "label": "CroatoSerbianLatin =", "type": "assigned_variable", "loc": [46, 46], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.2911, 0.0063, 1, 0.34, 0.1552, 403, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "CroatoSerbianLatin", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " CroatoSerbianLatin = 1050"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L47_C4", "label": "Czech =", "type": "assigned_variable", "loc": [47, 47], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.2975, 0.0063, 1, 0.34, 0.1724, 521, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Czech", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Czech = 1029"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L48_C4", "label": "Danish =", "type": "assigned_variable", "loc": [48, 48], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3038, 0.0063, 1, 0.34, 0.1897, 252, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Danish", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Danish = 1030"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L49_C4", "label": "Dutch =", "type": "assigned_variable", "loc": [49, 49], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3101, 0.0063, 1, 0.34, 0.2069, 699, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Dutch", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Dutch = 1043"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L50_C4", "label": "EnglishAustralian =", "type": "assigned_variable", "loc": [50, 50], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3165, 0.0063, 1, 0.34, 0.2241, 128, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "EnglishAustralian", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " EnglishAustralian = 3081"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L51_C4", "label": "EnglishUK =", "type": "assigned_variable", "loc": [51, 51], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3228, 0.0063, 1, 0.34, 0.2414, 162, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "EnglishUK", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " EnglishUK = 2057"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L52_C4", "label": "EnglishUS =", "type": "assigned_variable", "loc": [52, 52], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3291, 0.0063, 1, 0.34, 0.2586, 642, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "EnglishUS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " EnglishUS = 1033"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L53_C4", "label": "Finnish =", "type": "assigned_variable", "loc": [53, 53], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3354, 0.0063, 1, 0.34, 0.2759, 102, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Finnish", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Finnish = 1035"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L54_C4", "label": "French =", "type": "assigned_variable", "loc": [54, 54], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3418, 0.0063, 1, 0.34, 0.2931, 197, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "French", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " French = 1036"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L55_C4", "label": "FrenchCanadian =", "type": "assigned_variable", "loc": [55, 55], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3481, 0.0063, 1, 0.34, 0.3103, 624, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FrenchCanadian", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " FrenchCanadian = 3084"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L56_C4", "label": "German =", "type": "assigned_variable", "loc": [56, 56], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3544, 0.0063, 1, 0.34, 0.3276, 721, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "German", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " German = 1031"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L57_C4", "label": "Greek =", "type": "assigned_variable", "loc": [57, 57], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3608, 0.0063, 1, 0.34, 0.3448, 12, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Greek", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Greek = 1032"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L58_C4", "label": "Hebrew =", "type": "assigned_variable", "loc": [58, 58], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3671, 0.0063, 1, 0.34, 0.3621, 875, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Hebrew", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Hebrew = 1037"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L59_C4", "label": "Hungarian =", "type": "assigned_variable", "loc": [59, 59], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3734, 0.0063, 1, 0.34, 0.3793, 241, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Hungarian", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Hungarian = 1038"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L60_C4", "label": "Icelandic =", "type": "assigned_variable", "loc": [60, 60], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3797, 0.0063, 1, 0.34, 0.3966, 962, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Icelandic", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Icelandic = 1039"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L61_C4", "label": "Italian =", "type": "assigned_variable", "loc": [61, 61], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3861, 0.0063, 1, 0.34, 0.4138, 993, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Italian", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Italian = 1040"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L62_C4", "label": "Japanese =", "type": "assigned_variable", "loc": [62, 62], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3924, 0.0063, 1, 0.34, 0.431, 978, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Japanese", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Japanese = 1041"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L63_C4", "label": "Korean =", "type": "assigned_variable", "loc": [63, 63], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.3987, 0.0063, 1, 0.34, 0.4483, 963, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Korean", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Korean = 1042"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L64_C4", "label": "NorwegianBokmal =", "type": "assigned_variable", "loc": [64, 64], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.4051, 0.0063, 1, 0.34, 0.4655, 677, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NorwegianBokmal", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " NorwegianBokmal = 1044"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L65_C4", "label": "NorwegianNynorsk =", "type": "assigned_variable", "loc": [65, 65], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.4114, 0.0063, 1, 0.34, 0.4828, 433, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "NorwegianNynorsk", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " NorwegianNynorsk = 2068"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L66_C4", "label": "Polish =", "type": "assigned_variable", "loc": [66, 66], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.4177, 0.0063, 1, 0.34, 0.5, 147, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Polish", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Polish = 1045"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L67_C4", "label": "Portuguese =", "type": "assigned_variable", "loc": [67, 67], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.4241, 0.0063, 1, 0.34, 0.5172, 301, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Portuguese", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Portuguese = 2070"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L68_C4", "label": "RhaetoRomanic =", "type": "assigned_variable", "loc": [68, 68], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.4304, 0.0063, 1, 0.34, 0.5345, 444, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "RhaetoRomanic", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " RhaetoRomanic = 1047"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L69_C4", "label": "Romanian =", "type": "assigned_variable", "loc": [69, 69], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.4367, 0.0063, 1, 0.34, 0.5517, 596, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Romanian", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Romanian = 1048"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L70_C4", "label": "Russian =", "type": "assigned_variable", "loc": [70, 70], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.443, 0.0063, 1, 0.34, 0.569, 891, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Russian", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Russian = 1049"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L71_C4", "label": "SerboCroatianCyrillic =", "type": "assigned_variable", "loc": [71, 71], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.4494, 0.0063, 1, 0.34, 0.5862, 414, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SerboCroatianCyrillic", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " SerboCroatianCyrillic = 2074"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L72_C4", "label": "SimplifiedChinese =", "type": "assigned_variable", "loc": [72, 72], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.4557, 0.0063, 1, 0.34, 0.6034, 981, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SimplifiedChinese", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " SimplifiedChinese = 2052"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L73_C4", "label": "Slovak =", "type": "assigned_variable", "loc": [73, 73], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.462, 0.0063, 1, 0.34, 0.6207, 36, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Slovak", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Slovak = 1051"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L74_C4", "label": "SpanishCastilian =", "type": "assigned_variable", "loc": [74, 74], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.4684, 0.0063, 1, 0.34, 0.6379, 512, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SpanishCastilian", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " SpanishCastilian = 1034"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L75_C4", "label": "SpanishMexican =", "type": "assigned_variable", "loc": [75, 75], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.4747, 0.0063, 1, 0.34, 0.6552, 429, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SpanishMexican", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " SpanishMexican = 2058"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L76_C4", "label": "Swedish =", "type": "assigned_variable", "loc": [76, 76], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.481, 0.0063, 1, 0.34, 0.6724, 986, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Swedish", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Swedish = 1053"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L77_C4", "label": "SwissFrench =", "type": "assigned_variable", "loc": [77, 77], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.4873, 0.0063, 1, 0.34, 0.6897, 287, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SwissFrench", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " SwissFrench = 4108"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L78_C4", "label": "SwissGerman =", "type": "assigned_variable", "loc": [78, 78], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.4937, 0.0063, 1, 0.34, 0.7069, 850, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SwissGerman", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " SwissGerman = 2055"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L79_C4", "label": "SwissItalian =", "type": "assigned_variable", "loc": [79, 79], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.5, 0.0063, 1, 0.34, 0.7241, 127, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SwissItalian", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " SwissItalian = 2064"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L80_C4", "label": "Thai =", "type": "assigned_variable", "loc": [80, 80], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.5063, 0.0063, 1, 0.34, 0.7414, 366, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Thai", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Thai = 1054"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L81_C4", "label": "TraditionalChinese =", "type": "assigned_variable", "loc": [81, 81], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.5127, 0.0063, 1, 0.34, 0.7586, 18, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "TraditionalChinese", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " TraditionalChinese = 1028"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L82_C4", "label": "Turkish =", "type": "assigned_variable", "loc": [82, 82], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.519, 0.0063, 1, 0.34, 0.7759, 52, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Turkish", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Turkish = 1055"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L83_C4", "label": "Urdu =", "type": "assigned_variable", "loc": [83, 83], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.5253, 0.0063, 1, 0.34, 0.7931, 862, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Urdu", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Urdu = 1056"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L84_C4", "label": "SesothoSotho =", "type": "assigned_variable", "loc": [84, 84], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.5316, 0.0063, 1, 0.34, 0.8103, 169, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SesothoSotho", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " SesothoSotho = 1072"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L85_C4", "label": "Afrikaans =", "type": "assigned_variable", "loc": [85, 85], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.538, 0.0063, 1, 0.34, 0.8276, 230, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Afrikaans", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Afrikaans = 1078"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L86_C4", "label": "Zulu =", "type": "assigned_variable", "loc": [86, 86], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.5443, 0.0063, 1, 0.34, 0.8448, 559, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Zulu", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Zulu = 1077"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L87_C4", "label": "Xhosa =", "type": "assigned_variable", "loc": [87, 87], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.5506, 0.0063, 1, 0.34, 0.8621, 284, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Xhosa", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Xhosa = 1076"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L88_C4", "label": "Venda =", "type": "assigned_variable", "loc": [88, 88], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.557, 0.0063, 1, 0.34, 0.8793, 133, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Venda", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Venda = 1075"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L89_C4", "label": "Tswana =", "type": "assigned_variable", "loc": [89, 89], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.5633, 0.0063, 1, 0.34, 0.8966, 219, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Tswana", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Tswana = 1074"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L90_C4", "label": "Tsonga =", "type": "assigned_variable", "loc": [90, 90], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.5696, 0.0063, 1, 0.34, 0.9138, 844, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "Tsonga", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Tsonga = 1073"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L91_C4", "label": "FarsiPersian =", "type": "assigned_variable", "loc": [91, 91], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.5759, 0.0063, 1, 0.34, 0.931, 854, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "FarsiPersian", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " FarsiPersian = 1065"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L93_C4", "label": "Codes =", "type": "assigned_variable", "loc": [93, 147], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.7595, 0.3481, 1, 0.34, 0.9483, 377, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "Codes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Codes = [ 1024,\n 1052,\n 1025,\n 1057,\n 2067,\n 2060,\n 1046,\n 1026,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L150_C4", "label": "DEFAULT =", "type": "assigned_variable", "loc": [150, 150], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.9494, 0.0063, 1, 0.34, 0.9655, 570, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "DEFAULT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " DEFAULT = EnglishAustralian"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L152_C4", "label": "_IsValid", "type": "function", "loc": [152, 153], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [2, 1, 0.9652, 0.0127, 1, 0.34, 0.9828, 925, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "_IsValid", "arg_names": ["cls", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _IsValid( cls, value ) :\n return value in cls.Codes"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Return_L153_C8", "label": "return", "type": "return", "loc": [153, 153], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L152_C4", "vector": [13, 2, 0.9684, 0.0063, 2, 0.6, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value in cls.Codes"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L154_C4", "label": "IsValid = classmethod()", "type": "assigned_variable", "loc": [154, 154], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "vector": [14, 1, 0.9747, 0.0063, 1, 0.34, 1.0, 983, 3, 1, 0, 0, 76, 10, 1], "semantic": {"name": "IsValid", "arg_names": [], "import_names": [], "rhs_call_name": "classmethod", "annotation": ""}, "snippet": " IsValid = classmethod( _IsValid )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:If_L156_C0", "label": "if", "type": "if", "loc": [156, 157], "level": 0, "parent": null, "vector": [4, 0, 0.9905, 0.0127, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == '__main__' :\n PrintHexTable()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_557:Expr_L157_C4", "label": "PrintHexTable()", "type": "expression", "loc": [157, 157], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_557:If_L156_C0", "vector": [8, 1, 0.9937, 0.0063, 1, 0.24, 0.0, 317, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "PrintHexTable", "arg_names": [], "import_names": [], "rhs_call_name": "PrintHexTable", "annotation": ""}, "snippet": " PrintHexTable()"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Expr_L2_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L4_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L5_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L6_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L7_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L8_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L9_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L11_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Return_L14_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L1_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L15_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Expr_L18_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L20_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Return_L21_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L22_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Expr_L25_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L27_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L28_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L29_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L31_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L31_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Return_L32_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L33_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L37_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L38_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L39_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L40_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L41_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L42_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L43_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L44_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L45_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L46_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L47_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L48_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L49_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L50_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L51_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L52_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L53_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L54_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L55_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L56_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L57_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L58_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L59_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L60_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L61_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L62_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L63_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L64_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L65_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L66_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L67_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L68_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L69_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L70_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L71_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L72_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L73_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L74_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L75_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L76_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L77_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L78_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L79_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L80_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L81_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L82_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L83_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L84_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L85_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L86_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L87_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L88_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L89_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L90_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L91_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L93_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L150_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L152_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:FunctionDef_L152_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Return_L153_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:ClassDef_L36_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Assign_L154_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_557:If_L156_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_557:Expr_L157_C4"}]
#!/usr/bin/env python # -*- coding: latin-1 -*- # Fonts: fpdf_charwidths = {} fpdf_charwidths['courier']={} for i in xrange(0,256): fpdf_charwidths['courier'][chr(i)]=600 fpdf_charwidths['courierB']=fpdf_charwidths['courier'] fpdf_charwidths['courierI']=fpdf_charwidths['courier'] fpdf_charwidths['courierBI']=fpdf_charwidths['courier'] fpdf_charwidths['helvetica']={ '\x00':278,'\x01':278,'\x02':278,'\x03':278,'\x04':278,'\x05':278,'\x06':278,'\x07':278,'\x08':278,'\t':278,'\n':278,'\x0b':278,'\x0c':278,'\r':278,'\x0e':278,'\x0f':278,'\x10':278,'\x11':278,'\x12':278,'\x13':278,'\x14':278,'\x15':278, '\x16':278,'\x17':278,'\x18':278,'\x19':278,'\x1a':278,'\x1b':278,'\x1c':278,'\x1d':278,'\x1e':278,'\x1f':278,' ':278,'!':278,'"':355,'#':556,'$':556,'%':889,'&':667,'\'':191,'(':333,')':333,'*':389,'+':584, ',':278,'-':333,'.':278,'/':278,'0':556,'1':556,'2':556,'3':556,'4':556,'5':556,'6':556,'7':556,'8':556,'9':556,':':278,';':278,'<':584,'=':584,'>':584,'?':556,'@':1015,'A':667, 'B':667,'C':722,'D':722,'E':667,'F':611,'G':778,'H':722,'I':278,'J':500,'K':667,'L':556,'M':833,'N':722,'O':778,'P':667,'Q':778,'R':722,'S':667,'T':611,'U':722,'V':667,'W':944, 'X':667,'Y':667,'Z':611,'[':278,'\\':278,']':278,'^':469,'_':556,'`':333,'a':556,'b':556,'c':500,'d':556,'e':556,'f':278,'g':556,'h':556,'i':222,'j':222,'k':500,'l':222,'m':833, 'n':556,'o':556,'p':556,'q':556,'r':333,'s':500,'t':278,'u':556,'v':500,'w':722,'x':500,'y':500,'z':500,'{':334,'|':260,'}':334,'~':584,'\x7f':350,'\x80':556,'\x81':350,'\x82':222,'\x83':556, '\x84':333,'\x85':1000,'\x86':556,'\x87':556,'\x88':333,'\x89':1000,'\x8a':667,'\x8b':333,'\x8c':1000,'\x8d':350,'\x8e':611,'\x8f':350,'\x90':350,'\x91':222,'\x92':222,'\x93':333,'\x94':333,'\x95':350,'\x96':556,'\x97':1000,'\x98':333,'\x99':1000, '\x9a':500,'\x9b':333,'\x9c':944,'\x9d':350,'\x9e':500,'\x9f':667,'\xa0':278,'\xa1':333,'\xa2':556,'\xa3':556,'\xa4':556,'\xa5':556,'\xa6':260,'\xa7':556,'\xa8':333,'\xa9':737,'\xaa':370,'\xab':556,'\xac':584,'\xad':333,'\xae':737,'\xaf':333, '\xb0':400,'\xb1':584,'\xb2':333,'\xb3':333,'\xb4':333,'\xb5':556,'\xb6':537,'\xb7':278,'\xb8':333,'\xb9':333,'\xba':365,'\xbb':556,'\xbc':834,'\xbd':834,'\xbe':834,'\xbf':611,'\xc0':667,'\xc1':667,'\xc2':667,'\xc3':667,'\xc4':667,'\xc5':667, '\xc6':1000,'\xc7':722,'\xc8':667,'\xc9':667,'\xca':667,'\xcb':667,'\xcc':278,'\xcd':278,'\xce':278,'\xcf':278,'\xd0':722,'\xd1':722,'\xd2':778,'\xd3':778,'\xd4':778,'\xd5':778,'\xd6':778,'\xd7':584,'\xd8':778,'\xd9':722,'\xda':722,'\xdb':722, '\xdc':722,'\xdd':667,'\xde':667,'\xdf':611,'\xe0':556,'\xe1':556,'\xe2':556,'\xe3':556,'\xe4':556,'\xe5':556,'\xe6':889,'\xe7':500,'\xe8':556,'\xe9':556,'\xea':556,'\xeb':556,'\xec':278,'\xed':278,'\xee':278,'\xef':278,'\xf0':556,'\xf1':556, '\xf2':556,'\xf3':556,'\xf4':556,'\xf5':556,'\xf6':556,'\xf7':584,'\xf8':611,'\xf9':556,'\xfa':556,'\xfb':556,'\xfc':556,'\xfd':500,'\xfe':556,'\xff':500} fpdf_charwidths['helveticaB']={ '\x00':278,'\x01':278,'\x02':278,'\x03':278,'\x04':278,'\x05':278,'\x06':278,'\x07':278,'\x08':278,'\t':278,'\n':278,'\x0b':278,'\x0c':278,'\r':278,'\x0e':278,'\x0f':278,'\x10':278,'\x11':278,'\x12':278,'\x13':278,'\x14':278,'\x15':278, '\x16':278,'\x17':278,'\x18':278,'\x19':278,'\x1a':278,'\x1b':278,'\x1c':278,'\x1d':278,'\x1e':278,'\x1f':278,' ':278,'!':333,'"':474,'#':556,'$':556,'%':889,'&':722,'\'':238,'(':333,')':333,'*':389,'+':584, ',':278,'-':333,'.':278,'/':278,'0':556,'1':556,'2':556,'3':556,'4':556,'5':556,'6':556,'7':556,'8':556,'9':556,':':333,';':333,'<':584,'=':584,'>':584,'?':611,'@':975,'A':722, 'B':722,'C':722,'D':722,'E':667,'F':611,'G':778,'H':722,'I':278,'J':556,'K':722,'L':611,'M':833,'N':722,'O':778,'P':667,'Q':778,'R':722,'S':667,'T':611,'U':722,'V':667,'W':944, 'X':667,'Y':667,'Z':611,'[':333,'\\':278,']':333,'^':584,'_':556,'`':333,'a':556,'b':611,'c':556,'d':611,'e':556,'f':333,'g':611,'h':611,'i':278,'j':278,'k':556,'l':278,'m':889, 'n':611,'o':611,'p':611,'q':611,'r':389,'s':556,'t':333,'u':611,'v':556,'w':778,'x':556,'y':556,'z':500,'{':389,'|':280,'}':389,'~':584,'\x7f':350,'\x80':556,'\x81':350,'\x82':278,'\x83':556, '\x84':500,'\x85':1000,'\x86':556,'\x87':556,'\x88':333,'\x89':1000,'\x8a':667,'\x8b':333,'\x8c':1000,'\x8d':350,'\x8e':611,'\x8f':350,'\x90':350,'\x91':278,'\x92':278,'\x93':500,'\x94':500,'\x95':350,'\x96':556,'\x97':1000,'\x98':333,'\x99':1000, '\x9a':556,'\x9b':333,'\x9c':944,'\x9d':350,'\x9e':500,'\x9f':667,'\xa0':278,'\xa1':333,'\xa2':556,'\xa3':556,'\xa4':556,'\xa5':556,'\xa6':280,'\xa7':556,'\xa8':333,'\xa9':737,'\xaa':370,'\xab':556,'\xac':584,'\xad':333,'\xae':737,'\xaf':333, '\xb0':400,'\xb1':584,'\xb2':333,'\xb3':333,'\xb4':333,'\xb5':611,'\xb6':556,'\xb7':278,'\xb8':333,'\xb9':333,'\xba':365,'\xbb':556,'\xbc':834,'\xbd':834,'\xbe':834,'\xbf':611,'\xc0':722,'\xc1':722,'\xc2':722,'\xc3':722,'\xc4':722,'\xc5':722, '\xc6':1000,'\xc7':722,'\xc8':667,'\xc9':667,'\xca':667,'\xcb':667,'\xcc':278,'\xcd':278,'\xce':278,'\xcf':278,'\xd0':722,'\xd1':722,'\xd2':778,'\xd3':778,'\xd4':778,'\xd5':778,'\xd6':778,'\xd7':584,'\xd8':778,'\xd9':722,'\xda':722,'\xdb':722, '\xdc':722,'\xdd':667,'\xde':667,'\xdf':611,'\xe0':556,'\xe1':556,'\xe2':556,'\xe3':556,'\xe4':556,'\xe5':556,'\xe6':889,'\xe7':556,'\xe8':556,'\xe9':556,'\xea':556,'\xeb':556,'\xec':278,'\xed':278,'\xee':278,'\xef':278,'\xf0':611,'\xf1':611, '\xf2':611,'\xf3':611,'\xf4':611,'\xf5':611,'\xf6':611,'\xf7':584,'\xf8':611,'\xf9':611,'\xfa':611,'\xfb':611,'\xfc':611,'\xfd':556,'\xfe':611,'\xff':556 } fpdf_charwidths['helveticaBI']={ '\x00':278,'\x01':278,'\x02':278,'\x03':278,'\x04':278,'\x05':278,'\x06':278,'\x07':278,'\x08':278,'\t':278,'\n':278,'\x0b':278,'\x0c':278,'\r':278,'\x0e':278,'\x0f':278,'\x10':278,'\x11':278,'\x12':278,'\x13':278,'\x14':278,'\x15':278, '\x16':278,'\x17':278,'\x18':278,'\x19':278,'\x1a':278,'\x1b':278,'\x1c':278,'\x1d':278,'\x1e':278,'\x1f':278,' ':278,'!':333,'"':474,'#':556,'$':556,'%':889,'&':722,'\'':238,'(':333,')':333,'*':389,'+':584, ',':278,'-':333,'.':278,'/':278,'0':556,'1':556,'2':556,'3':556,'4':556,'5':556,'6':556,'7':556,'8':556,'9':556,':':333,';':333,'<':584,'=':584,'>':584,'?':611,'@':975,'A':722, 'B':722,'C':722,'D':722,'E':667,'F':611,'G':778,'H':722,'I':278,'J':556,'K':722,'L':611,'M':833,'N':722,'O':778,'P':667,'Q':778,'R':722,'S':667,'T':611,'U':722,'V':667,'W':944, 'X':667,'Y':667,'Z':611,'[':333,'\\':278,']':333,'^':584,'_':556,'`':333,'a':556,'b':611,'c':556,'d':611,'e':556,'f':333,'g':611,'h':611,'i':278,'j':278,'k':556,'l':278,'m':889, 'n':611,'o':611,'p':611,'q':611,'r':389,'s':556,'t':333,'u':611,'v':556,'w':778,'x':556,'y':556,'z':500,'{':389,'|':280,'}':389,'~':584,'\x7f':350,'\x80':556,'\x81':350,'\x82':278,'\x83':556, '\x84':500,'\x85':1000,'\x86':556,'\x87':556,'\x88':333,'\x89':1000,'\x8a':667,'\x8b':333,'\x8c':1000,'\x8d':350,'\x8e':611,'\x8f':350,'\x90':350,'\x91':278,'\x92':278,'\x93':500,'\x94':500,'\x95':350,'\x96':556,'\x97':1000,'\x98':333,'\x99':1000, '\x9a':556,'\x9b':333,'\x9c':944,'\x9d':350,'\x9e':500,'\x9f':667,'\xa0':278,'\xa1':333,'\xa2':556,'\xa3':556,'\xa4':556,'\xa5':556,'\xa6':280,'\xa7':556,'\xa8':333,'\xa9':737,'\xaa':370,'\xab':556,'\xac':584,'\xad':333,'\xae':737,'\xaf':333, '\xb0':400,'\xb1':584,'\xb2':333,'\xb3':333,'\xb4':333,'\xb5':611,'\xb6':556,'\xb7':278,'\xb8':333,'\xb9':333,'\xba':365,'\xbb':556,'\xbc':834,'\xbd':834,'\xbe':834,'\xbf':611,'\xc0':722,'\xc1':722,'\xc2':722,'\xc3':722,'\xc4':722,'\xc5':722, '\xc6':1000,'\xc7':722,'\xc8':667,'\xc9':667,'\xca':667,'\xcb':667,'\xcc':278,'\xcd':278,'\xce':278,'\xcf':278,'\xd0':722,'\xd1':722,'\xd2':778,'\xd3':778,'\xd4':778,'\xd5':778,'\xd6':778,'\xd7':584,'\xd8':778,'\xd9':722,'\xda':722,'\xdb':722, '\xdc':722,'\xdd':667,'\xde':667,'\xdf':611,'\xe0':556,'\xe1':556,'\xe2':556,'\xe3':556,'\xe4':556,'\xe5':556,'\xe6':889,'\xe7':556,'\xe8':556,'\xe9':556,'\xea':556,'\xeb':556,'\xec':278,'\xed':278,'\xee':278,'\xef':278,'\xf0':611,'\xf1':611, '\xf2':611,'\xf3':611,'\xf4':611,'\xf5':611,'\xf6':611,'\xf7':584,'\xf8':611,'\xf9':611,'\xfa':611,'\xfb':611,'\xfc':611,'\xfd':556,'\xfe':611,'\xff':556} fpdf_charwidths['helveticaI']={ '\x00':278,'\x01':278,'\x02':278,'\x03':278,'\x04':278,'\x05':278,'\x06':278,'\x07':278,'\x08':278,'\t':278,'\n':278,'\x0b':278,'\x0c':278,'\r':278,'\x0e':278,'\x0f':278,'\x10':278,'\x11':278,'\x12':278,'\x13':278,'\x14':278,'\x15':278, '\x16':278,'\x17':278,'\x18':278,'\x19':278,'\x1a':278,'\x1b':278,'\x1c':278,'\x1d':278,'\x1e':278,'\x1f':278,' ':278,'!':278,'"':355,'#':556,'$':556,'%':889,'&':667,'\'':191,'(':333,')':333,'*':389,'+':584, ',':278,'-':333,'.':278,'/':278,'0':556,'1':556,'2':556,'3':556,'4':556,'5':556,'6':556,'7':556,'8':556,'9':556,':':278,';':278,'<':584,'=':584,'>':584,'?':556,'@':1015,'A':667, 'B':667,'C':722,'D':722,'E':667,'F':611,'G':778,'H':722,'I':278,'J':500,'K':667,'L':556,'M':833,'N':722,'O':778,'P':667,'Q':778,'R':722,'S':667,'T':611,'U':722,'V':667,'W':944, 'X':667,'Y':667,'Z':611,'[':278,'\\':278,']':278,'^':469,'_':556,'`':333,'a':556,'b':556,'c':500,'d':556,'e':556,'f':278,'g':556,'h':556,'i':222,'j':222,'k':500,'l':222,'m':833, 'n':556,'o':556,'p':556,'q':556,'r':333,'s':500,'t':278,'u':556,'v':500,'w':722,'x':500,'y':500,'z':500,'{':334,'|':260,'}':334,'~':584,'\x7f':350,'\x80':556,'\x81':350,'\x82':222,'\x83':556, '\x84':333,'\x85':1000,'\x86':556,'\x87':556,'\x88':333,'\x89':1000,'\x8a':667,'\x8b':333,'\x8c':1000,'\x8d':350,'\x8e':611,'\x8f':350,'\x90':350,'\x91':222,'\x92':222,'\x93':333,'\x94':333,'\x95':350,'\x96':556,'\x97':1000,'\x98':333,'\x99':1000, '\x9a':500,'\x9b':333,'\x9c':944,'\x9d':350,'\x9e':500,'\x9f':667,'\xa0':278,'\xa1':333,'\xa2':556,'\xa3':556,'\xa4':556,'\xa5':556,'\xa6':260,'\xa7':556,'\xa8':333,'\xa9':737,'\xaa':370,'\xab':556,'\xac':584,'\xad':333,'\xae':737,'\xaf':333, '\xb0':400,'\xb1':584,'\xb2':333,'\xb3':333,'\xb4':333,'\xb5':556,'\xb6':537,'\xb7':278,'\xb8':333,'\xb9':333,'\xba':365,'\xbb':556,'\xbc':834,'\xbd':834,'\xbe':834,'\xbf':611,'\xc0':667,'\xc1':667,'\xc2':667,'\xc3':667,'\xc4':667,'\xc5':667, '\xc6':1000,'\xc7':722,'\xc8':667,'\xc9':667,'\xca':667,'\xcb':667,'\xcc':278,'\xcd':278,'\xce':278,'\xcf':278,'\xd0':722,'\xd1':722,'\xd2':778,'\xd3':778,'\xd4':778,'\xd5':778,'\xd6':778,'\xd7':584,'\xd8':778,'\xd9':722,'\xda':722,'\xdb':722, '\xdc':722,'\xdd':667,'\xde':667,'\xdf':611,'\xe0':556,'\xe1':556,'\xe2':556,'\xe3':556,'\xe4':556,'\xe5':556,'\xe6':889,'\xe7':500,'\xe8':556,'\xe9':556,'\xea':556,'\xeb':556,'\xec':278,'\xed':278,'\xee':278,'\xef':278,'\xf0':556,'\xf1':556, '\xf2':556,'\xf3':556,'\xf4':556,'\xf5':556,'\xf6':556,'\xf7':584,'\xf8':611,'\xf9':556,'\xfa':556,'\xfb':556,'\xfc':556,'\xfd':500,'\xfe':556,'\xff':500} fpdf_charwidths['symbol']={ '\x00':250,'\x01':250,'\x02':250,'\x03':250,'\x04':250,'\x05':250,'\x06':250,'\x07':250,'\x08':250,'\t':250,'\n':250,'\x0b':250,'\x0c':250,'\r':250,'\x0e':250,'\x0f':250,'\x10':250,'\x11':250,'\x12':250,'\x13':250,'\x14':250,'\x15':250, '\x16':250,'\x17':250,'\x18':250,'\x19':250,'\x1a':250,'\x1b':250,'\x1c':250,'\x1d':250,'\x1e':250,'\x1f':250,' ':250,'!':333,'"':713,'#':500,'$':549,'%':833,'&':778,'\'':439,'(':333,')':333,'*':500,'+':549, ',':250,'-':549,'.':250,'/':278,'0':500,'1':500,'2':500,'3':500,'4':500,'5':500,'6':500,'7':500,'8':500,'9':500,':':278,';':278,'<':549,'=':549,'>':549,'?':444,'@':549,'A':722, 'B':667,'C':722,'D':612,'E':611,'F':763,'G':603,'H':722,'I':333,'J':631,'K':722,'L':686,'M':889,'N':722,'O':722,'P':768,'Q':741,'R':556,'S':592,'T':611,'U':690,'V':439,'W':768, 'X':645,'Y':795,'Z':611,'[':333,'\\':863,']':333,'^':658,'_':500,'`':500,'a':631,'b':549,'c':549,'d':494,'e':439,'f':521,'g':411,'h':603,'i':329,'j':603,'k':549,'l':549,'m':576, 'n':521,'o':549,'p':549,'q':521,'r':549,'s':603,'t':439,'u':576,'v':713,'w':686,'x':493,'y':686,'z':494,'{':480,'|':200,'}':480,'~':549,'\x7f':0,'\x80':0,'\x81':0,'\x82':0,'\x83':0, '\x84':0,'\x85':0,'\x86':0,'\x87':0,'\x88':0,'\x89':0,'\x8a':0,'\x8b':0,'\x8c':0,'\x8d':0,'\x8e':0,'\x8f':0,'\x90':0,'\x91':0,'\x92':0,'\x93':0,'\x94':0,'\x95':0,'\x96':0,'\x97':0,'\x98':0,'\x99':0, '\x9a':0,'\x9b':0,'\x9c':0,'\x9d':0,'\x9e':0,'\x9f':0,'\xa0':750,'\xa1':620,'\xa2':247,'\xa3':549,'\xa4':167,'\xa5':713,'\xa6':500,'\xa7':753,'\xa8':753,'\xa9':753,'\xaa':753,'\xab':1042,'\xac':987,'\xad':603,'\xae':987,'\xaf':603, '\xb0':400,'\xb1':549,'\xb2':411,'\xb3':549,'\xb4':549,'\xb5':713,'\xb6':494,'\xb7':460,'\xb8':549,'\xb9':549,'\xba':549,'\xbb':549,'\xbc':1000,'\xbd':603,'\xbe':1000,'\xbf':658,'\xc0':823,'\xc1':686,'\xc2':795,'\xc3':987,'\xc4':768,'\xc5':768, '\xc6':823,'\xc7':768,'\xc8':768,'\xc9':713,'\xca':713,'\xcb':713,'\xcc':713,'\xcd':713,'\xce':713,'\xcf':713,'\xd0':768,'\xd1':713,'\xd2':790,'\xd3':790,'\xd4':890,'\xd5':823,'\xd6':549,'\xd7':250,'\xd8':713,'\xd9':603,'\xda':603,'\xdb':1042, '\xdc':987,'\xdd':603,'\xde':987,'\xdf':603,'\xe0':494,'\xe1':329,'\xe2':790,'\xe3':790,'\xe4':786,'\xe5':713,'\xe6':384,'\xe7':384,'\xe8':384,'\xe9':384,'\xea':384,'\xeb':384,'\xec':494,'\xed':494,'\xee':494,'\xef':494,'\xf0':0,'\xf1':329, '\xf2':274,'\xf3':686,'\xf4':686,'\xf5':686,'\xf6':384,'\xf7':384,'\xf8':384,'\xf9':384,'\xfa':384,'\xfb':384,'\xfc':494,'\xfd':494,'\xfe':494,'\xff':0} fpdf_charwidths['times']={ '\x00':250,'\x01':250,'\x02':250,'\x03':250,'\x04':250,'\x05':250,'\x06':250,'\x07':250,'\x08':250,'\t':250,'\n':250,'\x0b':250,'\x0c':250,'\r':250,'\x0e':250,'\x0f':250,'\x10':250,'\x11':250,'\x12':250,'\x13':250,'\x14':250,'\x15':250, '\x16':250,'\x17':250,'\x18':250,'\x19':250,'\x1a':250,'\x1b':250,'\x1c':250,'\x1d':250,'\x1e':250,'\x1f':250,' ':250,'!':333,'"':408,'#':500,'$':500,'%':833,'&':778,'\'':180,'(':333,')':333,'*':500,'+':564, ',':250,'-':333,'.':250,'/':278,'0':500,'1':500,'2':500,'3':500,'4':500,'5':500,'6':500,'7':500,'8':500,'9':500,':':278,';':278,'<':564,'=':564,'>':564,'?':444,'@':921,'A':722, 'B':667,'C':667,'D':722,'E':611,'F':556,'G':722,'H':722,'I':333,'J':389,'K':722,'L':611,'M':889,'N':722,'O':722,'P':556,'Q':722,'R':667,'S':556,'T':611,'U':722,'V':722,'W':944, 'X':722,'Y':722,'Z':611,'[':333,'\\':278,']':333,'^':469,'_':500,'`':333,'a':444,'b':500,'c':444,'d':500,'e':444,'f':333,'g':500,'h':500,'i':278,'j':278,'k':500,'l':278,'m':778, 'n':500,'o':500,'p':500,'q':500,'r':333,'s':389,'t':278,'u':500,'v':500,'w':722,'x':500,'y':500,'z':444,'{':480,'|':200,'}':480,'~':541,'\x7f':350,'\x80':500,'\x81':350,'\x82':333,'\x83':500, '\x84':444,'\x85':1000,'\x86':500,'\x87':500,'\x88':333,'\x89':1000,'\x8a':556,'\x8b':333,'\x8c':889,'\x8d':350,'\x8e':611,'\x8f':350,'\x90':350,'\x91':333,'\x92':333,'\x93':444,'\x94':444,'\x95':350,'\x96':500,'\x97':1000,'\x98':333,'\x99':980, '\x9a':389,'\x9b':333,'\x9c':722,'\x9d':350,'\x9e':444,'\x9f':722,'\xa0':250,'\xa1':333,'\xa2':500,'\xa3':500,'\xa4':500,'\xa5':500,'\xa6':200,'\xa7':500,'\xa8':333,'\xa9':760,'\xaa':276,'\xab':500,'\xac':564,'\xad':333,'\xae':760,'\xaf':333, '\xb0':400,'\xb1':564,'\xb2':300,'\xb3':300,'\xb4':333,'\xb5':500,'\xb6':453,'\xb7':250,'\xb8':333,'\xb9':300,'\xba':310,'\xbb':500,'\xbc':750,'\xbd':750,'\xbe':750,'\xbf':444,'\xc0':722,'\xc1':722,'\xc2':722,'\xc3':722,'\xc4':722,'\xc5':722, '\xc6':889,'\xc7':667,'\xc8':611,'\xc9':611,'\xca':611,'\xcb':611,'\xcc':333,'\xcd':333,'\xce':333,'\xcf':333,'\xd0':722,'\xd1':722,'\xd2':722,'\xd3':722,'\xd4':722,'\xd5':722,'\xd6':722,'\xd7':564,'\xd8':722,'\xd9':722,'\xda':722,'\xdb':722, '\xdc':722,'\xdd':722,'\xde':556,'\xdf':500,'\xe0':444,'\xe1':444,'\xe2':444,'\xe3':444,'\xe4':444,'\xe5':444,'\xe6':667,'\xe7':444,'\xe8':444,'\xe9':444,'\xea':444,'\xeb':444,'\xec':278,'\xed':278,'\xee':278,'\xef':278,'\xf0':500,'\xf1':500, '\xf2':500,'\xf3':500,'\xf4':500,'\xf5':500,'\xf6':500,'\xf7':564,'\xf8':500,'\xf9':500,'\xfa':500,'\xfb':500,'\xfc':500,'\xfd':500,'\xfe':500,'\xff':500} fpdf_charwidths['timesB']={ '\x00':250,'\x01':250,'\x02':250,'\x03':250,'\x04':250,'\x05':250,'\x06':250,'\x07':250,'\x08':250,'\t':250,'\n':250,'\x0b':250,'\x0c':250,'\r':250,'\x0e':250,'\x0f':250,'\x10':250,'\x11':250,'\x12':250,'\x13':250,'\x14':250,'\x15':250, '\x16':250,'\x17':250,'\x18':250,'\x19':250,'\x1a':250,'\x1b':250,'\x1c':250,'\x1d':250,'\x1e':250,'\x1f':250,' ':250,'!':333,'"':555,'#':500,'$':500,'%':1000,'&':833,'\'':278,'(':333,')':333,'*':500,'+':570, ',':250,'-':333,'.':250,'/':278,'0':500,'1':500,'2':500,'3':500,'4':500,'5':500,'6':500,'7':500,'8':500,'9':500,':':333,';':333,'<':570,'=':570,'>':570,'?':500,'@':930,'A':722, 'B':667,'C':722,'D':722,'E':667,'F':611,'G':778,'H':778,'I':389,'J':500,'K':778,'L':667,'M':944,'N':722,'O':778,'P':611,'Q':778,'R':722,'S':556,'T':667,'U':722,'V':722,'W':1000, 'X':722,'Y':722,'Z':667,'[':333,'\\':278,']':333,'^':581,'_':500,'`':333,'a':500,'b':556,'c':444,'d':556,'e':444,'f':333,'g':500,'h':556,'i':278,'j':333,'k':556,'l':278,'m':833, 'n':556,'o':500,'p':556,'q':556,'r':444,'s':389,'t':333,'u':556,'v':500,'w':722,'x':500,'y':500,'z':444,'{':394,'|':220,'}':394,'~':520,'\x7f':350,'\x80':500,'\x81':350,'\x82':333,'\x83':500, '\x84':500,'\x85':1000,'\x86':500,'\x87':500,'\x88':333,'\x89':1000,'\x8a':556,'\x8b':333,'\x8c':1000,'\x8d':350,'\x8e':667,'\x8f':350,'\x90':350,'\x91':333,'\x92':333,'\x93':500,'\x94':500,'\x95':350,'\x96':500,'\x97':1000,'\x98':333,'\x99':1000, '\x9a':389,'\x9b':333,'\x9c':722,'\x9d':350,'\x9e':444,'\x9f':722,'\xa0':250,'\xa1':333,'\xa2':500,'\xa3':500,'\xa4':500,'\xa5':500,'\xa6':220,'\xa7':500,'\xa8':333,'\xa9':747,'\xaa':300,'\xab':500,'\xac':570,'\xad':333,'\xae':747,'\xaf':333, '\xb0':400,'\xb1':570,'\xb2':300,'\xb3':300,'\xb4':333,'\xb5':556,'\xb6':540,'\xb7':250,'\xb8':333,'\xb9':300,'\xba':330,'\xbb':500,'\xbc':750,'\xbd':750,'\xbe':750,'\xbf':500,'\xc0':722,'\xc1':722,'\xc2':722,'\xc3':722,'\xc4':722,'\xc5':722, '\xc6':1000,'\xc7':722,'\xc8':667,'\xc9':667,'\xca':667,'\xcb':667,'\xcc':389,'\xcd':389,'\xce':389,'\xcf':389,'\xd0':722,'\xd1':722,'\xd2':778,'\xd3':778,'\xd4':778,'\xd5':778,'\xd6':778,'\xd7':570,'\xd8':778,'\xd9':722,'\xda':722,'\xdb':722, '\xdc':722,'\xdd':722,'\xde':611,'\xdf':556,'\xe0':500,'\xe1':500,'\xe2':500,'\xe3':500,'\xe4':500,'\xe5':500,'\xe6':722,'\xe7':444,'\xe8':444,'\xe9':444,'\xea':444,'\xeb':444,'\xec':278,'\xed':278,'\xee':278,'\xef':278,'\xf0':500,'\xf1':556, '\xf2':500,'\xf3':500,'\xf4':500,'\xf5':500,'\xf6':500,'\xf7':570,'\xf8':500,'\xf9':556,'\xfa':556,'\xfb':556,'\xfc':556,'\xfd':500,'\xfe':556,'\xff':500} fpdf_charwidths['timesBI']={ '\x00':250,'\x01':250,'\x02':250,'\x03':250,'\x04':250,'\x05':250,'\x06':250,'\x07':250,'\x08':250,'\t':250,'\n':250,'\x0b':250,'\x0c':250,'\r':250,'\x0e':250,'\x0f':250,'\x10':250,'\x11':250,'\x12':250,'\x13':250,'\x14':250,'\x15':250, '\x16':250,'\x17':250,'\x18':250,'\x19':250,'\x1a':250,'\x1b':250,'\x1c':250,'\x1d':250,'\x1e':250,'\x1f':250,' ':250,'!':389,'"':555,'#':500,'$':500,'%':833,'&':778,'\'':278,'(':333,')':333,'*':500,'+':570, ',':250,'-':333,'.':250,'/':278,'0':500,'1':500,'2':500,'3':500,'4':500,'5':500,'6':500,'7':500,'8':500,'9':500,':':333,';':333,'<':570,'=':570,'>':570,'?':500,'@':832,'A':667, 'B':667,'C':667,'D':722,'E':667,'F':667,'G':722,'H':778,'I':389,'J':500,'K':667,'L':611,'M':889,'N':722,'O':722,'P':611,'Q':722,'R':667,'S':556,'T':611,'U':722,'V':667,'W':889, 'X':667,'Y':611,'Z':611,'[':333,'\\':278,']':333,'^':570,'_':500,'`':333,'a':500,'b':500,'c':444,'d':500,'e':444,'f':333,'g':500,'h':556,'i':278,'j':278,'k':500,'l':278,'m':778, 'n':556,'o':500,'p':500,'q':500,'r':389,'s':389,'t':278,'u':556,'v':444,'w':667,'x':500,'y':444,'z':389,'{':348,'|':220,'}':348,'~':570,'\x7f':350,'\x80':500,'\x81':350,'\x82':333,'\x83':500, '\x84':500,'\x85':1000,'\x86':500,'\x87':500,'\x88':333,'\x89':1000,'\x8a':556,'\x8b':333,'\x8c':944,'\x8d':350,'\x8e':611,'\x8f':350,'\x90':350,'\x91':333,'\x92':333,'\x93':500,'\x94':500,'\x95':350,'\x96':500,'\x97':1000,'\x98':333,'\x99':1000, '\x9a':389,'\x9b':333,'\x9c':722,'\x9d':350,'\x9e':389,'\x9f':611,'\xa0':250,'\xa1':389,'\xa2':500,'\xa3':500,'\xa4':500,'\xa5':500,'\xa6':220,'\xa7':500,'\xa8':333,'\xa9':747,'\xaa':266,'\xab':500,'\xac':606,'\xad':333,'\xae':747,'\xaf':333, '\xb0':400,'\xb1':570,'\xb2':300,'\xb3':300,'\xb4':333,'\xb5':576,'\xb6':500,'\xb7':250,'\xb8':333,'\xb9':300,'\xba':300,'\xbb':500,'\xbc':750,'\xbd':750,'\xbe':750,'\xbf':500,'\xc0':667,'\xc1':667,'\xc2':667,'\xc3':667,'\xc4':667,'\xc5':667, '\xc6':944,'\xc7':667,'\xc8':667,'\xc9':667,'\xca':667,'\xcb':667,'\xcc':389,'\xcd':389,'\xce':389,'\xcf':389,'\xd0':722,'\xd1':722,'\xd2':722,'\xd3':722,'\xd4':722,'\xd5':722,'\xd6':722,'\xd7':570,'\xd8':722,'\xd9':722,'\xda':722,'\xdb':722, '\xdc':722,'\xdd':611,'\xde':611,'\xdf':500,'\xe0':500,'\xe1':500,'\xe2':500,'\xe3':500,'\xe4':500,'\xe5':500,'\xe6':722,'\xe7':444,'\xe8':444,'\xe9':444,'\xea':444,'\xeb':444,'\xec':278,'\xed':278,'\xee':278,'\xef':278,'\xf0':500,'\xf1':556, '\xf2':500,'\xf3':500,'\xf4':500,'\xf5':500,'\xf6':500,'\xf7':570,'\xf8':500,'\xf9':556,'\xfa':556,'\xfb':556,'\xfc':556,'\xfd':444,'\xfe':500,'\xff':444} fpdf_charwidths['timesI']={ '\x00':250,'\x01':250,'\x02':250,'\x03':250,'\x04':250,'\x05':250,'\x06':250,'\x07':250,'\x08':250,'\t':250,'\n':250,'\x0b':250,'\x0c':250,'\r':250,'\x0e':250,'\x0f':250,'\x10':250,'\x11':250,'\x12':250,'\x13':250,'\x14':250,'\x15':250, '\x16':250,'\x17':250,'\x18':250,'\x19':250,'\x1a':250,'\x1b':250,'\x1c':250,'\x1d':250,'\x1e':250,'\x1f':250,' ':250,'!':333,'"':420,'#':500,'$':500,'%':833,'&':778,'\'':214,'(':333,')':333,'*':500,'+':675, ',':250,'-':333,'.':250,'/':278,'0':500,'1':500,'2':500,'3':500,'4':500,'5':500,'6':500,'7':500,'8':500,'9':500,':':333,';':333,'<':675,'=':675,'>':675,'?':500,'@':920,'A':611, 'B':611,'C':667,'D':722,'E':611,'F':611,'G':722,'H':722,'I':333,'J':444,'K':667,'L':556,'M':833,'N':667,'O':722,'P':611,'Q':722,'R':611,'S':500,'T':556,'U':722,'V':611,'W':833, 'X':611,'Y':556,'Z':556,'[':389,'\\':278,']':389,'^':422,'_':500,'`':333,'a':500,'b':500,'c':444,'d':500,'e':444,'f':278,'g':500,'h':500,'i':278,'j':278,'k':444,'l':278,'m':722, 'n':500,'o':500,'p':500,'q':500,'r':389,'s':389,'t':278,'u':500,'v':444,'w':667,'x':444,'y':444,'z':389,'{':400,'|':275,'}':400,'~':541,'\x7f':350,'\x80':500,'\x81':350,'\x82':333,'\x83':500, '\x84':556,'\x85':889,'\x86':500,'\x87':500,'\x88':333,'\x89':1000,'\x8a':500,'\x8b':333,'\x8c':944,'\x8d':350,'\x8e':556,'\x8f':350,'\x90':350,'\x91':333,'\x92':333,'\x93':556,'\x94':556,'\x95':350,'\x96':500,'\x97':889,'\x98':333,'\x99':980, '\x9a':389,'\x9b':333,'\x9c':667,'\x9d':350,'\x9e':389,'\x9f':556,'\xa0':250,'\xa1':389,'\xa2':500,'\xa3':500,'\xa4':500,'\xa5':500,'\xa6':275,'\xa7':500,'\xa8':333,'\xa9':760,'\xaa':276,'\xab':500,'\xac':675,'\xad':333,'\xae':760,'\xaf':333, '\xb0':400,'\xb1':675,'\xb2':300,'\xb3':300,'\xb4':333,'\xb5':500,'\xb6':523,'\xb7':250,'\xb8':333,'\xb9':300,'\xba':310,'\xbb':500,'\xbc':750,'\xbd':750,'\xbe':750,'\xbf':500,'\xc0':611,'\xc1':611,'\xc2':611,'\xc3':611,'\xc4':611,'\xc5':611, '\xc6':889,'\xc7':667,'\xc8':611,'\xc9':611,'\xca':611,'\xcb':611,'\xcc':333,'\xcd':333,'\xce':333,'\xcf':333,'\xd0':722,'\xd1':667,'\xd2':722,'\xd3':722,'\xd4':722,'\xd5':722,'\xd6':722,'\xd7':675,'\xd8':722,'\xd9':722,'\xda':722,'\xdb':722, '\xdc':722,'\xdd':556,'\xde':611,'\xdf':500,'\xe0':500,'\xe1':500,'\xe2':500,'\xe3':500,'\xe4':500,'\xe5':500,'\xe6':667,'\xe7':444,'\xe8':444,'\xe9':444,'\xea':444,'\xeb':444,'\xec':278,'\xed':278,'\xee':278,'\xef':278,'\xf0':500,'\xf1':500, '\xf2':500,'\xf3':500,'\xf4':500,'\xf5':500,'\xf6':500,'\xf7':675,'\xf8':500,'\xf9':500,'\xfa':500,'\xfb':500,'\xfc':500,'\xfd':444,'\xfe':500,'\xff':444} fpdf_charwidths['zapfdingbats']={ '\x00':0,'\x01':0,'\x02':0,'\x03':0,'\x04':0,'\x05':0,'\x06':0,'\x07':0,'\x08':0,'\t':0,'\n':0,'\x0b':0,'\x0c':0,'\r':0,'\x0e':0,'\x0f':0,'\x10':0,'\x11':0,'\x12':0,'\x13':0,'\x14':0,'\x15':0, '\x16':0,'\x17':0,'\x18':0,'\x19':0,'\x1a':0,'\x1b':0,'\x1c':0,'\x1d':0,'\x1e':0,'\x1f':0,' ':278,'!':974,'"':961,'#':974,'$':980,'%':719,'&':789,'\'':790,'(':791,')':690,'*':960,'+':939, ',':549,'-':855,'.':911,'/':933,'0':911,'1':945,'2':974,'3':755,'4':846,'5':762,'6':761,'7':571,'8':677,'9':763,':':760,';':759,'<':754,'=':494,'>':552,'?':537,'@':577,'A':692, 'B':786,'C':788,'D':788,'E':790,'F':793,'G':794,'H':816,'I':823,'J':789,'K':841,'L':823,'M':833,'N':816,'O':831,'P':923,'Q':744,'R':723,'S':749,'T':790,'U':792,'V':695,'W':776, 'X':768,'Y':792,'Z':759,'[':707,'\\':708,']':682,'^':701,'_':826,'`':815,'a':789,'b':789,'c':707,'d':687,'e':696,'f':689,'g':786,'h':787,'i':713,'j':791,'k':785,'l':791,'m':873, 'n':761,'o':762,'p':762,'q':759,'r':759,'s':892,'t':892,'u':788,'v':784,'w':438,'x':138,'y':277,'z':415,'{':392,'|':392,'}':668,'~':668,'\x7f':0,'\x80':390,'\x81':390,'\x82':317,'\x83':317, '\x84':276,'\x85':276,'\x86':509,'\x87':509,'\x88':410,'\x89':410,'\x8a':234,'\x8b':234,'\x8c':334,'\x8d':334,'\x8e':0,'\x8f':0,'\x90':0,'\x91':0,'\x92':0,'\x93':0,'\x94':0,'\x95':0,'\x96':0,'\x97':0,'\x98':0,'\x99':0, '\x9a':0,'\x9b':0,'\x9c':0,'\x9d':0,'\x9e':0,'\x9f':0,'\xa0':0,'\xa1':732,'\xa2':544,'\xa3':544,'\xa4':910,'\xa5':667,'\xa6':760,'\xa7':760,'\xa8':776,'\xa9':595,'\xaa':694,'\xab':626,'\xac':788,'\xad':788,'\xae':788,'\xaf':788, '\xb0':788,'\xb1':788,'\xb2':788,'\xb3':788,'\xb4':788,'\xb5':788,'\xb6':788,'\xb7':788,'\xb8':788,'\xb9':788,'\xba':788,'\xbb':788,'\xbc':788,'\xbd':788,'\xbe':788,'\xbf':788,'\xc0':788,'\xc1':788,'\xc2':788,'\xc3':788,'\xc4':788,'\xc5':788, '\xc6':788,'\xc7':788,'\xc8':788,'\xc9':788,'\xca':788,'\xcb':788,'\xcc':788,'\xcd':788,'\xce':788,'\xcf':788,'\xd0':788,'\xd1':788,'\xd2':788,'\xd3':788,'\xd4':894,'\xd5':838,'\xd6':1016,'\xd7':458,'\xd8':748,'\xd9':924,'\xda':748,'\xdb':918, '\xdc':927,'\xdd':928,'\xde':928,'\xdf':834,'\xe0':873,'\xe1':828,'\xe2':924,'\xe3':924,'\xe4':917,'\xe5':930,'\xe6':931,'\xe7':463,'\xe8':883,'\xe9':836,'\xea':836,'\xeb':867,'\xec':867,'\xed':696,'\xee':696,'\xef':874,'\xf0':0,'\xf1':874, '\xf2':760,'\xf3':946,'\xf4':771,'\xf5':865,'\xf6':771,'\xf7':888,'\xf8':967,'\xf9':888,'\xfa':831,'\xfb':873,'\xfc':927,'\xfd':970,'\xfe':918,'\xff':0}
ajibawa-2023/Python-Code-Large/train/row_559
17
156
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L6_C0", "label": "fpdf_charwidths =", "type": "assigned_variable", "loc": [6, 6], "level": 0, "parent": null, "vector": [14, 0, 0.0385, 0.0064, 0, 0.66, 0.0, 225, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "fpdf_charwidths", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "fpdf_charwidths = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L8_C0", "label": "assign", "type": "assigned_variable", "loc": [8, 8], "level": 0, "parent": null, "vector": [14, 0, 0.0513, 0.0064, 0, 0.66, 0.0833, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "fpdf_charwidths['courier']={}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:For_L10_C0", "label": "for i", "type": "for", "loc": [10, 14], "level": 0, "parent": null, "vector": [6, 0, 0.0769, 0.0321, 0, 0.66, 0.1667, 826, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "for i in xrange(0,256):\n fpdf_charwidths['courier'][chr(i)]=600\n fpdf_charwidths['courierB']=fpdf_charwidths['courier']\n fpdf_charwidths['courierI']=fpdf_charwidths['courier']\n fpdf_charwidths['courierBI']=fpdf_charwidths['courier']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L11_C4", "label": "assign", "type": "assigned_variable", "loc": [11, 11], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_559:For_L10_C0", "vector": [14, 1, 0.0705, 0.0064, 1, 0.08, 0.0, 0, 1, 0, 0, 0, 0, 1, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fpdf_charwidths['courier'][chr(i)]=600"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L12_C4", "label": "assign", "type": "assigned_variable", "loc": [12, 12], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_559:For_L10_C0", "vector": [14, 1, 0.0769, 0.0064, 1, 0.08, 0.3333, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fpdf_charwidths['courierB']=fpdf_charwidths['courier']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L13_C4", "label": "assign", "type": "assigned_variable", "loc": [13, 13], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_559:For_L10_C0", "vector": [14, 1, 0.0833, 0.0064, 1, 0.08, 0.6667, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fpdf_charwidths['courierI']=fpdf_charwidths['courier']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L14_C4", "label": "assign", "type": "assigned_variable", "loc": [14, 14], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_559:For_L10_C0", "vector": [14, 1, 0.0897, 0.0064, 1, 0.08, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fpdf_charwidths['courierBI']=fpdf_charwidths['courier']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L16_C0", "label": "assign", "type": "assigned_variable", "loc": [16, 28], "level": 0, "parent": null, "vector": [14, 0, 0.141, 0.0833, 0, 0.66, 0.25, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "fpdf_charwidths['helvetica']={\n '\\x00':278,'\\x01':278,'\\x02':278,'\\x03':278,'\\x04':278,'\\x05':278,'\\x06':278,'\\x07':278,'\\x08':278,'\\t':278,'\\n':278,'\\x0b':278,'\\x0c':278,'\\r':278,'\\x0e':278,'\\x0f':278,'\\x10':278,'\\x11':278,'\\x12':278,'\\x13':278,'\\x14':278,'\\x15':278,\n '\\x16':278,'\\x17':278,'\\x18':278,'\\x19':278,'\\x1a':278,'\\x1b':278,'\\x1c':278,'\\x1d':278,'\\x1e':278,'\\x1f':278,' ':278,'!':278,'\"':355,'#':556,'$':556,'%':889,'&':667,'\\'':191,'(':333,')':333,'*':389,'+':584,\n ',':278,'-':333,'.':278,'/':278,'0':556,'1':556,'2':556,'3':556,'4':556,'5':556,'6':556,'7':556,'8':556,'9':556,':':278,';':278,'<':584,'=':584,'>':584,'?':556,'@':1015,'A':667,\n 'B':667,'C':722,'D':722,'E':667,'F':611,'G':778,'H':722,'I':278,'J':500,'K':667,'L':556,'M':833,'N':722,'O':778,'P':667,'Q':778,'R':722,'S':667,'T':611,'U':722,'V':667,'W':944,\n 'X':667,'Y':667,'Z':611,'[':278,'\\\\':278,']':278,'^':469,'_':556,'`':333,'a':556,'b':556,'c':500,'d':556,'e':556,'f':278,'g':556,'h':556,'i':222,'j':222,'k':500,'l':222,'m':833,\n 'n':556,'o':556,'p':556,'q':556,'r':333,'s':500,'t':278,'u':556,'v':500,'w':722,'x':500,'y':500,'z':500,'{':334,'|':260,'}':334,'~':584,'\\x7f':350,'\\x80':556,'\\x81':350,'\\x82':222,'\\x83':556,\n '\\x84':333,'\\x85':1000,'\\x86':556,'\\x87':556,'\\x88':333,'\\x89':1000,'\\x8a':667,'\\x8b':333,'\\x8c':1000,'\\x8d':350,'\\x8e':611,'\\x8f':350,'\\x90':350,'\\x91':222,'\\x92':222,'\\x93':333,'\\x94':333,'\\x95':350,'\\x96':556,'\\x97':1000,'\\x98':333,'\\x99':1000,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L30_C0", "label": "assign", "type": "assigned_variable", "loc": [30, 43], "level": 0, "parent": null, "vector": [14, 0, 0.234, 0.0897, 0, 0.66, 0.3333, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "fpdf_charwidths['helveticaB']={\n '\\x00':278,'\\x01':278,'\\x02':278,'\\x03':278,'\\x04':278,'\\x05':278,'\\x06':278,'\\x07':278,'\\x08':278,'\\t':278,'\\n':278,'\\x0b':278,'\\x0c':278,'\\r':278,'\\x0e':278,'\\x0f':278,'\\x10':278,'\\x11':278,'\\x12':278,'\\x13':278,'\\x14':278,'\\x15':278,\n '\\x16':278,'\\x17':278,'\\x18':278,'\\x19':278,'\\x1a':278,'\\x1b':278,'\\x1c':278,'\\x1d':278,'\\x1e':278,'\\x1f':278,' ':278,'!':333,'\"':474,'#':556,'$':556,'%':889,'&':722,'\\'':238,'(':333,')':333,'*':389,'+':584,\n ',':278,'-':333,'.':278,'/':278,'0':556,'1':556,'2':556,'3':556,'4':556,'5':556,'6':556,'7':556,'8':556,'9':556,':':333,';':333,'<':584,'=':584,'>':584,'?':611,'@':975,'A':722,\n 'B':722,'C':722,'D':722,'E':667,'F':611,'G':778,'H':722,'I':278,'J':556,'K':722,'L':611,'M':833,'N':722,'O':778,'P':667,'Q':778,'R':722,'S':667,'T':611,'U':722,'V':667,'W':944,\n 'X':667,'Y':667,'Z':611,'[':333,'\\\\':278,']':333,'^':584,'_':556,'`':333,'a':556,'b':611,'c':556,'d':611,'e':556,'f':333,'g':611,'h':611,'i':278,'j':278,'k':556,'l':278,'m':889,\n 'n':611,'o':611,'p':611,'q':611,'r':389,'s':556,'t':333,'u':611,'v':556,'w':778,'x':556,'y':556,'z':500,'{':389,'|':280,'}':389,'~':584,'\\x7f':350,'\\x80':556,'\\x81':350,'\\x82':278,'\\x83':556,\n '\\x84':500,'\\x85':1000,'\\x86':556,'\\x87':556,'\\x88':333,'\\x89':1000,'\\x8a':667,'\\x8b':333,'\\x8c':1000,'\\x8d':350,'\\x8e':611,'\\x8f':350,'\\x90':350,'\\x91':278,'\\x92':278,'\\x93':500,'\\x94':500,'\\x95':350,'\\x96':556,'\\x97':1000,'\\x98':333,'\\x99':1000,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L45_C0", "label": "assign", "type": "assigned_variable", "loc": [45, 57], "level": 0, "parent": null, "vector": [14, 0, 0.3269, 0.0833, 0, 0.66, 0.4167, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "fpdf_charwidths['helveticaBI']={\n '\\x00':278,'\\x01':278,'\\x02':278,'\\x03':278,'\\x04':278,'\\x05':278,'\\x06':278,'\\x07':278,'\\x08':278,'\\t':278,'\\n':278,'\\x0b':278,'\\x0c':278,'\\r':278,'\\x0e':278,'\\x0f':278,'\\x10':278,'\\x11':278,'\\x12':278,'\\x13':278,'\\x14':278,'\\x15':278,\n '\\x16':278,'\\x17':278,'\\x18':278,'\\x19':278,'\\x1a':278,'\\x1b':278,'\\x1c':278,'\\x1d':278,'\\x1e':278,'\\x1f':278,' ':278,'!':333,'\"':474,'#':556,'$':556,'%':889,'&':722,'\\'':238,'(':333,')':333,'*':389,'+':584,\n ',':278,'-':333,'.':278,'/':278,'0':556,'1':556,'2':556,'3':556,'4':556,'5':556,'6':556,'7':556,'8':556,'9':556,':':333,';':333,'<':584,'=':584,'>':584,'?':611,'@':975,'A':722,\n 'B':722,'C':722,'D':722,'E':667,'F':611,'G':778,'H':722,'I':278,'J':556,'K':722,'L':611,'M':833,'N':722,'O':778,'P':667,'Q':778,'R':722,'S':667,'T':611,'U':722,'V':667,'W':944,\n 'X':667,'Y':667,'Z':611,'[':333,'\\\\':278,']':333,'^':584,'_':556,'`':333,'a':556,'b':611,'c':556,'d':611,'e':556,'f':333,'g':611,'h':611,'i':278,'j':278,'k':556,'l':278,'m':889,\n 'n':611,'o':611,'p':611,'q':611,'r':389,'s':556,'t':333,'u':611,'v':556,'w':778,'x':556,'y':556,'z':500,'{':389,'|':280,'}':389,'~':584,'\\x7f':350,'\\x80':556,'\\x81':350,'\\x82':278,'\\x83':556,\n '\\x84':500,'\\x85':1000,'\\x86':556,'\\x87':556,'\\x88':333,'\\x89':1000,'\\x8a':667,'\\x8b':333,'\\x8c':1000,'\\x8d':350,'\\x8e':611,'\\x8f':350,'\\x90':350,'\\x91':278,'\\x92':278,'\\x93':500,'\\x94':500,'\\x95':350,'\\x96':556,'\\x97':1000,'\\x98':333,'\\x99':1000,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L59_C0", "label": "assign", "type": "assigned_variable", "loc": [59, 71], "level": 0, "parent": null, "vector": [14, 0, 0.4167, 0.0833, 0, 0.66, 0.5, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "fpdf_charwidths['helveticaI']={\n '\\x00':278,'\\x01':278,'\\x02':278,'\\x03':278,'\\x04':278,'\\x05':278,'\\x06':278,'\\x07':278,'\\x08':278,'\\t':278,'\\n':278,'\\x0b':278,'\\x0c':278,'\\r':278,'\\x0e':278,'\\x0f':278,'\\x10':278,'\\x11':278,'\\x12':278,'\\x13':278,'\\x14':278,'\\x15':278,\n '\\x16':278,'\\x17':278,'\\x18':278,'\\x19':278,'\\x1a':278,'\\x1b':278,'\\x1c':278,'\\x1d':278,'\\x1e':278,'\\x1f':278,' ':278,'!':278,'\"':355,'#':556,'$':556,'%':889,'&':667,'\\'':191,'(':333,')':333,'*':389,'+':584,\n ',':278,'-':333,'.':278,'/':278,'0':556,'1':556,'2':556,'3':556,'4':556,'5':556,'6':556,'7':556,'8':556,'9':556,':':278,';':278,'<':584,'=':584,'>':584,'?':556,'@':1015,'A':667,\n 'B':667,'C':722,'D':722,'E':667,'F':611,'G':778,'H':722,'I':278,'J':500,'K':667,'L':556,'M':833,'N':722,'O':778,'P':667,'Q':778,'R':722,'S':667,'T':611,'U':722,'V':667,'W':944,\n 'X':667,'Y':667,'Z':611,'[':278,'\\\\':278,']':278,'^':469,'_':556,'`':333,'a':556,'b':556,'c':500,'d':556,'e':556,'f':278,'g':556,'h':556,'i':222,'j':222,'k':500,'l':222,'m':833,\n 'n':556,'o':556,'p':556,'q':556,'r':333,'s':500,'t':278,'u':556,'v':500,'w':722,'x':500,'y':500,'z':500,'{':334,'|':260,'}':334,'~':584,'\\x7f':350,'\\x80':556,'\\x81':350,'\\x82':222,'\\x83':556,\n '\\x84':333,'\\x85':1000,'\\x86':556,'\\x87':556,'\\x88':333,'\\x89':1000,'\\x8a':667,'\\x8b':333,'\\x8c':1000,'\\x8d':350,'\\x8e':611,'\\x8f':350,'\\x90':350,'\\x91':222,'\\x92':222,'\\x93':333,'\\x94':333,'\\x95':350,'\\x96':556,'\\x97':1000,'\\x98':333,'\\x99':1000,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L73_C0", "label": "assign", "type": "assigned_variable", "loc": [73, 85], "level": 0, "parent": null, "vector": [14, 0, 0.5064, 0.0833, 0, 0.66, 0.5833, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "fpdf_charwidths['symbol']={\n '\\x00':250,'\\x01':250,'\\x02':250,'\\x03':250,'\\x04':250,'\\x05':250,'\\x06':250,'\\x07':250,'\\x08':250,'\\t':250,'\\n':250,'\\x0b':250,'\\x0c':250,'\\r':250,'\\x0e':250,'\\x0f':250,'\\x10':250,'\\x11':250,'\\x12':250,'\\x13':250,'\\x14':250,'\\x15':250,\n '\\x16':250,'\\x17':250,'\\x18':250,'\\x19':250,'\\x1a':250,'\\x1b':250,'\\x1c':250,'\\x1d':250,'\\x1e':250,'\\x1f':250,' ':250,'!':333,'\"':713,'#':500,'$':549,'%':833,'&':778,'\\'':439,'(':333,')':333,'*':500,'+':549,\n ',':250,'-':549,'.':250,'/':278,'0':500,'1':500,'2':500,'3':500,'4':500,'5':500,'6':500,'7':500,'8':500,'9':500,':':278,';':278,'<':549,'=':549,'>':549,'?':444,'@':549,'A':722,\n 'B':667,'C':722,'D':612,'E':611,'F':763,'G':603,'H':722,'I':333,'J':631,'K':722,'L':686,'M':889,'N':722,'O':722,'P':768,'Q':741,'R':556,'S':592,'T':611,'U':690,'V':439,'W':768,\n 'X':645,'Y':795,'Z':611,'[':333,'\\\\':863,']':333,'^':658,'_':500,'`':500,'a':631,'b':549,'c':549,'d':494,'e':439,'f':521,'g':411,'h':603,'i':329,'j':603,'k':549,'l':549,'m':576,\n 'n':521,'o':549,'p':549,'q':521,'r':549,'s':603,'t':439,'u':576,'v':713,'w':686,'x':493,'y':686,'z':494,'{':480,'|':200,'}':480,'~':549,'\\x7f':0,'\\x80':0,'\\x81':0,'\\x82':0,'\\x83':0,\n '\\x84':0,'\\x85':0,'\\x86':0,'\\x87':0,'\\x88':0,'\\x89':0,'\\x8a':0,'\\x8b':0,'\\x8c':0,'\\x8d':0,'\\x8e':0,'\\x8f':0,'\\x90':0,'\\x91':0,'\\x92':0,'\\x93':0,'\\x94':0,'\\x95':0,'\\x96':0,'\\x97':0,'\\x98':0,'\\x99':0,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L87_C0", "label": "assign", "type": "assigned_variable", "loc": [87, 99], "level": 0, "parent": null, "vector": [14, 0, 0.5962, 0.0833, 0, 0.66, 0.6667, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "fpdf_charwidths['times']={\n '\\x00':250,'\\x01':250,'\\x02':250,'\\x03':250,'\\x04':250,'\\x05':250,'\\x06':250,'\\x07':250,'\\x08':250,'\\t':250,'\\n':250,'\\x0b':250,'\\x0c':250,'\\r':250,'\\x0e':250,'\\x0f':250,'\\x10':250,'\\x11':250,'\\x12':250,'\\x13':250,'\\x14':250,'\\x15':250,\n '\\x16':250,'\\x17':250,'\\x18':250,'\\x19':250,'\\x1a':250,'\\x1b':250,'\\x1c':250,'\\x1d':250,'\\x1e':250,'\\x1f':250,' ':250,'!':333,'\"':408,'#':500,'$':500,'%':833,'&':778,'\\'':180,'(':333,')':333,'*':500,'+':564,\n ',':250,'-':333,'.':250,'/':278,'0':500,'1':500,'2':500,'3':500,'4':500,'5':500,'6':500,'7':500,'8':500,'9':500,':':278,';':278,'<':564,'=':564,'>':564,'?':444,'@':921,'A':722,\n 'B':667,'C':667,'D':722,'E':611,'F':556,'G':722,'H':722,'I':333,'J':389,'K':722,'L':611,'M':889,'N':722,'O':722,'P':556,'Q':722,'R':667,'S':556,'T':611,'U':722,'V':722,'W':944,\n 'X':722,'Y':722,'Z':611,'[':333,'\\\\':278,']':333,'^':469,'_':500,'`':333,'a':444,'b':500,'c':444,'d':500,'e':444,'f':333,'g':500,'h':500,'i':278,'j':278,'k':500,'l':278,'m':778,\n 'n':500,'o':500,'p':500,'q':500,'r':333,'s':389,'t':278,'u':500,'v':500,'w':722,'x':500,'y':500,'z':444,'{':480,'|':200,'}':480,'~':541,'\\x7f':350,'\\x80':500,'\\x81':350,'\\x82':333,'\\x83':500,\n '\\x84':444,'\\x85':1000,'\\x86':500,'\\x87':500,'\\x88':333,'\\x89':1000,'\\x8a':556,'\\x8b':333,'\\x8c':889,'\\x8d':350,'\\x8e':611,'\\x8f':350,'\\x90':350,'\\x91':333,'\\x92':333,'\\x93':444,'\\x94':444,'\\x95':350,'\\x96':500,'\\x97':1000,'\\x98':333,'\\x99':980,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L101_C0", "label": "assign", "type": "assigned_variable", "loc": [101, 113], "level": 0, "parent": null, "vector": [14, 0, 0.6859, 0.0833, 0, 0.66, 0.75, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "fpdf_charwidths['timesB']={\n '\\x00':250,'\\x01':250,'\\x02':250,'\\x03':250,'\\x04':250,'\\x05':250,'\\x06':250,'\\x07':250,'\\x08':250,'\\t':250,'\\n':250,'\\x0b':250,'\\x0c':250,'\\r':250,'\\x0e':250,'\\x0f':250,'\\x10':250,'\\x11':250,'\\x12':250,'\\x13':250,'\\x14':250,'\\x15':250,\n '\\x16':250,'\\x17':250,'\\x18':250,'\\x19':250,'\\x1a':250,'\\x1b':250,'\\x1c':250,'\\x1d':250,'\\x1e':250,'\\x1f':250,' ':250,'!':333,'\"':555,'#':500,'$':500,'%':1000,'&':833,'\\'':278,'(':333,')':333,'*':500,'+':570,\n ',':250,'-':333,'.':250,'/':278,'0':500,'1':500,'2':500,'3':500,'4':500,'5':500,'6':500,'7':500,'8':500,'9':500,':':333,';':333,'<':570,'=':570,'>':570,'?':500,'@':930,'A':722,\n 'B':667,'C':722,'D':722,'E':667,'F':611,'G':778,'H':778,'I':389,'J':500,'K':778,'L':667,'M':944,'N':722,'O':778,'P':611,'Q':778,'R':722,'S':556,'T':667,'U':722,'V':722,'W':1000,\n 'X':722,'Y':722,'Z':667,'[':333,'\\\\':278,']':333,'^':581,'_':500,'`':333,'a':500,'b':556,'c':444,'d':556,'e':444,'f':333,'g':500,'h':556,'i':278,'j':333,'k':556,'l':278,'m':833,\n 'n':556,'o':500,'p':556,'q':556,'r':444,'s':389,'t':333,'u':556,'v':500,'w':722,'x':500,'y':500,'z':444,'{':394,'|':220,'}':394,'~':520,'\\x7f':350,'\\x80':500,'\\x81':350,'\\x82':333,'\\x83':500,\n '\\x84':500,'\\x85':1000,'\\x86':500,'\\x87':500,'\\x88':333,'\\x89':1000,'\\x8a':556,'\\x8b':333,'\\x8c':1000,'\\x8d':350,'\\x8e':667,'\\x8f':350,'\\x90':350,'\\x91':333,'\\x92':333,'\\x93':500,'\\x94':500,'\\x95':350,'\\x96':500,'\\x97':1000,'\\x98':333,'\\x99':1000,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L115_C0", "label": "assign", "type": "assigned_variable", "loc": [115, 127], "level": 0, "parent": null, "vector": [14, 0, 0.7756, 0.0833, 0, 0.66, 0.8333, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "fpdf_charwidths['timesBI']={\n '\\x00':250,'\\x01':250,'\\x02':250,'\\x03':250,'\\x04':250,'\\x05':250,'\\x06':250,'\\x07':250,'\\x08':250,'\\t':250,'\\n':250,'\\x0b':250,'\\x0c':250,'\\r':250,'\\x0e':250,'\\x0f':250,'\\x10':250,'\\x11':250,'\\x12':250,'\\x13':250,'\\x14':250,'\\x15':250,\n '\\x16':250,'\\x17':250,'\\x18':250,'\\x19':250,'\\x1a':250,'\\x1b':250,'\\x1c':250,'\\x1d':250,'\\x1e':250,'\\x1f':250,' ':250,'!':389,'\"':555,'#':500,'$':500,'%':833,'&':778,'\\'':278,'(':333,')':333,'*':500,'+':570,\n ',':250,'-':333,'.':250,'/':278,'0':500,'1':500,'2':500,'3':500,'4':500,'5':500,'6':500,'7':500,'8':500,'9':500,':':333,';':333,'<':570,'=':570,'>':570,'?':500,'@':832,'A':667,\n 'B':667,'C':667,'D':722,'E':667,'F':667,'G':722,'H':778,'I':389,'J':500,'K':667,'L':611,'M':889,'N':722,'O':722,'P':611,'Q':722,'R':667,'S':556,'T':611,'U':722,'V':667,'W':889,\n 'X':667,'Y':611,'Z':611,'[':333,'\\\\':278,']':333,'^':570,'_':500,'`':333,'a':500,'b':500,'c':444,'d':500,'e':444,'f':333,'g':500,'h':556,'i':278,'j':278,'k':500,'l':278,'m':778,\n 'n':556,'o':500,'p':500,'q':500,'r':389,'s':389,'t':278,'u':556,'v':444,'w':667,'x':500,'y':444,'z':389,'{':348,'|':220,'}':348,'~':570,'\\x7f':350,'\\x80':500,'\\x81':350,'\\x82':333,'\\x83':500,\n '\\x84':500,'\\x85':1000,'\\x86':500,'\\x87':500,'\\x88':333,'\\x89':1000,'\\x8a':556,'\\x8b':333,'\\x8c':944,'\\x8d':350,'\\x8e':611,'\\x8f':350,'\\x90':350,'\\x91':333,'\\x92':333,'\\x93':500,'\\x94':500,'\\x95':350,'\\x96':500,'\\x97':1000,'\\x98':333,'\\x99':1000,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L129_C0", "label": "assign", "type": "assigned_variable", "loc": [129, 141], "level": 0, "parent": null, "vector": [14, 0, 0.8654, 0.0833, 0, 0.66, 0.9167, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "fpdf_charwidths['timesI']={\n '\\x00':250,'\\x01':250,'\\x02':250,'\\x03':250,'\\x04':250,'\\x05':250,'\\x06':250,'\\x07':250,'\\x08':250,'\\t':250,'\\n':250,'\\x0b':250,'\\x0c':250,'\\r':250,'\\x0e':250,'\\x0f':250,'\\x10':250,'\\x11':250,'\\x12':250,'\\x13':250,'\\x14':250,'\\x15':250,\n '\\x16':250,'\\x17':250,'\\x18':250,'\\x19':250,'\\x1a':250,'\\x1b':250,'\\x1c':250,'\\x1d':250,'\\x1e':250,'\\x1f':250,' ':250,'!':333,'\"':420,'#':500,'$':500,'%':833,'&':778,'\\'':214,'(':333,')':333,'*':500,'+':675,\n ',':250,'-':333,'.':250,'/':278,'0':500,'1':500,'2':500,'3':500,'4':500,'5':500,'6':500,'7':500,'8':500,'9':500,':':333,';':333,'<':675,'=':675,'>':675,'?':500,'@':920,'A':611,\n 'B':611,'C':667,'D':722,'E':611,'F':611,'G':722,'H':722,'I':333,'J':444,'K':667,'L':556,'M':833,'N':667,'O':722,'P':611,'Q':722,'R':611,'S':500,'T':556,'U':722,'V':611,'W':833,\n 'X':611,'Y':556,'Z':556,'[':389,'\\\\':278,']':389,'^':422,'_':500,'`':333,'a':500,'b':500,'c':444,'d':500,'e':444,'f':278,'g':500,'h':500,'i':278,'j':278,'k':444,'l':278,'m':722,\n 'n':500,'o':500,'p':500,'q':500,'r':389,'s':389,'t':278,'u':500,'v':444,'w':667,'x':444,'y':444,'z':389,'{':400,'|':275,'}':400,'~':541,'\\x7f':350,'\\x80':500,'\\x81':350,'\\x82':333,'\\x83':500,\n '\\x84':556,'\\x85':889,'\\x86':500,'\\x87':500,'\\x88':333,'\\x89':1000,'\\x8a':500,'\\x8b':333,'\\x8c':944,'\\x8d':350,'\\x8e':556,'\\x8f':350,'\\x90':350,'\\x91':333,'\\x92':333,'\\x93':556,'\\x94':556,'\\x95':350,'\\x96':500,'\\x97':889,'\\x98':333,'\\x99':980,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L143_C0", "label": "assign", "type": "assigned_variable", "loc": [143, 155], "level": 0, "parent": null, "vector": [14, 0, 0.9551, 0.0833, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "fpdf_charwidths['zapfdingbats']={\n '\\x00':0,'\\x01':0,'\\x02':0,'\\x03':0,'\\x04':0,'\\x05':0,'\\x06':0,'\\x07':0,'\\x08':0,'\\t':0,'\\n':0,'\\x0b':0,'\\x0c':0,'\\r':0,'\\x0e':0,'\\x0f':0,'\\x10':0,'\\x11':0,'\\x12':0,'\\x13':0,'\\x14':0,'\\x15':0,\n '\\x16':0,'\\x17':0,'\\x18':0,'\\x19':0,'\\x1a':0,'\\x1b':0,'\\x1c':0,'\\x1d':0,'\\x1e':0,'\\x1f':0,' ':278,'!':974,'\"':961,'#':974,'$':980,'%':719,'&':789,'\\'':790,'(':791,')':690,'*':960,'+':939,\n ',':549,'-':855,'.':911,'/':933,'0':911,'1':945,'2':974,'3':755,'4':846,'5':762,'6':761,'7':571,'8':677,'9':763,':':760,';':759,'<':754,'=':494,'>':552,'?':537,'@':577,'A':692,\n 'B':786,'C':788,'D':788,'E':790,'F':793,'G':794,'H':816,'I':823,'J':789,'K':841,'L':823,'M':833,'N':816,'O':831,'P':923,'Q':744,'R':723,'S':749,'T':790,'U':792,'V':695,'W':776,\n 'X':768,'Y':792,'Z':759,'[':707,'\\\\':708,']':682,'^':701,'_':826,'`':815,'a':789,'b':789,'c':707,'d':687,'e':696,'f':689,'g':786,'h':787,'i':713,'j':791,'k':785,'l':791,'m':873,\n 'n':761,'o':762,'p':762,'q':759,'r':759,'s':892,'t':892,'u':788,'v':784,'w':438,'x':138,'y':277,'z':415,'{':392,'|':392,'}':668,'~':668,'\\x7f':0,'\\x80':390,'\\x81':390,'\\x82':317,'\\x83':317,\n '\\x84':276,'\\x85':276,'\\x86':509,'\\x87':509,'\\x88':410,'\\x89':410,'\\x8a':234,'\\x8b':234,'\\x8c':334,'\\x8d':334,'\\x8e':0,'\\x8f':0,'\\x90':0,'\\x91':0,'\\x92':0,'\\x93':0,'\\x94':0,'\\x95':0,'\\x96':0,'\\x97':0,'\\x98':0,'\\x99':0,"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_559:For_L10_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L11_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_559:For_L10_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L12_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_559:For_L10_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_559:For_L10_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_559:Assign_L14_C4"}]
#****************************************************************************** # TTFontFile class # # This class is based on The ReportLab Open Source PDF library # written in Python - http://www.reportlab.com/software/opensource/ # together with ideas from the OpenOffice source code and others. # # Version: 1.04 # Date: 2011-09-18 # Author: Ian Back <ianb@bpm1.com> # License: LGPL # Copyright (c) Ian Back, 2010 # Ported to Python 2.7 by Mariano Reingart (reingart@gmail.com) on 2012 # This header must be retained in any redistribution or # modification of the file. # #****************************************************************************** from struct import pack, unpack, unpack_from import re import warnings from php import die, substr, str_repeat, str_pad, strlen, count # Define the value used in the "head" table of a created TTF file # 0x74727565 "true" for Mac # 0x00010000 for Windows # Either seems to work for a font embedded in a PDF file # when read by Adobe Reader on a Windows PC(!) _TTF_MAC_HEADER = False # TrueType Font Glyph operators GF_WORDS = (1 << 0) GF_SCALE = (1 << 3) GF_MORE = (1 << 5) GF_XYSCALE = (1 << 6) GF_TWOBYTWO = (1 << 7) def sub32(x, y): xlo = x[1] xhi = x[0] ylo = y[1] yhi = y[0] if (ylo > xlo): xlo += 1 << 16 yhi += 1 reslo = xlo-ylo if (yhi > xhi): xhi += 1 << 16 reshi = xhi-yhi reshi = reshi & 0xFFFF return (reshi, reslo) def calcChecksum(data): if (strlen(data) % 4): data += str_repeat("\0", (4-(len(data) % 4))) hi=0x0000 lo=0x0000 for i in range(0, len(data), 4): hi += (ord(data[i])<<8) + ord(data[i+1]) lo += (ord(data[i+2])<<8) + ord(data[i+3]) hi += lo >> 16 lo = lo & 0xFFFF hi = hi & 0xFFFF return (hi, lo) class TTFontFile: def __init__(self): self.maxStrLenRead = 200000 # Maximum size of glyf table to read in as string (otherwise reads each glyph from file) def getMetrics(self, file): self.filename = file self.fh = open(file,'rb') self._pos = 0 self.charWidths = [] self.glyphPos = {} self.charToGlyph = {} self.tables = {} self.otables = {} self.ascent = 0 self.descent = 0 self.TTCFonts = {} self.version = version = self.read_ulong() if (version==0x4F54544F): die("Postscript outlines are not supported") if (version==0x74746366): die("ERROR - TrueType Fonts Collections not supported") if (version not in (0x00010000,0x74727565)): die("Not a TrueType font: version=" + version) self.readTableDirectory() self.extractInfo() self.fh.close() def readTableDirectory(self, ): self.numTables = self.read_ushort() self.searchRange = self.read_ushort() self.entrySelector = self.read_ushort() self.rangeShift = self.read_ushort() self.tables = {} for i in range(self.numTables): record = {} record['tag'] = self.read_tag() record['checksum'] = (self.read_ushort(),self.read_ushort()) record['offset'] = self.read_ulong() record['length'] = self.read_ulong() self.tables[record['tag']] = record def get_table_pos(self, tag): offset = self.tables[tag]['offset'] length = self.tables[tag]['length'] return (offset, length) def seek(self, pos): self._pos = pos self.fh.seek(self._pos) def skip(self, delta): self._pos = self._pos + delta self.fh.seek(self._pos) def seek_table(self, tag, offset_in_table = 0): tpos = self.get_table_pos(tag) self._pos = tpos[0] + offset_in_table self.fh.seek(self._pos) return self._pos def read_tag(self): self._pos += 4 return self.fh.read(4) def read_short(self): self._pos += 2 s = self.fh.read(2) a = (ord(s[0])<<8) + ord(s[1]) if (a & (1 << 15) ): a = (a - (1 << 16)) return a def unpack_short(self, s): a = (ord(s[0])<<8) + ord(s[1]) if (a & (1 << 15) ): a = (a - (1 << 16)) return a def read_ushort(self): self._pos += 2 s = self.fh.read(2) return (ord(s[0])<<8) + ord(s[1]) def read_ulong(self): self._pos += 4 s = self.fh.read(4) # if large uInt32 as an integer, PHP converts it to -ve return (ord(s[0])*16777216) + (ord(s[1])<<16) + (ord(s[2])<<8) + ord(s[3]) # 16777216 = 1<<24 def get_ushort(self, pos): self.fh.seek(pos) s = self.fh.read(2) return (ord(s[0])<<8) + ord(s[1]) def get_ulong(self, pos): self.fh.seek(pos) s = self.fh.read(4) # iF large uInt32 as an integer, PHP converts it to -ve return (ord(s[0])*16777216) + (ord(s[1])<<16) + (ord(s[2])<<8) + ord(s[3]) # 16777216 = 1<<24 def pack_short(self, val): if (val<0): val = abs(val) val = ~val val += 1 return pack(">H",val) def splice(self, stream, offset, value): return substr(stream,0,offset) + value + substr(stream,offset+strlen(value)) def _set_ushort(self, stream, offset, value): up = pack(">H", value) return self.splice(stream, offset, up) def _set_short(self, stream, offset, val): if (val<0): val = abs(val) val = ~val val += 1 up = pack(">H",val) return self.splice(stream, offset, up) def get_chunk(self, pos, length): self.fh.seek(pos) if (length <1): return '' return (self.fh.read(length)) def get_table(self, tag): (pos, length) = self.get_table_pos(tag) if (length == 0): die('Truetype font (' + self.filename + '): error reading table: ' + tag) self.fh.seek(pos) return (self.fh.read(length)) def add(self, tag, data): if (tag == 'head') : data = self.splice(data, 8, "\0\0\0\0") self.otables[tag] = data ############################################/ ############################################/ ############################################/ def extractInfo(self): #################/ # name - Naming table #################/ self.sFamilyClass = 0 self.sFamilySubClass = 0 name_offset = self.seek_table("name") format = self.read_ushort() if (format != 0): die("Unknown name table format " + format) numRecords = self.read_ushort() string_data_offset = name_offset + self.read_ushort() names = {1:'',2:'',3:'',4:'',6:''} K = names.keys() nameCount = len(names) for i in range(numRecords): platformId = self.read_ushort() encodingId = self.read_ushort() languageId = self.read_ushort() nameId = self.read_ushort() length = self.read_ushort() offset = self.read_ushort() if (nameId not in K): continue N = '' if (platformId == 3 and encodingId == 1 and languageId == 0x409): # Microsoft, Unicode, US English, PS Name opos = self._pos self.seek(string_data_offset + offset) if (length % 2 != 0): die("PostScript name is UTF-16BE string of odd length") length /= 2 N = '' while (length > 0): char = self.read_ushort() N += (chr(char)) length -= 1 self._pos = opos self.seek(opos) elif (platformId == 1 and encodingId == 0 and languageId == 0): # Macintosh, Roman, English, PS Name opos = self._pos N = self.get_chunk(string_data_offset + offset, length) self._pos = opos self.seek(opos) if (N and names[nameId]==''): names[nameId] = N nameCount -= 1 if (nameCount==0): break if (names[6]): psName = names[6] elif (names[4]): psName = re.sub(' ','-',names[4]) elif (names[1]): psName = re.sub(' ','-',names[1]) else: psName = '' if (not psName): die("Could not find PostScript font name") self.name = psName if (names[1]): self.familyName = names[1] else: self.familyName = psName if (names[2]): self.styleName = names[2] else: self.styleName = 'Regular' if (names[4]): self.fullName = names[4] else: self.fullName = psName if (names[3]): self.uniqueFontID = names[3] else: self.uniqueFontID = psName if (names[6]): self.fullName = names[6] #################/ # head - Font header table #################/ self.seek_table("head") self.skip(18) self.unitsPerEm = unitsPerEm = self.read_ushort() scale = 1000 / float(unitsPerEm) self.skip(16) xMin = self.read_short() yMin = self.read_short() xMax = self.read_short() yMax = self.read_short() self.bbox = [(xMin*scale), (yMin*scale), (xMax*scale), (yMax*scale)] self.skip(3*2) indexToLocFormat = self.read_ushort() glyphDataFormat = self.read_ushort() if (glyphDataFormat != 0): die('Unknown glyph data format ' + glyphDataFormat) #################/ # hhea metrics table #################/ # ttf2t1 seems to use this value rather than the one in OS/2 - so put in for compatibility if ("hhea" in self.tables): self.seek_table("hhea") self.skip(4) hheaAscender = self.read_short() hheaDescender = self.read_short() self.ascent = (hheaAscender *scale) self.descent = (hheaDescender *scale) #################/ # OS/2 - OS/2 and Windows metrics table #################/ if ("OS/2" in self.tables): self.seek_table("OS/2") version = self.read_ushort() self.skip(2) usWeightClass = self.read_ushort() self.skip(2) fsType = self.read_ushort() if (fsType == 0x0002 or (fsType & 0x0300) != 0): die('ERROR - Font file ' + self.filename + ' cannot be embedded due to copyright restrictions.') self.restrictedUse = True self.skip(20) sF = self.read_short() self.sFamilyClass = (sF >> 8) self.sFamilySubClass = (sF & 0xFF) self._pos += 10 #PANOSE = 10 byte length panose = self.fh.read(10) self.skip(26) sTypoAscender = self.read_short() sTypoDescender = self.read_short() if (not self.ascent): self.ascent = (sTypoAscender*scale) if (not self.descent): self.descent = (sTypoDescender*scale) if (version > 1): self.skip(16) sCapHeight = self.read_short() self.capHeight = (sCapHeight*scale) else: self.capHeight = self.ascent else: usWeightClass = 500 if (not self.ascent): self.ascent = (yMax*scale) if (not self.descent): self.descent = (yMin*scale) self.capHeight = self.ascent self.stemV = 50 + int(pow((usWeightClass / 65.0),2)) #################/ # post - PostScript table #################/ self.seek_table("post") self.skip(4) self.italicAngle = self.read_short() + self.read_ushort() / 65536.0 self.underlinePosition = self.read_short() * scale self.underlineThickness = self.read_short() * scale isFixedPitch = self.read_ulong() self.flags = 4 if (self.italicAngle!= 0): self.flags = self.flags | 64 if (usWeightClass >= 600): self.flags = self.flags | 262144 if (isFixedPitch): self.flags = self.flags | 1 #################/ # hhea - Horizontal header table #################/ self.seek_table("hhea") self.skip(32) metricDataFormat = self.read_ushort() if (metricDataFormat != 0): die('Unknown horizontal metric data format '.metricDataFormat) numberOfHMetrics = self.read_ushort() if (numberOfHMetrics == 0): die('Number of horizontal metrics is 0') #################/ # maxp - Maximum profile table #################/ self.seek_table("maxp") self.skip(4) numGlyphs = self.read_ushort() #################/ # cmap - Character to glyph index mapping table #################/ cmap_offset = self.seek_table("cmap") self.skip(2) cmapTableCount = self.read_ushort() unicode_cmap_offset = 0 unicode_cmap_offset12 = 0 for i in range(cmapTableCount): platformID = self.read_ushort() encodingID = self.read_ushort() offset = self.read_ulong() save_pos = self._pos if platformID == 3 and encodingID == 10: # Microsoft, UCS-4 format = self.get_ushort(cmap_offset + offset) if (format == 12): if not unicode_cmap_offset12: unicode_cmap_offset12 = cmap_offset + offset break if ((platformID == 3 and encodingID == 1) or platformID == 0): # Microsoft, Unicode format = self.get_ushort(cmap_offset + offset) if (format == 4): if (not unicode_cmap_offset): unicode_cmap_offset = cmap_offset + offset break self.seek(save_pos) if not unicode_cmap_offset and not unicode_cmap_offset12: die('Font (' + self.filename + ') does not have cmap for Unicode (platform 3, encoding 1, format 4, or platform 3, encoding 10, format 12, or platform 0, any encoding, format 4)') glyphToChar = {} charToGlyph = {} if unicode_cmap_offset12: self.getCMAP12(unicode_cmap_offset12, glyphToChar, charToGlyph) else: self.getCMAP4(unicode_cmap_offset, glyphToChar, charToGlyph) #################/ # hmtx - Horizontal metrics table #################/ self.getHMTX(numberOfHMetrics, numGlyphs, glyphToChar, scale) ############################################/ ############################################/ def makeSubset(self, file, subset): self.filename = file self.fh = open(file ,'rb') self._pos = 0 self.charWidths = [] self.glyphPos = {} self.charToGlyph = {} self.tables = {} self.otables = {} self.ascent = 0 self.descent = 0 self.skip(4) self.maxUni = 0 self.readTableDirectory() #################/ # head - Font header table #################/ self.seek_table("head") self.skip(50) indexToLocFormat = self.read_ushort() glyphDataFormat = self.read_ushort() #################/ # hhea - Horizontal header table #################/ self.seek_table("hhea") self.skip(32) metricDataFormat = self.read_ushort() orignHmetrics = numberOfHMetrics = self.read_ushort() #################/ # maxp - Maximum profile table #################/ self.seek_table("maxp") self.skip(4) numGlyphs = self.read_ushort() #################/ # cmap - Character to glyph index mapping table #################/ cmap_offset = self.seek_table("cmap") self.skip(2) cmapTableCount = self.read_ushort() unicode_cmap_offset = 0 unicode_cmap_offset12 = 0 for i in range(cmapTableCount): platformID = self.read_ushort() encodingID = self.read_ushort() offset = self.read_ulong() save_pos = self._pos if platformID == 3 and encodingID == 10: # Microsoft, UCS-4 format = self.get_ushort(cmap_offset + offset) if (format == 12): if not unicode_cmap_offset12: unicode_cmap_offset12 = cmap_offset + offset break if ((platformID == 3 and encodingID == 1) or platformID == 0): # Microsoft, Unicode format = self.get_ushort(cmap_offset + offset) if (format == 4): unicode_cmap_offset = cmap_offset + offset break self.seek(save_pos ) if not unicode_cmap_offset and not unicode_cmap_offset12: die('Font (' + self.filename + ') does not have cmap for Unicode (platform 3, encoding 1, format 4, or platform 3, encoding 10, format 12, or platform 0, any encoding, format 4)') glyphToChar = {} charToGlyph = {} if unicode_cmap_offset12: self.getCMAP12(unicode_cmap_offset12, glyphToChar, charToGlyph) else: self.getCMAP4(unicode_cmap_offset, glyphToChar, charToGlyph) self.charToGlyph = charToGlyph #################/ # hmtx - Horizontal metrics table #################/ scale = 1 # not used self.getHMTX(numberOfHMetrics, numGlyphs, glyphToChar, scale) #################/ # loca - Index to location #################/ self.getLOCA(indexToLocFormat, numGlyphs) subsetglyphs = [(0, 0)] # special "sorted dict"! subsetCharToGlyph = {} for code in subset: if (code in self.charToGlyph): if (self.charToGlyph[code], code) not in subsetglyphs: subsetglyphs.append((self.charToGlyph[code], code)) # Old Glyph ID => Unicode subsetCharToGlyph[code] = self.charToGlyph[code] # Unicode to old GlyphID self.maxUni = max(self.maxUni, code) (start,dummy) = self.get_table_pos('glyf') subsetglyphs.sort() glyphSet = {} n = 0 fsLastCharIndex = 0 # maximum Unicode index (character code) in this font, according to the cmap subtable for platform ID 3 and platform- specific encoding ID 0 or 1. for originalGlyphIdx, uni in subsetglyphs: fsLastCharIndex = max(fsLastCharIndex , uni) glyphSet[originalGlyphIdx] = n # old glyphID to new glyphID n += 1 codeToGlyph = {} for uni, originalGlyphIdx in sorted(subsetCharToGlyph.items()): codeToGlyph[uni] = glyphSet[originalGlyphIdx] self.codeToGlyph = codeToGlyph for originalGlyphIdx, uni in subsetglyphs: nonlocals = {'start': start, 'glyphSet': glyphSet, 'subsetglyphs': subsetglyphs} self.getGlyphs(originalGlyphIdx, nonlocals) numGlyphs = numberOfHMetrics = len(subsetglyphs) #tables copied from the original tags = ['name'] for tag in tags: self.add(tag, self.get_table(tag)) tags = ['cvt ', 'fpgm', 'prep', 'gasp'] for tag in tags: if (tag in self.tables): self.add(tag, self.get_table(tag)) # post - PostScript opost = self.get_table('post') post = "\x00\x03\x00\x00" + substr(opost,4,12) + "\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00" self.add('post', post) # Sort CID2GID map into segments of contiguous codes if 0 in codeToGlyph: del codeToGlyph[0] #unset(codeToGlyph[65535]) rangeid = 0 range_ = {} prevcid = -2 prevglidx = -1 # for each character for cid, glidx in sorted(codeToGlyph.items()): if (cid == (prevcid + 1) and glidx == (prevglidx + 1)): range_[rangeid].append(glidx) else: # new range rangeid = cid range_[rangeid] = [] range_[rangeid].append(glidx) prevcid = cid prevglidx = glidx # cmap - Character to glyph mapping - Format 4 (MS / ) segCount = len(range_) + 1 # + 1 Last segment has missing character 0xFFFF searchRange = 1 entrySelector = 0 while (searchRange * 2 <= segCount ): searchRange = searchRange * 2 entrySelector = entrySelector + 1 searchRange = searchRange * 2 rangeShift = segCount * 2 - searchRange length = 16 + (8*segCount ) + (numGlyphs+1) cmap = [0, 1, # Index : version, number of encoding subtables 3, 1, # Encoding Subtable : platform (MS=3), encoding (Unicode) 0, 12, # Encoding Subtable : offset (hi,lo) 4, length, 0, # Format 4 Mapping subtable: format, length, language segCount*2, searchRange, entrySelector, rangeShift] range_ = sorted(range_.items()) # endCode(s) for start, subrange in range_: endCode = start + (len(subrange)-1) cmap.append(endCode) # endCode(s) cmap.append(0xFFFF) # endCode of last Segment cmap.append(0) # reservedPad # startCode(s) for start, subrange in range_: cmap.append(start) # startCode(s) cmap.append(0xFFFF) # startCode of last Segment # idDelta(s) for start, subrange in range_: idDelta = -(start-subrange[0]) n += count(subrange) cmap.append(idDelta) # idDelta(s) cmap.append(1) # idDelta of last Segment # idRangeOffset(s) for subrange in range_: cmap.append(0) # idRangeOffset[segCount] Offset in bytes to glyph indexArray, or 0 cmap.append(0) # idRangeOffset of last Segment for subrange, glidx in range_: cmap.extend(glidx) cmap.append(0) # Mapping for last character cmapstr = '' for cm in cmap: if cm >= 0: cmapstr += pack(">H", cm) else: try: cmapstr += pack(">h", cm) except: warnings.warn("cmap value too big/small: %s" % cm) cmapstr += pack(">H", -cm) self.add('cmap', cmapstr) # glyf - Glyph data (glyfOffset,glyfLength) = self.get_table_pos('glyf') if (glyfLength < self.maxStrLenRead): glyphData = self.get_table('glyf') offsets = [] glyf = '' pos = 0 hmtxstr = '' xMinT = 0 yMinT = 0 xMaxT = 0 yMaxT = 0 advanceWidthMax = 0 minLeftSideBearing = 0 minRightSideBearing = 0 xMaxExtent = 0 maxPoints = 0 # points in non-compound glyph maxContours = 0 # contours in non-compound glyph maxComponentPoints = 0 # points in compound glyph maxComponentContours = 0 # contours in compound glyph maxComponentElements = 0 # number of glyphs referenced at top level maxComponentDepth = 0 # levels of recursion, set to 0 if font has only simple glyphs self.glyphdata = {} for originalGlyphIdx, uni in subsetglyphs: # hmtx - Horizontal Metrics hm = self.getHMetric(orignHmetrics, originalGlyphIdx) hmtxstr += hm offsets.append(pos) try: glyphPos = self.glyphPos[originalGlyphIdx] glyphLen = self.glyphPos[originalGlyphIdx + 1] - glyphPos except IndexError: warnings.warn("missing glyph %s" % (originalGlyphIdx)) glyphLen = 0 if (glyfLength < self.maxStrLenRead): data = substr(glyphData,glyphPos,glyphLen) else: if (glyphLen > 0): data = self.get_chunk(glyfOffset+glyphPos,glyphLen) else: data = '' if (glyphLen > 0): up = unpack(">H", substr(data,0,2))[0] if (glyphLen > 2 and (up & (1 << 15)) ): # If number of contours <= -1 i.e. composiste glyph pos_in_glyph = 10 flags = GF_MORE nComponentElements = 0 while (flags & GF_MORE): nComponentElements += 1 # number of glyphs referenced at top level up = unpack(">H", substr(data,pos_in_glyph,2)) flags = up[0] up = unpack(">H", substr(data,pos_in_glyph+2,2)) glyphIdx = up[0] self.glyphdata.setdefault(originalGlyphIdx, {}).setdefault('compGlyphs', []).append(glyphIdx) try: data = self._set_ushort(data, pos_in_glyph + 2, glyphSet[glyphIdx]) except KeyError: data = 0 warnings.warn("missing glyph data %s" % glyphIdx) pos_in_glyph += 4 if (flags & GF_WORDS): pos_in_glyph += 4 else: pos_in_glyph += 2 if (flags & GF_SCALE): pos_in_glyph += 2 elif (flags & GF_XYSCALE): pos_in_glyph += 4 elif (flags & GF_TWOBYTWO): pos_in_glyph += 8 maxComponentElements = max(maxComponentElements, nComponentElements) glyf += data pos += glyphLen if (pos % 4 != 0): padding = 4 - (pos % 4) glyf += str_repeat("\0",padding) pos += padding offsets.append(pos) self.add('glyf', glyf) # hmtx - Horizontal Metrics self.add('hmtx', hmtxstr) # loca - Index to location locastr = '' if (((pos + 1) >> 1) > 0xFFFF): indexToLocFormat = 1 # long format for offset in offsets: locastr += pack(">L",offset) else: indexToLocFormat = 0 # short format for offset in offsets: locastr += pack(">H",(offset/2)) self.add('loca', locastr) # head - Font header head = self.get_table('head') head = self._set_ushort(head, 50, indexToLocFormat) self.add('head', head) # hhea - Horizontal Header hhea = self.get_table('hhea') hhea = self._set_ushort(hhea, 34, numberOfHMetrics) self.add('hhea', hhea) # maxp - Maximum Profile maxp = self.get_table('maxp') maxp = self._set_ushort(maxp, 4, numGlyphs) self.add('maxp', maxp) # OS/2 - OS/2 os2 = self.get_table('OS/2') self.add('OS/2', os2 ) self.fh.close() # Put the TTF file together stm = self.endTTFile('') return stm ######################################### # Recursively get composite glyph data def getGlyphData(self, originalGlyphIdx, nonlocals): # &maxdepth, &depth, &points, &contours nonlocals['depth'] += 1 nonlocals['maxdepth'] = max(nonlocals['maxdepth'], nonlocals['depth']) if (len(self.glyphdata[originalGlyphIdx]['compGlyphs'])): for glyphIdx in self.glyphdata[originalGlyphIdx]['compGlyphs']: self.getGlyphData(glyphIdx, nonlocals) elif ((self.glyphdata[originalGlyphIdx]['nContours'] > 0) and nonlocals['depth'] > 0): # simple contours += self.glyphdata[originalGlyphIdx]['nContours'] points += self.glyphdata[originalGlyphIdx]['nPoints'] nonlocals['depth'] -= 1 ######################################### # Recursively get composite glyphs def getGlyphs(self, originalGlyphIdx, nonlocals): # &start, &glyphSet, &subsetglyphs) try: glyphPos = self.glyphPos[originalGlyphIdx] glyphLen = self.glyphPos[originalGlyphIdx + 1] - glyphPos except IndexError: warnings.warn("missing glyph %s" % (originalGlyphIdx)) return if (not glyphLen): return self.seek(nonlocals['start'] + glyphPos) numberOfContours = self.read_short() if (numberOfContours < 0): self.skip(8) flags = GF_MORE while (flags & GF_MORE): flags = self.read_ushort() glyphIdx = self.read_ushort() if (glyphIdx not in nonlocals['glyphSet']): nonlocals['glyphSet'][glyphIdx] = len(nonlocals['subsetglyphs']) # old glyphID to new glyphID nonlocals['subsetglyphs'].append((glyphIdx, 1)) savepos = self.fh.tell() self.getGlyphs(glyphIdx, nonlocals) self.seek(savepos) if (flags & GF_WORDS): self.skip(4) else: self.skip(2) if (flags & GF_SCALE): self.skip(2) elif (flags & GF_XYSCALE): self.skip(4) elif (flags & GF_TWOBYTWO): self.skip(8) ######################################### def getHMTX(self, numberOfHMetrics, numGlyphs, glyphToChar, scale): start = self.seek_table("hmtx") aw = 0 self.charWidths = [0] * 256*256*2 nCharWidths = 0 if ((numberOfHMetrics*4) < self.maxStrLenRead): data = self.get_chunk(start,(numberOfHMetrics*4)) arr = unpack(">" + "H" * (len(data)/2), data) else: self.seek(start) for glyph in range(numberOfHMetrics): if ((numberOfHMetrics*4) < self.maxStrLenRead): aw = arr[(glyph*2)] # PHP starts arrays from index 0!? +1 else: aw = self.read_ushort() lsb = self.read_ushort() if (glyph in glyphToChar or glyph == 0): if (aw >= (1 << 15) ): aw = 0 # 1.03 Some (arabic) fonts have -ve values for width # although should be unsigned value - comes out as e.g. 65108 (intended -50) if (glyph == 0): self.defaultWidth = scale*aw continue for char in glyphToChar[glyph]: if (char != 0 and char != 65535): w = int(round(scale*aw)) if (w == 0): w = 65535 if (char < 196608): self.charWidths[char] = w nCharWidths += 1 data = self.get_chunk((start+numberOfHMetrics*4),(numGlyphs*2)) arr = unpack(">" + "H" * (len(data)/2), data) diff = numGlyphs-numberOfHMetrics for pos in range(diff): glyph = pos + numberOfHMetrics if (glyph in glyphToChar): for char in glyphToChar[glyph]: if (char != 0 and char != 65535): w = int(round(scale*aw)) if (w == 0): w = 65535 if (char < 196608): self.charWidths[char] = w nCharWidths += 1 # NB 65535 is a set width of 0 # First bytes define number of chars in font self.charWidths[0] = nCharWidths def getHMetric(self, numberOfHMetrics, gid): start = self.seek_table("hmtx") if (gid < numberOfHMetrics): self.seek(start+(gid*4)) hm = self.fh.read(4) else: self.seek(start+((numberOfHMetrics-1)*4)) hm = self.fh.read(2) self.seek(start+(numberOfHMetrics*2)+(gid*2)) hm += self.fh.read(2) return hm def getLOCA(self, indexToLocFormat, numGlyphs): start = self.seek_table('loca') self.glyphPos = [] if (indexToLocFormat == 0): data = self.get_chunk(start,(numGlyphs*2)+2) arr = unpack(">" + "H" * (len(data)/2), data) for n in range(numGlyphs): self.glyphPos.append((arr[n] * 2)) # n+1 !? elif (indexToLocFormat == 1): data = self.get_chunk(start,(numGlyphs*4)+4) arr = unpack(">" + "L" * (len(data)/4), data) for n in range(numGlyphs): self.glyphPos.append((arr[n])) # n+1 !? else: die('Unknown location table format ' + indexToLocFormat) # CMAP Format 4 def getCMAP4(self, unicode_cmap_offset, glyphToChar, charToGlyph): self.maxUniChar = 0 self.seek(unicode_cmap_offset + 2) length = self.read_ushort() limit = unicode_cmap_offset + length self.skip(2) segCount = self.read_ushort() / 2 self.skip(6) endCount = [] for i in range(segCount): endCount.append(self.read_ushort()) self.skip(2) startCount = [] for i in range(segCount): startCount.append(self.read_ushort()) idDelta = [] for i in range(segCount): idDelta.append(self.read_short()) # ???? was unsigned short idRangeOffset_start = self._pos idRangeOffset = [] for i in range(segCount): idRangeOffset.append(self.read_ushort()) for n in range(segCount): endpoint = (endCount[n] + 1) for unichar in range(startCount[n], endpoint, 1): if (idRangeOffset[n] == 0): glyph = (unichar + idDelta[n]) & 0xFFFF else: offset = (unichar - startCount[n]) * 2 + idRangeOffset[n] offset = idRangeOffset_start + 2 * n + offset if (offset >= limit): glyph = 0 else: glyph = self.get_ushort(offset) if (glyph != 0): glyph = (glyph + idDelta[n]) & 0xFFFF charToGlyph[unichar] = glyph if (unichar < 196608): self.maxUniChar = max(unichar,self.maxUniChar) glyphToChar.setdefault(glyph, []).append(unichar) # CMAP Format 12 def getCMAP12(self, unicode_cmap_offset, glyphToChar, charToGlyph): self.maxUniChar = 0 # table (skip format version, should be 12) self.seek(unicode_cmap_offset + 2) # reserved self.skip(2) # table length length = self.read_ulong() # language (should be 0) self.skip(4) # groups count grpCount = self.read_ulong() if 2 + 2 + 4 + 4 + 4 + grpCount * 3 * 4 > length: die("TTF format 12 cmap table too small") for n in range(grpCount): startCharCode = self.read_ulong() endCharCode = self.read_ulong() glyph = self.read_ulong() for unichar in range(startCharCode, endCharCode + 1): charToGlyph[unichar] = glyph if (unichar < 196608): self.maxUniChar = max(unichar, self.maxUniChar) glyphToChar.setdefault(glyph, []).append(unichar) glyph += 1 # Put the TTF file together def endTTFile(self, stm): stm = '' numTables = count(self.otables) searchRange = 1 entrySelector = 0 while (searchRange * 2 <= numTables): searchRange = searchRange * 2 entrySelector = entrySelector + 1 searchRange = searchRange * 16 rangeShift = numTables * 16 - searchRange # Header if (_TTF_MAC_HEADER): stm += (pack(">LHHHH", 0x74727565, numTables, searchRange, entrySelector, rangeShift)) # Mac else: stm += (pack(">LHHHH", 0x00010000 , numTables, searchRange, entrySelector, rangeShift)) # Windows # Table directory tables = self.otables offset = 12 + numTables * 16 sorted_tables = sorted(tables.items()) for tag, data in sorted_tables: if (tag == 'head'): head_start = offset stm += tag checksum = calcChecksum(data) stm += pack(">HH", checksum[0],checksum[1]) stm += pack(">LL", offset, strlen(data)) paddedLength = (strlen(data)+3)&~3 offset = offset + paddedLength # Table data for tag, data in sorted_tables: data += "\0\0\0" stm += substr(data,0,(strlen(data)&~3)) checksum = calcChecksum(stm) checksum = sub32((0xB1B0,0xAFBA), checksum) chk = pack(">HH", checksum[0],checksum[1]) stm = self.splice(stm,(head_start + 8),chk) return stm if __name__ == '__main__': ttf = TTFontFile() ttffile = 'DejaVuSansCondensed.ttf'; ttf.getMetrics(ttffile) # test basic metrics: assert round(ttf.descent, 0) == -236 assert round(ttf.capHeight, 0) == 928 assert ttf.flags == 4 assert [round(i, 0) for i in ttf.bbox] == [-918, -415, 1513, 1167] assert ttf.italicAngle == 0 assert ttf.stemV == 87 assert round(ttf.defaultWidth, 0) == 540 assert round(ttf.underlinePosition, 0) == -63 assert round(ttf.underlineThickness, 0) == 44 # test char widths 8(against binary file generated by tfpdf.php): assert ''.join(ttf.charWidths) == open("dejavusanscondensed.cw.dat").read()
ajibawa-2023/Python-Code-Large/train/row_560
718
1,083
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_560:ImportFrom_L19_C0", "label": "from struct import pack, unpack, unpack_from", "type": "import", "loc": [19, 19], "level": 0, "parent": null, "vector": [1, 0, 0.0175, 0.0009, 0, 0.66, 0.0, 399, 0, 3, 0, 0, 399, 0, 0], "semantic": {"name": "struct", "arg_names": [], "import_names": ["pack", "unpack", "unpack_from"], "rhs_call_name": "", "annotation": ""}, "snippet": "from struct import pack, unpack, unpack_from"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Import_L20_C0", "label": "re import re", "type": "import", "loc": [20, 20], "level": 0, "parent": null, "vector": [1, 0, 0.0185, 0.0009, 0, 0.66, 0.0769, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Import_L21_C0", "label": "warnings import warnings", "type": "import", "loc": [21, 21], "level": 0, "parent": null, "vector": [1, 0, 0.0194, 0.0009, 0, 0.66, 0.1538, 358, 0, 1, 0, 0, 358, 0, 0], "semantic": {"name": "warnings", "arg_names": [], "import_names": ["warnings"], "rhs_call_name": "", "annotation": ""}, "snippet": "import warnings"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:ImportFrom_L22_C0", "label": "from php import die, substr, str_repeat\u2026", "type": "import", "loc": [22, 22], "level": 0, "parent": null, "vector": [1, 0, 0.0203, 0.0009, 0, 0.66, 0.2308, 494, 0, 6, 0, 0, 494, 0, 0], "semantic": {"name": "php", "arg_names": [], "import_names": ["die", "substr", "str_repeat", "str_pad", "strlen", "count"], "rhs_call_name": "", "annotation": ""}, "snippet": "from php import die, substr, str_repeat, str_pad, strlen, count"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L30_C0", "label": "_TTF_MAC_HEADER =", "type": "assigned_variable", "loc": [30, 30], "level": 0, "parent": null, "vector": [14, 0, 0.0277, 0.0009, 0, 0.66, 0.3077, 453, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "_TTF_MAC_HEADER", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "_TTF_MAC_HEADER = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L34_C0", "label": "GF_WORDS =", "type": "assigned_variable", "loc": [34, 34], "level": 0, "parent": null, "vector": [14, 0, 0.0314, 0.0009, 0, 0.66, 0.3846, 544, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "GF_WORDS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GF_WORDS = (1 << 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L35_C0", "label": "GF_SCALE =", "type": "assigned_variable", "loc": [35, 35], "level": 0, "parent": null, "vector": [14, 0, 0.0323, 0.0009, 0, 0.66, 0.4615, 452, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "GF_SCALE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GF_SCALE = (1 << 3)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L36_C0", "label": "GF_MORE =", "type": "assigned_variable", "loc": [36, 36], "level": 0, "parent": null, "vector": [14, 0, 0.0332, 0.0009, 0, 0.66, 0.5385, 556, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "GF_MORE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GF_MORE = (1 << 5)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L37_C0", "label": "GF_XYSCALE =", "type": "assigned_variable", "loc": [37, 37], "level": 0, "parent": null, "vector": [14, 0, 0.0342, 0.0009, 0, 0.66, 0.6154, 43, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "GF_XYSCALE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GF_XYSCALE = (1 << 6)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L38_C0", "label": "GF_TWOBYTWO =", "type": "assigned_variable", "loc": [38, 38], "level": 0, "parent": null, "vector": [14, 0, 0.0351, 0.0009, 0, 0.66, 0.6923, 661, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "GF_TWOBYTWO", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "GF_TWOBYTWO = (1 << 7)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "label": "sub32", "type": "function", "loc": [41, 54], "level": 0, "parent": null, "vector": [2, 0, 0.0439, 0.0129, 0, 0.66, 0.7692, 79, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "sub32", "arg_names": ["x", "y"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def sub32(x, y):\n xlo = x[1]\n xhi = x[0]\n ylo = y[1]\n yhi = y[0]\n if (ylo > xlo): \n xlo += 1 << 16 \n yhi += 1 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L42_C4", "label": "xlo =", "type": "assigned_variable", "loc": [42, 42], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "vector": [14, 1, 0.0388, 0.0009, 1, 0.23, 0.0, 487, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "xlo", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xlo = x[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L43_C4", "label": "xhi =", "type": "assigned_variable", "loc": [43, 43], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "vector": [14, 1, 0.0397, 0.0009, 1, 0.23, 0.1111, 65, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "xhi", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xhi = x[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L44_C4", "label": "ylo =", "type": "assigned_variable", "loc": [44, 44], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "vector": [14, 1, 0.0406, 0.0009, 1, 0.23, 0.2222, 582, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ylo", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ylo = y[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L45_C4", "label": "yhi =", "type": "assigned_variable", "loc": [45, 45], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "vector": [14, 1, 0.0416, 0.0009, 1, 0.23, 0.3333, 6, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "yhi", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yhi = y[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L46_C4", "label": "if", "type": "if", "loc": [46, 48], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "vector": [4, 1, 0.0434, 0.0028, 1, 0.23, 0.4444, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (ylo > xlo): \n xlo += 1 << 16 \n yhi += 1 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L49_C4", "label": "reslo =", "type": "assigned_variable", "loc": [49, 49], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "vector": [14, 1, 0.0452, 0.0009, 1, 0.23, 0.5556, 465, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "reslo", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " reslo = xlo-ylo"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L50_C4", "label": "if", "type": "if", "loc": [50, 51], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "vector": [4, 1, 0.0466, 0.0018, 1, 0.23, 0.6667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (yhi > xhi): \n xhi += 1 << 16 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L52_C4", "label": "reshi =", "type": "assigned_variable", "loc": [52, 52], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "vector": [14, 1, 0.048, 0.0009, 1, 0.23, 0.7778, 384, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "reshi", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " reshi = xhi-yhi"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L53_C4", "label": "reshi =", "type": "assigned_variable", "loc": [53, 53], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "vector": [14, 1, 0.0489, 0.0009, 1, 0.23, 0.8889, 384, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "reshi", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " reshi = reshi & 0xFFFF"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L54_C4", "label": "return", "type": "return", "loc": [54, 54], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "vector": [13, 1, 0.0499, 0.0009, 1, 0.23, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (reshi, reslo)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L56_C0", "label": "calcChecksum", "type": "function", "loc": [56, 67], "level": 0, "parent": null, "vector": [2, 0, 0.0568, 0.0111, 0, 0.66, 0.8462, 437, 0, 1, 1, 0, 0, 0, 9], "semantic": {"name": "calcChecksum", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def calcChecksum(data): \n if (strlen(data) % 4):\n data += str_repeat(\"\\0\", (4-(len(data) % 4)))\n hi=0x0000\n lo=0x0000\n for i in range(0, len(data), 4): \n hi += (ord(data[i])<<8) + ord(data[i+1])\n lo += (ord(data[i+2])<<8) + ord(data[i+3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L57_C4", "label": "if", "type": "if", "loc": [57, 58], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L56_C0", "vector": [4, 1, 0.0531, 0.0018, 1, 0.91, 0.0, 0, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (strlen(data) % 4):\n data += str_repeat(\"\\0\", (4-(len(data) % 4)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L59_C4", "label": "hi =", "type": "assigned_variable", "loc": [59, 59], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L56_C0", "vector": [14, 1, 0.0545, 0.0009, 1, 0.91, 0.25, 768, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "hi", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " hi=0x0000"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L60_C4", "label": "lo =", "type": "assigned_variable", "loc": [60, 60], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L56_C0", "vector": [14, 1, 0.0554, 0.0009, 1, 0.91, 0.5, 142, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "lo", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lo=0x0000"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L61_C4", "label": "for i", "type": "for", "loc": [61, 66], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L56_C0", "vector": [6, 1, 0.0586, 0.0055, 1, 0.91, 0.75, 826, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(0, len(data), 4): \n hi += (ord(data[i])<<8) + ord(data[i+1])\n lo += (ord(data[i+2])<<8) + ord(data[i+3])\n hi += lo >> 16\n lo = lo & 0xFFFF\n hi = hi & 0xFFFF"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L65_C8", "label": "lo =", "type": "assigned_variable", "loc": [65, 65], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L61_C4", "vector": [14, 2, 0.06, 0.0009, 2, 0.7, 0.0, 142, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lo", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lo = lo & 0xFFFF"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L66_C8", "label": "hi =", "type": "assigned_variable", "loc": [66, 66], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L61_C4", "vector": [14, 2, 0.0609, 0.0009, 2, 0.7, 1.0, 768, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "hi", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " hi = hi & 0xFFFF"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L67_C4", "label": "return", "type": "return", "loc": [67, 67], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L56_C0", "vector": [13, 1, 0.0619, 0.0009, 1, 0.91, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (hi, lo)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "label": "TTFontFile", "type": "class", "loc": [70, 1065], "level": 0, "parent": null, "vector": [3, 0, 0.524, 0.9197, 0, 0.66, 0.9231, 264, 0, 31, 0, 0, 0, 0, 99], "semantic": {"name": "TTFontFile", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class TTFontFile:\n\n def __init__(self):\n self.maxStrLenRead = 200000 # Maximum size of glyf table to read in as string (otherwise reads each glyph from file)\n\n def getMetrics(self, file):\n self.filename = file\n self.fh = open(file,'rb')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L72_C4", "label": "__init__", "type": "function", "loc": [72, 73], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.0669, 0.0018, 1, 0.96, 0.0, 555, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self):\n self.maxStrLenRead = 200000 # Maximum size of glyf table to read in as string (otherwise reads each glyph from file)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L73_C8", "label": "self.maxStrLenRead =", "type": "assigned_variable", "loc": [73, 73], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L72_C4", "vector": [14, 2, 0.0674, 0.0009, 2, 0.35, 0.0, 673, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.maxStrLenRead", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.maxStrLenRead = 200000 # Maximum size of glyf table to read in as string (otherwise reads each glyph from file)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "label": "getMetrics", "type": "function", "loc": [75, 96], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.0789, 0.0203, 1, 0.96, 0.0333, 26, 0, 2, 0, 0, 0, 0, 8], "semantic": {"name": "getMetrics", "arg_names": ["self", "file"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def getMetrics(self, file):\n self.filename = file\n self.fh = open(file,'rb')\n self._pos = 0\n self.charWidths = []\n self.glyphPos = {}\n self.charToGlyph = {}\n self.tables = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L76_C8", "label": "self.filename =", "type": "assigned_variable", "loc": [76, 76], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [14, 2, 0.0702, 0.0009, 2, 0.7, 0.0, 942, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.filename", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.filename = file"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L77_C8", "label": "self.fh = open()", "type": "assigned_variable", "loc": [77, 77], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [14, 2, 0.0711, 0.0009, 2, 0.7, 0.0588, 733, 3, 2, 0, 0, 693, 10, 1], "semantic": {"name": "self.fh", "arg_names": [], "import_names": [], "rhs_call_name": "open", "annotation": ""}, "snippet": " self.fh = open(file,'rb')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L78_C8", "label": "self._pos =", "type": "assigned_variable", "loc": [78, 78], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [14, 2, 0.072, 0.0009, 2, 0.7, 0.1176, 137, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self._pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._pos = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L79_C8", "label": "self.charWidths =", "type": "assigned_variable", "loc": [79, 79], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [14, 2, 0.0729, 0.0009, 2, 0.7, 0.1765, 196, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.charWidths", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.charWidths = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L80_C8", "label": "self.glyphPos =", "type": "assigned_variable", "loc": [80, 80], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [14, 2, 0.0739, 0.0009, 2, 0.7, 0.2353, 155, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.glyphPos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.glyphPos = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L81_C8", "label": "self.charToGlyph =", "type": "assigned_variable", "loc": [81, 81], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [14, 2, 0.0748, 0.0009, 2, 0.7, 0.2941, 599, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.charToGlyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.charToGlyph = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L82_C8", "label": "self.tables =", "type": "assigned_variable", "loc": [82, 82], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [14, 2, 0.0757, 0.0009, 2, 0.7, 0.3529, 140, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.tables", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.tables = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L83_C8", "label": "self.otables =", "type": "assigned_variable", "loc": [83, 83], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [14, 2, 0.0766, 0.0009, 2, 0.7, 0.4118, 327, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.otables", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.otables = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L84_C8", "label": "self.ascent =", "type": "assigned_variable", "loc": [84, 84], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [14, 2, 0.0776, 0.0009, 2, 0.7, 0.4706, 88, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.ascent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ascent = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L85_C8", "label": "self.descent =", "type": "assigned_variable", "loc": [85, 85], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [14, 2, 0.0785, 0.0009, 2, 0.7, 0.5294, 685, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.descent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.descent = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L86_C8", "label": "self.TTCFonts =", "type": "assigned_variable", "loc": [86, 86], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [14, 2, 0.0794, 0.0009, 2, 0.7, 0.5882, 553, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.TTCFonts", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.TTCFonts = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L87_C8", "label": "self.version = read_ulong()", "type": "assigned_variable", "loc": [87, 87], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [14, 2, 0.0803, 0.0009, 2, 0.7, 0.6471, 686, 3, 0, 0, 0, 221, 10, 1], "semantic": {"name": "self.version", "arg_names": [], "import_names": [], "rhs_call_name": "read_ulong", "annotation": ""}, "snippet": " self.version = version = self.read_ulong()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L88_C8", "label": "if", "type": "if", "loc": [88, 89], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [4, 2, 0.0817, 0.0018, 2, 0.7, 0.7059, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (version==0x4F54544F):\n die(\"Postscript outlines are not supported\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L89_C12", "label": "die()", "type": "expression", "loc": [89, 89], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L88_C8", "vector": [8, 3, 0.0822, 0.0009, 3, 0.87, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die(\"Postscript outlines are not supported\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L90_C8", "label": "if", "type": "if", "loc": [90, 91], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [4, 2, 0.0836, 0.0018, 2, 0.7, 0.7647, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (version==0x74746366):\n die(\"ERROR - TrueType Fonts Collections not supported\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L91_C12", "label": "die()", "type": "expression", "loc": [91, 91], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L90_C8", "vector": [8, 3, 0.084, 0.0009, 3, 0.03, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die(\"ERROR - TrueType Fonts Collections not supported\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L92_C8", "label": "if", "type": "if", "loc": [92, 93], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [4, 2, 0.0854, 0.0018, 2, 0.7, 0.8235, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (version not in (0x00010000,0x74727565)):\n die(\"Not a TrueType font: version=\" + version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L93_C12", "label": "die()", "type": "expression", "loc": [93, 93], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L92_C8", "vector": [8, 3, 0.0859, 0.0009, 3, 0.66, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die(\"Not a TrueType font: version=\" + version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L94_C8", "label": "readTableDirectory()", "type": "expression", "loc": [94, 94], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [8, 2, 0.0868, 0.0009, 2, 0.7, 0.8824, 104, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "readTableDirectory", "arg_names": [], "import_names": [], "rhs_call_name": "readTableDirectory", "annotation": ""}, "snippet": " self.readTableDirectory()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L95_C8", "label": "extractInfo()", "type": "expression", "loc": [95, 95], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [8, 2, 0.0877, 0.0009, 2, 0.7, 0.9412, 880, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "extractInfo", "arg_names": [], "import_names": [], "rhs_call_name": "extractInfo", "annotation": ""}, "snippet": " self.extractInfo()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L96_C8", "label": "close()", "type": "expression", "loc": [96, 96], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "vector": [8, 2, 0.0886, 0.0009, 2, 0.7, 1.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " self.fh.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "label": "readTableDirectory", "type": "function", "loc": [98, 110], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.096, 0.012, 1, 0.96, 0.0667, 104, 0, 1, 0, 0, 0, 0, 10], "semantic": {"name": "readTableDirectory", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def readTableDirectory(self, ):\n self.numTables = self.read_ushort()\n self.searchRange = self.read_ushort()\n self.entrySelector = self.read_ushort()\n self.rangeShift = self.read_ushort()\n self.tables = {} \n for i in range(self.numTables):\n record = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L99_C8", "label": "self.numTables = read_ushort()", "type": "assigned_variable", "loc": [99, 99], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "vector": [14, 2, 0.0914, 0.0009, 2, 0.6, 0.0, 47, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "self.numTables", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " self.numTables = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L100_C8", "label": "self.searchRange = read_ushort()", "type": "assigned_variable", "loc": [100, 100], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "vector": [14, 2, 0.0923, 0.0009, 2, 0.6, 0.2, 584, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "self.searchRange", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " self.searchRange = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L101_C8", "label": "self.entrySelector = read_ushort()", "type": "assigned_variable", "loc": [101, 101], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "vector": [14, 2, 0.0933, 0.0009, 2, 0.6, 0.4, 98, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "self.entrySelector", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " self.entrySelector = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L102_C8", "label": "self.rangeShift = read_ushort()", "type": "assigned_variable", "loc": [102, 102], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "vector": [14, 2, 0.0942, 0.0009, 2, 0.6, 0.6, 470, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "self.rangeShift", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " self.rangeShift = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L103_C8", "label": "self.tables =", "type": "assigned_variable", "loc": [103, 103], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "vector": [14, 2, 0.0951, 0.0009, 2, 0.6, 0.8, 140, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.tables", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.tables = {} "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "label": "for i", "type": "for", "loc": [104, 110], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "vector": [6, 2, 0.0988, 0.0065, 2, 0.6, 1.0, 826, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(self.numTables):\n record = {}\n record['tag'] = self.read_tag()\n record['checksum'] = (self.read_ushort(),self.read_ushort())\n record['offset'] = self.read_ulong()\n record['length'] = self.read_ulong()\n self.tables[record['tag']] = record "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L105_C12", "label": "record =", "type": "assigned_variable", "loc": [105, 105], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "vector": [14, 3, 0.097, 0.0009, 3, 0.22, 0.0, 667, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "record", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L106_C12", "label": " = read_tag()", "type": "assigned_variable", "loc": [106, 106], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "vector": [14, 3, 0.0979, 0.0009, 3, 0.22, 0.2, 0, 3, 0, 0, 0, 178, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "read_tag", "annotation": ""}, "snippet": " record['tag'] = self.read_tag()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L107_C12", "label": "assign", "type": "assigned_variable", "loc": [107, 107], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "vector": [14, 3, 0.0988, 0.0009, 3, 0.22, 0.4, 0, 0, 0, 0, 0, 0, 8, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record['checksum'] = (self.read_ushort(),self.read_ushort())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L108_C12", "label": " = read_ulong()", "type": "assigned_variable", "loc": [108, 108], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "vector": [14, 3, 0.0997, 0.0009, 3, 0.22, 0.6, 0, 3, 0, 0, 0, 221, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "read_ulong", "annotation": ""}, "snippet": " record['offset'] = self.read_ulong()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L109_C12", "label": " = read_ulong()", "type": "assigned_variable", "loc": [109, 109], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "vector": [14, 3, 0.1006, 0.0009, 3, 0.22, 0.8, 0, 3, 0, 0, 0, 221, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "read_ulong", "annotation": ""}, "snippet": " record['length'] = self.read_ulong()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L110_C12", "label": "assign", "type": "assigned_variable", "loc": [110, 110], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "vector": [14, 3, 0.1016, 0.0009, 3, 0.22, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.tables[record['tag']] = record "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L112_C4", "label": "get_table_pos", "type": "function", "loc": [112, 115], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1048, 0.0037, 1, 0.96, 0.1, 21, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "get_table_pos", "arg_names": ["self", "tag"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_table_pos(self, tag):\n offset = self.tables[tag]['offset']\n length = self.tables[tag]['length']\n return (offset, length)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L113_C8", "label": "offset =", "type": "assigned_variable", "loc": [113, 113], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L112_C4", "vector": [14, 2, 0.1043, 0.0009, 2, 0.94, 0.0, 132, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offset = self.tables[tag]['offset']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L114_C8", "label": "length =", "type": "assigned_variable", "loc": [114, 114], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L112_C4", "vector": [14, 2, 0.1053, 0.0009, 2, 0.94, 0.5, 221, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "length", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " length = self.tables[tag]['length']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L115_C8", "label": "return", "type": "return", "loc": [115, 115], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L112_C4", "vector": [13, 2, 0.1062, 0.0009, 2, 0.94, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (offset, length)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L117_C4", "label": "seek", "type": "function", "loc": [117, 119], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.109, 0.0028, 1, 0.96, 0.1333, 66, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": ["self", "pos"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def seek(self, pos): \n self._pos = pos\n self.fh.seek(self._pos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L118_C8", "label": "self._pos =", "type": "assigned_variable", "loc": [118, 118], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L117_C4", "vector": [14, 2, 0.109, 0.0009, 2, 0.62, 0.0, 137, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._pos = pos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L119_C8", "label": "seek()", "type": "expression", "loc": [119, 119], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L117_C4", "vector": [8, 2, 0.1099, 0.0009, 2, 0.62, 1.0, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.fh.seek(self._pos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L121_C4", "label": "skip", "type": "function", "loc": [121, 123], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1127, 0.0028, 1, 0.96, 0.1667, 171, 0, 2, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": ["self", "delta"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def skip(self, delta): \n self._pos = self._pos + delta\n self.fh.seek(self._pos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L122_C8", "label": "self._pos =", "type": "assigned_variable", "loc": [122, 122], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L121_C4", "vector": [14, 2, 0.1127, 0.0009, 2, 0.35, 0.0, 137, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._pos = self._pos + delta"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L123_C8", "label": "seek()", "type": "expression", "loc": [123, 123], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L121_C4", "vector": [8, 2, 0.1136, 0.0009, 2, 0.35, 1.0, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.fh.seek(self._pos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L125_C4", "label": "seek_table", "type": "function", "loc": [125, 129], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1173, 0.0046, 1, 0.96, 0.2, 626, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "seek_table", "arg_names": ["self", "tag", "offset_in_table"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def seek_table(self, tag, offset_in_table = 0):\n tpos = self.get_table_pos(tag)\n self._pos = tpos[0] + offset_in_table\n self.fh.seek(self._pos)\n return self._pos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L126_C8", "label": "tpos = get_table_pos()", "type": "assigned_variable", "loc": [126, 126], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L125_C4", "vector": [14, 2, 0.1163, 0.0009, 2, 0.91, 0.0, 598, 3, 1, 0, 0, 21, 10, 1], "semantic": {"name": "tpos", "arg_names": [], "import_names": [], "rhs_call_name": "get_table_pos", "annotation": ""}, "snippet": " tpos = self.get_table_pos(tag)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L127_C8", "label": "self._pos =", "type": "assigned_variable", "loc": [127, 127], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L125_C4", "vector": [14, 2, 0.1173, 0.0009, 2, 0.91, 0.3333, 137, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._pos = tpos[0] + offset_in_table"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L128_C8", "label": "seek()", "type": "expression", "loc": [128, 128], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L125_C4", "vector": [8, 2, 0.1182, 0.0009, 2, 0.91, 0.6667, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.fh.seek(self._pos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L129_C8", "label": "return", "type": "return", "loc": [129, 129], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L125_C4", "vector": [13, 2, 0.1191, 0.0009, 2, 0.91, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._pos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L131_C4", "label": "read_tag", "type": "function", "loc": [131, 133], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1219, 0.0028, 1, 0.96, 0.2333, 178, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "read_tag", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def read_tag(self):\n self._pos += 4\n return self.fh.read(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L133_C8", "label": "return", "type": "return", "loc": [133, 133], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L131_C4", "vector": [13, 2, 0.1228, 0.0009, 2, 0.32, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.fh.read(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L135_C4", "label": "read_short", "type": "function", "loc": [135, 141], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1274, 0.0065, 1, 0.96, 0.2667, 388, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "read_short", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def read_short(self): \n self._pos += 2\n s = self.fh.read(2)\n a = (ord(s[0])<<8) + ord(s[1])\n if (a & (1 << 15) ):\n a = (a - (1 << 16)) \n return a"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L137_C8", "label": "s = read()", "type": "assigned_variable", "loc": [137, 137], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L135_C4", "vector": [14, 2, 0.1265, 0.0009, 2, 0.54, 0.0, 553, 3, 1, 0, 0, 453, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " s = self.fh.read(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L138_C8", "label": "a =", "type": "assigned_variable", "loc": [138, 138], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L135_C4", "vector": [14, 2, 0.1274, 0.0009, 2, 0.54, 0.3333, 475, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "a", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " a = (ord(s[0])<<8) + ord(s[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L139_C8", "label": "if", "type": "if", "loc": [139, 140], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L135_C4", "vector": [4, 2, 0.1288, 0.0018, 2, 0.54, 0.6667, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (a & (1 << 15) ):\n a = (a - (1 << 16)) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L140_C12", "label": "a =", "type": "assigned_variable", "loc": [140, 140], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L139_C8", "vector": [14, 3, 0.1293, 0.0009, 3, 0.43, 0.0, 475, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "a", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " a = (a - (1 << 16)) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L141_C8", "label": "return", "type": "return", "loc": [141, 141], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L135_C4", "vector": [13, 2, 0.1302, 0.0009, 2, 0.54, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return a"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L143_C4", "label": "unpack_short", "type": "function", "loc": [143, 147], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1339, 0.0046, 1, 0.96, 0.3, 917, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "unpack_short", "arg_names": ["self", "s"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def unpack_short(self, s):\n a = (ord(s[0])<<8) + ord(s[1])\n if (a & (1 << 15) ):\n a = (a - (1 << 16)) \n return a"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L144_C8", "label": "a =", "type": "assigned_variable", "loc": [144, 144], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L143_C4", "vector": [14, 2, 0.133, 0.0009, 2, 0.17, 0.0, 475, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "a", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " a = (ord(s[0])<<8) + ord(s[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L145_C8", "label": "if", "type": "if", "loc": [145, 146], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L143_C4", "vector": [4, 2, 0.1343, 0.0018, 2, 0.17, 0.5, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (a & (1 << 15) ):\n a = (a - (1 << 16)) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L146_C12", "label": "a =", "type": "assigned_variable", "loc": [146, 146], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L145_C8", "vector": [14, 3, 0.1348, 0.0009, 3, 0.39, 0.0, 475, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "a", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " a = (a - (1 << 16)) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L147_C8", "label": "return", "type": "return", "loc": [147, 147], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L143_C4", "vector": [13, 2, 0.1357, 0.0009, 2, 0.17, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return a"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L149_C4", "label": "read_ushort", "type": "function", "loc": [149, 152], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.139, 0.0037, 1, 0.96, 0.3333, 451, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "read_ushort", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def read_ushort(self):\n self._pos += 2\n s = self.fh.read(2)\n return (ord(s[0])<<8) + ord(s[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L151_C8", "label": "s = read()", "type": "assigned_variable", "loc": [151, 151], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L149_C4", "vector": [14, 2, 0.1394, 0.0009, 2, 0.38, 0.0, 553, 3, 1, 0, 0, 453, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " s = self.fh.read(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L152_C8", "label": "return", "type": "return", "loc": [152, 152], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L149_C4", "vector": [13, 2, 0.1404, 0.0009, 2, 0.38, 1.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (ord(s[0])<<8) + ord(s[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L154_C4", "label": "read_ulong", "type": "function", "loc": [154, 158], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.144, 0.0046, 1, 0.96, 0.3667, 221, 0, 1, 1, 0, 0, 0, 5], "semantic": {"name": "read_ulong", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def read_ulong(self): \n self._pos += 4\n s = self.fh.read(4)\n # if large uInt32 as an integer, PHP converts it to -ve\n return (ord(s[0])*16777216) + (ord(s[1])<<16) + (ord(s[2])<<8) + ord(s[3]) # 16777216 = 1<<24"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L156_C8", "label": "s = read()", "type": "assigned_variable", "loc": [156, 156], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L154_C4", "vector": [14, 2, 0.144, 0.0009, 2, 0.32, 0.0, 553, 3, 1, 0, 0, 453, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " s = self.fh.read(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L158_C8", "label": "return", "type": "return", "loc": [158, 158], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L154_C4", "vector": [13, 2, 0.1459, 0.0009, 2, 0.32, 1.0, 0, 4, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (ord(s[0])*16777216) + (ord(s[1])<<16) + (ord(s[2])<<8) + ord(s[3]) # 16777216 = 1<<24"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L160_C4", "label": "get_ushort", "type": "function", "loc": [160, 163], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1491, 0.0037, 1, 0.96, 0.4, 545, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "get_ushort", "arg_names": ["self", "pos"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_ushort(self, pos): \n self.fh.seek(pos)\n s = self.fh.read(2)\n return (ord(s[0])<<8) + ord(s[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L161_C8", "label": "seek()", "type": "expression", "loc": [161, 161], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L160_C4", "vector": [8, 2, 0.1487, 0.0009, 2, 0.64, 0.0, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.fh.seek(pos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L162_C8", "label": "s = read()", "type": "assigned_variable", "loc": [162, 162], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L160_C4", "vector": [14, 2, 0.1496, 0.0009, 2, 0.64, 0.5, 553, 3, 1, 0, 0, 453, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " s = self.fh.read(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L163_C8", "label": "return", "type": "return", "loc": [163, 163], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L160_C4", "vector": [13, 2, 0.1505, 0.0009, 2, 0.64, 1.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (ord(s[0])<<8) + ord(s[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L165_C4", "label": "get_ulong", "type": "function", "loc": [165, 169], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1542, 0.0046, 1, 0.96, 0.4333, 241, 0, 2, 1, 0, 0, 0, 6], "semantic": {"name": "get_ulong", "arg_names": ["self", "pos"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_ulong(self, pos):\n self.fh.seek(pos)\n s = self.fh.read(4)\n # iF large uInt32 as an integer, PHP converts it to -ve\n return (ord(s[0])*16777216) + (ord(s[1])<<16) + (ord(s[2])<<8) + ord(s[3]) # 16777216 = 1<<24 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L166_C8", "label": "seek()", "type": "expression", "loc": [166, 166], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L165_C4", "vector": [8, 2, 0.1533, 0.0009, 2, 0.72, 0.0, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.fh.seek(pos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L167_C8", "label": "s = read()", "type": "assigned_variable", "loc": [167, 167], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L165_C4", "vector": [14, 2, 0.1542, 0.0009, 2, 0.72, 0.5, 553, 3, 1, 0, 0, 453, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " s = self.fh.read(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L169_C8", "label": "return", "type": "return", "loc": [169, 169], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L165_C4", "vector": [13, 2, 0.156, 0.0009, 2, 0.72, 1.0, 0, 4, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (ord(s[0])*16777216) + (ord(s[1])<<16) + (ord(s[2])<<8) + ord(s[3]) # 16777216 = 1<<24 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L171_C4", "label": "pack_short", "type": "function", "loc": [171, 176], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1602, 0.0055, 1, 0.96, 0.4667, 984, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "pack_short", "arg_names": ["self", "val"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def pack_short(self, val):\n if (val<0):\n val = abs(val)\n val = ~val\n val += 1\n return pack(\">H\",val) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L172_C8", "label": "if", "type": "if", "loc": [172, 175], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L171_C4", "vector": [4, 2, 0.1602, 0.0037, 2, 0.6, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (val<0):\n val = abs(val)\n val = ~val\n val += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L173_C12", "label": "val = abs()", "type": "assigned_variable", "loc": [173, 173], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L172_C8", "vector": [14, 3, 0.1597, 0.0009, 3, 0.79, 0.0, 618, 3, 1, 0, 0, 799, 10, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "abs", "annotation": ""}, "snippet": " val = abs(val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L174_C12", "label": "val =", "type": "assigned_variable", "loc": [174, 174], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L172_C8", "vector": [14, 3, 0.1607, 0.0009, 3, 0.79, 1.0, 618, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = ~val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L176_C8", "label": "return", "type": "return", "loc": [176, 176], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L171_C4", "vector": [13, 2, 0.1625, 0.0009, 2, 0.6, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return pack(\">H\",val) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L178_C4", "label": "splice", "type": "function", "loc": [178, 179], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1648, 0.0018, 1, 0.96, 0.5, 61, 0, 4, 1, 0, 0, 0, 3], "semantic": {"name": "splice", "arg_names": ["self", "stream", "offset", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def splice(self, stream, offset, value):\n return substr(stream,0,offset) + value + substr(stream,offset+strlen(value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L179_C8", "label": "return", "type": "return", "loc": [179, 179], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L178_C4", "vector": [13, 2, 0.1653, 0.0009, 2, 0.7, 0.0, 0, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return substr(stream,0,offset) + value + substr(stream,offset+strlen(value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L181_C4", "label": "_set_ushort", "type": "function", "loc": [181, 183], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1681, 0.0028, 1, 0.96, 0.5333, 730, 0, 4, 1, 0, 0, 0, 2], "semantic": {"name": "_set_ushort", "arg_names": ["self", "stream", "offset", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _set_ushort(self, stream, offset, value):\n up = pack(\">H\", value)\n return self.splice(stream, offset, up) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L182_C8", "label": "up = pack()", "type": "assigned_variable", "loc": [182, 182], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L181_C4", "vector": [14, 2, 0.1681, 0.0009, 2, 0.34, 0.0, 895, 3, 2, 0, 0, 742, 10, 1], "semantic": {"name": "up", "arg_names": [], "import_names": [], "rhs_call_name": "pack", "annotation": ""}, "snippet": " up = pack(\">H\", value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L183_C8", "label": "return", "type": "return", "loc": [183, 183], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L181_C4", "vector": [13, 2, 0.169, 0.0009, 2, 0.34, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.splice(stream, offset, up) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L185_C4", "label": "_set_short", "type": "function", "loc": [185, 191], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1736, 0.0065, 1, 0.96, 0.5667, 287, 0, 4, 1, 0, 0, 0, 3], "semantic": {"name": "_set_short", "arg_names": ["self", "stream", "offset", "val"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _set_short(self, stream, offset, val):\n if (val<0):\n val = abs(val)\n val = ~val\n val += 1\n up = pack(\">H\",val) \n return self.splice(stream, offset, up)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L186_C8", "label": "if", "type": "if", "loc": [186, 189], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L185_C4", "vector": [4, 2, 0.1731, 0.0037, 2, 0.14, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (val<0):\n val = abs(val)\n val = ~val\n val += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L187_C12", "label": "val = abs()", "type": "assigned_variable", "loc": [187, 187], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L186_C8", "vector": [14, 3, 0.1727, 0.0009, 3, 0.71, 0.0, 618, 3, 1, 0, 0, 799, 10, 1], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "abs", "annotation": ""}, "snippet": " val = abs(val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L188_C12", "label": "val =", "type": "assigned_variable", "loc": [188, 188], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L186_C8", "vector": [14, 3, 0.1736, 0.0009, 3, 0.71, 1.0, 618, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "val", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " val = ~val"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L190_C8", "label": "up = pack()", "type": "assigned_variable", "loc": [190, 190], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L185_C4", "vector": [14, 2, 0.1754, 0.0009, 2, 0.14, 0.5, 895, 3, 2, 0, 0, 742, 10, 1], "semantic": {"name": "up", "arg_names": [], "import_names": [], "rhs_call_name": "pack", "annotation": ""}, "snippet": " up = pack(\">H\",val) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L191_C8", "label": "return", "type": "return", "loc": [191, 191], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L185_C4", "vector": [13, 2, 0.1764, 0.0009, 2, 0.14, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.splice(stream, offset, up)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L193_C4", "label": "get_chunk", "type": "function", "loc": [193, 196], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1796, 0.0037, 1, 0.96, 0.6, 607, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "get_chunk", "arg_names": ["self", "pos", "length"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_chunk(self, pos, length): \n self.fh.seek(pos)\n if (length <1): return '' \n return (self.fh.read(length))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L194_C8", "label": "seek()", "type": "expression", "loc": [194, 194], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L193_C4", "vector": [8, 2, 0.1791, 0.0009, 2, 0.91, 0.0, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.fh.seek(pos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L195_C8", "label": "if", "type": "if", "loc": [195, 195], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L193_C4", "vector": [4, 2, 0.1801, 0.0009, 2, 0.91, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (length <1): return '' "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L195_C25", "label": "return", "type": "return", "loc": [195, 195], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L195_C8", "vector": [13, 3, 0.1801, 0.0009, 3, 0.15, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (length <1): return '' "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L196_C8", "label": "return", "type": "return", "loc": [196, 196], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L193_C4", "vector": [13, 2, 0.181, 0.0009, 2, 0.91, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (self.fh.read(length))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L198_C4", "label": "get_table", "type": "function", "loc": [198, 203], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1851, 0.0055, 1, 0.96, 0.6333, 269, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "get_table", "arg_names": ["self", "tag"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_table(self, tag):\n (pos, length) = self.get_table_pos(tag)\n if (length == 0):\n die('Truetype font (' + self.filename + '): error reading table: ' + tag) \n self.fh.seek(pos)\n return (self.fh.read(length))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L199_C8", "label": "pos, length = get_table_pos()", "type": "assigned_variable", "loc": [199, 199], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L198_C4", "vector": [14, 2, 0.1837, 0.0009, 2, 0.8, 0.0, 517, 3, 1, 0, 0, 21, 10, 1], "semantic": {"name": "pos, length", "arg_names": [], "import_names": [], "rhs_call_name": "get_table_pos", "annotation": ""}, "snippet": " (pos, length) = self.get_table_pos(tag)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L200_C8", "label": "if", "type": "if", "loc": [200, 201], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L198_C4", "vector": [4, 2, 0.1851, 0.0018, 2, 0.8, 0.3333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (length == 0):\n die('Truetype font (' + self.filename + '): error reading table: ' + tag) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L201_C12", "label": "die()", "type": "expression", "loc": [201, 201], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L200_C8", "vector": [8, 3, 0.1856, 0.0009, 3, 0.07, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die('Truetype font (' + self.filename + '): error reading table: ' + tag) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L202_C8", "label": "seek()", "type": "expression", "loc": [202, 202], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L198_C4", "vector": [8, 2, 0.1865, 0.0009, 2, 0.8, 0.6667, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.fh.seek(pos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L203_C8", "label": "return", "type": "return", "loc": [203, 203], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L198_C4", "vector": [13, 2, 0.1874, 0.0009, 2, 0.8, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (self.fh.read(length))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L205_C4", "label": "add", "type": "function", "loc": [205, 208], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.1907, 0.0037, 1, 0.96, 0.6667, 241, 0, 3, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": ["self", "tag", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def add(self, tag, data):\n if (tag == 'head') :\n data = self.splice(data, 8, \"\\0\\0\\0\\0\") \n self.otables[tag] = data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L206_C8", "label": "if", "type": "if", "loc": [206, 207], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L205_C4", "vector": [4, 2, 0.1907, 0.0018, 2, 0.17, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (tag == 'head') :\n data = self.splice(data, 8, \"\\0\\0\\0\\0\") "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L207_C12", "label": "data = splice()", "type": "assigned_variable", "loc": [207, 207], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L206_C8", "vector": [14, 3, 0.1911, 0.0009, 3, 0.6, 0.0, 929, 3, 3, 0, 0, 61, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "splice", "annotation": ""}, "snippet": " data = self.splice(data, 8, \"\\0\\0\\0\\0\") "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L208_C8", "label": "assign", "type": "assigned_variable", "loc": [208, 208], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L205_C4", "vector": [14, 2, 0.1921, 0.0009, 2, 0.17, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.otables[tag] = data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "label": "extractInfo", "type": "function", "loc": [215, 450], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.307, 0.2179, 1, 0.96, 0.7, 880, 0, 1, 0, 0, 0, 0, 88], "semantic": {"name": "extractInfo", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def extractInfo(self): \n #################/\n # name - Naming table\n #################/\n self.sFamilyClass = 0\n self.sFamilySubClass = 0\n\n name_offset = self.seek_table(\"name\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L219_C8", "label": "self.sFamilyClass =", "type": "assigned_variable", "loc": [219, 219], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2022, 0.0009, 2, 0.34, 0.0, 838, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.sFamilyClass", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.sFamilyClass = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L220_C8", "label": "self.sFamilySubClass =", "type": "assigned_variable", "loc": [220, 220], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2031, 0.0009, 2, 0.34, 0.0154, 541, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.sFamilySubClass", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.sFamilySubClass = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L222_C8", "label": "name_offset = seek_table()", "type": "assigned_variable", "loc": [222, 222], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.205, 0.0009, 2, 0.34, 0.0308, 405, 3, 1, 0, 0, 626, 10, 1], "semantic": {"name": "name_offset", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " name_offset = self.seek_table(\"name\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L223_C8", "label": "format = read_ushort()", "type": "assigned_variable", "loc": [223, 223], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2059, 0.0009, 2, 0.34, 0.0462, 293, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "format", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " format = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L224_C8", "label": "if", "type": "if", "loc": [224, 225], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.2073, 0.0018, 2, 0.34, 0.0615, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (format != 0):\n die(\"Unknown name table format \" + format)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L225_C12", "label": "die()", "type": "expression", "loc": [225, 225], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L224_C8", "vector": [8, 3, 0.2078, 0.0009, 3, 0.87, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die(\"Unknown name table format \" + format)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L226_C8", "label": "numRecords = read_ushort()", "type": "assigned_variable", "loc": [226, 226], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2087, 0.0009, 2, 0.34, 0.0769, 587, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "numRecords", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " numRecords = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L227_C8", "label": "string_data_offset =", "type": "assigned_variable", "loc": [227, 227], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2096, 0.0009, 2, 0.34, 0.0923, 512, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "string_data_offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " string_data_offset = name_offset + self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L228_C8", "label": "names =", "type": "assigned_variable", "loc": [228, 228], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2105, 0.0009, 2, 0.34, 0.1077, 382, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "names", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " names = {1:'',2:'',3:'',4:'',6:''}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L229_C8", "label": "K = keys()", "type": "assigned_variable", "loc": [229, 229], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2114, 0.0009, 2, 0.34, 0.1231, 126, 3, 0, 0, 0, 204, 10, 1], "semantic": {"name": "K", "arg_names": [], "import_names": [], "rhs_call_name": "keys", "annotation": ""}, "snippet": " K = names.keys()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L230_C8", "label": "nameCount = len()", "type": "assigned_variable", "loc": [230, 230], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2124, 0.0009, 2, 0.34, 0.1385, 629, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "nameCount", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " nameCount = len(names)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "label": "for i", "type": "for", "loc": [231, 263], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [6, 2, 0.2281, 0.0305, 2, 0.34, 0.1538, 826, 3, 0, 0, 0, 0, 0, 14], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(numRecords): \n platformId = self.read_ushort()\n encodingId = self.read_ushort()\n languageId = self.read_ushort()\n nameId = self.read_ushort()\n length = self.read_ushort()\n offset = self.read_ushort()\n if (nameId not in K): continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L232_C12", "label": "platformId = read_ushort()", "type": "assigned_variable", "loc": [232, 232], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "vector": [14, 3, 0.2142, 0.0009, 3, 0.64, 0.0, 808, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "platformId", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " platformId = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L233_C12", "label": "encodingId = read_ushort()", "type": "assigned_variable", "loc": [233, 233], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "vector": [14, 3, 0.2151, 0.0009, 3, 0.64, 0.1111, 276, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "encodingId", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " encodingId = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L234_C12", "label": "languageId = read_ushort()", "type": "assigned_variable", "loc": [234, 234], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "vector": [14, 3, 0.2161, 0.0009, 3, 0.64, 0.2222, 570, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "languageId", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " languageId = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L235_C12", "label": "nameId = read_ushort()", "type": "assigned_variable", "loc": [235, 235], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "vector": [14, 3, 0.217, 0.0009, 3, 0.64, 0.3333, 417, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "nameId", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " nameId = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L236_C12", "label": "length = read_ushort()", "type": "assigned_variable", "loc": [236, 236], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "vector": [14, 3, 0.2179, 0.0009, 3, 0.64, 0.4444, 221, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "length", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " length = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L237_C12", "label": "offset = read_ushort()", "type": "assigned_variable", "loc": [237, 237], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "vector": [14, 3, 0.2188, 0.0009, 3, 0.64, 0.5556, 132, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " offset = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L238_C12", "label": "if", "type": "if", "loc": [238, 238], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "vector": [4, 3, 0.2198, 0.0009, 3, 0.64, 0.6667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (nameId not in K): continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L239_C12", "label": "N =", "type": "assigned_variable", "loc": [239, 239], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "vector": [14, 3, 0.2207, 0.0009, 3, 0.64, 0.7778, 644, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "N", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " N = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "label": "if", "type": "if", "loc": [240, 258], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "vector": [4, 3, 0.2299, 0.0175, 3, 0.64, 0.8889, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (platformId == 3 and encodingId == 1 and languageId == 0x409): # Microsoft, Unicode, US English, PS Name\n opos = self._pos\n self.seek(string_data_offset + offset)\n if (length % 2 != 0):\n die(\"PostScript name is UTF-16BE string of odd length\")\n length /= 2\n N = ''\n while (length > 0):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L241_C16", "label": "opos =", "type": "assigned_variable", "loc": [241, 241], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "vector": [14, 4, 0.2225, 0.0009, 4, 0.83, 0.0, 936, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "opos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " opos = self._pos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L242_C16", "label": "seek()", "type": "expression", "loc": [242, 242], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "vector": [8, 4, 0.2235, 0.0009, 4, 0.83, 0.1429, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(string_data_offset + offset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L243_C16", "label": "if", "type": "if", "loc": [243, 244], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "vector": [4, 4, 0.2248, 0.0018, 4, 0.83, 0.2857, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (length % 2 != 0):\n die(\"PostScript name is UTF-16BE string of odd length\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L244_C20", "label": "die()", "type": "expression", "loc": [244, 244], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L243_C16", "vector": [8, 5, 0.2253, 0.0009, 5, 0.4, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die(\"PostScript name is UTF-16BE string of odd length\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L246_C16", "label": "N =", "type": "assigned_variable", "loc": [246, 246], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "vector": [14, 4, 0.2271, 0.0009, 4, 0.83, 0.4286, 644, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "N", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " N = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:While_L247_C16", "label": "while", "type": "while", "loc": [247, 250], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "vector": [5, 4, 0.2295, 0.0037, 4, 0.83, 0.5714, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while (length > 0):\n char = self.read_ushort()\n N += (chr(char))\n length -= 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L248_C20", "label": "char = read_ushort()", "type": "assigned_variable", "loc": [248, 248], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L247_C16", "vector": [14, 5, 0.229, 0.0009, 5, 0.67, 0.0, 272, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "char", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " char = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L251_C16", "label": "self._pos =", "type": "assigned_variable", "loc": [251, 251], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "vector": [14, 4, 0.2318, 0.0009, 4, 0.83, 0.7143, 137, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._pos = opos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L252_C16", "label": "seek()", "type": "expression", "loc": [252, 252], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "vector": [8, 4, 0.2327, 0.0009, 4, 0.83, 0.8571, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(opos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L254_C12", "label": "if", "type": "if", "loc": [254, 258], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "vector": [4, 4, 0.2364, 0.0046, 4, 0.83, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif (platformId == 1 and encodingId == 0 and languageId == 0): # Macintosh, Roman, English, PS Name\n opos = self._pos\n N = self.get_chunk(string_data_offset + offset, length)\n self._pos = opos\n self.seek(opos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L255_C16", "label": "opos =", "type": "assigned_variable", "loc": [255, 255], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L254_C12", "vector": [14, 5, 0.2355, 0.0009, 5, 0.24, 0.0, 936, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "opos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " opos = self._pos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L256_C16", "label": "N = get_chunk()", "type": "assigned_variable", "loc": [256, 256], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L254_C12", "vector": [14, 5, 0.2364, 0.0009, 5, 0.24, 0.3333, 644, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "N", "arg_names": [], "import_names": [], "rhs_call_name": "get_chunk", "annotation": ""}, "snippet": " N = self.get_chunk(string_data_offset + offset, length)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L257_C16", "label": "self._pos =", "type": "assigned_variable", "loc": [257, 257], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L254_C12", "vector": [14, 5, 0.2373, 0.0009, 5, 0.24, 0.6667, 137, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._pos = opos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L258_C16", "label": "seek()", "type": "expression", "loc": [258, 258], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L254_C12", "vector": [8, 5, 0.2382, 0.0009, 5, 0.24, 1.0, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(opos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L260_C12", "label": "if", "type": "if", "loc": [260, 263], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "vector": [4, 3, 0.2415, 0.0037, 3, 0.64, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (N and names[nameId]==''):\n names[nameId] = N\n nameCount -= 1\n if (nameCount==0): break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L261_C16", "label": "assign", "type": "assigned_variable", "loc": [261, 261], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L260_C12", "vector": [14, 4, 0.241, 0.0009, 4, 0.14, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " names[nameId] = N"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L263_C16", "label": "if", "type": "if", "loc": [263, 263], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L260_C12", "vector": [4, 4, 0.2428, 0.0009, 4, 0.14, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (nameCount==0): break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L266_C8", "label": "if", "type": "if", "loc": [266, 273], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.2488, 0.0074, 2, 0.34, 0.1692, 0, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (names[6]):\n psName = names[6]\n elif (names[4]):\n psName = re.sub(' ','-',names[4])\n elif (names[1]):\n psName = re.sub(' ','-',names[1])\n else:\n psName = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L267_C12", "label": "psName =", "type": "assigned_variable", "loc": [267, 267], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L266_C8", "vector": [14, 3, 0.2465, 0.0009, 3, 0.46, 0.0, 906, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "psName", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " psName = names[6]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L268_C8", "label": "if", "type": "if", "loc": [268, 273], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L266_C8", "vector": [4, 3, 0.2498, 0.0055, 3, 0.46, 1.0, 0, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif (names[4]):\n psName = re.sub(' ','-',names[4])\n elif (names[1]):\n psName = re.sub(' ','-',names[1])\n else:\n psName = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L269_C12", "label": "psName = sub()", "type": "assigned_variable", "loc": [269, 269], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L268_C8", "vector": [14, 4, 0.2484, 0.0009, 4, 0.22, 0.0, 906, 3, 3, 0, 0, 819, 10, 1], "semantic": {"name": "psName", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " psName = re.sub(' ','-',names[4])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L270_C8", "label": "if", "type": "if", "loc": [270, 273], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L268_C8", "vector": [4, 4, 0.2507, 0.0037, 4, 0.22, 1.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif (names[1]):\n psName = re.sub(' ','-',names[1])\n else:\n psName = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L271_C12", "label": "psName = sub()", "type": "assigned_variable", "loc": [271, 271], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L270_C8", "vector": [14, 5, 0.2502, 0.0009, 5, 0.7, 0.0, 906, 3, 3, 0, 0, 819, 10, 1], "semantic": {"name": "psName", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " psName = re.sub(' ','-',names[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L273_C12", "label": "psName =", "type": "assigned_variable", "loc": [273, 273], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L270_C8", "vector": [14, 5, 0.2521, 0.0009, 5, 0.7, 1.0, 906, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "psName", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " psName = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L274_C8", "label": "if", "type": "if", "loc": [274, 275], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.2535, 0.0018, 2, 0.34, 0.1846, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (not psName):\n die(\"Could not find PostScript font name\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L275_C12", "label": "die()", "type": "expression", "loc": [275, 275], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L274_C8", "vector": [8, 3, 0.2539, 0.0009, 3, 0.81, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die(\"Could not find PostScript font name\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L276_C8", "label": "self.name =", "type": "assigned_variable", "loc": [276, 276], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2548, 0.0009, 2, 0.34, 0.2, 689, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.name = psName"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L277_C8", "label": "if", "type": "if", "loc": [277, 280], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.2572, 0.0037, 2, 0.34, 0.2154, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (names[1]):\n self.familyName = names[1] \n else: \n self.familyName = psName "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L278_C12", "label": "self.familyName =", "type": "assigned_variable", "loc": [278, 278], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L277_C8", "vector": [14, 3, 0.2567, 0.0009, 3, 0.16, 0.0, 410, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.familyName", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.familyName = names[1] "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L280_C12", "label": "self.familyName =", "type": "assigned_variable", "loc": [280, 280], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L277_C8", "vector": [14, 3, 0.2585, 0.0009, 3, 0.16, 1.0, 410, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.familyName", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.familyName = psName "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L281_C8", "label": "if", "type": "if", "loc": [281, 284], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.2608, 0.0037, 2, 0.34, 0.2308, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (names[2]):\n self.styleName = names[2]\n else:\n self.styleName = 'Regular' "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L282_C12", "label": "self.styleName =", "type": "assigned_variable", "loc": [282, 282], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L281_C8", "vector": [14, 3, 0.2604, 0.0009, 3, 0.57, 0.0, 413, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.styleName", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.styleName = names[2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L284_C12", "label": "self.styleName =", "type": "assigned_variable", "loc": [284, 284], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L281_C8", "vector": [14, 3, 0.2622, 0.0009, 3, 0.57, 1.0, 413, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self.styleName", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.styleName = 'Regular' "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L285_C8", "label": "if", "type": "if", "loc": [285, 288], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.2645, 0.0037, 2, 0.34, 0.2462, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (names[4]):\n self.fullName = names[4]\n else:\n self.fullName = psName "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L286_C12", "label": "self.fullName =", "type": "assigned_variable", "loc": [286, 286], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L285_C8", "vector": [14, 3, 0.2641, 0.0009, 3, 0.28, 0.0, 796, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.fullName", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.fullName = names[4]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L288_C12", "label": "self.fullName =", "type": "assigned_variable", "loc": [288, 288], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L285_C8", "vector": [14, 3, 0.2659, 0.0009, 3, 0.28, 1.0, 796, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.fullName", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.fullName = psName "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L289_C8", "label": "if", "type": "if", "loc": [289, 292], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.2682, 0.0037, 2, 0.34, 0.2615, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (names[3]):\n self.uniqueFontID = names[3]\n else:\n self.uniqueFontID = psName "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L290_C12", "label": "self.uniqueFontID =", "type": "assigned_variable", "loc": [290, 290], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L289_C8", "vector": [14, 3, 0.2678, 0.0009, 3, 0.91, 0.0, 911, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.uniqueFontID", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.uniqueFontID = names[3]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L292_C12", "label": "self.uniqueFontID =", "type": "assigned_variable", "loc": [292, 292], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L289_C8", "vector": [14, 3, 0.2696, 0.0009, 3, 0.91, 1.0, 911, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.uniqueFontID", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.uniqueFontID = psName "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L293_C8", "label": "if", "type": "if", "loc": [293, 294], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.271, 0.0018, 2, 0.34, 0.2769, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (names[6]):\n self.fullName = names[6] "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L294_C12", "label": "self.fullName =", "type": "assigned_variable", "loc": [294, 294], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L293_C8", "vector": [14, 3, 0.2715, 0.0009, 3, 0.51, 0.0, 796, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.fullName", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.fullName = names[6] "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L299_C8", "label": "seek_table()", "type": "expression", "loc": [299, 299], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [8, 2, 0.2761, 0.0009, 2, 0.34, 0.2923, 626, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek_table", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " self.seek_table(\"head\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L300_C8", "label": "skip()", "type": "expression", "loc": [300, 300], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [8, 2, 0.277, 0.0009, 2, 0.34, 0.3077, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(18) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L301_C8", "label": "self.unitsPerEm = read_ushort()", "type": "assigned_variable", "loc": [301, 301], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2779, 0.0009, 2, 0.34, 0.3231, 887, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "self.unitsPerEm", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " self.unitsPerEm = unitsPerEm = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L302_C8", "label": "scale =", "type": "assigned_variable", "loc": [302, 302], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2789, 0.0009, 2, 0.34, 0.3385, 18, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "scale", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " scale = 1000 / float(unitsPerEm)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L303_C8", "label": "skip()", "type": "expression", "loc": [303, 303], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [8, 2, 0.2798, 0.0009, 2, 0.34, 0.3538, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(16)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L304_C8", "label": "xMin = read_short()", "type": "assigned_variable", "loc": [304, 304], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2807, 0.0009, 2, 0.34, 0.3692, 830, 3, 0, 0, 0, 388, 10, 1], "semantic": {"name": "xMin", "arg_names": [], "import_names": [], "rhs_call_name": "read_short", "annotation": ""}, "snippet": " xMin = self.read_short()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L305_C8", "label": "yMin = read_short()", "type": "assigned_variable", "loc": [305, 305], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2816, 0.0009, 2, 0.34, 0.3846, 266, 3, 0, 0, 0, 388, 10, 1], "semantic": {"name": "yMin", "arg_names": [], "import_names": [], "rhs_call_name": "read_short", "annotation": ""}, "snippet": " yMin = self.read_short()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L306_C8", "label": "xMax = read_short()", "type": "assigned_variable", "loc": [306, 306], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2825, 0.0009, 2, 0.34, 0.4, 554, 3, 0, 0, 0, 388, 10, 1], "semantic": {"name": "xMax", "arg_names": [], "import_names": [], "rhs_call_name": "read_short", "annotation": ""}, "snippet": " xMax = self.read_short()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L307_C8", "label": "yMax = read_short()", "type": "assigned_variable", "loc": [307, 307], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2835, 0.0009, 2, 0.34, 0.4154, 306, 3, 0, 0, 0, 388, 10, 1], "semantic": {"name": "yMax", "arg_names": [], "import_names": [], "rhs_call_name": "read_short", "annotation": ""}, "snippet": " yMax = self.read_short()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L308_C8", "label": "self.bbox =", "type": "assigned_variable", "loc": [308, 308], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2844, 0.0009, 2, 0.34, 0.4308, 455, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.bbox", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.bbox = [(xMin*scale), (yMin*scale), (xMax*scale), (yMax*scale)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L309_C8", "label": "skip()", "type": "expression", "loc": [309, 309], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [8, 2, 0.2853, 0.0009, 2, 0.34, 0.4462, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(3*2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L310_C8", "label": "indexToLocFormat = read_ushort()", "type": "assigned_variable", "loc": [310, 310], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2862, 0.0009, 2, 0.34, 0.4615, 332, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "indexToLocFormat", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " indexToLocFormat = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L311_C8", "label": "glyphDataFormat = read_ushort()", "type": "assigned_variable", "loc": [311, 311], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.2872, 0.0009, 2, 0.34, 0.4769, 842, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "glyphDataFormat", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " glyphDataFormat = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L312_C8", "label": "if", "type": "if", "loc": [312, 313], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.2886, 0.0018, 2, 0.34, 0.4923, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (glyphDataFormat != 0):\n die('Unknown glyph data format ' + glyphDataFormat)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L313_C12", "label": "die()", "type": "expression", "loc": [313, 313], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L312_C8", "vector": [8, 3, 0.289, 0.0009, 3, 0.54, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die('Unknown glyph data format ' + glyphDataFormat)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "label": "if", "type": "if", "loc": [319, 325], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.2973, 0.0065, 2, 0.34, 0.5077, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (\"hhea\" in self.tables):\n self.seek_table(\"hhea\")\n self.skip(4)\n hheaAscender = self.read_short()\n hheaDescender = self.read_short()\n self.ascent = (hheaAscender *scale)\n self.descent = (hheaDescender *scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L320_C12", "label": "seek_table()", "type": "expression", "loc": [320, 320], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "vector": [8, 3, 0.2955, 0.0009, 3, 0.84, 0.0, 626, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek_table", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " self.seek_table(\"hhea\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L321_C12", "label": "skip()", "type": "expression", "loc": [321, 321], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "vector": [8, 3, 0.2964, 0.0009, 3, 0.84, 0.2, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L322_C12", "label": "hheaAscender = read_short()", "type": "assigned_variable", "loc": [322, 322], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "vector": [14, 3, 0.2973, 0.0009, 3, 0.84, 0.4, 19, 3, 0, 0, 0, 388, 10, 1], "semantic": {"name": "hheaAscender", "arg_names": [], "import_names": [], "rhs_call_name": "read_short", "annotation": ""}, "snippet": " hheaAscender = self.read_short()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L323_C12", "label": "hheaDescender = read_short()", "type": "assigned_variable", "loc": [323, 323], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "vector": [14, 3, 0.2982, 0.0009, 3, 0.84, 0.6, 444, 3, 0, 0, 0, 388, 10, 1], "semantic": {"name": "hheaDescender", "arg_names": [], "import_names": [], "rhs_call_name": "read_short", "annotation": ""}, "snippet": " hheaDescender = self.read_short()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L324_C12", "label": "self.ascent =", "type": "assigned_variable", "loc": [324, 324], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "vector": [14, 3, 0.2992, 0.0009, 3, 0.84, 0.8, 88, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.ascent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ascent = (hheaAscender *scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L325_C12", "label": "self.descent =", "type": "assigned_variable", "loc": [325, 325], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "vector": [14, 3, 0.3001, 0.0009, 3, 0.84, 1.0, 685, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.descent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.descent = (hheaDescender *scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "label": "if", "type": "if", "loc": [331, 366], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.3218, 0.0332, 2, 0.34, 0.5231, 0, 0, 0, 0, 0, 0, 0, 15], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (\"OS/2\" in self.tables): \n self.seek_table(\"OS/2\")\n version = self.read_ushort()\n self.skip(2)\n usWeightClass = self.read_ushort()\n self.skip(2)\n fsType = self.read_ushort()\n if (fsType == 0x0002 or (fsType & 0x0300) != 0): "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L332_C12", "label": "seek_table()", "type": "expression", "loc": [332, 332], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [8, 3, 0.3066, 0.0009, 3, 0.35, 0.0, 626, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek_table", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " self.seek_table(\"OS/2\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L333_C12", "label": "version = read_ushort()", "type": "assigned_variable", "loc": [333, 333], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [14, 3, 0.3075, 0.0009, 3, 0.35, 0.0476, 623, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "version", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " version = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L334_C12", "label": "skip()", "type": "expression", "loc": [334, 334], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [8, 3, 0.3084, 0.0009, 3, 0.35, 0.0952, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L335_C12", "label": "usWeightClass = read_ushort()", "type": "assigned_variable", "loc": [335, 335], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [14, 3, 0.3093, 0.0009, 3, 0.35, 0.1429, 797, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "usWeightClass", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " usWeightClass = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L336_C12", "label": "skip()", "type": "expression", "loc": [336, 336], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [8, 3, 0.3102, 0.0009, 3, 0.35, 0.1905, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L337_C12", "label": "fsType = read_ushort()", "type": "assigned_variable", "loc": [337, 337], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [14, 3, 0.3112, 0.0009, 3, 0.35, 0.2381, 487, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "fsType", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " fsType = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L338_C12", "label": "if", "type": "if", "loc": [338, 340], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [4, 3, 0.313, 0.0028, 3, 0.35, 0.2857, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (fsType == 0x0002 or (fsType & 0x0300) != 0): \n die('ERROR - Font file ' + self.filename + ' cannot be embedded due to copyright restrictions.')\n self.restrictedUse = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L339_C16", "label": "die()", "type": "expression", "loc": [339, 339], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L338_C12", "vector": [8, 4, 0.313, 0.0009, 4, 0.13, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die('ERROR - Font file ' + self.filename + ' cannot be embedded due to copyright restrictions.')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L340_C16", "label": "self.restrictedUse =", "type": "assigned_variable", "loc": [340, 340], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L338_C12", "vector": [14, 4, 0.3139, 0.0009, 4, 0.13, 1.0, 648, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.restrictedUse", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.restrictedUse = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L342_C12", "label": "skip()", "type": "expression", "loc": [342, 342], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [8, 3, 0.3158, 0.0009, 3, 0.35, 0.3333, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(20)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L343_C12", "label": "sF = read_short()", "type": "assigned_variable", "loc": [343, 343], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [14, 3, 0.3167, 0.0009, 3, 0.35, 0.381, 461, 3, 0, 0, 0, 388, 10, 1], "semantic": {"name": "sF", "arg_names": [], "import_names": [], "rhs_call_name": "read_short", "annotation": ""}, "snippet": " sF = self.read_short()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L344_C12", "label": "self.sFamilyClass =", "type": "assigned_variable", "loc": [344, 344], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [14, 3, 0.3176, 0.0009, 3, 0.35, 0.4286, 838, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.sFamilyClass", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.sFamilyClass = (sF >> 8)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L345_C12", "label": "self.sFamilySubClass =", "type": "assigned_variable", "loc": [345, 345], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [14, 3, 0.3186, 0.0009, 3, 0.35, 0.4762, 541, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.sFamilySubClass", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.sFamilySubClass = (sF & 0xFF)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L347_C12", "label": "panose = read()", "type": "assigned_variable", "loc": [347, 347], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [14, 3, 0.3204, 0.0009, 3, 0.35, 0.5238, 828, 3, 1, 0, 0, 453, 10, 1], "semantic": {"name": "panose", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " panose = self.fh.read(10)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L348_C12", "label": "skip()", "type": "expression", "loc": [348, 348], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [8, 3, 0.3213, 0.0009, 3, 0.35, 0.5714, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(26)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L349_C12", "label": "sTypoAscender = read_short()", "type": "assigned_variable", "loc": [349, 349], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [14, 3, 0.3223, 0.0009, 3, 0.35, 0.619, 164, 3, 0, 0, 0, 388, 10, 1], "semantic": {"name": "sTypoAscender", "arg_names": [], "import_names": [], "rhs_call_name": "read_short", "annotation": ""}, "snippet": " sTypoAscender = self.read_short()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L350_C12", "label": "sTypoDescender = read_short()", "type": "assigned_variable", "loc": [350, 350], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [14, 3, 0.3232, 0.0009, 3, 0.35, 0.6667, 748, 3, 0, 0, 0, 388, 10, 1], "semantic": {"name": "sTypoDescender", "arg_names": [], "import_names": [], "rhs_call_name": "read_short", "annotation": ""}, "snippet": " sTypoDescender = self.read_short()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L351_C12", "label": "if", "type": "if", "loc": [351, 352], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [4, 3, 0.3246, 0.0018, 3, 0.35, 0.7143, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (not self.ascent): \n self.ascent = (sTypoAscender*scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L352_C16", "label": "self.ascent =", "type": "assigned_variable", "loc": [352, 352], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L351_C12", "vector": [14, 4, 0.325, 0.0009, 4, 0.19, 0.0, 88, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.ascent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ascent = (sTypoAscender*scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L353_C12", "label": "if", "type": "if", "loc": [353, 354], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [4, 3, 0.3264, 0.0018, 3, 0.35, 0.7619, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (not self.descent): \n self.descent = (sTypoDescender*scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L354_C16", "label": "self.descent =", "type": "assigned_variable", "loc": [354, 354], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L353_C12", "vector": [14, 4, 0.3269, 0.0009, 4, 0.31, 0.0, 685, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.descent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.descent = (sTypoDescender*scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L355_C12", "label": "if", "type": "if", "loc": [355, 360], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [4, 3, 0.3301, 0.0055, 3, 0.35, 0.8095, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (version > 1):\n self.skip(16)\n sCapHeight = self.read_short()\n self.capHeight = (sCapHeight*scale)\n else:\n self.capHeight = self.ascent "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L356_C16", "label": "skip()", "type": "expression", "loc": [356, 356], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L355_C12", "vector": [8, 4, 0.3287, 0.0009, 4, 0.07, 0.0, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(16)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L357_C16", "label": "sCapHeight = read_short()", "type": "assigned_variable", "loc": [357, 357], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L355_C12", "vector": [14, 4, 0.3296, 0.0009, 4, 0.07, 0.3333, 752, 3, 0, 0, 0, 388, 10, 1], "semantic": {"name": "sCapHeight", "arg_names": [], "import_names": [], "rhs_call_name": "read_short", "annotation": ""}, "snippet": " sCapHeight = self.read_short()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L358_C16", "label": "self.capHeight =", "type": "assigned_variable", "loc": [358, 358], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L355_C12", "vector": [14, 4, 0.3306, 0.0009, 4, 0.07, 0.6667, 874, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.capHeight", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.capHeight = (sCapHeight*scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L360_C16", "label": "self.capHeight =", "type": "assigned_variable", "loc": [360, 360], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L355_C12", "vector": [14, 4, 0.3324, 0.0009, 4, 0.07, 1.0, 874, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.capHeight", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.capHeight = self.ascent "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L363_C12", "label": "usWeightClass =", "type": "assigned_variable", "loc": [363, 363], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [14, 3, 0.3352, 0.0009, 3, 0.35, 0.8571, 797, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "usWeightClass", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " usWeightClass = 500"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L364_C12", "label": "if", "type": "if", "loc": [364, 364], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [4, 3, 0.3361, 0.0009, 3, 0.35, 0.9048, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (not self.ascent): self.ascent = (yMax*scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L364_C34", "label": "self.ascent =", "type": "assigned_variable", "loc": [364, 364], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L364_C12", "vector": [14, 4, 0.3361, 0.0009, 4, 0.65, 0.0, 88, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.ascent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (not self.ascent): self.ascent = (yMax*scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L365_C12", "label": "if", "type": "if", "loc": [365, 365], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [4, 3, 0.337, 0.0009, 3, 0.35, 0.9524, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (not self.descent): self.descent = (yMin*scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L365_C35", "label": "self.descent =", "type": "assigned_variable", "loc": [365, 365], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L365_C12", "vector": [14, 4, 0.337, 0.0009, 4, 0.14, 0.0, 685, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.descent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (not self.descent): self.descent = (yMin*scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L366_C12", "label": "self.capHeight =", "type": "assigned_variable", "loc": [366, 366], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "vector": [14, 3, 0.338, 0.0009, 3, 0.35, 1.0, 874, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.capHeight", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.capHeight = self.ascent"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L368_C8", "label": "self.stemV =", "type": "assigned_variable", "loc": [368, 368], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.3398, 0.0009, 2, 0.34, 0.5385, 973, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "self.stemV", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.stemV = 50 + int(pow((usWeightClass / 65.0),2))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L373_C8", "label": "seek_table()", "type": "expression", "loc": [373, 373], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [8, 2, 0.3444, 0.0009, 2, 0.34, 0.5538, 626, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek_table", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " self.seek_table(\"post\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L374_C8", "label": "skip()", "type": "expression", "loc": [374, 374], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [8, 2, 0.3453, 0.0009, 2, 0.34, 0.5692, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(4) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L375_C8", "label": "self.italicAngle =", "type": "assigned_variable", "loc": [375, 375], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.3463, 0.0009, 2, 0.34, 0.5846, 722, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "self.italicAngle", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.italicAngle = self.read_short() + self.read_ushort() / 65536.0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L376_C8", "label": "self.underlinePosition =", "type": "assigned_variable", "loc": [376, 376], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.3472, 0.0009, 2, 0.34, 0.6, 780, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.underlinePosition", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.underlinePosition = self.read_short() * scale"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L377_C8", "label": "self.underlineThickness =", "type": "assigned_variable", "loc": [377, 377], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.3481, 0.0009, 2, 0.34, 0.6154, 553, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.underlineThickness", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.underlineThickness = self.read_short() * scale"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L378_C8", "label": "isFixedPitch = read_ulong()", "type": "assigned_variable", "loc": [378, 378], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.349, 0.0009, 2, 0.34, 0.6308, 560, 3, 0, 0, 0, 221, 10, 1], "semantic": {"name": "isFixedPitch", "arg_names": [], "import_names": [], "rhs_call_name": "read_ulong", "annotation": ""}, "snippet": " isFixedPitch = self.read_ulong()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L380_C8", "label": "self.flags =", "type": "assigned_variable", "loc": [380, 380], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.3509, 0.0009, 2, 0.34, 0.6462, 478, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.flags", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.flags = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L382_C8", "label": "if", "type": "if", "loc": [382, 383], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.3532, 0.0018, 2, 0.34, 0.6615, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (self.italicAngle!= 0):\n self.flags = self.flags | 64"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L383_C12", "label": "self.flags =", "type": "assigned_variable", "loc": [383, 383], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L382_C8", "vector": [14, 3, 0.3536, 0.0009, 3, 0.86, 0.0, 478, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.flags", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.flags = self.flags | 64"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L384_C8", "label": "if", "type": "if", "loc": [384, 385], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.355, 0.0018, 2, 0.34, 0.6769, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (usWeightClass >= 600):\n self.flags = self.flags | 262144"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L385_C12", "label": "self.flags =", "type": "assigned_variable", "loc": [385, 385], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L384_C8", "vector": [14, 3, 0.3555, 0.0009, 3, 0.06, 0.0, 478, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.flags", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.flags = self.flags | 262144"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L386_C8", "label": "if", "type": "if", "loc": [386, 387], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.3569, 0.0018, 2, 0.34, 0.6923, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (isFixedPitch):\n self.flags = self.flags | 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L387_C12", "label": "self.flags =", "type": "assigned_variable", "loc": [387, 387], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L386_C8", "vector": [14, 3, 0.3573, 0.0009, 3, 0.37, 0.0, 478, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.flags", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.flags = self.flags | 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L392_C8", "label": "seek_table()", "type": "expression", "loc": [392, 392], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [8, 2, 0.362, 0.0009, 2, 0.34, 0.7077, 626, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek_table", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " self.seek_table(\"hhea\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L393_C8", "label": "skip()", "type": "expression", "loc": [393, 393], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [8, 2, 0.3629, 0.0009, 2, 0.34, 0.7231, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(32) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L394_C8", "label": "metricDataFormat = read_ushort()", "type": "assigned_variable", "loc": [394, 394], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.3638, 0.0009, 2, 0.34, 0.7385, 858, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "metricDataFormat", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " metricDataFormat = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L395_C8", "label": "if", "type": "if", "loc": [395, 396], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.3652, 0.0018, 2, 0.34, 0.7538, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (metricDataFormat != 0):\n die('Unknown horizontal metric data format '.metricDataFormat)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L396_C12", "label": "die()", "type": "expression", "loc": [396, 396], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L395_C8", "vector": [8, 3, 0.3657, 0.0009, 3, 0.51, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die('Unknown horizontal metric data format '.metricDataFormat)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L397_C8", "label": "numberOfHMetrics = read_ushort()", "type": "assigned_variable", "loc": [397, 397], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.3666, 0.0009, 2, 0.34, 0.7692, 359, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "numberOfHMetrics", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " numberOfHMetrics = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L398_C8", "label": "if", "type": "if", "loc": [398, 399], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.368, 0.0018, 2, 0.34, 0.7846, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (numberOfHMetrics == 0):\n die('Number of horizontal metrics is 0')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L399_C12", "label": "die()", "type": "expression", "loc": [399, 399], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L398_C8", "vector": [8, 3, 0.3684, 0.0009, 3, 0.8, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die('Number of horizontal metrics is 0')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L404_C8", "label": "seek_table()", "type": "expression", "loc": [404, 404], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [8, 2, 0.373, 0.0009, 2, 0.34, 0.8, 626, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek_table", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " self.seek_table(\"maxp\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L405_C8", "label": "skip()", "type": "expression", "loc": [405, 405], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [8, 2, 0.374, 0.0009, 2, 0.34, 0.8154, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L406_C8", "label": "numGlyphs = read_ushort()", "type": "assigned_variable", "loc": [406, 406], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.3749, 0.0009, 2, 0.34, 0.8308, 810, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "numGlyphs", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " numGlyphs = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L411_C8", "label": "cmap_offset = seek_table()", "type": "assigned_variable", "loc": [411, 411], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.3795, 0.0009, 2, 0.34, 0.8462, 18, 3, 1, 0, 0, 626, 10, 1], "semantic": {"name": "cmap_offset", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " cmap_offset = self.seek_table(\"cmap\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L412_C8", "label": "skip()", "type": "expression", "loc": [412, 412], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [8, 2, 0.3804, 0.0009, 2, 0.34, 0.8615, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L413_C8", "label": "cmapTableCount = read_ushort()", "type": "assigned_variable", "loc": [413, 413], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.3813, 0.0009, 2, 0.34, 0.8769, 407, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "cmapTableCount", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " cmapTableCount = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L414_C8", "label": "unicode_cmap_offset =", "type": "assigned_variable", "loc": [414, 414], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.3823, 0.0009, 2, 0.34, 0.8923, 853, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "unicode_cmap_offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " unicode_cmap_offset = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L415_C8", "label": "unicode_cmap_offset12 =", "type": "assigned_variable", "loc": [415, 415], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.3832, 0.0009, 2, 0.34, 0.9077, 603, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "unicode_cmap_offset12", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " unicode_cmap_offset12 = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "label": "for i", "type": "for", "loc": [417, 435], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [6, 2, 0.3934, 0.0175, 2, 0.34, 0.9231, 826, 3, 0, 0, 0, 0, 0, 7], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(cmapTableCount):\n platformID = self.read_ushort()\n encodingID = self.read_ushort()\n offset = self.read_ulong()\n save_pos = self._pos\n if platformID == 3 and encodingID == 10: # Microsoft, UCS-4\n format = self.get_ushort(cmap_offset + offset)\n if (format == 12):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L418_C12", "label": "platformID = read_ushort()", "type": "assigned_variable", "loc": [418, 418], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "vector": [14, 3, 0.386, 0.0009, 3, 0.98, 0.0, 686, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "platformID", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " platformID = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L419_C12", "label": "encodingID = read_ushort()", "type": "assigned_variable", "loc": [419, 419], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "vector": [14, 3, 0.3869, 0.0009, 3, 0.98, 0.1667, 810, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "encodingID", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " encodingID = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L420_C12", "label": "offset = read_ulong()", "type": "assigned_variable", "loc": [420, 420], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "vector": [14, 3, 0.3878, 0.0009, 3, 0.98, 0.3333, 132, 3, 0, 0, 0, 221, 10, 1], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "read_ulong", "annotation": ""}, "snippet": " offset = self.read_ulong()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L421_C12", "label": "save_pos =", "type": "assigned_variable", "loc": [421, 421], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "vector": [14, 3, 0.3887, 0.0009, 3, 0.98, 0.5, 288, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "save_pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " save_pos = self._pos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L422_C12", "label": "if", "type": "if", "loc": [422, 427], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "vector": [4, 3, 0.392, 0.0055, 3, 0.98, 0.6667, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if platformID == 3 and encodingID == 10: # Microsoft, UCS-4\n format = self.get_ushort(cmap_offset + offset)\n if (format == 12):\n if not unicode_cmap_offset12:\n unicode_cmap_offset12 = cmap_offset + offset\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L423_C16", "label": "format = get_ushort()", "type": "assigned_variable", "loc": [423, 423], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L422_C12", "vector": [14, 4, 0.3906, 0.0009, 4, 0.74, 0.0, 293, 3, 1, 0, 0, 545, 10, 1], "semantic": {"name": "format", "arg_names": [], "import_names": [], "rhs_call_name": "get_ushort", "annotation": ""}, "snippet": " format = self.get_ushort(cmap_offset + offset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L424_C16", "label": "if", "type": "if", "loc": [424, 427], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L422_C12", "vector": [4, 4, 0.3929, 0.0037, 4, 0.74, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (format == 12):\n if not unicode_cmap_offset12:\n unicode_cmap_offset12 = cmap_offset + offset\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L425_C20", "label": "if", "type": "if", "loc": [425, 426], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L424_C16", "vector": [4, 5, 0.3929, 0.0018, 5, 0.21, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not unicode_cmap_offset12:\n unicode_cmap_offset12 = cmap_offset + offset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L426_C24", "label": "unicode_cmap_offset12 =", "type": "assigned_variable", "loc": [426, 426], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L425_C20", "vector": [14, 6, 0.3934, 0.0009, 6, 0.08, 0.0, 603, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "unicode_cmap_offset12", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " unicode_cmap_offset12 = cmap_offset + offset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L428_C12", "label": "if", "type": "if", "loc": [428, 433], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "vector": [4, 3, 0.3975, 0.0055, 3, 0.98, 0.8333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ((platformID == 3 and encodingID == 1) or platformID == 0): # Microsoft, Unicode\n format = self.get_ushort(cmap_offset + offset)\n if (format == 4):\n if (not unicode_cmap_offset):\n unicode_cmap_offset = cmap_offset + offset\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L429_C16", "label": "format = get_ushort()", "type": "assigned_variable", "loc": [429, 429], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L428_C12", "vector": [14, 4, 0.3961, 0.0009, 4, 0.02, 0.0, 293, 3, 1, 0, 0, 545, 10, 1], "semantic": {"name": "format", "arg_names": [], "import_names": [], "rhs_call_name": "get_ushort", "annotation": ""}, "snippet": " format = self.get_ushort(cmap_offset + offset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L430_C16", "label": "if", "type": "if", "loc": [430, 433], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L428_C12", "vector": [4, 4, 0.3984, 0.0037, 4, 0.02, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (format == 4):\n if (not unicode_cmap_offset):\n unicode_cmap_offset = cmap_offset + offset\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L431_C20", "label": "if", "type": "if", "loc": [431, 432], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L430_C16", "vector": [4, 5, 0.3984, 0.0018, 5, 0.74, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (not unicode_cmap_offset):\n unicode_cmap_offset = cmap_offset + offset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L432_C24", "label": "unicode_cmap_offset =", "type": "assigned_variable", "loc": [432, 432], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L431_C20", "vector": [14, 6, 0.3989, 0.0009, 6, 0.5, 0.0, 853, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "unicode_cmap_offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " unicode_cmap_offset = cmap_offset + offset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L435_C12", "label": "seek()", "type": "expression", "loc": [435, 435], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "vector": [8, 3, 0.4017, 0.0009, 3, 0.98, 1.0, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(save_pos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L437_C8", "label": "if", "type": "if", "loc": [437, 438], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.404, 0.0018, 2, 0.34, 0.9385, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not unicode_cmap_offset and not unicode_cmap_offset12:\n die('Font (' + self.filename + ') does not have cmap for Unicode (platform 3, encoding 1, format 4, or platform 3, encoding 10, format 12, or platform 0, any encoding, format 4)')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L438_C12", "label": "die()", "type": "expression", "loc": [438, 438], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L437_C8", "vector": [8, 3, 0.4044, 0.0009, 3, 0.02, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die('Font (' + self.filename + ') does not have cmap for Unicode (platform 3, encoding 1, format 4, or platform 3, encoding 10, format 12, or platform 0, any encoding, format 4)')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L440_C8", "label": "glyphToChar =", "type": "assigned_variable", "loc": [440, 440], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.4063, 0.0009, 2, 0.34, 0.9538, 60, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "glyphToChar", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyphToChar = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L441_C8", "label": "charToGlyph =", "type": "assigned_variable", "loc": [441, 441], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [14, 2, 0.4072, 0.0009, 2, 0.34, 0.9692, 707, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "charToGlyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " charToGlyph = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L442_C8", "label": "if", "type": "if", "loc": [442, 445], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [4, 2, 0.4095, 0.0037, 2, 0.34, 0.9846, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if unicode_cmap_offset12:\n self.getCMAP12(unicode_cmap_offset12, glyphToChar, charToGlyph)\n else: \n self.getCMAP4(unicode_cmap_offset, glyphToChar, charToGlyph)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L443_C12", "label": "getCMAP12()", "type": "expression", "loc": [443, 443], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L442_C8", "vector": [8, 3, 0.409, 0.0009, 3, 0.06, 0.0, 667, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "getCMAP12", "arg_names": [], "import_names": [], "rhs_call_name": "getCMAP12", "annotation": ""}, "snippet": " self.getCMAP12(unicode_cmap_offset12, glyphToChar, charToGlyph)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L445_C12", "label": "getCMAP4()", "type": "expression", "loc": [445, 445], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L442_C8", "vector": [8, 3, 0.4109, 0.0009, 3, 0.06, 1.0, 653, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "getCMAP4", "arg_names": [], "import_names": [], "rhs_call_name": "getCMAP4", "annotation": ""}, "snippet": " self.getCMAP4(unicode_cmap_offset, glyphToChar, charToGlyph)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L450_C8", "label": "getHMTX()", "type": "expression", "loc": [450, 450], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "vector": [8, 2, 0.4155, 0.0009, 2, 0.34, 1.0, 803, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "getHMTX", "arg_names": [], "import_names": [], "rhs_call_name": "getHMTX", "annotation": ""}, "snippet": " self.getHMTX(numberOfHMetrics, numGlyphs, glyphToChar, scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "label": "makeSubset", "type": "function", "loc": [456, 801], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.5803, 0.3195, 1, 0.96, 0.7333, 27, 0, 3, 1, 0, 0, 0, 99], "semantic": {"name": "makeSubset", "arg_names": ["self", "file", "subset"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def makeSubset(self, file, subset):\n self.filename = file\n self.fh = open(file ,'rb')\n self._pos = 0\n self.charWidths = []\n self.glyphPos = {}\n self.charToGlyph = {}\n self.tables = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L457_C8", "label": "self.filename =", "type": "assigned_variable", "loc": [457, 457], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.422, 0.0009, 2, 0.98, 0.0, 942, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.filename", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.filename = file"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L458_C8", "label": "self.fh = open()", "type": "assigned_variable", "loc": [458, 458], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4229, 0.0009, 2, 0.98, 0.0078, 733, 3, 2, 0, 0, 693, 10, 1], "semantic": {"name": "self.fh", "arg_names": [], "import_names": [], "rhs_call_name": "open", "annotation": ""}, "snippet": " self.fh = open(file ,'rb')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L459_C8", "label": "self._pos =", "type": "assigned_variable", "loc": [459, 459], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4238, 0.0009, 2, 0.98, 0.0155, 137, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self._pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._pos = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L460_C8", "label": "self.charWidths =", "type": "assigned_variable", "loc": [460, 460], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4247, 0.0009, 2, 0.98, 0.0233, 196, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.charWidths", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.charWidths = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L461_C8", "label": "self.glyphPos =", "type": "assigned_variable", "loc": [461, 461], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4257, 0.0009, 2, 0.98, 0.031, 155, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.glyphPos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.glyphPos = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L462_C8", "label": "self.charToGlyph =", "type": "assigned_variable", "loc": [462, 462], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4266, 0.0009, 2, 0.98, 0.0388, 599, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.charToGlyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.charToGlyph = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L463_C8", "label": "self.tables =", "type": "assigned_variable", "loc": [463, 463], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4275, 0.0009, 2, 0.98, 0.0465, 140, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.tables", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.tables = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L464_C8", "label": "self.otables =", "type": "assigned_variable", "loc": [464, 464], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4284, 0.0009, 2, 0.98, 0.0543, 327, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.otables", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.otables = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L465_C8", "label": "self.ascent =", "type": "assigned_variable", "loc": [465, 465], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4294, 0.0009, 2, 0.98, 0.062, 88, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.ascent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ascent = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L466_C8", "label": "self.descent =", "type": "assigned_variable", "loc": [466, 466], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4303, 0.0009, 2, 0.98, 0.0698, 685, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.descent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.descent = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L467_C8", "label": "skip()", "type": "expression", "loc": [467, 467], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.4312, 0.0009, 2, 0.98, 0.0775, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L468_C8", "label": "self.maxUni =", "type": "assigned_variable", "loc": [468, 468], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4321, 0.0009, 2, 0.98, 0.0853, 635, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.maxUni", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.maxUni = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L469_C8", "label": "readTableDirectory()", "type": "expression", "loc": [469, 469], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.4331, 0.0009, 2, 0.98, 0.093, 104, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "readTableDirectory", "arg_names": [], "import_names": [], "rhs_call_name": "readTableDirectory", "annotation": ""}, "snippet": " self.readTableDirectory()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L474_C8", "label": "seek_table()", "type": "expression", "loc": [474, 474], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.4377, 0.0009, 2, 0.98, 0.1008, 626, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek_table", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " self.seek_table(\"head\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L475_C8", "label": "skip()", "type": "expression", "loc": [475, 475], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.4386, 0.0009, 2, 0.98, 0.1085, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(50) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L476_C8", "label": "indexToLocFormat = read_ushort()", "type": "assigned_variable", "loc": [476, 476], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4395, 0.0009, 2, 0.98, 0.1163, 332, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "indexToLocFormat", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " indexToLocFormat = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L477_C8", "label": "glyphDataFormat = read_ushort()", "type": "assigned_variable", "loc": [477, 477], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4404, 0.0009, 2, 0.98, 0.124, 842, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "glyphDataFormat", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " glyphDataFormat = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L482_C8", "label": "seek_table()", "type": "expression", "loc": [482, 482], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.4451, 0.0009, 2, 0.98, 0.1318, 626, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek_table", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " self.seek_table(\"hhea\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L483_C8", "label": "skip()", "type": "expression", "loc": [483, 483], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.446, 0.0009, 2, 0.98, 0.1395, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(32) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L484_C8", "label": "metricDataFormat = read_ushort()", "type": "assigned_variable", "loc": [484, 484], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4469, 0.0009, 2, 0.98, 0.1473, 858, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "metricDataFormat", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " metricDataFormat = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L485_C8", "label": "orignHmetrics = read_ushort()", "type": "assigned_variable", "loc": [485, 485], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4478, 0.0009, 2, 0.98, 0.155, 252, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "orignHmetrics", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " orignHmetrics = numberOfHMetrics = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L490_C8", "label": "seek_table()", "type": "expression", "loc": [490, 490], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.4524, 0.0009, 2, 0.98, 0.1628, 626, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek_table", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " self.seek_table(\"maxp\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L491_C8", "label": "skip()", "type": "expression", "loc": [491, 491], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.4534, 0.0009, 2, 0.98, 0.1705, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L492_C8", "label": "numGlyphs = read_ushort()", "type": "assigned_variable", "loc": [492, 492], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4543, 0.0009, 2, 0.98, 0.1783, 810, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "numGlyphs", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " numGlyphs = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L497_C8", "label": "cmap_offset = seek_table()", "type": "assigned_variable", "loc": [497, 497], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4589, 0.0009, 2, 0.98, 0.186, 18, 3, 1, 0, 0, 626, 10, 1], "semantic": {"name": "cmap_offset", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " cmap_offset = self.seek_table(\"cmap\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L498_C8", "label": "skip()", "type": "expression", "loc": [498, 498], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.4598, 0.0009, 2, 0.98, 0.1938, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L499_C8", "label": "cmapTableCount = read_ushort()", "type": "assigned_variable", "loc": [499, 499], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4608, 0.0009, 2, 0.98, 0.2016, 407, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "cmapTableCount", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " cmapTableCount = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L500_C8", "label": "unicode_cmap_offset =", "type": "assigned_variable", "loc": [500, 500], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4617, 0.0009, 2, 0.98, 0.2093, 853, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "unicode_cmap_offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " unicode_cmap_offset = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L501_C8", "label": "unicode_cmap_offset12 =", "type": "assigned_variable", "loc": [501, 501], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4626, 0.0009, 2, 0.98, 0.2171, 603, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "unicode_cmap_offset12", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " unicode_cmap_offset12 = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "label": "for i", "type": "for", "loc": [502, 519], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.4714, 0.0166, 2, 0.98, 0.2248, 826, 3, 0, 0, 0, 0, 0, 7], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(cmapTableCount):\n platformID = self.read_ushort()\n encodingID = self.read_ushort()\n offset = self.read_ulong()\n save_pos = self._pos\n if platformID == 3 and encodingID == 10: # Microsoft, UCS-4\n format = self.get_ushort(cmap_offset + offset)\n if (format == 12):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L503_C12", "label": "platformID = read_ushort()", "type": "assigned_variable", "loc": [503, 503], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "vector": [14, 3, 0.4645, 0.0009, 3, 0.12, 0.0, 686, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "platformID", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " platformID = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L504_C12", "label": "encodingID = read_ushort()", "type": "assigned_variable", "loc": [504, 504], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "vector": [14, 3, 0.4654, 0.0009, 3, 0.12, 0.1667, 810, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "encodingID", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " encodingID = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L505_C12", "label": "offset = read_ulong()", "type": "assigned_variable", "loc": [505, 505], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "vector": [14, 3, 0.4663, 0.0009, 3, 0.12, 0.3333, 132, 3, 0, 0, 0, 221, 10, 1], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "read_ulong", "annotation": ""}, "snippet": " offset = self.read_ulong()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L506_C12", "label": "save_pos =", "type": "assigned_variable", "loc": [506, 506], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "vector": [14, 3, 0.4672, 0.0009, 3, 0.12, 0.5, 288, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "save_pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " save_pos = self._pos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L507_C12", "label": "if", "type": "if", "loc": [507, 512], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "vector": [4, 3, 0.4705, 0.0055, 3, 0.12, 0.6667, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if platformID == 3 and encodingID == 10: # Microsoft, UCS-4\n format = self.get_ushort(cmap_offset + offset)\n if (format == 12):\n if not unicode_cmap_offset12:\n unicode_cmap_offset12 = cmap_offset + offset\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L508_C16", "label": "format = get_ushort()", "type": "assigned_variable", "loc": [508, 508], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L507_C12", "vector": [14, 4, 0.4691, 0.0009, 4, 0.97, 0.0, 293, 3, 1, 0, 0, 545, 10, 1], "semantic": {"name": "format", "arg_names": [], "import_names": [], "rhs_call_name": "get_ushort", "annotation": ""}, "snippet": " format = self.get_ushort(cmap_offset + offset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L509_C16", "label": "if", "type": "if", "loc": [509, 512], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L507_C12", "vector": [4, 4, 0.4714, 0.0037, 4, 0.97, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (format == 12):\n if not unicode_cmap_offset12:\n unicode_cmap_offset12 = cmap_offset + offset\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L510_C20", "label": "if", "type": "if", "loc": [510, 511], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L509_C16", "vector": [4, 5, 0.4714, 0.0018, 5, 0.26, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not unicode_cmap_offset12:\n unicode_cmap_offset12 = cmap_offset + offset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L511_C24", "label": "unicode_cmap_offset12 =", "type": "assigned_variable", "loc": [511, 511], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L510_C20", "vector": [14, 6, 0.4718, 0.0009, 6, 0.01, 0.0, 603, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "unicode_cmap_offset12", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " unicode_cmap_offset12 = cmap_offset + offset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L513_C12", "label": "if", "type": "if", "loc": [513, 517], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "vector": [4, 3, 0.4755, 0.0046, 3, 0.12, 0.8333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ((platformID == 3 and encodingID == 1) or platformID == 0): # Microsoft, Unicode\n format = self.get_ushort(cmap_offset + offset)\n if (format == 4):\n unicode_cmap_offset = cmap_offset + offset\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L514_C16", "label": "format = get_ushort()", "type": "assigned_variable", "loc": [514, 514], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L513_C12", "vector": [14, 4, 0.4746, 0.0009, 4, 0.56, 0.0, 293, 3, 1, 0, 0, 545, 10, 1], "semantic": {"name": "format", "arg_names": [], "import_names": [], "rhs_call_name": "get_ushort", "annotation": ""}, "snippet": " format = self.get_ushort(cmap_offset + offset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L515_C16", "label": "if", "type": "if", "loc": [515, 517], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L513_C12", "vector": [4, 4, 0.4765, 0.0028, 4, 0.56, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (format == 4):\n unicode_cmap_offset = cmap_offset + offset\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L516_C20", "label": "unicode_cmap_offset =", "type": "assigned_variable", "loc": [516, 516], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L515_C16", "vector": [14, 5, 0.4765, 0.0009, 5, 0.65, 0.0, 853, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "unicode_cmap_offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " unicode_cmap_offset = cmap_offset + offset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L519_C12", "label": "seek()", "type": "expression", "loc": [519, 519], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "vector": [8, 3, 0.4792, 0.0009, 3, 0.12, 1.0, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(save_pos )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L521_C8", "label": "if", "type": "if", "loc": [521, 522], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [4, 2, 0.4815, 0.0018, 2, 0.98, 0.2326, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not unicode_cmap_offset and not unicode_cmap_offset12:\n die('Font (' + self.filename + ') does not have cmap for Unicode (platform 3, encoding 1, format 4, or platform 3, encoding 10, format 12, or platform 0, any encoding, format 4)')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L522_C12", "label": "die()", "type": "expression", "loc": [522, 522], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L521_C8", "vector": [8, 3, 0.482, 0.0009, 3, 0.52, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die('Font (' + self.filename + ') does not have cmap for Unicode (platform 3, encoding 1, format 4, or platform 3, encoding 10, format 12, or platform 0, any encoding, format 4)')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L524_C8", "label": "glyphToChar =", "type": "assigned_variable", "loc": [524, 524], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4838, 0.0009, 2, 0.98, 0.2403, 60, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "glyphToChar", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyphToChar = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L525_C8", "label": "charToGlyph =", "type": "assigned_variable", "loc": [525, 525], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4848, 0.0009, 2, 0.98, 0.2481, 707, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "charToGlyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " charToGlyph = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L526_C8", "label": "if", "type": "if", "loc": [526, 529], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [4, 2, 0.4871, 0.0037, 2, 0.98, 0.2558, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if unicode_cmap_offset12:\n self.getCMAP12(unicode_cmap_offset12, glyphToChar, charToGlyph)\n else: \n self.getCMAP4(unicode_cmap_offset, glyphToChar, charToGlyph)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L527_C12", "label": "getCMAP12()", "type": "expression", "loc": [527, 527], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L526_C8", "vector": [8, 3, 0.4866, 0.0009, 3, 0.46, 0.0, 667, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "getCMAP12", "arg_names": [], "import_names": [], "rhs_call_name": "getCMAP12", "annotation": ""}, "snippet": " self.getCMAP12(unicode_cmap_offset12, glyphToChar, charToGlyph)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L529_C12", "label": "getCMAP4()", "type": "expression", "loc": [529, 529], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L526_C8", "vector": [8, 3, 0.4885, 0.0009, 3, 0.46, 1.0, 653, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "getCMAP4", "arg_names": [], "import_names": [], "rhs_call_name": "getCMAP4", "annotation": ""}, "snippet": " self.getCMAP4(unicode_cmap_offset, glyphToChar, charToGlyph)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L531_C8", "label": "self.charToGlyph =", "type": "assigned_variable", "loc": [531, 531], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4903, 0.0009, 2, 0.98, 0.2636, 599, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.charToGlyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.charToGlyph = charToGlyph"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L536_C8", "label": "scale =", "type": "assigned_variable", "loc": [536, 536], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.4949, 0.0009, 2, 0.98, 0.2713, 18, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "scale", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " scale = 1 # not used"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L537_C8", "label": "getHMTX()", "type": "expression", "loc": [537, 537], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.4958, 0.0009, 2, 0.98, 0.2791, 803, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "getHMTX", "arg_names": [], "import_names": [], "rhs_call_name": "getHMTX", "annotation": ""}, "snippet": " self.getHMTX(numberOfHMetrics, numGlyphs, glyphToChar, scale)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L542_C8", "label": "getLOCA()", "type": "expression", "loc": [542, 542], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.5005, 0.0009, 2, 0.98, 0.2868, 279, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "getLOCA", "arg_names": [], "import_names": [], "rhs_call_name": "getLOCA", "annotation": ""}, "snippet": " self.getLOCA(indexToLocFormat, numGlyphs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L544_C8", "label": "subsetglyphs =", "type": "assigned_variable", "loc": [544, 544], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5023, 0.0009, 2, 0.98, 0.2946, 405, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "subsetglyphs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " subsetglyphs = [(0, 0)] # special \"sorted dict\"!"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L545_C8", "label": "subsetCharToGlyph =", "type": "assigned_variable", "loc": [545, 545], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5032, 0.0009, 2, 0.98, 0.3023, 951, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "subsetCharToGlyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " subsetCharToGlyph = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L546_C8", "label": "for code", "type": "for", "loc": [546, 551], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.5065, 0.0055, 2, 0.98, 0.3101, 44, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for code in subset: \n if (code in self.charToGlyph):\n if (self.charToGlyph[code], code) not in subsetglyphs:\n subsetglyphs.append((self.charToGlyph[code], code)) # Old Glyph ID => Unicode\n subsetCharToGlyph[code] = self.charToGlyph[code] # Unicode to old GlyphID\n self.maxUni = max(self.maxUni, code)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L547_C12", "label": "if", "type": "if", "loc": [547, 550], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L546_C8", "vector": [4, 3, 0.5065, 0.0037, 3, 0.84, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (code in self.charToGlyph):\n if (self.charToGlyph[code], code) not in subsetglyphs:\n subsetglyphs.append((self.charToGlyph[code], code)) # Old Glyph ID => Unicode\n subsetCharToGlyph[code] = self.charToGlyph[code] # Unicode to old GlyphID"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L548_C16", "label": "if", "type": "if", "loc": [548, 549], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L547_C12", "vector": [4, 4, 0.5065, 0.0018, 4, 0.29, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (self.charToGlyph[code], code) not in subsetglyphs:\n subsetglyphs.append((self.charToGlyph[code], code)) # Old Glyph ID => Unicode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L549_C20", "label": "append()", "type": "expression", "loc": [549, 549], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L548_C16", "vector": [8, 5, 0.5069, 0.0009, 5, 0.73, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " subsetglyphs.append((self.charToGlyph[code], code)) # Old Glyph ID => Unicode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L550_C16", "label": "assign", "type": "assigned_variable", "loc": [550, 550], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L547_C12", "vector": [14, 4, 0.5078, 0.0009, 4, 0.29, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " subsetCharToGlyph[code] = self.charToGlyph[code] # Unicode to old GlyphID"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L551_C12", "label": "self.maxUni = max()", "type": "assigned_variable", "loc": [551, 551], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L546_C8", "vector": [14, 3, 0.5088, 0.0009, 3, 0.84, 1.0, 635, 3, 2, 0, 0, 442, 10, 1], "semantic": {"name": "self.maxUni", "arg_names": [], "import_names": [], "rhs_call_name": "max", "annotation": ""}, "snippet": " self.maxUni = max(self.maxUni, code)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L552_C8", "label": "start, dummy = get_table_pos()", "type": "assigned_variable", "loc": [552, 552], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5097, 0.0009, 2, 0.98, 0.3178, 535, 3, 1, 0, 0, 21, 10, 1], "semantic": {"name": "start, dummy", "arg_names": [], "import_names": [], "rhs_call_name": "get_table_pos", "annotation": ""}, "snippet": " (start,dummy) = self.get_table_pos('glyf')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L554_C8", "label": "sort()", "type": "expression", "loc": [554, 554], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.5115, 0.0009, 2, 0.98, 0.3256, 489, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "sort", "arg_names": [], "import_names": [], "rhs_call_name": "sort", "annotation": ""}, "snippet": " subsetglyphs.sort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L555_C8", "label": "glyphSet =", "type": "assigned_variable", "loc": [555, 555], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5125, 0.0009, 2, 0.98, 0.3333, 914, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "glyphSet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyphSet = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L556_C8", "label": "n =", "type": "assigned_variable", "loc": [556, 556], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5134, 0.0009, 2, 0.98, 0.3411, 773, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " n = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L557_C8", "label": "fsLastCharIndex =", "type": "assigned_variable", "loc": [557, 557], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5143, 0.0009, 2, 0.98, 0.3488, 345, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "fsLastCharIndex", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fsLastCharIndex = 0 # maximum Unicode index (character code) in this font, according to the cmap subtable for platform ID 3 and platform- specific encoding ID 0 or 1."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L558_C8", "label": "for originalGlyphIdx, uni", "type": "for", "loc": [558, 561], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.5166, 0.0037, 2, 0.98, 0.3566, 996, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "originalGlyphIdx, uni", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for originalGlyphIdx, uni in subsetglyphs:\n fsLastCharIndex = max(fsLastCharIndex , uni)\n glyphSet[originalGlyphIdx] = n # old glyphID to new glyphID\n n += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L559_C12", "label": "fsLastCharIndex = max()", "type": "assigned_variable", "loc": [559, 559], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L558_C8", "vector": [14, 3, 0.5162, 0.0009, 3, 0.68, 0.0, 345, 3, 2, 0, 0, 442, 10, 1], "semantic": {"name": "fsLastCharIndex", "arg_names": [], "import_names": [], "rhs_call_name": "max", "annotation": ""}, "snippet": " fsLastCharIndex = max(fsLastCharIndex , uni)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L560_C12", "label": "assign", "type": "assigned_variable", "loc": [560, 560], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L558_C8", "vector": [14, 3, 0.5171, 0.0009, 3, 0.68, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyphSet[originalGlyphIdx] = n # old glyphID to new glyphID"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L563_C8", "label": "codeToGlyph =", "type": "assigned_variable", "loc": [563, 563], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5199, 0.0009, 2, 0.98, 0.3643, 801, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "codeToGlyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " codeToGlyph = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L564_C8", "label": "for uni, originalGlyphIdx", "type": "for", "loc": [564, 565], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.5212, 0.0018, 2, 0.98, 0.3721, 764, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "uni, originalGlyphIdx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for uni, originalGlyphIdx in sorted(subsetCharToGlyph.items()):\n codeToGlyph[uni] = glyphSet[originalGlyphIdx] "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L565_C12", "label": "assign", "type": "assigned_variable", "loc": [565, 565], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L564_C8", "vector": [14, 3, 0.5217, 0.0009, 3, 0.61, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " codeToGlyph[uni] = glyphSet[originalGlyphIdx] "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L567_C8", "label": "self.codeToGlyph =", "type": "assigned_variable", "loc": [567, 567], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5235, 0.0009, 2, 0.98, 0.3798, 131, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.codeToGlyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.codeToGlyph = codeToGlyph"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L569_C8", "label": "for originalGlyphIdx, uni", "type": "for", "loc": [569, 572], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.5268, 0.0037, 2, 0.98, 0.3876, 996, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "originalGlyphIdx, uni", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for originalGlyphIdx, uni in subsetglyphs: \n nonlocals = {'start': start, 'glyphSet': glyphSet, \n 'subsetglyphs': subsetglyphs}\n self.getGlyphs(originalGlyphIdx, nonlocals)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L570_C12", "label": "nonlocals =", "type": "assigned_variable", "loc": [570, 571], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L569_C8", "vector": [14, 3, 0.5268, 0.0018, 3, 0.94, 0.0, 587, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "nonlocals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " nonlocals = {'start': start, 'glyphSet': glyphSet, \n 'subsetglyphs': subsetglyphs}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L572_C12", "label": "getGlyphs()", "type": "expression", "loc": [572, 572], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L569_C8", "vector": [8, 3, 0.5282, 0.0009, 3, 0.94, 1.0, 930, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "getGlyphs", "arg_names": [], "import_names": [], "rhs_call_name": "getGlyphs", "annotation": ""}, "snippet": " self.getGlyphs(originalGlyphIdx, nonlocals)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L574_C8", "label": "numGlyphs = len()", "type": "assigned_variable", "loc": [574, 574], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.53, 0.0009, 2, 0.98, 0.3953, 810, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "numGlyphs", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " numGlyphs = numberOfHMetrics = len(subsetglyphs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L577_C8", "label": "tags =", "type": "assigned_variable", "loc": [577, 577], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5328, 0.0009, 2, 0.98, 0.4031, 487, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "tags", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tags = ['name']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L578_C8", "label": "for tag", "type": "for", "loc": [578, 579], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.5342, 0.0018, 2, 0.98, 0.4109, 732, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "tag", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for tag in tags: \n self.add(tag, self.get_table(tag)) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L579_C12", "label": "add()", "type": "expression", "loc": [579, 579], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L578_C8", "vector": [8, 3, 0.5346, 0.0009, 3, 0.65, 0.0, 241, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.add(tag, self.get_table(tag)) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L580_C8", "label": "tags =", "type": "assigned_variable", "loc": [580, 580], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5355, 0.0009, 2, 0.98, 0.4186, 487, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "tags", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tags = ['cvt ', 'fpgm', 'prep', 'gasp']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L581_C8", "label": "for tag", "type": "for", "loc": [581, 583], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.5374, 0.0028, 2, 0.98, 0.4264, 732, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "tag", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for tag in tags:\n if (tag in self.tables): \n self.add(tag, self.get_table(tag)) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L582_C12", "label": "if", "type": "if", "loc": [582, 583], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L581_C8", "vector": [4, 3, 0.5379, 0.0018, 3, 0.86, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (tag in self.tables): \n self.add(tag, self.get_table(tag)) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L583_C16", "label": "add()", "type": "expression", "loc": [583, 583], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L582_C12", "vector": [8, 4, 0.5383, 0.0009, 4, 0.83, 0.0, 241, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.add(tag, self.get_table(tag)) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L586_C8", "label": "opost = get_table()", "type": "assigned_variable", "loc": [586, 586], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5411, 0.0009, 2, 0.98, 0.4341, 268, 3, 1, 0, 0, 269, 10, 1], "semantic": {"name": "opost", "arg_names": [], "import_names": [], "rhs_call_name": "get_table", "annotation": ""}, "snippet": " opost = self.get_table('post')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L587_C8", "label": "post =", "type": "assigned_variable", "loc": [587, 587], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.542, 0.0009, 2, 0.98, 0.4419, 304, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "post", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " post = \"\\x00\\x03\\x00\\x00\" + substr(opost,4,12) + \"\\x00\\x00\\x00\\x00\\x00\\x00\\x00\\x00\\x00\\x00\\x00\\x00\\x00\\x00\\x00\\x00\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L588_C8", "label": "add()", "type": "expression", "loc": [588, 588], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.5429, 0.0009, 2, 0.98, 0.4496, 241, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.add('post', post)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L591_C8", "label": "if", "type": "if", "loc": [591, 592], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [4, 2, 0.5462, 0.0018, 2, 0.98, 0.4574, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 0 in codeToGlyph:\n del codeToGlyph[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L594_C8", "label": "rangeid =", "type": "assigned_variable", "loc": [594, 594], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5485, 0.0009, 2, 0.98, 0.4651, 176, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "rangeid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " rangeid = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L595_C8", "label": "range_ =", "type": "assigned_variable", "loc": [595, 595], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5494, 0.0009, 2, 0.98, 0.4729, 803, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "range_", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " range_ = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L596_C8", "label": "prevcid =", "type": "assigned_variable", "loc": [596, 596], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5503, 0.0009, 2, 0.98, 0.4806, 17, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prevcid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prevcid = -2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L597_C8", "label": "prevglidx =", "type": "assigned_variable", "loc": [597, 597], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5512, 0.0009, 2, 0.98, 0.4884, 128, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prevglidx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prevglidx = -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L599_C8", "label": "for cid, glidx", "type": "for", "loc": [599, 608], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.5572, 0.0092, 2, 0.98, 0.4961, 755, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "cid, glidx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for cid, glidx in sorted(codeToGlyph.items()):\n if (cid == (prevcid + 1) and glidx == (prevglidx + 1)):\n range_[rangeid].append(glidx)\n else:\n # new range\n rangeid = cid\n range_[rangeid] = []\n range_[rangeid].append(glidx)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L600_C12", "label": "if", "type": "if", "loc": [600, 606], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L599_C8", "vector": [4, 3, 0.5568, 0.0065, 3, 0.55, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (cid == (prevcid + 1) and glidx == (prevglidx + 1)):\n range_[rangeid].append(glidx)\n else:\n # new range\n rangeid = cid\n range_[rangeid] = []\n range_[rangeid].append(glidx)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L601_C16", "label": "append()", "type": "expression", "loc": [601, 601], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L600_C12", "vector": [8, 4, 0.5549, 0.0009, 4, 0.01, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " range_[rangeid].append(glidx)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L604_C16", "label": "rangeid =", "type": "assigned_variable", "loc": [604, 604], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L600_C12", "vector": [14, 4, 0.5577, 0.0009, 4, 0.01, 0.3333, 176, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "rangeid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " rangeid = cid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L605_C16", "label": "assign", "type": "assigned_variable", "loc": [605, 605], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L600_C12", "vector": [14, 4, 0.5586, 0.0009, 4, 0.01, 0.6667, 0, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " range_[rangeid] = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L606_C16", "label": "append()", "type": "expression", "loc": [606, 606], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L600_C12", "vector": [8, 4, 0.5596, 0.0009, 4, 0.01, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " range_[rangeid].append(glidx)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L607_C12", "label": "prevcid =", "type": "assigned_variable", "loc": [607, 607], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L599_C8", "vector": [14, 3, 0.5605, 0.0009, 3, 0.55, 0.5, 17, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prevcid", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prevcid = cid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L608_C12", "label": "prevglidx =", "type": "assigned_variable", "loc": [608, 608], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L599_C8", "vector": [14, 3, 0.5614, 0.0009, 3, 0.55, 1.0, 128, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prevglidx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prevglidx = glidx"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L611_C8", "label": "segCount =", "type": "assigned_variable", "loc": [611, 611], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5642, 0.0009, 2, 0.98, 0.5039, 18, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "segCount", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " segCount = len(range_) + 1 # + 1 Last segment has missing character 0xFFFF"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L612_C8", "label": "searchRange =", "type": "assigned_variable", "loc": [612, 612], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5651, 0.0009, 2, 0.98, 0.5116, 928, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "searchRange", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " searchRange = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L613_C8", "label": "entrySelector =", "type": "assigned_variable", "loc": [613, 613], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.566, 0.0009, 2, 0.98, 0.5194, 140, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "entrySelector", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " entrySelector = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:While_L614_C8", "label": "while", "type": "while", "loc": [614, 616], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [5, 2, 0.5679, 0.0028, 2, 0.98, 0.5271, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while (searchRange * 2 <= segCount ):\n searchRange = searchRange * 2\n entrySelector = entrySelector + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L615_C12", "label": "searchRange =", "type": "assigned_variable", "loc": [615, 615], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L614_C8", "vector": [14, 3, 0.5679, 0.0009, 3, 0.48, 0.0, 928, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "searchRange", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " searchRange = searchRange * 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L616_C12", "label": "entrySelector =", "type": "assigned_variable", "loc": [616, 616], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L614_C8", "vector": [14, 3, 0.5688, 0.0009, 3, 0.48, 1.0, 140, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "entrySelector", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " entrySelector = entrySelector + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L618_C8", "label": "searchRange =", "type": "assigned_variable", "loc": [618, 618], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5706, 0.0009, 2, 0.98, 0.5349, 928, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "searchRange", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " searchRange = searchRange * 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L619_C8", "label": "rangeShift =", "type": "assigned_variable", "loc": [619, 619], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5716, 0.0009, 2, 0.98, 0.5426, 169, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "rangeShift", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " rangeShift = segCount * 2 - searchRange"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L620_C8", "label": "length =", "type": "assigned_variable", "loc": [620, 620], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5725, 0.0009, 2, 0.98, 0.5504, 221, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "length", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " length = 16 + (8*segCount ) + (numGlyphs+1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L621_C8", "label": "cmap =", "type": "assigned_variable", "loc": [621, 628], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5766, 0.0074, 2, 0.98, 0.5581, 655, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "cmap", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " cmap = [0, 1, # Index : version, number of encoding subtables\n 3, 1, # Encoding Subtable : platform (MS=3), encoding (Unicode)\n 0, 12, # Encoding Subtable : offset (hi,lo)\n 4, length, 0, # Format 4 Mapping subtable: format, length, language\n segCount*2,\n searchRange,\n entrySelector,\n rangeShift]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L630_C8", "label": "range_ = sorted()", "type": "assigned_variable", "loc": [630, 630], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.5817, 0.0009, 2, 0.98, 0.5659, 803, 3, 1, 0, 0, 134, 10, 2], "semantic": {"name": "range_", "arg_names": [], "import_names": [], "rhs_call_name": "sorted", "annotation": ""}, "snippet": " range_ = sorted(range_.items())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L633_C8", "label": "for start, subrange", "type": "for", "loc": [633, 635], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.5854, 0.0028, 2, 0.98, 0.5736, 495, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "start, subrange", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for start, subrange in range_:\n endCode = start + (len(subrange)-1)\n cmap.append(endCode) # endCode(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L634_C12", "label": "endCode =", "type": "assigned_variable", "loc": [634, 634], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L633_C8", "vector": [14, 3, 0.5854, 0.0009, 3, 0.77, 0.0, 248, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "endCode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " endCode = start + (len(subrange)-1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L635_C12", "label": "append()", "type": "expression", "loc": [635, 635], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L633_C8", "vector": [8, 3, 0.5863, 0.0009, 3, 0.77, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " cmap.append(endCode) # endCode(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L637_C8", "label": "append()", "type": "expression", "loc": [637, 637], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.5882, 0.0009, 2, 0.98, 0.5814, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " cmap.append(0xFFFF) # endCode of last Segment"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L638_C8", "label": "append()", "type": "expression", "loc": [638, 638], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.5891, 0.0009, 2, 0.98, 0.5891, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " cmap.append(0) # reservedPad"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L641_C8", "label": "for start, subrange", "type": "for", "loc": [641, 642], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.5923, 0.0018, 2, 0.98, 0.5969, 495, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "start, subrange", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for start, subrange in range_: \n cmap.append(start) # startCode(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L642_C12", "label": "append()", "type": "expression", "loc": [642, 642], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L641_C8", "vector": [8, 3, 0.5928, 0.0009, 3, 0.0, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " cmap.append(start) # startCode(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L644_C8", "label": "append()", "type": "expression", "loc": [644, 644], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.5946, 0.0009, 2, 0.98, 0.6047, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " cmap.append(0xFFFF) # startCode of last Segment"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L646_C8", "label": "for start, subrange", "type": "for", "loc": [646, 649], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.5979, 0.0037, 2, 0.98, 0.6124, 495, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "start, subrange", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for start, subrange in range_: \n idDelta = -(start-subrange[0])\n n += count(subrange)\n cmap.append(idDelta) # idDelta(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L647_C12", "label": "idDelta =", "type": "assigned_variable", "loc": [647, 647], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L646_C8", "vector": [14, 3, 0.5974, 0.0009, 3, 0.62, 0.0, 602, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "idDelta", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " idDelta = -(start-subrange[0])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L649_C12", "label": "append()", "type": "expression", "loc": [649, 649], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L646_C8", "vector": [8, 3, 0.5993, 0.0009, 3, 0.62, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " cmap.append(idDelta) # idDelta(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L651_C8", "label": "append()", "type": "expression", "loc": [651, 651], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.6011, 0.0009, 2, 0.98, 0.6202, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " cmap.append(1) # idDelta of last Segment"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L653_C8", "label": "for subrange", "type": "for", "loc": [653, 654], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.6034, 0.0018, 2, 0.98, 0.6279, 175, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "subrange", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for subrange in range_: \n cmap.append(0) # idRangeOffset[segCount] Offset in bytes to glyph indexArray, or 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L654_C12", "label": "append()", "type": "expression", "loc": [654, 654], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L653_C8", "vector": [8, 3, 0.6039, 0.0009, 3, 0.82, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " cmap.append(0) # idRangeOffset[segCount] Offset in bytes to glyph indexArray, or 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L656_C8", "label": "append()", "type": "expression", "loc": [656, 656], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.6057, 0.0009, 2, 0.98, 0.6357, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " cmap.append(0) # idRangeOffset of last Segment"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L657_C8", "label": "for subrange, glidx", "type": "for", "loc": [657, 658], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.6071, 0.0018, 2, 0.98, 0.6434, 448, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "subrange, glidx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for subrange, glidx in range_: \n cmap.extend(glidx)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L658_C12", "label": "extend()", "type": "expression", "loc": [658, 658], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L657_C8", "vector": [8, 3, 0.6076, 0.0009, 3, 0.99, 0.0, 660, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "extend", "arg_names": [], "import_names": [], "rhs_call_name": "extend", "annotation": ""}, "snippet": " cmap.extend(glidx)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L660_C8", "label": "append()", "type": "expression", "loc": [660, 660], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.6094, 0.0009, 2, 0.98, 0.6512, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " cmap.append(0) # Mapping for last character"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L661_C8", "label": "cmapstr =", "type": "assigned_variable", "loc": [661, 661], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6103, 0.0009, 2, 0.98, 0.6589, 756, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "cmapstr", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " cmapstr = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L662_C8", "label": "for cm", "type": "for", "loc": [662, 670], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.615, 0.0083, 2, 0.98, 0.6667, 675, 2, 0, 0, 0, 0, 0, 4], "semantic": {"name": "cm", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for cm in cmap:\n if cm >= 0:\n cmapstr += pack(\">H\", cm) \n else:\n try:\n cmapstr += pack(\">h\", cm) \n except:\n warnings.warn(\"cmap value too big/small: %s\" % cm)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L663_C12", "label": "if", "type": "if", "loc": [663, 670], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L662_C8", "vector": [4, 3, 0.6154, 0.0074, 3, 0.13, 0.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if cm >= 0:\n cmapstr += pack(\">H\", cm) \n else:\n try:\n cmapstr += pack(\">h\", cm) \n except:\n warnings.warn(\"cmap value too big/small: %s\" % cm)\n cmapstr += pack(\">H\", -cm) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L666_C16", "label": "try", "type": "try", "loc": [666, 670], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L663_C12", "vector": [7, 4, 0.6168, 0.0046, 4, 0.31, 0.0, 0, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n cmapstr += pack(\">h\", cm) \n except:\n warnings.warn(\"cmap value too big/small: %s\" % cm)\n cmapstr += pack(\">H\", -cm) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L669_C20", "label": "warn()", "type": "expression", "loc": [669, 669], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L666_C16", "vector": [8, 5, 0.6177, 0.0009, 5, 0.23, 0.0, 960, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " warnings.warn(\"cmap value too big/small: %s\" % cm)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L671_C8", "label": "add()", "type": "expression", "loc": [671, 671], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.6196, 0.0009, 2, 0.98, 0.6744, 241, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.add('cmap', cmapstr)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L674_C8", "label": "glyfOffset, glyfLength = get_table_pos()", "type": "assigned_variable", "loc": [674, 674], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6223, 0.0009, 2, 0.98, 0.6822, 147, 3, 1, 0, 0, 21, 10, 1], "semantic": {"name": "glyfOffset, glyfLength", "arg_names": [], "import_names": [], "rhs_call_name": "get_table_pos", "annotation": ""}, "snippet": " (glyfOffset,glyfLength) = self.get_table_pos('glyf')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L675_C8", "label": "if", "type": "if", "loc": [675, 676], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [4, 2, 0.6237, 0.0018, 2, 0.98, 0.6899, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (glyfLength < self.maxStrLenRead):\n glyphData = self.get_table('glyf')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L676_C12", "label": "glyphData = get_table()", "type": "assigned_variable", "loc": [676, 676], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L675_C8", "vector": [14, 3, 0.6242, 0.0009, 3, 0.38, 0.0, 75, 3, 1, 0, 0, 269, 10, 1], "semantic": {"name": "glyphData", "arg_names": [], "import_names": [], "rhs_call_name": "get_table", "annotation": ""}, "snippet": " glyphData = self.get_table('glyf')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L678_C8", "label": "offsets =", "type": "assigned_variable", "loc": [678, 678], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.626, 0.0009, 2, 0.98, 0.6977, 559, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "offsets", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offsets = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L679_C8", "label": "glyf =", "type": "assigned_variable", "loc": [679, 679], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.627, 0.0009, 2, 0.98, 0.7054, 283, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "glyf", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyf = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L680_C8", "label": "pos =", "type": "assigned_variable", "loc": [680, 680], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6279, 0.0009, 2, 0.98, 0.7132, 627, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pos = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L682_C8", "label": "hmtxstr =", "type": "assigned_variable", "loc": [682, 682], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6297, 0.0009, 2, 0.98, 0.7209, 568, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "hmtxstr", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " hmtxstr = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L683_C8", "label": "xMinT =", "type": "assigned_variable", "loc": [683, 683], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6307, 0.0009, 2, 0.98, 0.7287, 527, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "xMinT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xMinT = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L684_C8", "label": "yMinT =", "type": "assigned_variable", "loc": [684, 684], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6316, 0.0009, 2, 0.98, 0.7364, 21, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "yMinT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yMinT = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L685_C8", "label": "xMaxT =", "type": "assigned_variable", "loc": [685, 685], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6325, 0.0009, 2, 0.98, 0.7442, 142, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "xMaxT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xMaxT = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L686_C8", "label": "yMaxT =", "type": "assigned_variable", "loc": [686, 686], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6334, 0.0009, 2, 0.98, 0.7519, 348, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "yMaxT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yMaxT = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L687_C8", "label": "advanceWidthMax =", "type": "assigned_variable", "loc": [687, 687], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6343, 0.0009, 2, 0.98, 0.7597, 922, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "advanceWidthMax", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " advanceWidthMax = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L688_C8", "label": "minLeftSideBearing =", "type": "assigned_variable", "loc": [688, 688], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6353, 0.0009, 2, 0.98, 0.7674, 799, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "minLeftSideBearing", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " minLeftSideBearing = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L689_C8", "label": "minRightSideBearing =", "type": "assigned_variable", "loc": [689, 689], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6362, 0.0009, 2, 0.98, 0.7752, 661, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "minRightSideBearing", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " minRightSideBearing = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L690_C8", "label": "xMaxExtent =", "type": "assigned_variable", "loc": [690, 690], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6371, 0.0009, 2, 0.98, 0.7829, 402, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "xMaxExtent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xMaxExtent = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L691_C8", "label": "maxPoints =", "type": "assigned_variable", "loc": [691, 691], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.638, 0.0009, 2, 0.98, 0.7907, 569, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "maxPoints", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " maxPoints = 0 # points in non-compound glyph"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L692_C8", "label": "maxContours =", "type": "assigned_variable", "loc": [692, 692], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.639, 0.0009, 2, 0.98, 0.7984, 6, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "maxContours", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " maxContours = 0 # contours in non-compound glyph"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L693_C8", "label": "maxComponentPoints =", "type": "assigned_variable", "loc": [693, 693], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6399, 0.0009, 2, 0.98, 0.8062, 936, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "maxComponentPoints", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " maxComponentPoints = 0 # points in compound glyph"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L694_C8", "label": "maxComponentContours =", "type": "assigned_variable", "loc": [694, 694], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6408, 0.0009, 2, 0.98, 0.814, 542, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "maxComponentContours", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " maxComponentContours = 0 # contours in compound glyph"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L695_C8", "label": "maxComponentElements =", "type": "assigned_variable", "loc": [695, 695], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6417, 0.0009, 2, 0.98, 0.8217, 228, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "maxComponentElements", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " maxComponentElements = 0 # number of glyphs referenced at top level"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L696_C8", "label": "maxComponentDepth =", "type": "assigned_variable", "loc": [696, 696], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6427, 0.0009, 2, 0.98, 0.8295, 640, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "maxComponentDepth", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " maxComponentDepth = 0 # levels of recursion, set to 0 if font has only simple glyphs"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L697_C8", "label": "self.glyphdata =", "type": "assigned_variable", "loc": [697, 697], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.6436, 0.0009, 2, 0.98, 0.8372, 397, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.glyphdata", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.glyphdata = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "label": "for originalGlyphIdx, uni", "type": "for", "loc": [699, 757], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [6, 2, 0.6722, 0.0545, 2, 0.98, 0.845, 996, 2, 0, 0, 0, 0, 0, 18], "semantic": {"name": "originalGlyphIdx, uni", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for originalGlyphIdx, uni in subsetglyphs: \n # hmtx - Horizontal Metrics\n hm = self.getHMetric(orignHmetrics, originalGlyphIdx) \n hmtxstr += hm\n\n offsets.append(pos)\n try:\n glyphPos = self.glyphPos[originalGlyphIdx]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L701_C12", "label": "hm = getHMetric()", "type": "assigned_variable", "loc": [701, 701], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "vector": [14, 3, 0.6473, 0.0009, 3, 0.44, 0.0, 822, 3, 2, 0, 0, 489, 10, 1], "semantic": {"name": "hm", "arg_names": [], "import_names": [], "rhs_call_name": "getHMetric", "annotation": ""}, "snippet": " hm = self.getHMetric(orignHmetrics, originalGlyphIdx) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L704_C12", "label": "append()", "type": "expression", "loc": [704, 704], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "vector": [8, 3, 0.65, 0.0009, 3, 0.44, 0.1667, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " offsets.append(pos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L705_C12", "label": "try", "type": "try", "loc": [705, 710], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "vector": [7, 3, 0.6533, 0.0055, 3, 0.44, 0.3333, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n glyphPos = self.glyphPos[originalGlyphIdx]\n glyphLen = self.glyphPos[originalGlyphIdx + 1] - glyphPos\n except IndexError:\n warnings.warn(\"missing glyph %s\" % (originalGlyphIdx))\n glyphLen = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L706_C16", "label": "glyphPos =", "type": "assigned_variable", "loc": [706, 706], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L705_C12", "vector": [14, 4, 0.6519, 0.0009, 4, 0.85, 0.0, 555, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "glyphPos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyphPos = self.glyphPos[originalGlyphIdx]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L707_C16", "label": "glyphLen =", "type": "assigned_variable", "loc": [707, 707], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L705_C12", "vector": [14, 4, 0.6528, 0.0009, 4, 0.85, 1.0, 279, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "glyphLen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyphLen = self.glyphPos[originalGlyphIdx + 1] - glyphPos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L709_C16", "label": "warn()", "type": "expression", "loc": [709, 709], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L705_C12", "vector": [8, 4, 0.6547, 0.0009, 4, 0.85, 0.0, 960, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " warnings.warn(\"missing glyph %s\" % (originalGlyphIdx))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L710_C16", "label": "glyphLen =", "type": "assigned_variable", "loc": [710, 710], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L705_C12", "vector": [14, 4, 0.6556, 0.0009, 4, 0.85, 1.0, 279, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "glyphLen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyphLen = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L712_C12", "label": "if", "type": "if", "loc": [712, 718], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "vector": [4, 3, 0.6602, 0.0065, 3, 0.44, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (glyfLength < self.maxStrLenRead):\n data = substr(glyphData,glyphPos,glyphLen)\n else:\n if (glyphLen > 0):\n data = self.get_chunk(glyfOffset+glyphPos,glyphLen)\n else:\n data = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L713_C16", "label": "data = substr()", "type": "assigned_variable", "loc": [713, 713], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L712_C12", "vector": [14, 4, 0.6584, 0.0009, 4, 0.42, 0.0, 929, 3, 3, 0, 0, 219, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "substr", "annotation": ""}, "snippet": " data = substr(glyphData,glyphPos,glyphLen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L715_C16", "label": "if", "type": "if", "loc": [715, 718], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L712_C12", "vector": [4, 4, 0.6616, 0.0037, 4, 0.42, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (glyphLen > 0):\n data = self.get_chunk(glyfOffset+glyphPos,glyphLen)\n else:\n data = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L716_C20", "label": "data = get_chunk()", "type": "assigned_variable", "loc": [716, 716], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L715_C16", "vector": [14, 5, 0.6611, 0.0009, 5, 0.57, 0.0, 929, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "get_chunk", "annotation": ""}, "snippet": " data = self.get_chunk(glyfOffset+glyphPos,glyphLen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L718_C20", "label": "data =", "type": "assigned_variable", "loc": [718, 718], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L715_C16", "vector": [14, 5, 0.663, 0.0009, 5, 0.57, 1.0, 929, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L720_C12", "label": "if", "type": "if", "loc": [720, 721], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "vector": [4, 3, 0.6653, 0.0018, 3, 0.44, 0.6667, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (glyphLen > 0):\n up = unpack(\">H\", substr(data,0,2))[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L721_C16", "label": "up =", "type": "assigned_variable", "loc": [721, 721], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L720_C12", "vector": [14, 4, 0.6657, 0.0009, 4, 0.46, 0.0, 895, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "up", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " up = unpack(\">H\", substr(data,0,2))[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L722_C12", "label": "if", "type": "if", "loc": [722, 750], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "vector": [4, 3, 0.6796, 0.0268, 3, 0.44, 0.8333, 0, 0, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (glyphLen > 2 and (up & (1 << 15)) ): # If number of contours <= -1 i.e. composiste glyph\n pos_in_glyph = 10\n flags = GF_MORE\n nComponentElements = 0\n while (flags & GF_MORE):\n nComponentElements += 1 # number of glyphs referenced at top level\n up = unpack(\">H\", substr(data,pos_in_glyph,2))\n flags = up[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L723_C16", "label": "pos_in_glyph =", "type": "assigned_variable", "loc": [723, 723], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L722_C12", "vector": [14, 4, 0.6676, 0.0009, 4, 0.63, 0.0, 374, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "pos_in_glyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pos_in_glyph = 10"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L724_C16", "label": "flags =", "type": "assigned_variable", "loc": [724, 724], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L722_C12", "vector": [14, 4, 0.6685, 0.0009, 4, 0.63, 0.25, 375, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "flags", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " flags = GF_MORE"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L725_C16", "label": "nComponentElements =", "type": "assigned_variable", "loc": [725, 725], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L722_C12", "vector": [14, 4, 0.6694, 0.0009, 4, 0.63, 0.5, 96, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nComponentElements", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " nComponentElements = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "label": "while", "type": "while", "loc": [726, 748], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L722_C12", "vector": [5, 4, 0.6805, 0.0212, 4, 0.63, 0.75, 0, 4, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while (flags & GF_MORE):\n nComponentElements += 1 # number of glyphs referenced at top level\n up = unpack(\">H\", substr(data,pos_in_glyph,2))\n flags = up[0]\n up = unpack(\">H\", substr(data,pos_in_glyph+2,2))\n glyphIdx = up[0]\n self.glyphdata.setdefault(originalGlyphIdx, {}).setdefault('compGlyphs', []).append(glyphIdx)\n try:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L728_C20", "label": "up = unpack()", "type": "assigned_variable", "loc": [728, 728], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "vector": [14, 5, 0.6722, 0.0009, 5, 0.76, 0.0, 895, 3, 2, 0, 0, 621, 10, 2], "semantic": {"name": "up", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " up = unpack(\">H\", substr(data,pos_in_glyph,2))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L729_C20", "label": "flags =", "type": "assigned_variable", "loc": [729, 729], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "vector": [14, 5, 0.6731, 0.0009, 5, 0.76, 0.1429, 375, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "flags", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " flags = up[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L730_C20", "label": "up = unpack()", "type": "assigned_variable", "loc": [730, 730], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "vector": [14, 5, 0.6741, 0.0009, 5, 0.76, 0.2857, 895, 3, 2, 0, 0, 621, 10, 2], "semantic": {"name": "up", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " up = unpack(\">H\", substr(data,pos_in_glyph+2,2))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L731_C20", "label": "glyphIdx =", "type": "assigned_variable", "loc": [731, 731], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "vector": [14, 5, 0.675, 0.0009, 5, 0.76, 0.4286, 334, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "glyphIdx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyphIdx = up[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L732_C20", "label": "append()", "type": "expression", "loc": [732, 732], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "vector": [8, 5, 0.6759, 0.0009, 5, 0.76, 0.5714, 243, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.glyphdata.setdefault(originalGlyphIdx, {}).setdefault('compGlyphs', []).append(glyphIdx)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L733_C20", "label": "try", "type": "try", "loc": [733, 737], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "vector": [7, 5, 0.6787, 0.0046, 5, 0.76, 0.7143, 0, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n data = self._set_ushort(data, pos_in_glyph + 2, glyphSet[glyphIdx])\n except KeyError:\n data = 0\n warnings.warn(\"missing glyph data %s\" % glyphIdx)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L734_C24", "label": "data = _set_ushort()", "type": "assigned_variable", "loc": [734, 734], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L733_C20", "vector": [14, 6, 0.6777, 0.0009, 6, 0.26, 0.0, 929, 3, 3, 0, 0, 730, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "_set_ushort", "annotation": ""}, "snippet": " data = self._set_ushort(data, pos_in_glyph + 2, glyphSet[glyphIdx])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L736_C24", "label": "data =", "type": "assigned_variable", "loc": [736, 736], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L733_C20", "vector": [14, 6, 0.6796, 0.0009, 6, 0.26, 0.0, 929, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L737_C24", "label": "warn()", "type": "expression", "loc": [737, 737], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L733_C20", "vector": [8, 6, 0.6805, 0.0009, 6, 0.26, 1.0, 960, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " warnings.warn(\"missing glyph data %s\" % glyphIdx)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L739_C20", "label": "if", "type": "if", "loc": [739, 742], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "vector": [4, 5, 0.6837, 0.0037, 5, 0.76, 0.8571, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (flags & GF_WORDS): \n pos_in_glyph += 4 \n else: \n pos_in_glyph += 2 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L743_C20", "label": "if", "type": "if", "loc": [743, 748], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "vector": [4, 5, 0.6884, 0.0055, 5, 0.76, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (flags & GF_SCALE):\n pos_in_glyph += 2 \n elif (flags & GF_XYSCALE):\n pos_in_glyph += 4 \n elif (flags & GF_TWOBYTWO):\n pos_in_glyph += 8 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L745_C20", "label": "if", "type": "if", "loc": [745, 748], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L743_C20", "vector": [4, 6, 0.6893, 0.0037, 6, 0.38, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif (flags & GF_XYSCALE):\n pos_in_glyph += 4 \n elif (flags & GF_TWOBYTWO):\n pos_in_glyph += 8 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L747_C20", "label": "if", "type": "if", "loc": [747, 748], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L745_C20", "vector": [4, 7, 0.6902, 0.0018, 7, 0.56, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif (flags & GF_TWOBYTWO):\n pos_in_glyph += 8 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L750_C16", "label": "maxComponentElements = max()", "type": "assigned_variable", "loc": [750, 750], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L722_C12", "vector": [14, 4, 0.6925, 0.0009, 4, 0.63, 1.0, 228, 3, 2, 0, 0, 442, 10, 1], "semantic": {"name": "maxComponentElements", "arg_names": [], "import_names": [], "rhs_call_name": "max", "annotation": ""}, "snippet": " maxComponentElements = max(maxComponentElements, nComponentElements)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L754_C12", "label": "if", "type": "if", "loc": [754, 757], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "vector": [4, 3, 0.6976, 0.0037, 3, 0.44, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (pos % 4 != 0): \n padding = 4 - (pos % 4)\n glyf += str_repeat(\"\\0\",padding)\n pos += padding"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L755_C16", "label": "padding =", "type": "assigned_variable", "loc": [755, 755], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L754_C12", "vector": [14, 4, 0.6971, 0.0009, 4, 0.03, 0.0, 828, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "padding", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " padding = 4 - (pos % 4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L759_C8", "label": "append()", "type": "expression", "loc": [759, 759], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.7008, 0.0009, 2, 0.98, 0.8527, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " offsets.append(pos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L760_C8", "label": "add()", "type": "expression", "loc": [760, 760], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.7018, 0.0009, 2, 0.98, 0.8605, 241, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.add('glyf', glyf)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L763_C8", "label": "add()", "type": "expression", "loc": [763, 763], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.7045, 0.0009, 2, 0.98, 0.8682, 241, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.add('hmtx', hmtxstr)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L766_C8", "label": "locastr =", "type": "assigned_variable", "loc": [766, 766], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.7073, 0.0009, 2, 0.98, 0.876, 549, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "locastr", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " locastr = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L767_C8", "label": "if", "type": "if", "loc": [767, 774], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [4, 2, 0.7114, 0.0074, 2, 0.98, 0.8837, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (((pos + 1) >> 1) > 0xFFFF): \n indexToLocFormat = 1 # long format\n for offset in offsets:\n locastr += pack(\">L\",offset) \n else:\n indexToLocFormat = 0 # short format\n for offset in offsets: \n locastr += pack(\">H\",(offset/2)) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L768_C12", "label": "indexToLocFormat =", "type": "assigned_variable", "loc": [768, 768], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L767_C8", "vector": [14, 3, 0.7091, 0.0009, 3, 0.04, 0.0, 332, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "indexToLocFormat", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " indexToLocFormat = 1 # long format"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L769_C12", "label": "for offset", "type": "for", "loc": [769, 770], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L767_C8", "vector": [6, 3, 0.7105, 0.0018, 3, 0.04, 0.3333, 132, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for offset in offsets:\n locastr += pack(\">L\",offset) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L772_C12", "label": "indexToLocFormat =", "type": "assigned_variable", "loc": [772, 772], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L767_C8", "vector": [14, 3, 0.7128, 0.0009, 3, 0.04, 0.6667, 332, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "indexToLocFormat", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " indexToLocFormat = 0 # short format"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L773_C12", "label": "for offset", "type": "for", "loc": [773, 774], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L767_C8", "vector": [6, 3, 0.7142, 0.0018, 3, 0.04, 1.0, 132, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for offset in offsets: \n locastr += pack(\">H\",(offset/2)) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L776_C8", "label": "add()", "type": "expression", "loc": [776, 776], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.7165, 0.0009, 2, 0.98, 0.8915, 241, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.add('loca', locastr)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L779_C8", "label": "head = get_table()", "type": "assigned_variable", "loc": [779, 779], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.7193, 0.0009, 2, 0.98, 0.8992, 217, 3, 1, 0, 0, 269, 10, 1], "semantic": {"name": "head", "arg_names": [], "import_names": [], "rhs_call_name": "get_table", "annotation": ""}, "snippet": " head = self.get_table('head')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L780_C8", "label": "head = _set_ushort()", "type": "assigned_variable", "loc": [780, 780], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.7202, 0.0009, 2, 0.98, 0.907, 217, 3, 3, 0, 0, 730, 10, 1], "semantic": {"name": "head", "arg_names": [], "import_names": [], "rhs_call_name": "_set_ushort", "annotation": ""}, "snippet": " head = self._set_ushort(head, 50, indexToLocFormat)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L781_C8", "label": "add()", "type": "expression", "loc": [781, 781], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.7211, 0.0009, 2, 0.98, 0.9147, 241, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.add('head', head)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L784_C8", "label": "hhea = get_table()", "type": "assigned_variable", "loc": [784, 784], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.7239, 0.0009, 2, 0.98, 0.9225, 439, 3, 1, 0, 0, 269, 10, 1], "semantic": {"name": "hhea", "arg_names": [], "import_names": [], "rhs_call_name": "get_table", "annotation": ""}, "snippet": " hhea = self.get_table('hhea')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L785_C8", "label": "hhea = _set_ushort()", "type": "assigned_variable", "loc": [785, 785], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.7248, 0.0009, 2, 0.98, 0.9302, 439, 3, 3, 0, 0, 730, 10, 1], "semantic": {"name": "hhea", "arg_names": [], "import_names": [], "rhs_call_name": "_set_ushort", "annotation": ""}, "snippet": " hhea = self._set_ushort(hhea, 34, numberOfHMetrics)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L786_C8", "label": "add()", "type": "expression", "loc": [786, 786], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.7258, 0.0009, 2, 0.98, 0.938, 241, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.add('hhea', hhea)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L789_C8", "label": "maxp = get_table()", "type": "assigned_variable", "loc": [789, 789], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.7285, 0.0009, 2, 0.98, 0.9457, 6, 3, 1, 0, 0, 269, 10, 1], "semantic": {"name": "maxp", "arg_names": [], "import_names": [], "rhs_call_name": "get_table", "annotation": ""}, "snippet": " maxp = self.get_table('maxp')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L790_C8", "label": "maxp = _set_ushort()", "type": "assigned_variable", "loc": [790, 790], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.7295, 0.0009, 2, 0.98, 0.9535, 6, 3, 3, 0, 0, 730, 10, 1], "semantic": {"name": "maxp", "arg_names": [], "import_names": [], "rhs_call_name": "_set_ushort", "annotation": ""}, "snippet": " maxp = self._set_ushort(maxp, 4, numGlyphs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L791_C8", "label": "add()", "type": "expression", "loc": [791, 791], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.7304, 0.0009, 2, 0.98, 0.9612, 241, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.add('maxp', maxp)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L794_C8", "label": "os2 = get_table()", "type": "assigned_variable", "loc": [794, 794], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.7331, 0.0009, 2, 0.98, 0.969, 733, 3, 1, 0, 0, 269, 10, 1], "semantic": {"name": "os2", "arg_names": [], "import_names": [], "rhs_call_name": "get_table", "annotation": ""}, "snippet": " os2 = self.get_table('OS/2')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L795_C8", "label": "add()", "type": "expression", "loc": [795, 795], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.7341, 0.0009, 2, 0.98, 0.9767, 241, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.add('OS/2', os2 )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L797_C8", "label": "close()", "type": "expression", "loc": [797, 797], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [8, 2, 0.7359, 0.0009, 2, 0.98, 0.9845, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " self.fh.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L800_C8", "label": "stm = endTTFile()", "type": "assigned_variable", "loc": [800, 800], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [14, 2, 0.7387, 0.0009, 2, 0.98, 0.9922, 580, 3, 1, 0, 0, 246, 10, 1], "semantic": {"name": "stm", "arg_names": [], "import_names": [], "rhs_call_name": "endTTFile", "annotation": ""}, "snippet": " stm = self.endTTFile('')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L801_C8", "label": "return", "type": "return", "loc": [801, 801], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "vector": [13, 2, 0.7396, 0.0009, 2, 0.98, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return stm "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L806_C4", "label": "getGlyphData", "type": "function", "loc": [806, 818], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.7498, 0.012, 1, 0.96, 0.7667, 776, 0, 3, 0, 0, 0, 0, 3], "semantic": {"name": "getGlyphData", "arg_names": ["self", "originalGlyphIdx", "nonlocals"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def getGlyphData(self, originalGlyphIdx, nonlocals):\n # &maxdepth, &depth, &points, &contours\n nonlocals['depth'] += 1\n nonlocals['maxdepth'] = max(nonlocals['maxdepth'], nonlocals['depth'])\n if (len(self.glyphdata[originalGlyphIdx]['compGlyphs'])):\n for glyphIdx in self.glyphdata[originalGlyphIdx]['compGlyphs']: \n self.getGlyphData(glyphIdx, nonlocals) \n "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L809_C8", "label": " = max()", "type": "assigned_variable", "loc": [809, 809], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L806_C4", "vector": [14, 2, 0.747, 0.0009, 2, 0.72, 0.0, 0, 3, 2, 0, 0, 442, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "max", "annotation": ""}, "snippet": " nonlocals['maxdepth'] = max(nonlocals['maxdepth'], nonlocals['depth'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L810_C8", "label": "if", "type": "if", "loc": [810, 816], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L806_C4", "vector": [4, 2, 0.7507, 0.0065, 2, 0.72, 1.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (len(self.glyphdata[originalGlyphIdx]['compGlyphs'])):\n for glyphIdx in self.glyphdata[originalGlyphIdx]['compGlyphs']: \n self.getGlyphData(glyphIdx, nonlocals) \n \n elif ((self.glyphdata[originalGlyphIdx]['nContours'] > 0) and nonlocals['depth'] > 0): # simple\n contours += self.glyphdata[originalGlyphIdx]['nContours']\n points += self.glyphdata[originalGlyphIdx]['nPoints']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L811_C12", "label": "for glyphIdx", "type": "for", "loc": [811, 812], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L810_C8", "vector": [6, 3, 0.7493, 0.0018, 3, 0.69, 0.0, 334, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "glyphIdx", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for glyphIdx in self.glyphdata[originalGlyphIdx]['compGlyphs']: \n self.getGlyphData(glyphIdx, nonlocals) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L812_C16", "label": "getGlyphData()", "type": "expression", "loc": [812, 812], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L811_C12", "vector": [8, 4, 0.7498, 0.0009, 4, 0.96, 0.0, 776, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "getGlyphData", "arg_names": [], "import_names": [], "rhs_call_name": "getGlyphData", "annotation": ""}, "snippet": " self.getGlyphData(glyphIdx, nonlocals) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L814_C8", "label": "if", "type": "if", "loc": [814, 816], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L810_C8", "vector": [4, 3, 0.7525, 0.0028, 3, 0.69, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif ((self.glyphdata[originalGlyphIdx]['nContours'] > 0) and nonlocals['depth'] > 0): # simple\n contours += self.glyphdata[originalGlyphIdx]['nContours']\n points += self.glyphdata[originalGlyphIdx]['nPoints']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L823_C4", "label": "getGlyphs", "type": "function", "loc": [823, 860], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.777, 0.0351, 1, 0.96, 0.8, 930, 0, 3, 0, 0, 0, 0, 16], "semantic": {"name": "getGlyphs", "arg_names": ["self", "originalGlyphIdx", "nonlocals"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def getGlyphs(self, originalGlyphIdx, nonlocals):\n # &start, &glyphSet, &subsetglyphs) \n \n try:\n glyphPos = self.glyphPos[originalGlyphIdx]\n glyphLen = self.glyphPos[originalGlyphIdx + 1] - glyphPos\n except IndexError:\n warnings.warn(\"missing glyph %s\" % (originalGlyphIdx))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L826_C8", "label": "try", "type": "try", "loc": [826, 831], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L823_C4", "vector": [7, 2, 0.765, 0.0055, 2, 0.12, 0.0, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n glyphPos = self.glyphPos[originalGlyphIdx]\n glyphLen = self.glyphPos[originalGlyphIdx + 1] - glyphPos\n except IndexError:\n warnings.warn(\"missing glyph %s\" % (originalGlyphIdx))\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L827_C12", "label": "glyphPos =", "type": "assigned_variable", "loc": [827, 827], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L826_C8", "vector": [14, 3, 0.7636, 0.0009, 3, 0.26, 0.0, 555, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "glyphPos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyphPos = self.glyphPos[originalGlyphIdx]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L828_C12", "label": "glyphLen =", "type": "assigned_variable", "loc": [828, 828], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L826_C8", "vector": [14, 3, 0.7645, 0.0009, 3, 0.26, 1.0, 279, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "glyphLen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyphLen = self.glyphPos[originalGlyphIdx + 1] - glyphPos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L830_C12", "label": "warn()", "type": "expression", "loc": [830, 830], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L826_C8", "vector": [8, 3, 0.7664, 0.0009, 3, 0.26, 0.0, 960, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " warnings.warn(\"missing glyph %s\" % (originalGlyphIdx))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L831_C12", "label": "return", "type": "return", "loc": [831, 831], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L826_C8", "vector": [13, 3, 0.7673, 0.0009, 3, 0.26, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L833_C8", "label": "if", "type": "if", "loc": [833, 834], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L823_C4", "vector": [4, 2, 0.7696, 0.0018, 2, 0.12, 0.25, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (not glyphLen): \n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L834_C12", "label": "return", "type": "return", "loc": [834, 834], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L833_C8", "vector": [13, 3, 0.7701, 0.0009, 3, 0.04, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L836_C8", "label": "seek()", "type": "expression", "loc": [836, 836], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L823_C4", "vector": [8, 2, 0.7719, 0.0009, 2, 0.12, 0.5, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(nonlocals['start'] + glyphPos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L837_C8", "label": "numberOfContours = read_short()", "type": "assigned_variable", "loc": [837, 837], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L823_C4", "vector": [14, 2, 0.7729, 0.0009, 2, 0.12, 0.75, 667, 3, 0, 0, 0, 388, 10, 1], "semantic": {"name": "numberOfContours", "arg_names": [], "import_names": [], "rhs_call_name": "read_short", "annotation": ""}, "snippet": " numberOfContours = self.read_short()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L838_C8", "label": "if", "type": "if", "loc": [838, 860], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L823_C4", "vector": [4, 2, 0.7839, 0.0212, 2, 0.12, 1.0, 0, 0, 0, 0, 0, 0, 0, 13], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (numberOfContours < 0):\n self.skip(8)\n flags = GF_MORE\n while (flags & GF_MORE): \n flags = self.read_ushort()\n glyphIdx = self.read_ushort()\n if (glyphIdx not in nonlocals['glyphSet']):\n nonlocals['glyphSet'][glyphIdx] = len(nonlocals['subsetglyphs']) # old glyphID to new glyphID"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L839_C12", "label": "skip()", "type": "expression", "loc": [839, 839], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L838_C8", "vector": [8, 3, 0.7747, 0.0009, 3, 0.83, 0.0, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(8)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L840_C12", "label": "flags =", "type": "assigned_variable", "loc": [840, 840], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L838_C8", "vector": [14, 3, 0.7756, 0.0009, 3, 0.83, 0.5, 375, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "flags", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " flags = GF_MORE"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "label": "while", "type": "while", "loc": [841, 860], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L838_C8", "vector": [5, 3, 0.7853, 0.0185, 3, 0.83, 1.0, 0, 4, 0, 0, 0, 0, 0, 12], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while (flags & GF_MORE): \n flags = self.read_ushort()\n glyphIdx = self.read_ushort()\n if (glyphIdx not in nonlocals['glyphSet']):\n nonlocals['glyphSet'][glyphIdx] = len(nonlocals['subsetglyphs']) # old glyphID to new glyphID\n nonlocals['subsetglyphs'].append((glyphIdx, 1))\n \n savepos = self.fh.tell()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L842_C16", "label": "flags = read_ushort()", "type": "assigned_variable", "loc": [842, 842], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "vector": [14, 4, 0.7775, 0.0009, 4, 0.02, 0.0, 375, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "flags", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " flags = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L843_C16", "label": "glyphIdx = read_ushort()", "type": "assigned_variable", "loc": [843, 843], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "vector": [14, 4, 0.7784, 0.0009, 4, 0.02, 0.1429, 334, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "glyphIdx", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " glyphIdx = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L844_C16", "label": "if", "type": "if", "loc": [844, 846], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "vector": [4, 4, 0.7802, 0.0028, 4, 0.02, 0.2857, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (glyphIdx not in nonlocals['glyphSet']):\n nonlocals['glyphSet'][glyphIdx] = len(nonlocals['subsetglyphs']) # old glyphID to new glyphID\n nonlocals['subsetglyphs'].append((glyphIdx, 1))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L845_C20", "label": " = len()", "type": "assigned_variable", "loc": [845, 845], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L844_C16", "vector": [14, 5, 0.7802, 0.0009, 5, 0.58, 0.0, 0, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " nonlocals['glyphSet'][glyphIdx] = len(nonlocals['subsetglyphs']) # old glyphID to new glyphID"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L846_C20", "label": "append()", "type": "expression", "loc": [846, 846], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L844_C16", "vector": [8, 5, 0.7812, 0.0009, 5, 0.58, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " nonlocals['subsetglyphs'].append((glyphIdx, 1))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L848_C16", "label": "savepos = tell()", "type": "assigned_variable", "loc": [848, 848], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "vector": [14, 4, 0.783, 0.0009, 4, 0.02, 0.4286, 522, 3, 0, 0, 0, 759, 10, 1], "semantic": {"name": "savepos", "arg_names": [], "import_names": [], "rhs_call_name": "tell", "annotation": ""}, "snippet": " savepos = self.fh.tell()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L849_C16", "label": "getGlyphs()", "type": "expression", "loc": [849, 849], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "vector": [8, 4, 0.7839, 0.0009, 4, 0.02, 0.5714, 930, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "getGlyphs", "arg_names": [], "import_names": [], "rhs_call_name": "getGlyphs", "annotation": ""}, "snippet": " self.getGlyphs(glyphIdx, nonlocals)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L850_C16", "label": "seek()", "type": "expression", "loc": [850, 850], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "vector": [8, 4, 0.7849, 0.0009, 4, 0.02, 0.7143, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(savepos)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L851_C16", "label": "if", "type": "if", "loc": [851, 854], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "vector": [4, 4, 0.7872, 0.0037, 4, 0.02, 0.8571, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (flags & GF_WORDS):\n self.skip(4)\n else:\n self.skip(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L852_C20", "label": "skip()", "type": "expression", "loc": [852, 852], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L851_C16", "vector": [8, 5, 0.7867, 0.0009, 5, 0.79, 0.0, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L854_C20", "label": "skip()", "type": "expression", "loc": [854, 854], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L851_C16", "vector": [8, 5, 0.7886, 0.0009, 5, 0.79, 1.0, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L855_C16", "label": "if", "type": "if", "loc": [855, 860], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "vector": [4, 4, 0.7918, 0.0055, 4, 0.02, 1.0, 0, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (flags & GF_SCALE):\n self.skip(2)\n elif (flags & GF_XYSCALE):\n self.skip(4)\n elif (flags & GF_TWOBYTWO):\n self.skip(8)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L856_C20", "label": "skip()", "type": "expression", "loc": [856, 856], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L855_C16", "vector": [8, 5, 0.7904, 0.0009, 5, 0.22, 0.0, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L857_C16", "label": "if", "type": "if", "loc": [857, 860], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L855_C16", "vector": [4, 5, 0.7927, 0.0037, 5, 0.22, 1.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif (flags & GF_XYSCALE):\n self.skip(4)\n elif (flags & GF_TWOBYTWO):\n self.skip(8)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L858_C20", "label": "skip()", "type": "expression", "loc": [858, 858], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L857_C16", "vector": [8, 6, 0.7922, 0.0009, 6, 0.83, 0.0, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L859_C16", "label": "if", "type": "if", "loc": [859, 860], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L857_C16", "vector": [4, 6, 0.7936, 0.0018, 6, 0.83, 1.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif (flags & GF_TWOBYTWO):\n self.skip(8)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L860_C20", "label": "skip()", "type": "expression", "loc": [860, 860], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L859_C16", "vector": [8, 7, 0.7941, 0.0009, 7, 0.82, 0.0, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(8)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "label": "getHMTX", "type": "function", "loc": [864, 915], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.8213, 0.048, 1, 0.96, 0.8333, 803, 0, 5, 0, 0, 0, 0, 16], "semantic": {"name": "getHMTX", "arg_names": ["self", "numberOfHMetrics", "numGlyphs", "glyphToChar", "scale"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def getHMTX(self, numberOfHMetrics, numGlyphs, glyphToChar, scale):\n start = self.seek_table(\"hmtx\")\n aw = 0\n self.charWidths = [0] * 256*256*2\n nCharWidths = 0\n if ((numberOfHMetrics*4) < self.maxStrLenRead): \n data = self.get_chunk(start,(numberOfHMetrics*4))\n arr = unpack(\">\" + \"H\" * (len(data)/2), data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L865_C8", "label": "start = seek_table()", "type": "assigned_variable", "loc": [865, 865], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "vector": [14, 2, 0.7987, 0.0009, 2, 0.81, 0.0, 511, 3, 1, 0, 0, 626, 10, 1], "semantic": {"name": "start", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " start = self.seek_table(\"hmtx\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L866_C8", "label": "aw =", "type": "assigned_variable", "loc": [866, 866], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "vector": [14, 2, 0.7996, 0.0009, 2, 0.81, 0.1, 884, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "aw", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " aw = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L867_C8", "label": "self.charWidths =", "type": "assigned_variable", "loc": [867, 867], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "vector": [14, 2, 0.8006, 0.0009, 2, 0.81, 0.2, 196, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.charWidths", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.charWidths = [0] * 256*256*2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L868_C8", "label": "nCharWidths =", "type": "assigned_variable", "loc": [868, 868], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "vector": [14, 2, 0.8015, 0.0009, 2, 0.81, 0.3, 182, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nCharWidths", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " nCharWidths = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L869_C8", "label": "if", "type": "if", "loc": [869, 873], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "vector": [4, 2, 0.8042, 0.0046, 2, 0.81, 0.4, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ((numberOfHMetrics*4) < self.maxStrLenRead): \n data = self.get_chunk(start,(numberOfHMetrics*4))\n arr = unpack(\">\" + \"H\" * (len(data)/2), data)\n else:\n self.seek(start) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L870_C12", "label": "data = get_chunk()", "type": "assigned_variable", "loc": [870, 870], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L869_C8", "vector": [14, 3, 0.8033, 0.0009, 3, 0.75, 0.0, 929, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "get_chunk", "annotation": ""}, "snippet": " data = self.get_chunk(start,(numberOfHMetrics*4))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L871_C12", "label": "arr = unpack()", "type": "assigned_variable", "loc": [871, 871], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L869_C8", "vector": [14, 3, 0.8042, 0.0009, 3, 0.75, 0.5, 395, 3, 2, 0, 0, 621, 10, 2], "semantic": {"name": "arr", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " arr = unpack(\">\" + \"H\" * (len(data)/2), data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L873_C12", "label": "seek()", "type": "expression", "loc": [873, 873], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L869_C8", "vector": [8, 3, 0.8061, 0.0009, 3, 0.75, 1.0, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(start) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L874_C8", "label": "for glyph", "type": "for", "loc": [874, 895], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "vector": [6, 2, 0.8167, 0.0203, 2, 0.81, 0.5, 738, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "glyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for glyph in range(numberOfHMetrics): \n if ((numberOfHMetrics*4) < self.maxStrLenRead):\n aw = arr[(glyph*2)] # PHP starts arrays from index 0!? +1\n else:\n aw = self.read_ushort()\n lsb = self.read_ushort()\n \n if (glyph in glyphToChar or glyph == 0):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L875_C12", "label": "if", "type": "if", "loc": [875, 879], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L874_C8", "vector": [4, 3, 0.8098, 0.0046, 3, 0.58, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ((numberOfHMetrics*4) < self.maxStrLenRead):\n aw = arr[(glyph*2)] # PHP starts arrays from index 0!? +1\n else:\n aw = self.read_ushort()\n lsb = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L876_C16", "label": "aw =", "type": "assigned_variable", "loc": [876, 876], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L875_C12", "vector": [14, 4, 0.8089, 0.0009, 4, 0.1, 0.0, 884, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "aw", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " aw = arr[(glyph*2)] # PHP starts arrays from index 0!? +1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L878_C16", "label": "aw = read_ushort()", "type": "assigned_variable", "loc": [878, 878], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L875_C12", "vector": [14, 4, 0.8107, 0.0009, 4, 0.1, 0.5, 884, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "aw", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " aw = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L879_C16", "label": "lsb = read_ushort()", "type": "assigned_variable", "loc": [879, 879], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L875_C12", "vector": [14, 4, 0.8116, 0.0009, 4, 0.1, 1.0, 104, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "lsb", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " lsb = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L881_C12", "label": "if", "type": "if", "loc": [881, 895], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L874_C8", "vector": [4, 3, 0.8199, 0.0139, 3, 0.58, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (glyph in glyphToChar or glyph == 0):\n if (aw >= (1 << 15) ):\n aw = 0 # 1.03 Some (arabic) fonts have -ve values for width\n # although should be unsigned value - comes out as e.g. 65108 (intended -50)\n if (glyph == 0): \n self.defaultWidth = scale*aw\n continue\n "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L882_C16", "label": "if", "type": "if", "loc": [882, 883], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L881_C12", "vector": [4, 4, 0.8149, 0.0018, 4, 0.17, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (aw >= (1 << 15) ):\n aw = 0 # 1.03 Some (arabic) fonts have -ve values for width"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L883_C20", "label": "aw =", "type": "assigned_variable", "loc": [883, 883], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L882_C16", "vector": [14, 5, 0.8153, 0.0009, 5, 0.23, 0.0, 884, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "aw", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " aw = 0 # 1.03 Some (arabic) fonts have -ve values for width"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L885_C16", "label": "if", "type": "if", "loc": [885, 887], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L881_C12", "vector": [4, 4, 0.8181, 0.0028, 4, 0.17, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (glyph == 0): \n self.defaultWidth = scale*aw\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L886_C20", "label": "self.defaultWidth =", "type": "assigned_variable", "loc": [886, 886], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L885_C16", "vector": [14, 5, 0.8181, 0.0009, 5, 0.6, 0.0, 80, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.defaultWidth", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.defaultWidth = scale*aw"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L889_C16", "label": "for char", "type": "for", "loc": [889, 895], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L881_C12", "vector": [6, 4, 0.8236, 0.0065, 4, 0.17, 1.0, 272, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "char", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for char in glyphToChar[glyph]: \n if (char != 0 and char != 65535): \n w = int(round(scale*aw))\n if (w == 0): w = 65535 \n if (char < 196608): \n self.charWidths[char] = w \n nCharWidths += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L890_C20", "label": "if", "type": "if", "loc": [890, 895], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L889_C16", "vector": [4, 5, 0.8241, 0.0055, 5, 0.35, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (char != 0 and char != 65535): \n w = int(round(scale*aw))\n if (w == 0): w = 65535 \n if (char < 196608): \n self.charWidths[char] = w \n nCharWidths += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L891_C24", "label": "w = int()", "type": "assigned_variable", "loc": [891, 891], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L890_C20", "vector": [14, 6, 0.8227, 0.0009, 6, 0.57, 0.0, 549, 3, 1, 0, 0, 901, 10, 2], "semantic": {"name": "w", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " w = int(round(scale*aw))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L892_C24", "label": "if", "type": "if", "loc": [892, 892], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L890_C20", "vector": [4, 6, 0.8236, 0.0009, 6, 0.57, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (w == 0): w = 65535 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L892_C38", "label": "w =", "type": "assigned_variable", "loc": [892, 892], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L892_C24", "vector": [14, 7, 0.8236, 0.0009, 7, 0.89, 0.0, 549, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "w", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (w == 0): w = 65535 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L893_C24", "label": "if", "type": "if", "loc": [893, 895], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L890_C20", "vector": [4, 6, 0.8255, 0.0028, 6, 0.57, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (char < 196608): \n self.charWidths[char] = w \n nCharWidths += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L894_C28", "label": "assign", "type": "assigned_variable", "loc": [894, 894], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L893_C24", "vector": [14, 7, 0.8255, 0.0009, 7, 0.86, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.charWidths[char] = w "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L898_C8", "label": "data = get_chunk()", "type": "assigned_variable", "loc": [898, 898], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "vector": [14, 2, 0.8292, 0.0009, 2, 0.81, 0.6, 929, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "get_chunk", "annotation": ""}, "snippet": " data = self.get_chunk((start+numberOfHMetrics*4),(numGlyphs*2))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L899_C8", "label": "arr = unpack()", "type": "assigned_variable", "loc": [899, 899], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "vector": [14, 2, 0.8301, 0.0009, 2, 0.81, 0.7, 395, 3, 2, 0, 0, 621, 10, 2], "semantic": {"name": "arr", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " arr = unpack(\">\" + \"H\" * (len(data)/2), data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L900_C8", "label": "diff =", "type": "assigned_variable", "loc": [900, 900], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "vector": [14, 2, 0.831, 0.0009, 2, 0.81, 0.8, 833, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "diff", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " diff = numGlyphs-numberOfHMetrics"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L901_C8", "label": "for pos", "type": "for", "loc": [901, 910], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "vector": [6, 2, 0.8361, 0.0092, 2, 0.81, 0.9, 627, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "pos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for pos in range(diff): \n glyph = pos + numberOfHMetrics\n if (glyph in glyphToChar): \n for char in glyphToChar[glyph]: \n if (char != 0 and char != 65535): \n w = int(round(scale*aw))\n if (w == 0): w = 65535 \n if (char < 196608):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L902_C12", "label": "glyph =", "type": "assigned_variable", "loc": [902, 902], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L901_C8", "vector": [14, 3, 0.8329, 0.0009, 3, 0.05, 0.0, 738, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "glyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyph = pos + numberOfHMetrics"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L903_C12", "label": "if", "type": "if", "loc": [903, 910], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L901_C8", "vector": [4, 3, 0.837, 0.0074, 3, 0.05, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (glyph in glyphToChar): \n for char in glyphToChar[glyph]: \n if (char != 0 and char != 65535): \n w = int(round(scale*aw))\n if (w == 0): w = 65535 \n if (char < 196608):\n self.charWidths[char] = w\n nCharWidths += 1 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L904_C16", "label": "for char", "type": "for", "loc": [904, 910], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L903_C12", "vector": [6, 4, 0.8375, 0.0065, 4, 0.13, 0.0, 272, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "char", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for char in glyphToChar[glyph]: \n if (char != 0 and char != 65535): \n w = int(round(scale*aw))\n if (w == 0): w = 65535 \n if (char < 196608):\n self.charWidths[char] = w\n nCharWidths += 1 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L905_C20", "label": "if", "type": "if", "loc": [905, 910], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L904_C16", "vector": [4, 5, 0.838, 0.0055, 5, 0.6, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (char != 0 and char != 65535): \n w = int(round(scale*aw))\n if (w == 0): w = 65535 \n if (char < 196608):\n self.charWidths[char] = w\n nCharWidths += 1 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L906_C24", "label": "w = int()", "type": "assigned_variable", "loc": [906, 906], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L905_C20", "vector": [14, 6, 0.8366, 0.0009, 6, 0.32, 0.0, 549, 3, 1, 0, 0, 901, 10, 2], "semantic": {"name": "w", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " w = int(round(scale*aw))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L907_C24", "label": "if", "type": "if", "loc": [907, 907], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L905_C20", "vector": [4, 6, 0.8375, 0.0009, 6, 0.32, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (w == 0): w = 65535 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L907_C38", "label": "w =", "type": "assigned_variable", "loc": [907, 907], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L907_C24", "vector": [14, 7, 0.8375, 0.0009, 7, 0.49, 0.0, 549, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "w", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (w == 0): w = 65535 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L908_C24", "label": "if", "type": "if", "loc": [908, 910], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L905_C20", "vector": [4, 6, 0.8393, 0.0028, 6, 0.32, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (char < 196608):\n self.charWidths[char] = w\n nCharWidths += 1 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L909_C28", "label": "assign", "type": "assigned_variable", "loc": [909, 909], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L908_C24", "vector": [14, 7, 0.8393, 0.0009, 7, 0.17, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.charWidths[char] = w"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L915_C8", "label": "assign", "type": "assigned_variable", "loc": [915, 915], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "vector": [14, 2, 0.8449, 0.0009, 2, 0.81, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.charWidths[0] = nCharWidths "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L918_C4", "label": "getHMetric", "type": "function", "loc": [918, 928], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.8523, 0.0102, 1, 0.96, 0.8667, 489, 0, 3, 1, 0, 0, 0, 7], "semantic": {"name": "getHMetric", "arg_names": ["self", "numberOfHMetrics", "gid"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def getHMetric(self, numberOfHMetrics, gid): \n start = self.seek_table(\"hmtx\")\n if (gid < numberOfHMetrics):\n self.seek(start+(gid*4))\n hm = self.fh.read(4)\n else:\n self.seek(start+((numberOfHMetrics-1)*4))\n hm = self.fh.read(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L919_C8", "label": "start = seek_table()", "type": "assigned_variable", "loc": [919, 919], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L918_C4", "vector": [14, 2, 0.8486, 0.0009, 2, 0.02, 0.0, 511, 3, 1, 0, 0, 626, 10, 1], "semantic": {"name": "start", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " start = self.seek_table(\"hmtx\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L920_C8", "label": "if", "type": "if", "loc": [920, 927], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L918_C4", "vector": [4, 2, 0.8527, 0.0074, 2, 0.02, 0.5, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (gid < numberOfHMetrics):\n self.seek(start+(gid*4))\n hm = self.fh.read(4)\n else:\n self.seek(start+((numberOfHMetrics-1)*4))\n hm = self.fh.read(2)\n self.seek(start+(numberOfHMetrics*2)+(gid*2))\n hm += self.fh.read(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L921_C12", "label": "seek()", "type": "expression", "loc": [921, 921], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L920_C8", "vector": [8, 3, 0.8504, 0.0009, 3, 0.08, 0.0, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(start+(gid*4))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L922_C12", "label": "hm = read()", "type": "assigned_variable", "loc": [922, 922], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L920_C8", "vector": [14, 3, 0.8513, 0.0009, 3, 0.08, 0.25, 822, 3, 1, 0, 0, 453, 10, 1], "semantic": {"name": "hm", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " hm = self.fh.read(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L924_C12", "label": "seek()", "type": "expression", "loc": [924, 924], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L920_C8", "vector": [8, 3, 0.8532, 0.0009, 3, 0.08, 0.5, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(start+((numberOfHMetrics-1)*4))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L925_C12", "label": "hm = read()", "type": "assigned_variable", "loc": [925, 925], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L920_C8", "vector": [14, 3, 0.8541, 0.0009, 3, 0.08, 0.75, 822, 3, 1, 0, 0, 453, 10, 1], "semantic": {"name": "hm", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " hm = self.fh.read(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L926_C12", "label": "seek()", "type": "expression", "loc": [926, 926], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L920_C8", "vector": [8, 3, 0.855, 0.0009, 3, 0.08, 1.0, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(start+(numberOfHMetrics*2)+(gid*2))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L928_C8", "label": "return", "type": "return", "loc": [928, 928], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L918_C4", "vector": [13, 2, 0.8569, 0.0009, 2, 0.02, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return hm"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L931_C4", "label": "getLOCA", "type": "function", "loc": [931, 945], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.8661, 0.0139, 1, 0.96, 0.9, 279, 0, 3, 0, 0, 0, 0, 12], "semantic": {"name": "getLOCA", "arg_names": ["self", "indexToLocFormat", "numGlyphs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def getLOCA(self, indexToLocFormat, numGlyphs): \n start = self.seek_table('loca')\n self.glyphPos = []\n if (indexToLocFormat == 0):\n data = self.get_chunk(start,(numGlyphs*2)+2)\n arr = unpack(\">\" + \"H\" * (len(data)/2), data)\n for n in range(numGlyphs): \n self.glyphPos.append((arr[n] * 2)) # n+1 !?"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L932_C8", "label": "start = seek_table()", "type": "assigned_variable", "loc": [932, 932], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L931_C4", "vector": [14, 2, 0.8606, 0.0009, 2, 0.61, 0.0, 511, 3, 1, 0, 0, 626, 10, 1], "semantic": {"name": "start", "arg_names": [], "import_names": [], "rhs_call_name": "seek_table", "annotation": ""}, "snippet": " start = self.seek_table('loca')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L933_C8", "label": "self.glyphPos =", "type": "assigned_variable", "loc": [933, 933], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L931_C4", "vector": [14, 2, 0.8615, 0.0009, 2, 0.61, 0.5, 155, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.glyphPos", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.glyphPos = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L934_C8", "label": "if", "type": "if", "loc": [934, 945], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L931_C4", "vector": [4, 2, 0.8675, 0.0111, 2, 0.61, 1.0, 0, 0, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (indexToLocFormat == 0):\n data = self.get_chunk(start,(numGlyphs*2)+2)\n arr = unpack(\">\" + \"H\" * (len(data)/2), data)\n for n in range(numGlyphs): \n self.glyphPos.append((arr[n] * 2)) # n+1 !?\n elif (indexToLocFormat == 1):\n data = self.get_chunk(start,(numGlyphs*4)+4)\n arr = unpack(\">\" + \"L\" * (len(data)/4), data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L935_C12", "label": "data = get_chunk()", "type": "assigned_variable", "loc": [935, 935], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L934_C8", "vector": [14, 3, 0.8633, 0.0009, 3, 0.69, 0.0, 929, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "get_chunk", "annotation": ""}, "snippet": " data = self.get_chunk(start,(numGlyphs*2)+2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L936_C12", "label": "arr = unpack()", "type": "assigned_variable", "loc": [936, 936], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L934_C8", "vector": [14, 3, 0.8643, 0.0009, 3, 0.69, 0.3333, 395, 3, 2, 0, 0, 621, 10, 2], "semantic": {"name": "arr", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " arr = unpack(\">\" + \"H\" * (len(data)/2), data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L937_C12", "label": "for n", "type": "for", "loc": [937, 938], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L934_C8", "vector": [6, 3, 0.8657, 0.0018, 3, 0.69, 0.6667, 773, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for n in range(numGlyphs): \n self.glyphPos.append((arr[n] * 2)) # n+1 !?"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L938_C16", "label": "append()", "type": "expression", "loc": [938, 938], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L937_C12", "vector": [8, 4, 0.8661, 0.0009, 4, 0.02, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.glyphPos.append((arr[n] * 2)) # n+1 !?"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L939_C8", "label": "if", "type": "if", "loc": [939, 945], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L934_C8", "vector": [4, 3, 0.8698, 0.0065, 3, 0.69, 1.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif (indexToLocFormat == 1):\n data = self.get_chunk(start,(numGlyphs*4)+4)\n arr = unpack(\">\" + \"L\" * (len(data)/4), data)\n for n in range(numGlyphs):\n self.glyphPos.append((arr[n])) # n+1 !?\n else:\n die('Unknown location table format ' + indexToLocFormat)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L940_C12", "label": "data = get_chunk()", "type": "assigned_variable", "loc": [940, 940], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L939_C8", "vector": [14, 4, 0.868, 0.0009, 4, 0.29, 0.0, 929, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "get_chunk", "annotation": ""}, "snippet": " data = self.get_chunk(start,(numGlyphs*4)+4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L941_C12", "label": "arr = unpack()", "type": "assigned_variable", "loc": [941, 941], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L939_C8", "vector": [14, 4, 0.8689, 0.0009, 4, 0.29, 0.3333, 395, 3, 2, 0, 0, 621, 10, 2], "semantic": {"name": "arr", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " arr = unpack(\">\" + \"L\" * (len(data)/4), data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L942_C12", "label": "for n", "type": "for", "loc": [942, 943], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L939_C8", "vector": [6, 4, 0.8703, 0.0018, 4, 0.29, 0.6667, 773, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for n in range(numGlyphs):\n self.glyphPos.append((arr[n])) # n+1 !?"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L943_C16", "label": "append()", "type": "expression", "loc": [943, 943], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L942_C12", "vector": [8, 5, 0.8707, 0.0009, 5, 0.05, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.glyphPos.append((arr[n])) # n+1 !?"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L945_C12", "label": "die()", "type": "expression", "loc": [945, 945], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L939_C8", "vector": [8, 4, 0.8726, 0.0009, 4, 0.29, 1.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die('Unknown location table format ' + indexToLocFormat)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "label": "getCMAP4", "type": "function", "loc": [948, 990], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.8947, 0.0397, 1, 0.96, 0.9333, 653, 0, 4, 0, 0, 0, 0, 24], "semantic": {"name": "getCMAP4", "arg_names": ["self", "unicode_cmap_offset", "glyphToChar", "charToGlyph"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def getCMAP4(self, unicode_cmap_offset, glyphToChar, charToGlyph):\n self.maxUniChar = 0\n self.seek(unicode_cmap_offset + 2)\n length = self.read_ushort()\n limit = unicode_cmap_offset + length\n self.skip(2)\n\n segCount = self.read_ushort() / 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L949_C8", "label": "self.maxUniChar =", "type": "assigned_variable", "loc": [949, 949], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [14, 2, 0.8763, 0.0009, 2, 0.44, 0.0, 401, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.maxUniChar", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.maxUniChar = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L950_C8", "label": "seek()", "type": "expression", "loc": [950, 950], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [8, 2, 0.8772, 0.0009, 2, 0.44, 0.0588, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(unicode_cmap_offset + 2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L951_C8", "label": "length = read_ushort()", "type": "assigned_variable", "loc": [951, 951], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [14, 2, 0.8781, 0.0009, 2, 0.44, 0.1176, 221, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "length", "arg_names": [], "import_names": [], "rhs_call_name": "read_ushort", "annotation": ""}, "snippet": " length = self.read_ushort()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L952_C8", "label": "limit =", "type": "assigned_variable", "loc": [952, 952], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [14, 2, 0.879, 0.0009, 2, 0.44, 0.1765, 429, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "limit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " limit = unicode_cmap_offset + length"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L953_C8", "label": "skip()", "type": "expression", "loc": [953, 953], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [8, 2, 0.88, 0.0009, 2, 0.44, 0.2353, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L955_C8", "label": "segCount =", "type": "assigned_variable", "loc": [955, 955], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [14, 2, 0.8818, 0.0009, 2, 0.44, 0.2941, 18, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "segCount", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " segCount = self.read_ushort() / 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L956_C8", "label": "skip()", "type": "expression", "loc": [956, 956], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [8, 2, 0.8827, 0.0009, 2, 0.44, 0.3529, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(6)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L957_C8", "label": "endCount =", "type": "assigned_variable", "loc": [957, 957], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [14, 2, 0.8837, 0.0009, 2, 0.44, 0.4118, 919, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "endCount", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " endCount = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L958_C8", "label": "for i", "type": "for", "loc": [958, 959], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [6, 2, 0.885, 0.0018, 2, 0.44, 0.4706, 826, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(segCount):\n endCount.append(self.read_ushort())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L959_C12", "label": "append()", "type": "expression", "loc": [959, 959], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L958_C8", "vector": [8, 3, 0.8855, 0.0009, 3, 0.34, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " endCount.append(self.read_ushort())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L960_C8", "label": "skip()", "type": "expression", "loc": [960, 960], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [8, 2, 0.8864, 0.0009, 2, 0.44, 0.5294, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L961_C8", "label": "startCount =", "type": "assigned_variable", "loc": [961, 961], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [14, 2, 0.8873, 0.0009, 2, 0.44, 0.5882, 879, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "startCount", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " startCount = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L962_C8", "label": "for i", "type": "for", "loc": [962, 963], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [6, 2, 0.8887, 0.0018, 2, 0.44, 0.6471, 826, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(segCount):\n startCount.append(self.read_ushort()) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L963_C12", "label": "append()", "type": "expression", "loc": [963, 963], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L962_C8", "vector": [8, 3, 0.8892, 0.0009, 3, 0.62, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " startCount.append(self.read_ushort()) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L964_C8", "label": "idDelta =", "type": "assigned_variable", "loc": [964, 964], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [14, 2, 0.8901, 0.0009, 2, 0.44, 0.7059, 602, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "idDelta", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " idDelta = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L965_C8", "label": "for i", "type": "for", "loc": [965, 966], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [6, 2, 0.8915, 0.0018, 2, 0.44, 0.7647, 826, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(segCount):\n idDelta.append(self.read_short()) # ???? was unsigned short"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L966_C12", "label": "append()", "type": "expression", "loc": [966, 966], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L965_C8", "vector": [8, 3, 0.892, 0.0009, 3, 0.65, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " idDelta.append(self.read_short()) # ???? was unsigned short"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L967_C8", "label": "idRangeOffset_start =", "type": "assigned_variable", "loc": [967, 967], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [14, 2, 0.8929, 0.0009, 2, 0.44, 0.8235, 838, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "idRangeOffset_start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " idRangeOffset_start = self._pos"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L968_C8", "label": "idRangeOffset =", "type": "assigned_variable", "loc": [968, 968], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [14, 2, 0.8938, 0.0009, 2, 0.44, 0.8824, 706, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "idRangeOffset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " idRangeOffset = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L969_C8", "label": "for i", "type": "for", "loc": [969, 970], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [6, 2, 0.8952, 0.0018, 2, 0.44, 0.9412, 826, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(segCount):\n idRangeOffset.append(self.read_ushort()) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L970_C12", "label": "append()", "type": "expression", "loc": [970, 970], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L969_C8", "vector": [8, 3, 0.8957, 0.0009, 3, 0.74, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " idRangeOffset.append(self.read_ushort()) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L972_C8", "label": "for n", "type": "for", "loc": [972, 990], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "vector": [6, 2, 0.9058, 0.0175, 2, 0.44, 1.0, 773, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for n in range(segCount): \n endpoint = (endCount[n] + 1)\n for unichar in range(startCount[n], endpoint, 1): \n if (idRangeOffset[n] == 0):\n glyph = (unichar + idDelta[n]) & 0xFFFF\n else:\n offset = (unichar - startCount[n]) * 2 + idRangeOffset[n]\n offset = idRangeOffset_start + 2 * n + offset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L973_C12", "label": "endpoint =", "type": "assigned_variable", "loc": [973, 973], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L972_C8", "vector": [14, 3, 0.8984, 0.0009, 3, 0.38, 0.0, 148, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "endpoint", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " endpoint = (endCount[n] + 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L974_C12", "label": "for unichar", "type": "for", "loc": [974, 990], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L972_C8", "vector": [6, 3, 0.9067, 0.0157, 3, 0.38, 1.0, 64, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "unichar", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for unichar in range(startCount[n], endpoint, 1): \n if (idRangeOffset[n] == 0):\n glyph = (unichar + idDelta[n]) & 0xFFFF\n else:\n offset = (unichar - startCount[n]) * 2 + idRangeOffset[n]\n offset = idRangeOffset_start + 2 * n + offset\n if (offset >= limit):\n glyph = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L975_C16", "label": "if", "type": "if", "loc": [975, 985], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L974_C12", "vector": [4, 4, 0.9049, 0.0102, 4, 0.44, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (idRangeOffset[n] == 0):\n glyph = (unichar + idDelta[n]) & 0xFFFF\n else:\n offset = (unichar - startCount[n]) * 2 + idRangeOffset[n]\n offset = idRangeOffset_start + 2 * n + offset\n if (offset >= limit):\n glyph = 0\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L976_C20", "label": "glyph =", "type": "assigned_variable", "loc": [976, 976], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L975_C16", "vector": [14, 5, 0.9012, 0.0009, 5, 0.31, 0.0, 738, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "glyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyph = (unichar + idDelta[n]) & 0xFFFF"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L978_C20", "label": "offset =", "type": "assigned_variable", "loc": [978, 978], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L975_C16", "vector": [14, 5, 0.903, 0.0009, 5, 0.31, 0.3333, 132, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offset = (unichar - startCount[n]) * 2 + idRangeOffset[n]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L979_C20", "label": "offset =", "type": "assigned_variable", "loc": [979, 979], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L975_C16", "vector": [14, 5, 0.904, 0.0009, 5, 0.31, 0.6667, 132, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offset = idRangeOffset_start + 2 * n + offset"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L980_C20", "label": "if", "type": "if", "loc": [980, 985], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L975_C16", "vector": [4, 5, 0.9072, 0.0055, 5, 0.31, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (offset >= limit):\n glyph = 0\n else:\n glyph = self.get_ushort(offset)\n if (glyph != 0):\n glyph = (glyph + idDelta[n]) & 0xFFFF"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L981_C24", "label": "glyph =", "type": "assigned_variable", "loc": [981, 981], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L980_C20", "vector": [14, 6, 0.9058, 0.0009, 6, 0.47, 0.0, 738, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "glyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyph = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L983_C24", "label": "glyph = get_ushort()", "type": "assigned_variable", "loc": [983, 983], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L980_C20", "vector": [14, 6, 0.9077, 0.0009, 6, 0.47, 0.5, 738, 3, 1, 0, 0, 545, 10, 1], "semantic": {"name": "glyph", "arg_names": [], "import_names": [], "rhs_call_name": "get_ushort", "annotation": ""}, "snippet": " glyph = self.get_ushort(offset)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L984_C24", "label": "if", "type": "if", "loc": [984, 985], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L980_C20", "vector": [4, 6, 0.909, 0.0018, 6, 0.47, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (glyph != 0):\n glyph = (glyph + idDelta[n]) & 0xFFFF"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L985_C27", "label": "glyph =", "type": "assigned_variable", "loc": [985, 985], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L984_C24", "vector": [14, 7, 0.9095, 0.0009, 7, 0.43, 0.0, 738, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "glyph", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " glyph = (glyph + idDelta[n]) & 0xFFFF"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L987_C16", "label": "assign", "type": "assigned_variable", "loc": [987, 987], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L974_C12", "vector": [14, 4, 0.9114, 0.0009, 4, 0.44, 0.3333, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " charToGlyph[unichar] = glyph"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L988_C16", "label": "if", "type": "if", "loc": [988, 989], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L974_C12", "vector": [4, 4, 0.9127, 0.0018, 4, 0.44, 0.6667, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (unichar < 196608):\n self.maxUniChar = max(unichar,self.maxUniChar) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L989_C20", "label": "self.maxUniChar = max()", "type": "assigned_variable", "loc": [989, 989], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L988_C16", "vector": [14, 5, 0.9132, 0.0009, 5, 0.24, 0.0, 401, 3, 2, 0, 0, 442, 10, 1], "semantic": {"name": "self.maxUniChar", "arg_names": [], "import_names": [], "rhs_call_name": "max", "annotation": ""}, "snippet": " self.maxUniChar = max(unichar,self.maxUniChar) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L990_C16", "label": "append()", "type": "expression", "loc": [990, 990], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L974_C12", "vector": [8, 4, 0.9141, 0.0009, 4, 0.44, 1.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " glyphToChar.setdefault(glyph, []).append(unichar)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "label": "getCMAP12", "type": "function", "loc": [993, 1017], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.928, 0.0231, 1, 0.96, 0.9667, 667, 0, 4, 0, 0, 0, 0, 14], "semantic": {"name": "getCMAP12", "arg_names": ["self", "unicode_cmap_offset", "glyphToChar", "charToGlyph"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def getCMAP12(self, unicode_cmap_offset, glyphToChar, charToGlyph):\n self.maxUniChar = 0\n # table (skip format version, should be 12)\n self.seek(unicode_cmap_offset + 2)\n # reserved\n self.skip(2)\n # table length\n length = self.read_ulong()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L994_C8", "label": "self.maxUniChar =", "type": "assigned_variable", "loc": [994, 994], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "vector": [14, 2, 0.9178, 0.0009, 2, 0.55, 0.0, 401, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.maxUniChar", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.maxUniChar = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L996_C8", "label": "seek()", "type": "expression", "loc": [996, 996], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "vector": [8, 2, 0.9197, 0.0009, 2, 0.55, 0.1429, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " self.seek(unicode_cmap_offset + 2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L998_C8", "label": "skip()", "type": "expression", "loc": [998, 998], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "vector": [8, 2, 0.9215, 0.0009, 2, 0.55, 0.2857, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1000_C8", "label": "length = read_ulong()", "type": "assigned_variable", "loc": [1000, 1000], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "vector": [14, 2, 0.9234, 0.0009, 2, 0.55, 0.4286, 221, 3, 0, 0, 0, 221, 10, 1], "semantic": {"name": "length", "arg_names": [], "import_names": [], "rhs_call_name": "read_ulong", "annotation": ""}, "snippet": " length = self.read_ulong()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L1002_C8", "label": "skip()", "type": "expression", "loc": [1002, 1002], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "vector": [8, 2, 0.9252, 0.0009, 2, 0.55, 0.5714, 171, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "skip", "arg_names": [], "import_names": [], "rhs_call_name": "skip", "annotation": ""}, "snippet": " self.skip(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1004_C8", "label": "grpCount = read_ulong()", "type": "assigned_variable", "loc": [1004, 1004], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "vector": [14, 2, 0.9271, 0.0009, 2, 0.55, 0.7143, 688, 3, 0, 0, 0, 221, 10, 1], "semantic": {"name": "grpCount", "arg_names": [], "import_names": [], "rhs_call_name": "read_ulong", "annotation": ""}, "snippet": " grpCount = self.read_ulong()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1006_C8", "label": "if", "type": "if", "loc": [1006, 1007], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "vector": [4, 2, 0.9294, 0.0018, 2, 0.55, 0.8571, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 2 + 2 + 4 + 4 + 4 + grpCount * 3 * 4 > length:\n die(\"TTF format 12 cmap table too small\") "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L1007_C12", "label": "die()", "type": "expression", "loc": [1007, 1007], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1006_C8", "vector": [8, 3, 0.9298, 0.0009, 3, 0.32, 0.0, 952, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": [], "import_names": [], "rhs_call_name": "die", "annotation": ""}, "snippet": " die(\"TTF format 12 cmap table too small\") "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1008_C8", "label": "for n", "type": "for", "loc": [1008, 1017], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "vector": [6, 2, 0.9349, 0.0092, 2, 0.55, 1.0, 773, 3, 0, 0, 0, 0, 0, 8], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for n in range(grpCount):\n startCharCode = self.read_ulong()\n endCharCode = self.read_ulong()\n glyph = self.read_ulong()\n for unichar in range(startCharCode, endCharCode + 1):\n charToGlyph[unichar] = glyph\n if (unichar < 196608):\n self.maxUniChar = max(unichar, self.maxUniChar) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1009_C12", "label": "startCharCode = read_ulong()", "type": "assigned_variable", "loc": [1009, 1009], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1008_C8", "vector": [14, 3, 0.9317, 0.0009, 3, 0.65, 0.0, 563, 3, 0, 0, 0, 221, 10, 1], "semantic": {"name": "startCharCode", "arg_names": [], "import_names": [], "rhs_call_name": "read_ulong", "annotation": ""}, "snippet": " startCharCode = self.read_ulong()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1010_C12", "label": "endCharCode = read_ulong()", "type": "assigned_variable", "loc": [1010, 1010], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1008_C8", "vector": [14, 3, 0.9326, 0.0009, 3, 0.65, 0.3333, 339, 3, 0, 0, 0, 221, 10, 1], "semantic": {"name": "endCharCode", "arg_names": [], "import_names": [], "rhs_call_name": "read_ulong", "annotation": ""}, "snippet": " endCharCode = self.read_ulong()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1011_C12", "label": "glyph = read_ulong()", "type": "assigned_variable", "loc": [1011, 1011], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1008_C8", "vector": [14, 3, 0.9335, 0.0009, 3, 0.65, 0.6667, 738, 3, 0, 0, 0, 221, 10, 1], "semantic": {"name": "glyph", "arg_names": [], "import_names": [], "rhs_call_name": "read_ulong", "annotation": ""}, "snippet": " glyph = self.read_ulong()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1012_C12", "label": "for unichar", "type": "for", "loc": [1012, 1017], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1008_C8", "vector": [6, 3, 0.9367, 0.0055, 3, 0.65, 1.0, 64, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "unichar", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for unichar in range(startCharCode, endCharCode + 1):\n charToGlyph[unichar] = glyph\n if (unichar < 196608):\n self.maxUniChar = max(unichar, self.maxUniChar) \n glyphToChar.setdefault(glyph, []).append(unichar)\n glyph += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1013_C16", "label": "assign", "type": "assigned_variable", "loc": [1013, 1013], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1012_C12", "vector": [14, 4, 0.9354, 0.0009, 4, 0.37, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " charToGlyph[unichar] = glyph"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1014_C16", "label": "if", "type": "if", "loc": [1014, 1015], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1012_C12", "vector": [4, 4, 0.9367, 0.0018, 4, 0.37, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (unichar < 196608):\n self.maxUniChar = max(unichar, self.maxUniChar) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1015_C20", "label": "self.maxUniChar = max()", "type": "assigned_variable", "loc": [1015, 1015], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1014_C16", "vector": [14, 5, 0.9372, 0.0009, 5, 0.23, 0.0, 401, 3, 2, 0, 0, 442, 10, 1], "semantic": {"name": "self.maxUniChar", "arg_names": [], "import_names": [], "rhs_call_name": "max", "annotation": ""}, "snippet": " self.maxUniChar = max(unichar, self.maxUniChar) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L1016_C16", "label": "append()", "type": "expression", "loc": [1016, 1016], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1012_C12", "vector": [8, 4, 0.9381, 0.0009, 4, 0.37, 1.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " glyphToChar.setdefault(glyph, []).append(unichar)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "label": "endTTFile", "type": "function", "loc": [1022, 1065], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "vector": [2, 1, 0.9635, 0.0406, 1, 0.96, 1.0, 246, 0, 2, 1, 0, 0, 0, 16], "semantic": {"name": "endTTFile", "arg_names": ["self", "stm"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def endTTFile(self, stm): \n stm = ''\n numTables = count(self.otables)\n searchRange = 1\n entrySelector = 0\n while (searchRange * 2 <= numTables): \n searchRange = searchRange * 2\n entrySelector = entrySelector + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1023_C8", "label": "stm =", "type": "assigned_variable", "loc": [1023, 1023], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.9446, 0.0009, 2, 0.41, 0.0, 580, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "stm", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " stm = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1024_C8", "label": "numTables = count()", "type": "assigned_variable", "loc": [1024, 1024], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.9455, 0.0009, 2, 0.41, 0.0588, 462, 3, 1, 0, 0, 778, 10, 1], "semantic": {"name": "numTables", "arg_names": [], "import_names": [], "rhs_call_name": "count", "annotation": ""}, "snippet": " numTables = count(self.otables)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1025_C8", "label": "searchRange =", "type": "assigned_variable", "loc": [1025, 1025], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.9464, 0.0009, 2, 0.41, 0.1176, 928, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "searchRange", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " searchRange = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1026_C8", "label": "entrySelector =", "type": "assigned_variable", "loc": [1026, 1026], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.9474, 0.0009, 2, 0.41, 0.1765, 140, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "entrySelector", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " entrySelector = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:While_L1027_C8", "label": "while", "type": "while", "loc": [1027, 1029], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [5, 2, 0.9492, 0.0028, 2, 0.41, 0.2353, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while (searchRange * 2 <= numTables): \n searchRange = searchRange * 2\n entrySelector = entrySelector + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1028_C12", "label": "searchRange =", "type": "assigned_variable", "loc": [1028, 1028], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L1027_C8", "vector": [14, 3, 0.9492, 0.0009, 3, 0.35, 0.0, 928, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "searchRange", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " searchRange = searchRange * 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1029_C12", "label": "entrySelector =", "type": "assigned_variable", "loc": [1029, 1029], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:While_L1027_C8", "vector": [14, 3, 0.9501, 0.0009, 3, 0.35, 1.0, 140, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "entrySelector", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " entrySelector = entrySelector + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1031_C8", "label": "searchRange =", "type": "assigned_variable", "loc": [1031, 1031], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.952, 0.0009, 2, 0.41, 0.2941, 928, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "searchRange", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " searchRange = searchRange * 16"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1032_C8", "label": "rangeShift =", "type": "assigned_variable", "loc": [1032, 1032], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.9529, 0.0009, 2, 0.41, 0.3529, 169, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "rangeShift", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " rangeShift = numTables * 16 - searchRange"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1035_C8", "label": "if", "type": "if", "loc": [1035, 1038], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [4, 2, 0.9571, 0.0037, 2, 0.41, 0.4118, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (_TTF_MAC_HEADER): \n stm += (pack(\">LHHHH\", 0x74727565, numTables, searchRange, entrySelector, rangeShift)) # Mac\n else:\n stm += (pack(\">LHHHH\", 0x00010000 , numTables, searchRange, entrySelector, rangeShift)) # Windows"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1042_C8", "label": "tables =", "type": "assigned_variable", "loc": [1042, 1042], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.9621, 0.0009, 2, 0.41, 0.4706, 475, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "tables", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tables = self.otables"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1044_C8", "label": "offset =", "type": "assigned_variable", "loc": [1044, 1044], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.964, 0.0009, 2, 0.41, 0.5294, 132, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offset = 12 + numTables * 16"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1045_C8", "label": "sorted_tables = sorted()", "type": "assigned_variable", "loc": [1045, 1045], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.9649, 0.0009, 2, 0.41, 0.5882, 412, 3, 1, 0, 0, 134, 10, 2], "semantic": {"name": "sorted_tables", "arg_names": [], "import_names": [], "rhs_call_name": "sorted", "annotation": ""}, "snippet": " sorted_tables = sorted(tables.items())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1046_C8", "label": "for tag, data", "type": "for", "loc": [1046, 1054], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [6, 2, 0.9695, 0.0083, 2, 0.41, 0.6471, 591, 2, 0, 0, 0, 0, 0, 5], "semantic": {"name": "tag, data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for tag, data in sorted_tables:\n if (tag == 'head'):\n head_start = offset \n stm += tag\n checksum = calcChecksum(data)\n stm += pack(\">HH\", checksum[0],checksum[1])\n stm += pack(\">LL\", offset, strlen(data))\n paddedLength = (strlen(data)+3)&~3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1047_C12", "label": "if", "type": "if", "loc": [1047, 1048], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1046_C8", "vector": [4, 3, 0.9672, 0.0018, 3, 0.22, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (tag == 'head'):\n head_start = offset "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1048_C16", "label": "head_start =", "type": "assigned_variable", "loc": [1048, 1048], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1047_C12", "vector": [14, 4, 0.9677, 0.0009, 4, 0.37, 0.0, 433, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "head_start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " head_start = offset "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1050_C12", "label": "checksum = calcChecksum()", "type": "assigned_variable", "loc": [1050, 1050], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1046_C8", "vector": [14, 3, 0.9695, 0.0009, 3, 0.22, 0.3333, 20, 3, 1, 0, 0, 437, 10, 1], "semantic": {"name": "checksum", "arg_names": [], "import_names": [], "rhs_call_name": "calcChecksum", "annotation": ""}, "snippet": " checksum = calcChecksum(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1053_C12", "label": "paddedLength =", "type": "assigned_variable", "loc": [1053, 1053], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1046_C8", "vector": [14, 3, 0.9723, 0.0009, 3, 0.22, 0.6667, 269, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "paddedLength", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " paddedLength = (strlen(data)+3)&~3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1054_C12", "label": "offset =", "type": "assigned_variable", "loc": [1054, 1054], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1046_C8", "vector": [14, 3, 0.9732, 0.0009, 3, 0.22, 1.0, 132, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "offset", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " offset = offset + paddedLength"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1057_C8", "label": "for tag, data", "type": "for", "loc": [1057, 1059], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [6, 2, 0.9769, 0.0028, 2, 0.41, 0.7059, 591, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "tag, data", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for tag, data in sorted_tables: \n data += \"\\0\\0\\0\"\n stm += substr(data,0,(strlen(data)&~3))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1061_C8", "label": "checksum = calcChecksum()", "type": "assigned_variable", "loc": [1061, 1061], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.9797, 0.0009, 2, 0.41, 0.7647, 20, 3, 1, 0, 0, 437, 10, 1], "semantic": {"name": "checksum", "arg_names": [], "import_names": [], "rhs_call_name": "calcChecksum", "annotation": ""}, "snippet": " checksum = calcChecksum(stm)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1062_C8", "label": "checksum = sub32()", "type": "assigned_variable", "loc": [1062, 1062], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.9806, 0.0009, 2, 0.41, 0.8235, 20, 3, 2, 0, 0, 79, 10, 1], "semantic": {"name": "checksum", "arg_names": [], "import_names": [], "rhs_call_name": "sub32", "annotation": ""}, "snippet": " checksum = sub32((0xB1B0,0xAFBA), checksum)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1063_C8", "label": "chk = pack()", "type": "assigned_variable", "loc": [1063, 1063], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.9815, 0.0009, 2, 0.41, 0.8824, 365, 3, 3, 0, 0, 742, 10, 1], "semantic": {"name": "chk", "arg_names": [], "import_names": [], "rhs_call_name": "pack", "annotation": ""}, "snippet": " chk = pack(\">HH\", checksum[0],checksum[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1064_C8", "label": "stm = splice()", "type": "assigned_variable", "loc": [1064, 1064], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [14, 2, 0.9825, 0.0009, 2, 0.41, 0.9412, 580, 3, 3, 0, 0, 61, 10, 1], "semantic": {"name": "stm", "arg_names": [], "import_names": [], "rhs_call_name": "splice", "annotation": ""}, "snippet": " stm = self.splice(stm,(head_start + 8),chk)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L1065_C8", "label": "return", "type": "return", "loc": [1065, 1065], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "vector": [13, 2, 0.9834, 0.0009, 2, 0.41, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return stm "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1067_C0", "label": "if", "type": "if", "loc": [1067, 1082], "level": 0, "parent": null, "vector": [4, 0, 0.9922, 0.0148, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == '__main__':\n ttf = TTFontFile()\n ttffile = 'DejaVuSansCondensed.ttf';\n ttf.getMetrics(ttffile)\n # test basic metrics:\n assert round(ttf.descent, 0) == -236\n assert round(ttf.capHeight, 0) == 928\n assert ttf.flags == 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1068_C4", "label": "ttf = TTFontFile()", "type": "assigned_variable", "loc": [1068, 1068], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1067_C0", "vector": [14, 1, 0.9861, 0.0009, 1, 0.6, 0.0, 704, 3, 0, 0, 0, 264, 10, 1], "semantic": {"name": "ttf", "arg_names": [], "import_names": [], "rhs_call_name": "TTFontFile", "annotation": ""}, "snippet": " ttf = TTFontFile()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1069_C4", "label": "ttffile =", "type": "assigned_variable", "loc": [1069, 1069], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1067_C0", "vector": [14, 1, 0.9871, 0.0009, 1, 0.6, 0.5, 432, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "ttffile", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ttffile = 'DejaVuSansCondensed.ttf';"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L1070_C4", "label": "getMetrics()", "type": "expression", "loc": [1070, 1070], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1067_C0", "vector": [8, 1, 0.988, 0.0009, 1, 0.6, 1.0, 26, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "getMetrics", "arg_names": [], "import_names": [], "rhs_call_name": "getMetrics", "annotation": ""}, "snippet": " ttf.getMetrics(ttffile)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L42_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L43_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L44_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L45_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L46_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L49_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L50_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L52_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L53_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L54_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L57_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L59_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L60_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L61_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L61_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L65_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L61_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L66_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L56_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L67_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L72_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L73_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L76_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L77_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L78_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L79_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L80_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L81_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L82_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L83_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L84_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L85_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L86_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L87_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L88_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L88_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L89_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L90_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L90_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L91_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L92_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L92_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L93_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L94_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L95_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L96_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L99_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L100_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L101_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L102_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L103_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L98_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L105_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L106_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L107_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L108_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L109_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L104_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L110_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L112_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L112_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L113_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L112_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L114_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L112_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L115_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L117_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L117_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L118_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L117_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L119_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L121_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L121_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L122_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L121_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L123_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L125_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L125_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L126_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L125_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L127_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L125_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L128_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L125_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L129_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L131_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L131_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L133_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L135_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L135_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L137_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L135_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L138_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L135_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L139_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L139_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L140_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L135_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L141_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L143_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L143_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L144_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L143_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L145_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L145_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L146_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L143_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L147_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L149_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L149_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L151_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L149_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L152_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L154_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L154_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L156_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L154_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L158_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L160_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L160_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L161_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L160_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L162_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L160_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L163_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L165_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L165_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L166_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L165_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L167_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L165_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L169_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L171_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L172_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L172_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L173_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L172_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L174_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L176_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L178_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L178_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L179_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L181_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L182_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L183_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L185_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L185_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L186_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L186_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L187_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L186_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L188_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L185_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L190_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L185_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L191_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L193_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L193_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L194_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L193_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L195_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L195_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L195_C25"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L193_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L196_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L198_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L198_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L199_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L198_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L200_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L200_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L201_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L198_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L202_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L198_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L203_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L205_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L205_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L206_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L206_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L207_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L205_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L208_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L219_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L220_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L222_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L223_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L224_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L224_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L225_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L226_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L227_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L228_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L229_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L230_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L232_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L233_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L234_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L235_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L236_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L237_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L238_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L239_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L241_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L242_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L243_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L243_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L244_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L246_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:While_L247_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L247_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L248_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L251_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L252_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L240_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L254_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L254_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L255_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L254_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L256_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L254_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L257_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L254_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L258_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L231_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L260_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L260_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L261_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L260_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L263_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L266_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L266_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L267_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L266_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L268_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L268_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L269_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L268_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L270_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L270_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L271_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L270_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L273_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L274_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L274_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L275_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L276_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L277_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L277_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L278_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L277_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L280_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L281_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L281_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L282_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L281_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L284_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L285_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L285_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L286_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L285_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L288_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L289_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L289_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L290_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L289_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L292_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L293_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L293_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L294_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L299_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L300_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L301_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L302_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L303_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L304_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L305_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L306_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L307_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L308_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L309_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L310_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L311_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L312_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L312_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L313_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L320_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L321_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L322_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L323_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L324_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L319_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L325_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L332_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L333_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L334_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L335_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L336_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L337_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L338_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L338_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L339_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L338_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L340_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L342_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L343_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L344_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L345_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L347_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L348_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L349_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L350_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L351_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L351_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L352_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L353_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L353_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L354_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L355_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L355_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L356_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L355_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L357_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L355_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L358_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L355_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L360_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L363_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L364_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L364_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L364_C34"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L365_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L365_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L365_C35"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L331_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L366_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L368_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L373_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L374_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L375_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L376_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L377_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L378_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L380_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L382_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L382_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L383_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L384_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L384_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L385_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L386_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L386_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L387_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L392_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L393_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L394_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L395_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L395_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L396_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L397_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L398_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L398_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L399_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L404_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L405_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L406_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L411_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L412_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L413_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L414_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L415_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L418_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L419_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L420_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L421_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L422_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L422_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L423_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L422_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L424_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L424_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L425_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L425_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L426_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L428_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L428_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L429_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L428_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L430_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L430_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L431_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L431_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L432_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L417_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L435_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L437_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L437_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L438_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L440_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L441_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L442_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L442_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L443_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L442_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L445_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L215_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L450_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L457_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L458_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L459_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L460_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L461_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L462_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L463_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L464_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L465_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L466_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L467_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L468_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L469_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L474_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L475_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L476_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L477_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L482_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L483_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L484_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L485_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L490_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L491_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L492_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L497_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L498_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L499_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L500_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L501_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L503_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L504_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L505_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L506_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L507_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L507_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L508_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L507_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L509_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L509_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L510_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L510_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L511_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L513_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L513_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L514_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L513_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L515_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L515_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L516_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L502_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L519_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L521_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L521_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L522_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L524_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L525_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L526_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L526_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L527_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L526_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L529_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L531_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L536_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L537_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L542_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L544_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L545_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L546_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L546_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L547_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L547_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L548_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L548_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L549_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L547_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L550_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L546_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L551_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L552_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L554_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L555_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L556_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L557_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L558_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L558_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L559_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L558_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L560_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L563_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L564_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L564_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L565_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L567_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L569_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L569_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L570_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L569_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L572_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L574_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L577_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L578_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L578_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L579_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L580_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L581_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L581_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L582_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L582_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L583_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L586_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L587_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L588_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L591_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L594_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L595_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L596_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L597_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L599_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L599_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L600_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L600_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L601_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L600_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L604_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L600_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L605_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L600_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L606_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L599_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L607_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L599_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L608_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L611_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L612_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L613_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:While_L614_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L614_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L615_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L614_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L616_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L618_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L619_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L620_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L621_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L630_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L633_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L633_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L634_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L633_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L635_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L637_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L638_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L641_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L641_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L642_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L644_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L646_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L646_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L647_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L646_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L649_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L651_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L653_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L653_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L654_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L656_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L657_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L657_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L658_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L660_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L661_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L662_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L662_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L663_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L663_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L666_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L666_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L669_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L671_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L674_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L675_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L675_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L676_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L678_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L679_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L680_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L682_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L683_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L684_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L685_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L686_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L687_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L688_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L689_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L690_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L691_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L692_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L693_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L694_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L695_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L696_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L697_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L701_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L704_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L705_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L705_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L706_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L705_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L707_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L705_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L709_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L705_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L710_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L712_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L712_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L713_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L712_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L715_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L715_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L716_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L715_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L718_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L720_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L720_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L721_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L722_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L722_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L723_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L722_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L724_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L722_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L725_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L722_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L728_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L729_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L730_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L731_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L732_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L733_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L733_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L734_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L733_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L736_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L733_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L737_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L739_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L726_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L743_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L743_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L745_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L745_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L747_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L722_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L750_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L699_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L754_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L754_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L755_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L759_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L760_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L763_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L766_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L767_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L767_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L768_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L767_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L769_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L767_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L772_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L767_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L773_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L776_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L779_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L780_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L781_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L784_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L785_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L786_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L789_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L790_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L791_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L794_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L795_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L797_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L800_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L456_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L801_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L806_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L806_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L809_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L806_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L810_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L810_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L811_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L811_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L812_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L810_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L814_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L823_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L823_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L826_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L826_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L827_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L826_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L828_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L826_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L830_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:Try_L826_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L831_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L823_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L833_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L833_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L834_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L823_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L836_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L823_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L837_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L823_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L838_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L838_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L839_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L838_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L840_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L838_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L842_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L843_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L844_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L844_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L845_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L844_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L846_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L848_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L849_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L850_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L851_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L851_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L852_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L851_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L854_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L841_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L855_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L855_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L856_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L855_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L857_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L857_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L858_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L857_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L859_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L859_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L860_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L865_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L866_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L867_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L868_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L869_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L869_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L870_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L869_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L871_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L869_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L873_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L874_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L874_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L875_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L875_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L876_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L875_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L878_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L875_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L879_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L874_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L881_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L881_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L882_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L882_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L883_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L881_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L885_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L885_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L886_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L881_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L889_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L889_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L890_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L890_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L891_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L890_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L892_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L892_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L892_C38"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L890_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L893_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L893_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L894_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L898_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L899_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L900_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L901_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L901_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L902_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L901_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L903_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L903_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L904_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L904_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L905_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L905_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L906_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L905_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L907_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L907_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L907_C38"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L905_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L908_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L908_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L909_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L864_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L915_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L918_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L918_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L919_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L918_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L920_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L920_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L921_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L920_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L922_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L920_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L924_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L920_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L925_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L920_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L926_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L918_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L928_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L931_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L931_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L932_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L931_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L933_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L931_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L934_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L934_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L935_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L934_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L936_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L934_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L937_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L937_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L938_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L934_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L939_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L939_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L940_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L939_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L941_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L939_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L942_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L942_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L943_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L939_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L945_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L949_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L950_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L951_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L952_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L953_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L955_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L956_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L957_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L958_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L958_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L959_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L960_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L961_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L962_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L962_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L963_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L964_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L965_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L965_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L966_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L967_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L968_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L969_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L969_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L970_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L948_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L972_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L972_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L973_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L972_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L974_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L974_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L975_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L975_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L976_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L975_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L978_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L975_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L979_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L975_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L980_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L980_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L981_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L980_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L983_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L980_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L984_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L984_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L985_C27"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L974_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L987_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L974_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L988_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L988_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L989_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L974_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L990_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L994_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L996_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L998_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1000_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L1002_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1004_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1006_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1006_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L1007_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L993_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1008_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1008_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1009_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1008_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1010_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1008_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1011_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1008_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1012_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1012_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1013_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1012_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1014_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1014_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1015_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1012_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L1016_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:ClassDef_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1023_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1024_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1025_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1026_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:While_L1027_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L1027_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1028_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:While_L1027_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1029_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1031_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1032_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1035_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1042_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1044_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1045_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1046_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1046_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1047_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1047_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1048_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1046_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1050_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1046_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1053_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1046_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1054_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:For_L1057_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1061_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1062_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1063_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1064_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:FunctionDef_L1022_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Return_L1065_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1067_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1068_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1067_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Assign_L1069_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_560:If_L1067_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_560:Expr_L1070_C4"}]
# -*- coding: iso-8859-1 -*- "PDF Template Helper for FPDF.py" __author__ = "Mariano Reingart <reingart@gmail.com>" __copyright__ = "Copyright (C) 2010 Mariano Reingart" __license__ = "LGPL 3.0" import sys,os,csv from fpdf import FPDF def rgb(col): return (col // 65536), (col // 256 % 256), (col% 256) class Template: def __init__(self, infile=None, elements=None, format='A4', orientation='portrait', title='', author='', subject='', creator='', keywords=''): if elements: self.elements = elements self.keys = [v['name'].lower() for v in self.elements] self.handlers = {'T': self.text, 'L': self.line, 'I': self.image, 'B': self.rect, 'BC': self.barcode, } self.pg_no = 0 self.texts = {} pdf = self.pdf = FPDF(format=format,orientation=orientation, unit="mm") pdf.set_title(title) pdf.set_author(author) pdf.set_creator(creator) pdf.set_subject(subject) pdf.set_keywords(keywords) def parse_csv(self, infile, delimiter=",", decimal_sep="."): "Parse template format csv file and create elements dict" keys = ('name','type','x1','y1','x2','y2','font','size', 'bold','italic','underline','foreground','background', 'align','text','priority', 'multiline') self.elements = [] for row in csv.reader(open(infile, 'rb'), delimiter=delimiter): kargs = {} for i,v in enumerate(row): if not v.startswith("'") and decimal_sep!=".": v = v.replace(decimal_sep,".") else: v = v if v=='': v = None else: v = eval(v.strip()) kargs[keys[i]] = v self.elements.append(kargs) self.keys = [v['name'].lower() for v in self.elements] def add_page(self): self.pg_no += 1 self.texts[self.pg_no] = {} def __setitem__(self, name, value): if self.has_key(name): if isinstance(value,unicode): value = value.encode("latin1","ignore") elif value is None: value = "" else: value = str(value) self.texts[self.pg_no][name.lower()] = value # setitem shortcut (may be further extended) set = __setitem__ def has_key(self, name): return name.lower() in self.keys def __getitem__(self, name): if self.has_key(name): key = name.lower() if key in self.texts: # text for this page: return self.texts[self.pg_no][key] else: # find first element for default text: elements = [element for element in self.elements if element['name'].lower() == key] if elements: return elements[0]['text'] def split_multicell(self, text, element_name): "Divide (\n) a string using a given element width" pdf = self.pdf element = [element for element in self.elements if element['name'].lower() == element_name.lower()][0] style = "" if element['bold']: style += "B" if element['italic']: style += "I" if element['underline']: style += "U" pdf.set_font(element['font'],style,element['size']) align = {'L':'L','R':'R','I':'L','D':'R','C':'C','':''}.get(element['align']) # D/I in spanish if isinstance(text, unicode): text = text.encode("latin1","ignore") else: text = str(text) return pdf.multi_cell(w=element['x2']-element['x1'], h=element['y2']-element['y1'], txt=text,align=align,split_only=True) def render(self, outfile, dest="F"): pdf = self.pdf for pg in range(1, self.pg_no+1): pdf.add_page() pdf.set_font('Arial','B',16) pdf.set_auto_page_break(False,margin=0) for element in sorted(self.elements,key=lambda x: x['priority']): #print "dib",element['type'], element['name'], element['x1'], element['y1'], element['x2'], element['y2'] element = element.copy() element['text'] = self.texts[pg].get(element['name'].lower(), element['text']) if 'rotate' in element: pdf.rotate(element['rotate'], element['x1'], element['y1']) self.handlers[element['type'].upper()](pdf, **element) if 'rotate' in element: pdf.rotate(0) return pdf.output(outfile, dest) def text(self, pdf, x1=0, y1=0, x2=0, y2=0, text='', font="arial", size=10, bold=False, italic=False, underline=False, align="", foreground=0, backgroud=65535, multiline=None, *args, **kwargs): if text: if pdf.text_color!=rgb(foreground): pdf.set_text_color(*rgb(foreground)) if pdf.fill_color!=rgb(backgroud): pdf.set_fill_color(*rgb(backgroud)) font = font.strip().lower() if font == 'arial black': font = 'arial' style = "" for tag in 'B', 'I', 'U': if (text.startswith("<%s>" % tag) and text.endswith("</%s>" %tag)): text = text[3:-4] style += tag if bold: style += "B" if italic: style += "I" if underline: style += "U" align = {'L':'L','R':'R','I':'L','D':'R','C':'C','':''}.get(align) # D/I in spanish pdf.set_font(font,style,size) ##m_k = 72 / 2.54 ##h = (size/m_k) pdf.set_xy(x1,y1) if multiline is None: # multiline==None: write without wrapping/trimming (default) pdf.cell(w=x2-x1,h=y2-y1,txt=text,border=0,ln=0,align=align) elif multiline: # multiline==True: automatic word - warp pdf.multi_cell(w=x2-x1,h=y2-y1,txt=text,border=0,align=align) else: # multiline==False: trim to fit exactly the space defined text = pdf.multi_cell(w=x2-x1, h=y2-y1, txt=text, align=align, split_only=True)[0] print "trimming: *%s*" % text pdf.cell(w=x2-x1,h=y2-y1,txt=text,border=0,ln=0,align=align) #pdf.Text(x=x1,y=y1,txt=text) def line(self, pdf, x1=0, y1=0, x2=0, y2=0, size=0, foreground=0, *args, **kwargs): if pdf.draw_color!=rgb(foreground): #print "SetDrawColor", hex(foreground) pdf.set_draw_color(*rgb(foreground)) #print "SetLineWidth", size pdf.set_line_width(size) pdf.line(x1, y1, x2, y2) def rect(self, pdf, x1=0, y1=0, x2=0, y2=0, size=0, foreground=0, backgroud=65535, *args, **kwargs): if pdf.draw_color!=rgb(foreground): pdf.set_draw_color(*rgb(foreground)) if pdf.fill_color!=rgb(backgroud): pdf.set_fill_color(*rgb(backgroud)) pdf.set_line_width(size) pdf.rect(x1, y1, x2-x1, y2-y1) def image(self, pdf, x1=0, y1=0, x2=0, y2=0, text='', *args,**kwargs): pdf.image(text,x1,y1,w=x2-x1,h=y2-y1,type='',link='') def barcode(self, pdf, x1=0, y1=0, x2=0, y2=0, text='', font="arial", size=1, foreground=0, *args, **kwargs): if pdf.draw_color!=rgb(foreground): pdf.set_draw_color(*rgb(foreground)) font = font.lower().strip() if font == 'interleaved 2of5 nt': pdf.interleaved2of5(text,x1,y1,w=size,h=y2-y1) if __name__ == "__main__": # generate sample invoice (according Argentina's regulations) import random from decimal import Decimal f = Template(format="A4", title="Sample Invoice", author="Sample Company", subject="Sample Customer", keywords="Electronic TAX Invoice") f.parse_csv(infile="invoice.csv", delimiter=";", decimal_sep=",") detail = "Lorem ipsum dolor sit amet, consectetur. " * 30 items = [] for i in range(1, 30): ds = "Sample product %s" % i qty = random.randint(1,10) price = round(random.random()*100,3) code = "%s%s%02d" % (chr(random.randint(65,90)), chr(random.randint(65,90)),i) items.append(dict(code=code, unit='u', qty=qty, price=price, amount=qty*price, ds="%s: %s" % (i,ds))) # divide and count lines lines = 0 li_items = [] for it in items: qty = it['qty'] code = it['code'] unit = it['unit'] for ds in f.split_multicell(it['ds'], 'item_description01'): # add item description line (without price nor amount) li_items.append(dict(code=code, ds=ds, qty=qty, unit=unit, price=None, amount=None)) # clean qty and code (show only at first) unit = qty = code = None # set last item line price and amount li_items[-1].update(amount = it['amount'], price = it['price']) obs="\n<U>Detail:</U>\n\n" + detail for ds in f.split_multicell(obs, 'item_description01'): li_items.append(dict(code=code, ds=ds, qty=qty, unit=unit, price=None, amount=None)) # calculate pages: lines = len(li_items) max_lines_per_page = 24 pages = lines / (max_lines_per_page - 1) if lines % (max_lines_per_page - 1): pages = pages + 1 # completo campos y hojas for page in range(1, pages+1): f.add_page() f['page'] = 'Page %s of %s' % (page, pages) if pages>1 and page<pages: s = 'Continues on page %s' % (page+1) else: s = '' f['item_description%02d' % (max_lines_per_page+1)] = s f["company_name"] = "Sample Company" f["company_logo"] = "tutorial/logo.png" f["company_header1"] = "Some Address - somewhere -" f["company_header2"] = "http://www.example.com" f["company_footer1"] = "Tax Code ..." f["company_footer2"] = "Tax/VAT ID ..." f['number'] = '0001-00001234' f['issue_date'] = '2010-09-10' f['due_date'] = '2099-09-10' f['customer_name'] = "Sample Client" f['customer_address'] = "Siempreviva 1234" # print line item... li = 0 k = 0 total = Decimal("0.00") for it in li_items: k = k + 1 if k > page * (max_lines_per_page - 1): break if it['amount']: total += Decimal("%.6f" % it['amount']) if k > (page - 1) * (max_lines_per_page - 1): li += 1 if it['qty'] is not None: f['item_quantity%02d' % li] = it['qty'] if it['code'] is not None: f['item_code%02d' % li] = it['code'] if it['unit'] is not None: f['item_unit%02d' % li] = it['unit'] f['item_description%02d' % li] = it['ds'] if it['price'] is not None: f['item_price%02d' % li] = "%0.3f" % it['price'] if it['amount'] is not None: f['item_amount%02d' % li] = "%0.2f" % it['amount'] if pages == page: f['net'] = "%0.2f" % (total/Decimal("1.21")) f['vat'] = "%0.2f" % (total*(1-1/Decimal("1.21"))) f['total_label'] = 'Total:' else: f['total_label'] = 'SubTotal:' f['total'] = "%0.2f" % total f.render("./invoice.pdf") if sys.platform.startswith("linux"): os.system("evince ./invoice.pdf") else: os.system("./invoice.pdf")
ajibawa-2023/Python-Code-Large/train/row_561
212
301
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L3_C0", "label": "expression", "type": "expression", "loc": [3, 3], "level": 0, "parent": null, "vector": [8, 0, 0.01, 0.0033, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"PDF Template Helper for FPDF.py\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L5_C0", "label": "__author__ =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.0166, 0.0033, 0, 0.66, 0.125, 777, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__author__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__author__ = \"Mariano Reingart <reingart@gmail.com>\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L6_C0", "label": "__copyright__ =", "type": "assigned_variable", "loc": [6, 6], "level": 0, "parent": null, "vector": [14, 0, 0.0199, 0.0033, 0, 0.66, 0.25, 200, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__copyright__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__copyright__ = \"Copyright (C) 2010 Mariano Reingart\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L7_C0", "label": "__license__ =", "type": "assigned_variable", "loc": [7, 7], "level": 0, "parent": null, "vector": [14, 0, 0.0233, 0.0033, 0, 0.66, 0.375, 11, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__license__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__license__ = \"LGPL 3.0\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Import_L9_C0", "label": "sys import sys, os, csv", "type": "import", "loc": [9, 9], "level": 0, "parent": null, "vector": [1, 0, 0.0299, 0.0033, 0, 0.66, 0.5, 509, 0, 3, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys", "os", "csv"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys,os,csv"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:ImportFrom_L10_C0", "label": "from fpdf import FPDF", "type": "import", "loc": [10, 10], "level": 0, "parent": null, "vector": [1, 0, 0.0332, 0.0033, 0, 0.66, 0.625, 957, 0, 1, 0, 0, 957, 0, 0], "semantic": {"name": "fpdf", "arg_names": [], "import_names": ["FPDF"], "rhs_call_name": "", "annotation": ""}, "snippet": "from fpdf import FPDF"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L12_C0", "label": "rgb", "type": "function", "loc": [12, 13], "level": 0, "parent": null, "vector": [2, 0, 0.0415, 0.0066, 0, 0.66, 0.75, 808, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "rgb", "arg_names": ["col"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def rgb(col):\n return (col // 65536), (col // 256 % 256), (col% 256)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Return_L13_C4", "label": "return", "type": "return", "loc": [13, 13], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L12_C0", "vector": [13, 1, 0.0432, 0.0033, 1, 0.48, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (col // 65536), (col // 256 % 256), (col% 256)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "label": "Template", "type": "class", "loc": [15, 190], "level": 0, "parent": null, "vector": [3, 0, 0.3405, 0.5847, 0, 0.66, 0.875, 137, 0, 13, 0, 0, 0, 0, 84], "semantic": {"name": "Template", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Template:\n def __init__(self, infile=None, elements=None, format='A4', orientation='portrait',\n title='', author='', subject='', creator='', keywords=''):\n if elements:\n self.elements = elements\n self.keys = [v['name'].lower() for v in self.elements]\n self.handlers = {'T': self.text, 'L': self.line, 'I': self.image, \n 'B': self.rect, 'BC': self.barcode, }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "label": "__init__", "type": "function", "loc": [16, 30], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.0764, 0.0498, 1, 0.77, 0.0, 555, 0, 10, 0, 0, 0, 0, 7], "semantic": {"name": "__init__", "arg_names": ["self", "infile", "elements", "format", "orientation", "title", "author", "subject", "creator", "keywords"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, infile=None, elements=None, format='A4', orientation='portrait',\n title='', author='', subject='', creator='', keywords=''):\n if elements:\n self.elements = elements\n self.keys = [v['name'].lower() for v in self.elements]\n self.handlers = {'T': self.text, 'L': self.line, 'I': self.image, \n 'B': self.rect, 'BC': self.barcode, }\n self.pg_no = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L18_C8", "label": "if", "type": "if", "loc": [18, 20], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "vector": [4, 2, 0.0631, 0.01, 2, 0.88, 0.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if elements:\n self.elements = elements\n self.keys = [v['name'].lower() for v in self.elements]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L19_C12", "label": "self.elements =", "type": "assigned_variable", "loc": [19, 19], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L18_C8", "vector": [14, 3, 0.0631, 0.0033, 3, 0.72, 0.0, 793, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.elements", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.elements = elements"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L20_C12", "label": "self.keys =", "type": "assigned_variable", "loc": [20, 20], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L18_C8", "vector": [14, 3, 0.0664, 0.0033, 3, 0.72, 1.0, 369, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.keys", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.keys = [v['name'].lower() for v in self.elements]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L21_C8", "label": "self.handlers =", "type": "assigned_variable", "loc": [21, 22], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "vector": [14, 2, 0.0714, 0.0066, 2, 0.88, 0.1111, 844, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.handlers", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.handlers = {'T': self.text, 'L': self.line, 'I': self.image, \n 'B': self.rect, 'BC': self.barcode, }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L23_C8", "label": "self.pg_no =", "type": "assigned_variable", "loc": [23, 23], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "vector": [14, 2, 0.0764, 0.0033, 2, 0.88, 0.2222, 913, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self.pg_no", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.pg_no = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L24_C8", "label": "self.texts =", "type": "assigned_variable", "loc": [24, 24], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "vector": [14, 2, 0.0797, 0.0033, 2, 0.88, 0.3333, 798, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.texts", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.texts = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L25_C8", "label": "pdf = FPDF()", "type": "assigned_variable", "loc": [25, 25], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "vector": [14, 2, 0.0831, 0.0033, 2, 0.88, 0.4444, 298, 3, 3, 0, 0, 47, 10, 1], "semantic": {"name": "pdf", "arg_names": [], "import_names": [], "rhs_call_name": "FPDF", "annotation": ""}, "snippet": " pdf = self.pdf = FPDF(format=format,orientation=orientation, unit=\"mm\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L26_C8", "label": "set_title()", "type": "expression", "loc": [26, 26], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "vector": [8, 2, 0.0864, 0.0033, 2, 0.88, 0.5556, 145, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "set_title", "arg_names": [], "import_names": [], "rhs_call_name": "set_title", "annotation": ""}, "snippet": " pdf.set_title(title)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L27_C8", "label": "set_author()", "type": "expression", "loc": [27, 27], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "vector": [8, 2, 0.0897, 0.0033, 2, 0.88, 0.6667, 670, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "set_author", "arg_names": [], "import_names": [], "rhs_call_name": "set_author", "annotation": ""}, "snippet": " pdf.set_author(author)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L28_C8", "label": "set_creator()", "type": "expression", "loc": [28, 28], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "vector": [8, 2, 0.093, 0.0033, 2, 0.88, 0.7778, 710, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "set_creator", "arg_names": [], "import_names": [], "rhs_call_name": "set_creator", "annotation": ""}, "snippet": " pdf.set_creator(creator)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L29_C8", "label": "set_subject()", "type": "expression", "loc": [29, 29], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "vector": [8, 2, 0.0963, 0.0033, 2, 0.88, 0.8889, 533, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "set_subject", "arg_names": [], "import_names": [], "rhs_call_name": "set_subject", "annotation": ""}, "snippet": " pdf.set_subject(subject)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L30_C8", "label": "set_keywords()", "type": "expression", "loc": [30, 30], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "vector": [8, 2, 0.0997, 0.0033, 2, 0.88, 1.0, 356, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "set_keywords", "arg_names": [], "import_names": [], "rhs_call_name": "set_keywords", "annotation": ""}, "snippet": " pdf.set_keywords(keywords)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L32_C4", "label": "parse_csv", "type": "function", "loc": [32, 51], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.1379, 0.0664, 1, 0.77, 0.0769, 721, 0, 4, 0, 0, 0, 0, 9], "semantic": {"name": "parse_csv", "arg_names": ["self", "infile", "delimiter", "decimal_sep"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def parse_csv(self, infile, delimiter=\",\", decimal_sep=\".\"):\n \"Parse template format csv file and create elements dict\"\n keys = ('name','type','x1','y1','x2','y2','font','size',\n 'bold','italic','underline','foreground','background',\n 'align','text','priority', 'multiline')\n self.elements = []\n for row in csv.reader(open(infile, 'rb'), delimiter=delimiter):\n kargs = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L33_C8", "label": "expression", "type": "expression", "loc": [33, 33], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L32_C4", "vector": [8, 2, 0.1096, 0.0033, 2, 0.15, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Parse template format csv file and create elements dict\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L34_C8", "label": "keys =", "type": "assigned_variable", "loc": [34, 36], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L32_C4", "vector": [14, 2, 0.1163, 0.01, 2, 0.15, 0.25, 204, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "keys", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " keys = ('name','type','x1','y1','x2','y2','font','size',\n 'bold','italic','underline','foreground','background',\n 'align','text','priority', 'multiline')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L37_C8", "label": "self.elements =", "type": "assigned_variable", "loc": [37, 37], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L32_C4", "vector": [14, 2, 0.1229, 0.0033, 2, 0.15, 0.5, 793, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.elements", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.elements = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:For_L38_C8", "label": "for row", "type": "for", "loc": [38, 50], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L32_C4", "vector": [6, 2, 0.1462, 0.0432, 2, 0.15, 0.75, 767, 3, 0, 0, 0, 0, 0, 8], "semantic": {"name": "row", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for row in csv.reader(open(infile, 'rb'), delimiter=delimiter):\n kargs = {}\n for i,v in enumerate(row):\n if not v.startswith(\"'\") and decimal_sep!=\".\": \n v = v.replace(decimal_sep,\".\")\n else:\n v = v\n if v=='':"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L39_C12", "label": "kargs =", "type": "assigned_variable", "loc": [39, 39], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L38_C8", "vector": [14, 3, 0.1296, 0.0033, 3, 0.53, 0.0, 159, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "kargs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " kargs = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:For_L40_C12", "label": "for i, v", "type": "for", "loc": [40, 49], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L38_C8", "vector": [6, 3, 0.1478, 0.0332, 3, 0.53, 0.5, 843, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "i, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i,v in enumerate(row):\n if not v.startswith(\"'\") and decimal_sep!=\".\": \n v = v.replace(decimal_sep,\".\")\n else:\n v = v\n if v=='':\n v = None\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L41_C16", "label": "if", "type": "if", "loc": [41, 44], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L40_C12", "vector": [4, 4, 0.1412, 0.0133, 4, 0.01, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not v.startswith(\"'\") and decimal_sep!=\".\": \n v = v.replace(decimal_sep,\".\")\n else:\n v = v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L42_C20", "label": "v = replace()", "type": "assigned_variable", "loc": [42, 42], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L41_C16", "vector": [14, 5, 0.1395, 0.0033, 5, 0.82, 0.0, 553, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "v", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " v = v.replace(decimal_sep,\".\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L44_C20", "label": "v =", "type": "assigned_variable", "loc": [44, 44], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L41_C16", "vector": [14, 5, 0.1462, 0.0033, 5, 0.82, 1.0, 553, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " v = v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L45_C16", "label": "if", "type": "if", "loc": [45, 48], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L40_C12", "vector": [4, 4, 0.1545, 0.0133, 4, 0.01, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if v=='':\n v = None\n else:\n v = eval(v.strip())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L46_C20", "label": "v =", "type": "assigned_variable", "loc": [46, 46], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L45_C16", "vector": [14, 5, 0.1528, 0.0033, 5, 0.67, 0.0, 553, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " v = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L48_C20", "label": "v = eval()", "type": "assigned_variable", "loc": [48, 48], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L45_C16", "vector": [14, 5, 0.1595, 0.0033, 5, 0.67, 1.0, 553, 3, 1, 0, 0, 776, 10, 2], "semantic": {"name": "v", "arg_names": [], "import_names": [], "rhs_call_name": "eval", "annotation": ""}, "snippet": " v = eval(v.strip())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L49_C16", "label": "assign", "type": "assigned_variable", "loc": [49, 49], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L40_C12", "vector": [14, 4, 0.1628, 0.0033, 4, 0.01, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " kargs[keys[i]] = v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L50_C12", "label": "append()", "type": "expression", "loc": [50, 50], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L38_C8", "vector": [8, 3, 0.1661, 0.0033, 3, 0.53, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.elements.append(kargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L51_C8", "label": "self.keys =", "type": "assigned_variable", "loc": [51, 51], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L32_C4", "vector": [14, 2, 0.1694, 0.0033, 2, 0.15, 1.0, 369, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self.keys", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.keys = [v['name'].lower() for v in self.elements]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L53_C4", "label": "add_page", "type": "function", "loc": [53, 55], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.1794, 0.01, 1, 0.77, 0.1538, 194, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "add_page", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def add_page(self):\n self.pg_no += 1\n self.texts[self.pg_no] = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L55_C8", "label": "assign", "type": "assigned_variable", "loc": [55, 55], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L53_C4", "vector": [14, 2, 0.1827, 0.0033, 2, 0.3, 0.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.texts[self.pg_no] = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L57_C4", "label": "__setitem__", "type": "function", "loc": [57, 65], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.2027, 0.0299, 1, 0.77, 0.2308, 343, 0, 3, 0, 0, 0, 0, 5], "semantic": {"name": "__setitem__", "arg_names": ["self", "name", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __setitem__(self, name, value):\n if self.has_key(name):\n if isinstance(value,unicode):\n value = value.encode(\"latin1\",\"ignore\")\n elif value is None:\n value = \"\"\n else:\n value = str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L58_C8", "label": "if", "type": "if", "loc": [58, 65], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L57_C4", "vector": [4, 2, 0.2043, 0.0266, 2, 0.46, 0.0, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.has_key(name):\n if isinstance(value,unicode):\n value = value.encode(\"latin1\",\"ignore\")\n elif value is None:\n value = \"\"\n else:\n value = str(value)\n self.texts[self.pg_no][name.lower()] = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L59_C12", "label": "if", "type": "if", "loc": [59, 64], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L58_C8", "vector": [4, 3, 0.2043, 0.0199, 3, 0.98, 0.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(value,unicode):\n value = value.encode(\"latin1\",\"ignore\")\n elif value is None:\n value = \"\"\n else:\n value = str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L60_C16", "label": "value = encode()", "type": "assigned_variable", "loc": [60, 60], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L59_C12", "vector": [14, 4, 0.1993, 0.0033, 4, 0.15, 0.0, 441, 3, 2, 0, 0, 623, 10, 1], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " value = value.encode(\"latin1\",\"ignore\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L61_C12", "label": "if", "type": "if", "loc": [61, 64], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L59_C12", "vector": [4, 4, 0.2076, 0.0133, 4, 0.15, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif value is None:\n value = \"\"\n else:\n value = str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L62_C16", "label": "value =", "type": "assigned_variable", "loc": [62, 62], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L61_C12", "vector": [14, 5, 0.206, 0.0033, 5, 0.97, 0.0, 441, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = \"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L64_C16", "label": "value = str()", "type": "assigned_variable", "loc": [64, 64], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L61_C12", "vector": [14, 5, 0.2126, 0.0033, 5, 0.97, 1.0, 441, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " value = str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L65_C12", "label": "assign", "type": "assigned_variable", "loc": [65, 65], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L58_C8", "vector": [14, 3, 0.2159, 0.0033, 3, 0.98, 1.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.texts[self.pg_no][name.lower()] = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L68_C4", "label": "set =", "type": "assigned_variable", "loc": [68, 68], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [14, 1, 0.2259, 0.0033, 1, 0.77, 0.3077, 21, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "set", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " set = __setitem__"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L70_C4", "label": "has_key", "type": "function", "loc": [70, 71], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.2342, 0.0066, 1, 0.77, 0.3846, 882, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "has_key", "arg_names": ["self", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def has_key(self, name):\n return name.lower() in self.keys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Return_L71_C8", "label": "return", "type": "return", "loc": [71, 71], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L70_C4", "vector": [13, 2, 0.2359, 0.0033, 2, 0.94, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return name.lower() in self.keys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L73_C4", "label": "__getitem__", "type": "function", "loc": [73, 84], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.2608, 0.0399, 1, 0.77, 0.4615, 698, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "__getitem__", "arg_names": ["self", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __getitem__(self, name):\n if self.has_key(name):\n key = name.lower()\n if key in self.texts:\n # text for this page:\n return self.texts[self.pg_no][key]\n else:\n # find first element for default text:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L74_C8", "label": "if", "type": "if", "loc": [74, 84], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L73_C4", "vector": [4, 2, 0.2625, 0.0365, 2, 0.12, 0.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.has_key(name):\n key = name.lower()\n if key in self.texts:\n # text for this page:\n return self.texts[self.pg_no][key]\n else:\n # find first element for default text:\n elements = [element for element in self.elements"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L75_C12", "label": "key = lower()", "type": "assigned_variable", "loc": [75, 75], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L74_C8", "vector": [14, 3, 0.2492, 0.0033, 3, 0.61, 0.0, 230, 3, 0, 0, 0, 432, 10, 1], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "lower", "annotation": ""}, "snippet": " key = name.lower()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L76_C12", "label": "if", "type": "if", "loc": [76, 84], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L74_C8", "vector": [4, 3, 0.2658, 0.0299, 3, 0.61, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if key in self.texts:\n # text for this page:\n return self.texts[self.pg_no][key]\n else:\n # find first element for default text:\n elements = [element for element in self.elements\n if element['name'].lower() == key]\n if elements:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Return_L78_C16", "label": "return", "type": "return", "loc": [78, 78], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L76_C12", "vector": [13, 4, 0.2591, 0.0033, 4, 0.82, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.texts[self.pg_no][key]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L81_C16", "label": "elements =", "type": "assigned_variable", "loc": [81, 82], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L76_C12", "vector": [14, 4, 0.2708, 0.0066, 4, 0.82, 0.5, 915, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "elements", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elements = [element for element in self.elements\n if element['name'].lower() == key]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L83_C16", "label": "if", "type": "if", "loc": [83, 84], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L76_C12", "vector": [4, 4, 0.2774, 0.0066, 4, 0.82, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if elements:\n return elements[0]['text']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Return_L84_C20", "label": "return", "type": "return", "loc": [84, 84], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L83_C16", "vector": [13, 5, 0.2791, 0.0033, 5, 0.46, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return elements[0]['text']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "label": "split_multicell", "type": "function", "loc": [86, 103], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.314, 0.0598, 1, 0.77, 0.5385, 68, 0, 3, 1, 0, 0, 0, 8], "semantic": {"name": "split_multicell", "arg_names": ["self", "text", "element_name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def split_multicell(self, text, element_name):\n \"Divide (\\n) a string using a given element width\"\n pdf = self.pdf\n element = [element for element in self.elements\n if element['name'].lower() == element_name.lower()][0]\n style = \"\"\n if element['bold']: style += \"B\"\n if element['italic']: style += \"I\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L87_C8", "label": "expression", "type": "expression", "loc": [87, 87], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "vector": [8, 2, 0.289, 0.0033, 2, 0.85, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Divide (\\n) a string using a given element width\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L88_C8", "label": "pdf =", "type": "assigned_variable", "loc": [88, 88], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "vector": [14, 2, 0.2924, 0.0033, 2, 0.85, 0.1, 298, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pdf", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pdf = self.pdf"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L89_C8", "label": "element =", "type": "assigned_variable", "loc": [89, 90], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "vector": [14, 2, 0.2973, 0.0066, 2, 0.85, 0.2, 736, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "element", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " element = [element for element in self.elements\n if element['name'].lower() == element_name.lower()][0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L91_C8", "label": "style =", "type": "assigned_variable", "loc": [91, 91], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "vector": [14, 2, 0.3023, 0.0033, 2, 0.85, 0.3, 3, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " style = \"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L92_C8", "label": "if", "type": "if", "loc": [92, 92], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "vector": [4, 2, 0.3056, 0.0033, 2, 0.85, 0.4, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if element['bold']: style += \"B\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L93_C8", "label": "if", "type": "if", "loc": [93, 93], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "vector": [4, 2, 0.309, 0.0033, 2, 0.85, 0.5, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if element['italic']: style += \"I\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L94_C8", "label": "if", "type": "if", "loc": [94, 94], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "vector": [4, 2, 0.3123, 0.0033, 2, 0.85, 0.6, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if element['underline']: style += \"U\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L95_C8", "label": "set_font()", "type": "expression", "loc": [95, 95], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "vector": [8, 2, 0.3156, 0.0033, 2, 0.85, 0.7, 461, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "set_font", "arg_names": [], "import_names": [], "rhs_call_name": "set_font", "annotation": ""}, "snippet": " pdf.set_font(element['font'],style,element['size'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L96_C8", "label": "align = get()", "type": "assigned_variable", "loc": [96, 96], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "vector": [14, 2, 0.3189, 0.0033, 2, 0.85, 0.8, 499, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "align", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " align = {'L':'L','R':'R','I':'L','D':'R','C':'C','':''}.get(element['align']) # D/I in spanish"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L97_C8", "label": "if", "type": "if", "loc": [97, 100], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "vector": [4, 2, 0.3272, 0.0133, 2, 0.85, 0.9, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(text, unicode):\n text = text.encode(\"latin1\",\"ignore\")\n else:\n text = str(text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L98_C12", "label": "text = encode()", "type": "assigned_variable", "loc": [98, 98], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L97_C8", "vector": [14, 3, 0.3256, 0.0033, 3, 0.86, 0.0, 439, 3, 2, 0, 0, 623, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " text = text.encode(\"latin1\",\"ignore\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L100_C12", "label": "text = str()", "type": "assigned_variable", "loc": [100, 100], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L97_C8", "vector": [14, 3, 0.3322, 0.0033, 3, 0.86, 1.0, 439, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " text = str(text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Return_L101_C8", "label": "return", "type": "return", "loc": [101, 103], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "vector": [13, 2, 0.3389, 0.01, 2, 0.85, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return pdf.multi_cell(w=element['x2']-element['x1'],\n h=element['y2']-element['y1'],\n txt=text,align=align,split_only=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L105_C4", "label": "render", "type": "function", "loc": [105, 122], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.3771, 0.0598, 1, 0.77, 0.6154, 24, 0, 3, 1, 0, 0, 0, 13], "semantic": {"name": "render", "arg_names": ["self", "outfile", "dest"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def render(self, outfile, dest=\"F\"):\n pdf = self.pdf\n for pg in range(1, self.pg_no+1):\n pdf.add_page()\n pdf.set_font('Arial','B',16)\n pdf.set_auto_page_break(False,margin=0)\n\n for element in sorted(self.elements,key=lambda x: x['priority']):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L106_C8", "label": "pdf =", "type": "assigned_variable", "loc": [106, 106], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L105_C4", "vector": [14, 2, 0.3522, 0.0033, 2, 0.48, 0.0, 298, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pdf", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pdf = self.pdf"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:For_L107_C8", "label": "for pg", "type": "for", "loc": [107, 120], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L105_C4", "vector": [6, 2, 0.3771, 0.0465, 2, 0.48, 0.5, 594, 3, 0, 0, 0, 0, 0, 12], "semantic": {"name": "pg", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for pg in range(1, self.pg_no+1):\n pdf.add_page()\n pdf.set_font('Arial','B',16)\n pdf.set_auto_page_break(False,margin=0)\n\n for element in sorted(self.elements,key=lambda x: x['priority']):\n #print \"dib\",element['type'], element['name'], element['x1'], element['y1'], element['x2'], element['y2']\n element = element.copy()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L108_C12", "label": "add_page()", "type": "expression", "loc": [108, 108], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L107_C8", "vector": [8, 3, 0.3588, 0.0033, 3, 0.63, 0.0, 194, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "add_page", "arg_names": [], "import_names": [], "rhs_call_name": "add_page", "annotation": ""}, "snippet": " pdf.add_page()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L109_C12", "label": "set_font()", "type": "expression", "loc": [109, 109], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L107_C8", "vector": [8, 3, 0.3621, 0.0033, 3, 0.63, 0.3333, 461, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "set_font", "arg_names": [], "import_names": [], "rhs_call_name": "set_font", "annotation": ""}, "snippet": " pdf.set_font('Arial','B',16)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L110_C12", "label": "set_auto_page_break()", "type": "expression", "loc": [110, 110], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L107_C8", "vector": [8, 3, 0.3654, 0.0033, 3, 0.63, 0.6667, 231, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "set_auto_page_break", "arg_names": [], "import_names": [], "rhs_call_name": "set_auto_page_break", "annotation": ""}, "snippet": " pdf.set_auto_page_break(False,margin=0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:For_L112_C12", "label": "for element", "type": "for", "loc": [112, 120], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L107_C8", "vector": [6, 3, 0.3854, 0.0299, 3, 0.63, 1.0, 736, 3, 0, 0, 0, 0, 0, 8], "semantic": {"name": "element", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for element in sorted(self.elements,key=lambda x: x['priority']):\n #print \"dib\",element['type'], element['name'], element['x1'], element['y1'], element['x2'], element['y2']\n element = element.copy()\n element['text'] = self.texts[pg].get(element['name'].lower(), element['text'])\n if 'rotate' in element:\n pdf.rotate(element['rotate'], element['x1'], element['y1'])\n self.handlers[element['type'].upper()](pdf, **element)\n if 'rotate' in element:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L114_C16", "label": "element = copy()", "type": "assigned_variable", "loc": [114, 114], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L112_C12", "vector": [14, 4, 0.3787, 0.0033, 4, 0.84, 0.0, 736, 3, 0, 0, 0, 739, 10, 1], "semantic": {"name": "element", "arg_names": [], "import_names": [], "rhs_call_name": "copy", "annotation": ""}, "snippet": " element = element.copy()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L115_C16", "label": " = get()", "type": "assigned_variable", "loc": [115, 115], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L112_C12", "vector": [14, 4, 0.3821, 0.0033, 4, 0.84, 0.25, 0, 3, 2, 0, 0, 607, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " element['text'] = self.texts[pg].get(element['name'].lower(), element['text'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L116_C16", "label": "if", "type": "if", "loc": [116, 117], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L112_C12", "vector": [4, 4, 0.387, 0.0066, 4, 0.84, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 'rotate' in element:\n pdf.rotate(element['rotate'], element['x1'], element['y1'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L117_C20", "label": "rotate()", "type": "expression", "loc": [117, 117], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L116_C16", "vector": [8, 5, 0.3887, 0.0033, 5, 0.45, 0.0, 781, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "rotate", "arg_names": [], "import_names": [], "rhs_call_name": "rotate", "annotation": ""}, "snippet": " pdf.rotate(element['rotate'], element['x1'], element['y1'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L118_C16", "label": "expression", "type": "expression", "loc": [118, 118], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L112_C12", "vector": [8, 4, 0.392, 0.0033, 4, 0.84, 0.75, 0, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.handlers[element['type'].upper()](pdf, **element)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L119_C16", "label": "if", "type": "if", "loc": [119, 120], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L112_C12", "vector": [4, 4, 0.397, 0.0066, 4, 0.84, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 'rotate' in element:\n pdf.rotate(0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L120_C20", "label": "rotate()", "type": "expression", "loc": [120, 120], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L119_C16", "vector": [8, 5, 0.3987, 0.0033, 5, 0.7, 0.0, 781, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "rotate", "arg_names": [], "import_names": [], "rhs_call_name": "rotate", "annotation": ""}, "snippet": " pdf.rotate(0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Return_L122_C8", "label": "return", "type": "return", "loc": [122, 122], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L105_C4", "vector": [13, 2, 0.4053, 0.0033, 2, 0.48, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return pdf.output(outfile, dest)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L124_C4", "label": "text", "type": "function", "loc": [124, 161], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.4734, 0.1262, 1, 0.77, 0.6923, 439, 0, 18, 0, 0, 0, 0, 18], "semantic": {"name": "text", "arg_names": ["self", "pdf", "x1", "y1", "x2", "y2", "text", "font", "size", "bold", "italic", "underline", "align", "foreground", "backgroud", "multiline", "args", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def text(self, pdf, x1=0, y1=0, x2=0, y2=0, text='', font=\"arial\", size=10, \n bold=False, italic=False, underline=False, align=\"\", \n foreground=0, backgroud=65535, multiline=None,\n *args, **kwargs):\n if text:\n if pdf.text_color!=rgb(foreground):\n pdf.set_text_color(*rgb(foreground))\n if pdf.fill_color!=rgb(backgroud):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "label": "if", "type": "if", "loc": [128, 161], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L124_C4", "vector": [4, 2, 0.4801, 0.113, 2, 0.78, 0.0, 0, 2, 0, 0, 0, 0, 0, 18], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if text:\n if pdf.text_color!=rgb(foreground):\n pdf.set_text_color(*rgb(foreground))\n if pdf.fill_color!=rgb(backgroud):\n pdf.set_fill_color(*rgb(backgroud))\n\n font = font.strip().lower()\n if font == 'arial black':"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L129_C12", "label": "if", "type": "if", "loc": [129, 130], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [4, 3, 0.4302, 0.0066, 3, 0.75, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pdf.text_color!=rgb(foreground):\n pdf.set_text_color(*rgb(foreground))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L130_C16", "label": "set_text_color()", "type": "expression", "loc": [130, 130], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L129_C12", "vector": [8, 4, 0.4319, 0.0033, 4, 0.66, 0.0, 119, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "set_text_color", "arg_names": [], "import_names": [], "rhs_call_name": "set_text_color", "annotation": ""}, "snippet": " pdf.set_text_color(*rgb(foreground))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L131_C12", "label": "if", "type": "if", "loc": [131, 132], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [4, 3, 0.4369, 0.0066, 3, 0.75, 0.0833, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pdf.fill_color!=rgb(backgroud):\n pdf.set_fill_color(*rgb(backgroud))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L132_C16", "label": "set_fill_color()", "type": "expression", "loc": [132, 132], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L131_C12", "vector": [8, 4, 0.4385, 0.0033, 4, 0.96, 0.0, 268, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "set_fill_color", "arg_names": [], "import_names": [], "rhs_call_name": "set_fill_color", "annotation": ""}, "snippet": " pdf.set_fill_color(*rgb(backgroud))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L134_C12", "label": "font = lower()", "type": "assigned_variable", "loc": [134, 134], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [14, 3, 0.4452, 0.0033, 3, 0.75, 0.1667, 768, 3, 0, 0, 0, 432, 10, 2], "semantic": {"name": "font", "arg_names": [], "import_names": [], "rhs_call_name": "lower", "annotation": ""}, "snippet": " font = font.strip().lower()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L135_C12", "label": "if", "type": "if", "loc": [135, 136], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [4, 3, 0.4502, 0.0066, 3, 0.75, 0.25, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if font == 'arial black':\n font = 'arial'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L136_C16", "label": "font =", "type": "assigned_variable", "loc": [136, 136], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L135_C12", "vector": [14, 4, 0.4518, 0.0033, 4, 0.66, 0.0, 768, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "font", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " font = 'arial'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L137_C12", "label": "style =", "type": "assigned_variable", "loc": [137, 137], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [14, 3, 0.4551, 0.0033, 3, 0.75, 0.3333, 3, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " style = \"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:For_L138_C12", "label": "for tag", "type": "for", "loc": [138, 141], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [6, 3, 0.4635, 0.0133, 3, 0.75, 0.4167, 732, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "tag", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for tag in 'B', 'I', 'U':\n if (text.startswith(\"<%s>\" % tag) and text.endswith(\"</%s>\" %tag)):\n text = text[3:-4]\n style += tag"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L139_C16", "label": "if", "type": "if", "loc": [139, 141], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L138_C12", "vector": [4, 4, 0.4651, 0.01, 4, 0.67, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (text.startswith(\"<%s>\" % tag) and text.endswith(\"</%s>\" %tag)):\n text = text[3:-4]\n style += tag"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L140_C20", "label": "text =", "type": "assigned_variable", "loc": [140, 140], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L139_C16", "vector": [14, 5, 0.4651, 0.0033, 5, 0.08, 0.0, 439, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = text[3:-4]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L142_C12", "label": "if", "type": "if", "loc": [142, 142], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [4, 3, 0.4718, 0.0033, 3, 0.75, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if bold: style += \"B\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L143_C12", "label": "if", "type": "if", "loc": [143, 143], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [4, 3, 0.4751, 0.0033, 3, 0.75, 0.5833, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if italic: style += \"I\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L144_C12", "label": "if", "type": "if", "loc": [144, 144], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [4, 3, 0.4784, 0.0033, 3, 0.75, 0.6667, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if underline: style += \"U\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L145_C12", "label": "align = get()", "type": "assigned_variable", "loc": [145, 145], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [14, 3, 0.4817, 0.0033, 3, 0.75, 0.75, 499, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "align", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " align = {'L':'L','R':'R','I':'L','D':'R','C':'C','':''}.get(align) # D/I in spanish"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L146_C12", "label": "set_font()", "type": "expression", "loc": [146, 146], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [8, 3, 0.485, 0.0033, 3, 0.75, 0.8333, 461, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "set_font", "arg_names": [], "import_names": [], "rhs_call_name": "set_font", "annotation": ""}, "snippet": " pdf.set_font(font,style,size)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L149_C12", "label": "set_xy()", "type": "expression", "loc": [149, 149], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [8, 3, 0.495, 0.0033, 3, 0.75, 0.9167, 59, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "set_xy", "arg_names": [], "import_names": [], "rhs_call_name": "set_xy", "annotation": ""}, "snippet": " pdf.set_xy(x1,y1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L150_C12", "label": "if", "type": "if", "loc": [150, 161], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "vector": [4, 3, 0.5166, 0.0399, 3, 0.75, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if multiline is None:\n # multiline==None: write without wrapping/trimming (default)\n pdf.cell(w=x2-x1,h=y2-y1,txt=text,border=0,ln=0,align=align)\n elif multiline:\n # multiline==True: automatic word - warp\n pdf.multi_cell(w=x2-x1,h=y2-y1,txt=text,border=0,align=align)\n else:\n # multiline==False: trim to fit exactly the space defined"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L152_C16", "label": "cell()", "type": "expression", "loc": [152, 152], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L150_C12", "vector": [8, 4, 0.505, 0.0033, 4, 0.06, 0.0, 787, 3, 6, 0, 0, 0, 0, 1], "semantic": {"name": "cell", "arg_names": [], "import_names": [], "rhs_call_name": "cell", "annotation": ""}, "snippet": " pdf.cell(w=x2-x1,h=y2-y1,txt=text,border=0,ln=0,align=align)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L153_C12", "label": "if", "type": "if", "loc": [153, 161], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L150_C12", "vector": [4, 4, 0.5216, 0.0299, 4, 0.06, 1.0, 0, 2, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif multiline:\n # multiline==True: automatic word - warp\n pdf.multi_cell(w=x2-x1,h=y2-y1,txt=text,border=0,align=align)\n else:\n # multiline==False: trim to fit exactly the space defined\n text = pdf.multi_cell(w=x2-x1, h=y2-y1,\n txt=text, align=align, split_only=True)[0]\n print(\"trimming: *%s*\" % text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L155_C16", "label": "multi_cell()", "type": "expression", "loc": [155, 155], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L153_C12", "vector": [8, 5, 0.515, 0.0033, 5, 0.49, 0.0, 398, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "multi_cell", "arg_names": [], "import_names": [], "rhs_call_name": "multi_cell", "annotation": ""}, "snippet": " pdf.multi_cell(w=x2-x1,h=y2-y1,txt=text,border=0,align=align)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L158_C16", "label": "text =", "type": "assigned_variable", "loc": [158, 159], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L153_C12", "vector": [14, 5, 0.5266, 0.0066, 5, 0.49, 0.3333, 439, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = pdf.multi_cell(w=x2-x1, h=y2-y1,\n txt=text, align=align, split_only=True)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L160_C16", "label": "print()", "type": "expression", "loc": [160, 160], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L153_C12", "vector": [8, 5, 0.5316, 0.0033, 5, 0.49, 0.6667, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(\"trimming: *%s*\" % text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L161_C16", "label": "cell()", "type": "expression", "loc": [161, 161], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L153_C12", "vector": [8, 5, 0.5349, 0.0033, 5, 0.49, 1.0, 787, 3, 6, 0, 0, 0, 0, 1], "semantic": {"name": "cell", "arg_names": [], "import_names": [], "rhs_call_name": "cell", "annotation": ""}, "snippet": " pdf.cell(w=x2-x1,h=y2-y1,txt=text,border=0,ln=0,align=align)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L165_C4", "label": "line", "type": "function", "loc": [165, 171], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.5581, 0.0233, 1, 0.77, 0.7692, 373, 0, 10, 0, 0, 0, 0, 5], "semantic": {"name": "line", "arg_names": ["self", "pdf", "x1", "y1", "x2", "y2", "size", "foreground", "args", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def line(self, pdf, x1=0, y1=0, x2=0, y2=0, size=0, foreground=0, *args, **kwargs):\n if pdf.draw_color!=rgb(foreground):\n #print \"SetDrawColor\", hex(foreground)\n pdf.set_draw_color(*rgb(foreground))\n #print \"SetLineWidth\", size\n pdf.set_line_width(size)\n pdf.line(x1, y1, x2, y2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L166_C8", "label": "if", "type": "if", "loc": [166, 168], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L165_C4", "vector": [4, 2, 0.5548, 0.01, 2, 0.31, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pdf.draw_color!=rgb(foreground):\n #print \"SetDrawColor\", hex(foreground)\n pdf.set_draw_color(*rgb(foreground))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L168_C12", "label": "set_draw_color()", "type": "expression", "loc": [168, 168], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L166_C8", "vector": [8, 3, 0.5581, 0.0033, 3, 0.22, 0.0, 479, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "set_draw_color", "arg_names": [], "import_names": [], "rhs_call_name": "set_draw_color", "annotation": ""}, "snippet": " pdf.set_draw_color(*rgb(foreground))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L170_C8", "label": "set_line_width()", "type": "expression", "loc": [170, 170], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L165_C4", "vector": [8, 2, 0.5648, 0.0033, 2, 0.31, 0.5, 143, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "set_line_width", "arg_names": [], "import_names": [], "rhs_call_name": "set_line_width", "annotation": ""}, "snippet": " pdf.set_line_width(size)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L171_C8", "label": "line()", "type": "expression", "loc": [171, 171], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L165_C4", "vector": [8, 2, 0.5681, 0.0033, 2, 0.31, 1.0, 373, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "line", "arg_names": [], "import_names": [], "rhs_call_name": "line", "annotation": ""}, "snippet": " pdf.line(x1, y1, x2, y2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L173_C4", "label": "rect", "type": "function", "loc": [173, 179], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.5847, 0.0233, 1, 0.77, 0.8462, 902, 0, 11, 0, 0, 0, 0, 8], "semantic": {"name": "rect", "arg_names": ["self", "pdf", "x1", "y1", "x2", "y2", "size", "foreground", "backgroud", "args", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def rect(self, pdf, x1=0, y1=0, x2=0, y2=0, size=0, foreground=0, backgroud=65535, *args, **kwargs):\n if pdf.draw_color!=rgb(foreground):\n pdf.set_draw_color(*rgb(foreground))\n if pdf.fill_color!=rgb(backgroud):\n pdf.set_fill_color(*rgb(backgroud))\n pdf.set_line_width(size)\n pdf.rect(x1, y1, x2-x1, y2-y1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L174_C8", "label": "if", "type": "if", "loc": [174, 175], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L173_C4", "vector": [4, 2, 0.5797, 0.0066, 2, 0.83, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pdf.draw_color!=rgb(foreground):\n pdf.set_draw_color(*rgb(foreground))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L175_C12", "label": "set_draw_color()", "type": "expression", "loc": [175, 175], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L174_C8", "vector": [8, 3, 0.5814, 0.0033, 3, 0.89, 0.0, 479, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "set_draw_color", "arg_names": [], "import_names": [], "rhs_call_name": "set_draw_color", "annotation": ""}, "snippet": " pdf.set_draw_color(*rgb(foreground))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L176_C8", "label": "if", "type": "if", "loc": [176, 177], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L173_C4", "vector": [4, 2, 0.5864, 0.0066, 2, 0.83, 0.3333, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pdf.fill_color!=rgb(backgroud):\n pdf.set_fill_color(*rgb(backgroud))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L177_C12", "label": "set_fill_color()", "type": "expression", "loc": [177, 177], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L176_C8", "vector": [8, 3, 0.588, 0.0033, 3, 0.35, 0.0, 268, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "set_fill_color", "arg_names": [], "import_names": [], "rhs_call_name": "set_fill_color", "annotation": ""}, "snippet": " pdf.set_fill_color(*rgb(backgroud))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L178_C8", "label": "set_line_width()", "type": "expression", "loc": [178, 178], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L173_C4", "vector": [8, 2, 0.5914, 0.0033, 2, 0.83, 0.6667, 143, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "set_line_width", "arg_names": [], "import_names": [], "rhs_call_name": "set_line_width", "annotation": ""}, "snippet": " pdf.set_line_width(size)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L179_C8", "label": "rect()", "type": "expression", "loc": [179, 179], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L173_C4", "vector": [8, 2, 0.5947, 0.0033, 2, 0.83, 1.0, 902, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "rect", "arg_names": [], "import_names": [], "rhs_call_name": "rect", "annotation": ""}, "snippet": " pdf.rect(x1, y1, x2-x1, y2-y1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L181_C4", "label": "image", "type": "function", "loc": [181, 182], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.603, 0.0066, 1, 0.77, 0.9231, 505, 0, 9, 0, 0, 0, 0, 1], "semantic": {"name": "image", "arg_names": ["self", "pdf", "x1", "y1", "x2", "y2", "text", "args", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def image(self, pdf, x1=0, y1=0, x2=0, y2=0, text='', *args,**kwargs):\n pdf.image(text,x1,y1,w=x2-x1,h=y2-y1,type='',link='')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L182_C8", "label": "image()", "type": "expression", "loc": [182, 182], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L181_C4", "vector": [8, 2, 0.6047, 0.0033, 2, 0.78, 0.0, 505, 3, 7, 0, 0, 0, 0, 1], "semantic": {"name": "image", "arg_names": [], "import_names": [], "rhs_call_name": "image", "annotation": ""}, "snippet": " pdf.image(text,x1,y1,w=x2-x1,h=y2-y1,type='',link='')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L184_C4", "label": "barcode", "type": "function", "loc": [184, 190], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "vector": [2, 1, 0.6213, 0.0233, 1, 0.77, 1.0, 197, 0, 12, 0, 0, 0, 0, 6], "semantic": {"name": "barcode", "arg_names": ["self", "pdf", "x1", "y1", "x2", "y2", "text", "font", "size", "foreground", "args", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def barcode(self, pdf, x1=0, y1=0, x2=0, y2=0, text='', font=\"arial\", size=1,\n foreground=0, *args, **kwargs):\n if pdf.draw_color!=rgb(foreground):\n pdf.set_draw_color(*rgb(foreground))\n font = font.lower().strip()\n if font == 'interleaved 2of5 nt':\n pdf.interleaved2of5(text,x1,y1,w=size,h=y2-y1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L186_C8", "label": "if", "type": "if", "loc": [186, 187], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L184_C4", "vector": [4, 2, 0.6196, 0.0066, 2, 0.73, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pdf.draw_color!=rgb(foreground):\n pdf.set_draw_color(*rgb(foreground))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L187_C12", "label": "set_draw_color()", "type": "expression", "loc": [187, 187], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L186_C8", "vector": [8, 3, 0.6213, 0.0033, 3, 0.12, 0.0, 479, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "set_draw_color", "arg_names": [], "import_names": [], "rhs_call_name": "set_draw_color", "annotation": ""}, "snippet": " pdf.set_draw_color(*rgb(foreground))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L188_C8", "label": "font = strip()", "type": "assigned_variable", "loc": [188, 188], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L184_C4", "vector": [14, 2, 0.6246, 0.0033, 2, 0.73, 0.5, 768, 3, 0, 0, 0, 973, 10, 2], "semantic": {"name": "font", "arg_names": [], "import_names": [], "rhs_call_name": "strip", "annotation": ""}, "snippet": " font = font.lower().strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L189_C8", "label": "if", "type": "if", "loc": [189, 190], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L184_C4", "vector": [4, 2, 0.6296, 0.0066, 2, 0.73, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if font == 'interleaved 2of5 nt':\n pdf.interleaved2of5(text,x1,y1,w=size,h=y2-y1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L190_C12", "label": "interleaved2of5()", "type": "expression", "loc": [190, 190], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L189_C8", "vector": [8, 3, 0.6312, 0.0033, 3, 0.99, 0.0, 812, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "interleaved2of5", "arg_names": [], "import_names": [], "rhs_call_name": "interleaved2of5", "annotation": ""}, "snippet": " pdf.interleaved2of5(text,x1,y1,w=size,h=y2-y1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "label": "if", "type": "if", "loc": [193, 301], "level": 0, "parent": null, "vector": [4, 0, 0.8206, 0.3621, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 30], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == \"__main__\":\n\n # generate sample invoice (according Argentina's regulations)\n\n import random\n from decimal import Decimal\n\n f = Template(format=\"A4\","}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Import_L197_C4", "label": "random import random", "type": "import", "loc": [197, 197], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [1, 1, 0.6545, 0.0033, 1, 0.33, 0.0, 715, 0, 1, 0, 0, 715, 0, 0], "semantic": {"name": "random", "arg_names": [], "import_names": ["random"], "rhs_call_name": "", "annotation": ""}, "snippet": " import random"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:ImportFrom_L198_C4", "label": "from decimal import Decimal", "type": "import", "loc": [198, 198], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [1, 1, 0.6578, 0.0033, 1, 0.33, 0.0556, 349, 0, 1, 0, 0, 349, 0, 0], "semantic": {"name": "decimal", "arg_names": [], "import_names": ["Decimal"], "rhs_call_name": "", "annotation": ""}, "snippet": " from decimal import Decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L200_C4", "label": "f = Template()", "type": "assigned_variable", "loc": [200, 202], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [14, 1, 0.6678, 0.01, 1, 0.33, 0.1111, 899, 3, 5, 0, 0, 137, 10, 1], "semantic": {"name": "f", "arg_names": [], "import_names": [], "rhs_call_name": "Template", "annotation": ""}, "snippet": " f = Template(format=\"A4\",\n title=\"Sample Invoice\", author=\"Sample Company\",\n subject=\"Sample Customer\", keywords=\"Electronic TAX Invoice\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L203_C4", "label": "parse_csv()", "type": "expression", "loc": [203, 203], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [8, 1, 0.6744, 0.0033, 1, 0.33, 0.1667, 721, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "parse_csv", "arg_names": [], "import_names": [], "rhs_call_name": "parse_csv", "annotation": ""}, "snippet": " f.parse_csv(infile=\"invoice.csv\", delimiter=\";\", decimal_sep=\",\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L205_C4", "label": "detail =", "type": "assigned_variable", "loc": [205, 205], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [14, 1, 0.6811, 0.0033, 1, 0.33, 0.2222, 199, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "detail", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " detail = \"Lorem ipsum dolor sit amet, consectetur. \" * 30"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L206_C4", "label": "items =", "type": "assigned_variable", "loc": [206, 206], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [14, 1, 0.6844, 0.0033, 1, 0.33, 0.2778, 339, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:For_L207_C4", "label": "for i", "type": "for", "loc": [207, 215], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [6, 1, 0.701, 0.0299, 1, 0.33, 0.3333, 826, 3, 0, 0, 0, 0, 0, 10], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(1, 30):\n ds = \"Sample product %s\" % i\n qty = random.randint(1,10)\n price = round(random.random()*100,3)\n code = \"%s%s%02d\" % (chr(random.randint(65,90)), chr(random.randint(65,90)),i)\n items.append(dict(code=code, unit='u',\n qty=qty, price=price, \n amount=qty*price,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L208_C8", "label": "ds =", "type": "assigned_variable", "loc": [208, 208], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L207_C4", "vector": [14, 2, 0.691, 0.0033, 2, 0.26, 0.0, 263, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ds", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ds = \"Sample product %s\" % i"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L209_C8", "label": "qty = randint()", "type": "assigned_variable", "loc": [209, 209], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L207_C4", "vector": [14, 2, 0.6944, 0.0033, 2, 0.26, 0.25, 421, 3, 2, 0, 0, 449, 10, 1], "semantic": {"name": "qty", "arg_names": [], "import_names": [], "rhs_call_name": "randint", "annotation": ""}, "snippet": " qty = random.randint(1,10)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L210_C8", "label": "price = round()", "type": "assigned_variable", "loc": [210, 210], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L207_C4", "vector": [14, 2, 0.6977, 0.0033, 2, 0.26, 0.5, 351, 3, 2, 0, 0, 19, 10, 2], "semantic": {"name": "price", "arg_names": [], "import_names": [], "rhs_call_name": "round", "annotation": ""}, "snippet": " price = round(random.random()*100,3)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L211_C8", "label": "code =", "type": "assigned_variable", "loc": [211, 211], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L207_C4", "vector": [14, 2, 0.701, 0.0033, 2, 0.26, 0.75, 44, 4, 0, 0, 0, 0, 0, 4], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " code = \"%s%s%02d\" % (chr(random.randint(65,90)), chr(random.randint(65,90)),i)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L212_C8", "label": "append()", "type": "expression", "loc": [212, 215], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L207_C4", "vector": [8, 2, 0.7093, 0.0133, 2, 0.26, 1.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " items.append(dict(code=code, unit='u',\n qty=qty, price=price, \n amount=qty*price,\n ds=\"%s: %s\" % (i,ds)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L218_C4", "label": "lines =", "type": "assigned_variable", "loc": [218, 218], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [14, 1, 0.7243, 0.0033, 1, 0.33, 0.3889, 73, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "lines", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lines = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L219_C4", "label": "li_items =", "type": "assigned_variable", "loc": [219, 219], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [14, 1, 0.7276, 0.0033, 1, 0.33, 0.4444, 42, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "li_items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " li_items = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:For_L220_C4", "label": "for it", "type": "for", "loc": [220, 231], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [6, 1, 0.7492, 0.0399, 1, 0.33, 0.5, 231, 2, 0, 0, 0, 0, 0, 4], "semantic": {"name": "it", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for it in items:\n qty = it['qty']\n code = it['code']\n unit = it['unit']\n for ds in f.split_multicell(it['ds'], 'item_description01'):\n # add item description line (without price nor amount)\n li_items.append(dict(code=code, ds=ds, qty=qty, unit=unit, price=None, amount=None))\n # clean qty and code (show only at first)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L221_C8", "label": "qty =", "type": "assigned_variable", "loc": [221, 221], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L220_C4", "vector": [14, 2, 0.7342, 0.0033, 2, 0.72, 0.0, 421, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "qty", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " qty = it['qty']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L222_C8", "label": "code =", "type": "assigned_variable", "loc": [222, 222], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L220_C4", "vector": [14, 2, 0.7375, 0.0033, 2, 0.72, 0.25, 44, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " code = it['code']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L223_C8", "label": "unit =", "type": "assigned_variable", "loc": [223, 223], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L220_C4", "vector": [14, 2, 0.7409, 0.0033, 2, 0.72, 0.5, 58, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "unit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " unit = it['unit']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:For_L224_C8", "label": "for ds", "type": "for", "loc": [224, 228], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L220_C4", "vector": [6, 2, 0.7508, 0.0166, 2, 0.72, 0.75, 263, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "ds", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for ds in f.split_multicell(it['ds'], 'item_description01'):\n # add item description line (without price nor amount)\n li_items.append(dict(code=code, ds=ds, qty=qty, unit=unit, price=None, amount=None))\n # clean qty and code (show only at first)\n unit = qty = code = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L226_C12", "label": "append()", "type": "expression", "loc": [226, 226], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L224_C8", "vector": [8, 3, 0.7508, 0.0033, 3, 0.81, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " li_items.append(dict(code=code, ds=ds, qty=qty, unit=unit, price=None, amount=None))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L228_C12", "label": "unit =", "type": "assigned_variable", "loc": [228, 228], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L224_C8", "vector": [14, 3, 0.7575, 0.0033, 3, 0.81, 1.0, 58, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "unit", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " unit = qty = code = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L230_C8", "label": "update()", "type": "expression", "loc": [230, 231], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L220_C4", "vector": [8, 2, 0.7658, 0.0066, 2, 0.72, 1.0, 637, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "update", "arg_names": [], "import_names": [], "rhs_call_name": "update", "annotation": ""}, "snippet": " li_items[-1].update(amount = it['amount'],\n price = it['price'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L233_C4", "label": "obs =", "type": "assigned_variable", "loc": [233, 233], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [14, 1, 0.7741, 0.0033, 1, 0.33, 0.5556, 347, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "obs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " obs=\"\\n<U>Detail:</U>\\n\\n\" + detail"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:For_L234_C4", "label": "for ds", "type": "for", "loc": [234, 235], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [6, 1, 0.7791, 0.0066, 1, 0.33, 0.6111, 263, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "ds", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for ds in f.split_multicell(obs, 'item_description01'):\n li_items.append(dict(code=code, ds=ds, qty=qty, unit=unit, price=None, amount=None))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L235_C8", "label": "append()", "type": "expression", "loc": [235, 235], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L234_C4", "vector": [8, 2, 0.7807, 0.0033, 2, 0.61, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " li_items.append(dict(code=code, ds=ds, qty=qty, unit=unit, price=None, amount=None))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L238_C4", "label": "lines = len()", "type": "assigned_variable", "loc": [238, 238], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [14, 1, 0.7907, 0.0033, 1, 0.33, 0.6667, 73, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "lines", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " lines = len(li_items)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L239_C4", "label": "max_lines_per_page =", "type": "assigned_variable", "loc": [239, 239], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [14, 1, 0.794, 0.0033, 1, 0.33, 0.7222, 144, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "max_lines_per_page", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " max_lines_per_page = 24"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L240_C4", "label": "pages =", "type": "assigned_variable", "loc": [240, 240], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [14, 1, 0.7973, 0.0033, 1, 0.33, 0.7778, 125, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pages", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pages = lines / (max_lines_per_page - 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L241_C4", "label": "if", "type": "if", "loc": [241, 241], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [4, 1, 0.8007, 0.0033, 1, 0.33, 0.8333, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lines % (max_lines_per_page - 1): pages = pages + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L241_C41", "label": "pages =", "type": "assigned_variable", "loc": [241, 241], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L241_C4", "vector": [14, 2, 0.8007, 0.0033, 2, 0.57, 0.0, 125, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pages", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lines % (max_lines_per_page - 1): pages = pages + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "label": "for page", "type": "for", "loc": [244, 295], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [6, 1, 0.8953, 0.1728, 1, 0.33, 0.8889, 623, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "page", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for page in range(1, pages+1):\n f.add_page()\n f['page'] = 'Page %s of %s' % (page, pages)\n if pages>1 and page<pages:\n s = 'Continues on page %s' % (page+1)\n else:\n s = ''\n f['item_description%02d' % (max_lines_per_page+1)] = s"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L245_C8", "label": "add_page()", "type": "expression", "loc": [245, 245], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [8, 2, 0.814, 0.0033, 2, 0.91, 0.0, 194, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "add_page", "arg_names": [], "import_names": [], "rhs_call_name": "add_page", "annotation": ""}, "snippet": " f.add_page()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L246_C8", "label": "assign", "type": "assigned_variable", "loc": [246, 246], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8173, 0.0033, 2, 0.91, 0.05, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['page'] = 'Page %s of %s' % (page, pages)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L247_C8", "label": "if", "type": "if", "loc": [247, 250], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [4, 2, 0.8256, 0.0133, 2, 0.91, 0.1, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pages>1 and page<pages:\n s = 'Continues on page %s' % (page+1)\n else:\n s = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L248_C12", "label": "s =", "type": "assigned_variable", "loc": [248, 248], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L247_C8", "vector": [14, 3, 0.8239, 0.0033, 3, 0.5, 0.0, 553, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " s = 'Continues on page %s' % (page+1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L250_C12", "label": "s =", "type": "assigned_variable", "loc": [250, 250], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L247_C8", "vector": [14, 3, 0.8306, 0.0033, 3, 0.5, 1.0, 553, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " s = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L251_C8", "label": "assign", "type": "assigned_variable", "loc": [251, 251], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8339, 0.0033, 2, 0.91, 0.15, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['item_description%02d' % (max_lines_per_page+1)] = s"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L253_C8", "label": "assign", "type": "assigned_variable", "loc": [253, 253], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8405, 0.0033, 2, 0.91, 0.2, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f[\"company_name\"] = \"Sample Company\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L254_C8", "label": "assign", "type": "assigned_variable", "loc": [254, 254], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8439, 0.0033, 2, 0.91, 0.25, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f[\"company_logo\"] = \"tutorial/logo.png\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L255_C8", "label": "assign", "type": "assigned_variable", "loc": [255, 255], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8472, 0.0033, 2, 0.91, 0.3, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f[\"company_header1\"] = \"Some Address - somewhere -\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L256_C8", "label": "assign", "type": "assigned_variable", "loc": [256, 256], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8505, 0.0033, 2, 0.91, 0.35, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f[\"company_header2\"] = \"http://www.example.com\" "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L257_C8", "label": "assign", "type": "assigned_variable", "loc": [257, 257], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8538, 0.0033, 2, 0.91, 0.4, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f[\"company_footer1\"] = \"Tax Code ...\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L258_C8", "label": "assign", "type": "assigned_variable", "loc": [258, 258], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8571, 0.0033, 2, 0.91, 0.45, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f[\"company_footer2\"] = \"Tax/VAT ID ...\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L259_C8", "label": "assign", "type": "assigned_variable", "loc": [259, 259], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8605, 0.0033, 2, 0.91, 0.5, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['number'] = '0001-00001234'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L260_C8", "label": "assign", "type": "assigned_variable", "loc": [260, 260], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8638, 0.0033, 2, 0.91, 0.55, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['issue_date'] = '2010-09-10'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L261_C8", "label": "assign", "type": "assigned_variable", "loc": [261, 261], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8671, 0.0033, 2, 0.91, 0.6, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['due_date'] = '2099-09-10'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L262_C8", "label": "assign", "type": "assigned_variable", "loc": [262, 262], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8704, 0.0033, 2, 0.91, 0.65, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['customer_name'] = \"Sample Client\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L263_C8", "label": "assign", "type": "assigned_variable", "loc": [263, 263], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8738, 0.0033, 2, 0.91, 0.7, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['customer_address'] = \"Siempreviva 1234\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L266_C8", "label": "li =", "type": "assigned_variable", "loc": [266, 266], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8837, 0.0033, 2, 0.91, 0.75, 603, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "li", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " li = 0 "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L267_C8", "label": "k =", "type": "assigned_variable", "loc": [267, 267], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.887, 0.0033, 2, 0.91, 0.8, 954, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "k", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " k = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L268_C8", "label": "total = Decimal()", "type": "assigned_variable", "loc": [268, 268], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.8904, 0.0033, 2, 0.91, 0.85, 878, 3, 1, 0, 0, 778, 10, 1], "semantic": {"name": "total", "arg_names": [], "import_names": [], "rhs_call_name": "Decimal", "annotation": ""}, "snippet": " total = Decimal(\"0.00\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:For_L269_C8", "label": "for it", "type": "for", "loc": [269, 287], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [6, 2, 0.9236, 0.0631, 2, 0.91, 0.9, 231, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "it", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for it in li_items:\n k = k + 1\n if k > page * (max_lines_per_page - 1):\n break\n if it['amount']:\n total += Decimal(\"%.6f\" % it['amount'])\n if k > (page - 1) * (max_lines_per_page - 1):\n li += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L270_C12", "label": "k =", "type": "assigned_variable", "loc": [270, 270], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L269_C8", "vector": [14, 3, 0.897, 0.0033, 3, 0.47, 0.0, 954, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "k", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " k = k + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L271_C12", "label": "if", "type": "if", "loc": [271, 272], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L269_C8", "vector": [4, 3, 0.902, 0.0066, 3, 0.47, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if k > page * (max_lines_per_page - 1):\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L273_C12", "label": "if", "type": "if", "loc": [273, 274], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L269_C8", "vector": [4, 3, 0.9086, 0.0066, 3, 0.47, 0.6667, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if it['amount']:\n total += Decimal(\"%.6f\" % it['amount'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "label": "if", "type": "if", "loc": [275, 287], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L269_C8", "vector": [4, 3, 0.9336, 0.0432, 3, 0.47, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if k > (page - 1) * (max_lines_per_page - 1):\n li += 1\n if it['qty'] is not None:\n f['item_quantity%02d' % li] = it['qty']\n if it['code'] is not None:\n f['item_code%02d' % li] = it['code']\n if it['unit'] is not None:\n f['item_unit%02d' % li] = it['unit']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L277_C16", "label": "if", "type": "if", "loc": [277, 278], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "vector": [4, 4, 0.9219, 0.0066, 4, 0.64, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if it['qty'] is not None:\n f['item_quantity%02d' % li] = it['qty']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L278_C20", "label": "assign", "type": "assigned_variable", "loc": [278, 278], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L277_C16", "vector": [14, 5, 0.9236, 0.0033, 5, 0.84, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['item_quantity%02d' % li] = it['qty']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L279_C16", "label": "if", "type": "if", "loc": [279, 280], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "vector": [4, 4, 0.9286, 0.0066, 4, 0.64, 0.2, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if it['code'] is not None:\n f['item_code%02d' % li] = it['code']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L280_C20", "label": "assign", "type": "assigned_variable", "loc": [280, 280], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L279_C16", "vector": [14, 5, 0.9302, 0.0033, 5, 0.62, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['item_code%02d' % li] = it['code']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L281_C16", "label": "if", "type": "if", "loc": [281, 282], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "vector": [4, 4, 0.9352, 0.0066, 4, 0.64, 0.4, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if it['unit'] is not None:\n f['item_unit%02d' % li] = it['unit']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L282_C20", "label": "assign", "type": "assigned_variable", "loc": [282, 282], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L281_C16", "vector": [14, 5, 0.9369, 0.0033, 5, 0.8, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['item_unit%02d' % li] = it['unit']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L283_C16", "label": "assign", "type": "assigned_variable", "loc": [283, 283], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "vector": [14, 4, 0.9402, 0.0033, 4, 0.64, 0.6, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['item_description%02d' % li] = it['ds']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L284_C16", "label": "if", "type": "if", "loc": [284, 285], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "vector": [4, 4, 0.9452, 0.0066, 4, 0.64, 0.8, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if it['price'] is not None:\n f['item_price%02d' % li] = \"%0.3f\" % it['price']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L285_C20", "label": "assign", "type": "assigned_variable", "loc": [285, 285], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L284_C16", "vector": [14, 5, 0.9468, 0.0033, 5, 0.36, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['item_price%02d' % li] = \"%0.3f\" % it['price']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L286_C16", "label": "if", "type": "if", "loc": [286, 287], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "vector": [4, 4, 0.9518, 0.0066, 4, 0.64, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if it['amount'] is not None:\n f['item_amount%02d' % li] = \"%0.2f\" % it['amount']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L287_C20", "label": "assign", "type": "assigned_variable", "loc": [287, 287], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L286_C16", "vector": [14, 5, 0.9535, 0.0033, 5, 0.38, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['item_amount%02d' % li] = \"%0.2f\" % it['amount']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L289_C8", "label": "if", "type": "if", "loc": [289, 294], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [4, 2, 0.9684, 0.0199, 2, 0.91, 0.95, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pages == page:\n f['net'] = \"%0.2f\" % (total/Decimal(\"1.21\"))\n f['vat'] = \"%0.2f\" % (total*(1-1/Decimal(\"1.21\")))\n f['total_label'] = 'Total:'\n else:\n f['total_label'] = 'SubTotal:'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L290_C12", "label": "assign", "type": "assigned_variable", "loc": [290, 290], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L289_C8", "vector": [14, 3, 0.9635, 0.0033, 3, 0.26, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['net'] = \"%0.2f\" % (total/Decimal(\"1.21\"))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L291_C12", "label": "assign", "type": "assigned_variable", "loc": [291, 291], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L289_C8", "vector": [14, 3, 0.9668, 0.0033, 3, 0.26, 0.3333, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['vat'] = \"%0.2f\" % (total*(1-1/Decimal(\"1.21\")))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L292_C12", "label": "assign", "type": "assigned_variable", "loc": [292, 292], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L289_C8", "vector": [14, 3, 0.9701, 0.0033, 3, 0.26, 0.6667, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['total_label'] = 'Total:'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L294_C12", "label": "assign", "type": "assigned_variable", "loc": [294, 294], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L289_C8", "vector": [14, 3, 0.9767, 0.0033, 3, 0.26, 1.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['total_label'] = 'SubTotal:'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L295_C8", "label": "assign", "type": "assigned_variable", "loc": [295, 295], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "vector": [14, 2, 0.9801, 0.0033, 2, 0.91, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['total'] = \"%0.2f\" % total"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L297_C4", "label": "render()", "type": "expression", "loc": [297, 297], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [8, 1, 0.9867, 0.0033, 1, 0.33, 0.9444, 24, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "render", "arg_names": [], "import_names": [], "rhs_call_name": "render", "annotation": ""}, "snippet": " f.render(\"./invoice.pdf\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:If_L298_C4", "label": "if", "type": "if", "loc": [298, 301], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "vector": [4, 1, 0.995, 0.0133, 1, 0.33, 1.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if sys.platform.startswith(\"linux\"):\n os.system(\"evince ./invoice.pdf\")\n else:\n os.system(\"./invoice.pdf\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L299_C8", "label": "system()", "type": "expression", "loc": [299, 299], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L298_C4", "vector": [8, 2, 0.9934, 0.0033, 2, 0.34, 0.0, 856, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "system", "arg_names": [], "import_names": [], "rhs_call_name": "system", "annotation": ""}, "snippet": " os.system(\"evince ./invoice.pdf\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L301_C8", "label": "system()", "type": "expression", "loc": [301, 301], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_561:If_L298_C4", "vector": [8, 2, 1.0, 0.0033, 2, 0.34, 1.0, 856, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "system", "arg_names": [], "import_names": [], "rhs_call_name": "system", "annotation": ""}, "snippet": " os.system(\"./invoice.pdf\")"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L12_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Return_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L18_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L18_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L19_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L18_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L20_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L21_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L23_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L24_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L25_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L26_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L27_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L28_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L29_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L30_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L32_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L32_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L33_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L32_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L34_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L32_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L37_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L32_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:For_L38_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L38_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L39_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L38_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:For_L40_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L40_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L41_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L41_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L42_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L41_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L44_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L40_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L45_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L45_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L46_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L45_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L48_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L40_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L49_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L38_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L50_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L32_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L51_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L53_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L53_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L55_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L57_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L57_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L58_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L58_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L59_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L59_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L60_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L59_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L61_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L61_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L62_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L61_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L64_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L58_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L65_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L68_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L70_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Return_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L73_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L73_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L74_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L74_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L75_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L74_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L76_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L76_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Return_L78_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L76_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L81_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L76_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L83_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L83_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Return_L84_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L87_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L88_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L89_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L91_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L92_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L93_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L94_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L95_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L96_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L97_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L97_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L98_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L97_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L100_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Return_L101_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L105_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L106_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:For_L107_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L107_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L108_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L107_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L109_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L107_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L110_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L107_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:For_L112_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L112_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L114_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L112_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L115_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L112_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L116_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L116_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L117_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L112_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L118_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L112_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L119_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L119_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L120_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Return_L122_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L124_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L124_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L129_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L129_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L130_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L131_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L131_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L132_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L134_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L135_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L135_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L136_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L137_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:For_L138_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L138_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L139_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L139_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L140_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L142_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L143_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L144_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L145_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L146_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L149_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L128_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L150_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L150_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L152_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L150_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L153_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L153_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L155_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L153_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L158_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L153_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L160_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L153_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L161_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L165_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L165_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L166_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L166_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L168_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L165_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L170_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L165_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L171_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L173_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L173_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L174_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L174_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L175_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L173_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L176_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L176_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L177_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L173_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L178_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L173_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L179_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L181_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L182_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:ClassDef_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L184_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L184_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L186_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L186_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L187_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L184_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L188_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:FunctionDef_L184_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L189_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L189_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L190_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Import_L197_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:ImportFrom_L198_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L200_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L203_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L205_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L206_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:For_L207_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L208_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L209_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L210_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L211_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L212_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L218_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L219_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:For_L220_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L220_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L221_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L220_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L222_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L220_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L223_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L220_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:For_L224_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L224_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L226_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L224_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L228_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L220_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L230_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L233_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:For_L234_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L234_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L235_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L238_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L239_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L240_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L241_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L241_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L241_C41"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L245_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L246_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L247_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L248_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L250_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L251_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L253_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L254_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L255_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L256_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L257_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L258_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L259_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L260_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L261_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L262_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L263_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L266_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L267_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L268_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:For_L269_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L269_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L270_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L269_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L271_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L269_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L273_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L269_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L277_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L277_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L278_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L279_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L279_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L280_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L281_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L281_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L282_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L283_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L284_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L284_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L285_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L275_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L286_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L286_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L287_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L289_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L289_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L290_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L289_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L291_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L289_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L292_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L289_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L294_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:For_L244_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Assign_L295_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L297_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L193_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_561:If_L298_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L298_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L299_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_561:If_L298_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_561:Expr_L301_C8"}]
#!/usr/bin/env python # -*- coding: latin-1 -*- # fpdf php helpers: def substr(s, start, length=-1): if length < 0: length=len(s)-start return s[start:start+length] def sprintf(fmt, *args): return fmt % args def print_r(array): if not isinstance(array, dict): array = dict([(k, k) for k in array]) for k, v in array.items(): print "[%s] => %s" % (k, v), def UTF8ToUTF16BE(instr, setbom=True): "Converts UTF-8 strings to UTF16-BE." outstr = "" if (setbom): outstr += "\xFE\xFF"; if not isinstance(instr, unicode): instr = instr.decode('UTF-8') outstr += instr.encode('UTF-16BE') return outstr def UTF8StringToArray(instr): "Converts UTF-8 strings to codepoints array" return [ord(c) for c in instr] # ttfints php helpers: def die(msg): raise RuntimeError(msg) def str_repeat(s, count): return s * count def str_pad(s, pad_length=0, pad_char= " ", pad_type= +1 ): if pad_type<0: # pad left return s.rjust(pad_length, pad_char) elif pad_type>0: # pad right return s.ljust(pad_length, pad_char) else: # pad both return s.center(pad_length, pad_char) strlen = count = lambda s: len(s)
ajibawa-2023/Python-Code-Large/train/row_562
31
49
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L6_C0", "label": "substr", "type": "function", "loc": [6, 9], "level": 0, "parent": null, "vector": [2, 0, 0.1531, 0.0816, 0, 0.66, 0.0, 219, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "substr", "arg_names": ["s", "start", "length"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def substr(s, start, length=-1):\n if length < 0:\n length=len(s)-start\n return s[start:start+length]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:If_L7_C7", "label": "if", "type": "if", "loc": [7, 8], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L6_C0", "vector": [4, 1, 0.1531, 0.0408, 1, 0.31, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if length < 0:\n length=len(s)-start"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Assign_L8_C15", "label": "length =", "type": "assigned_variable", "loc": [8, 8], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:If_L7_C7", "vector": [14, 2, 0.1633, 0.0204, 2, 0.23, 0.0, 221, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "length", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " length=len(s)-start"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L9_C7", "label": "return", "type": "return", "loc": [9, 9], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L6_C0", "vector": [13, 1, 0.1837, 0.0204, 1, 0.31, 1.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return s[start:start+length]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L11_C0", "label": "sprintf", "type": "function", "loc": [11, 11], "level": 0, "parent": null, "vector": [2, 0, 0.2245, 0.0204, 0, 0.66, 0.125, 53, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "sprintf", "arg_names": ["fmt", "args"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def sprintf(fmt, *args): return fmt % args"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L11_C25", "label": "return", "type": "return", "loc": [11, 11], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L11_C0", "vector": [13, 1, 0.2245, 0.0204, 1, 0.25, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def sprintf(fmt, *args): return fmt % args"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L13_C0", "label": "print_r", "type": "function", "loc": [13, 17], "level": 0, "parent": null, "vector": [2, 0, 0.3061, 0.102, 0, 0.66, 0.25, 731, 0, 1, 0, 0, 0, 0, 4], "semantic": {"name": "print_r", "arg_names": ["array"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def print_r(array):\n if not isinstance(array, dict):\n array = dict([(k, k) for k in array])\n for k, v in array.items():\n print(\"[%s] => %s\" % (k, v),)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:If_L14_C4", "label": "if", "type": "if", "loc": [14, 15], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L13_C0", "vector": [4, 1, 0.2959, 0.0408, 1, 0.58, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(array, dict):\n array = dict([(k, k) for k in array])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Assign_L15_C8", "label": "array = dict()", "type": "assigned_variable", "loc": [15, 15], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:If_L14_C4", "vector": [14, 2, 0.3061, 0.0204, 2, 0.19, 0.0, 80, 3, 1, 0, 0, 827, 10, 1], "semantic": {"name": "array", "arg_names": [], "import_names": [], "rhs_call_name": "dict", "annotation": ""}, "snippet": " array = dict([(k, k) for k in array])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:For_L16_C4", "label": "for k, v", "type": "for", "loc": [16, 17], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L13_C0", "vector": [6, 1, 0.3367, 0.0408, 1, 0.58, 1.0, 867, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "k, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k, v in array.items():\n print(\"[%s] => %s\" % (k, v),)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Expr_L17_C8", "label": "print()", "type": "expression", "loc": [17, 17], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:For_L16_C4", "vector": [8, 2, 0.3469, 0.0204, 2, 0.75, 0.0, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(\"[%s] => %s\" % (k, v),)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L19_C0", "label": "UTF8ToUTF16BE", "type": "function", "loc": [19, 27], "level": 0, "parent": null, "vector": [2, 0, 0.4694, 0.1837, 0, 0.66, 0.375, 735, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "UTF8ToUTF16BE", "arg_names": ["instr", "setbom"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def UTF8ToUTF16BE(instr, setbom=True):\n \"Converts UTF-8 strings to UTF16-BE.\"\n outstr = \"\"\n if (setbom):\n outstr += \"\\xFE\\xFF\"; \n if not isinstance(instr, unicode):\n instr = instr.decode('UTF-8')\n outstr += instr.encode('UTF-16BE')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Expr_L20_C4", "label": "expression", "type": "expression", "loc": [20, 20], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L19_C0", "vector": [8, 1, 0.4082, 0.0204, 1, 0.56, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Converts UTF-8 strings to UTF16-BE.\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Assign_L21_C4", "label": "outstr =", "type": "assigned_variable", "loc": [21, 21], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L19_C0", "vector": [14, 1, 0.4286, 0.0204, 1, 0.56, 0.25, 807, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "outstr", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " outstr = \"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:If_L22_C4", "label": "if", "type": "if", "loc": [22, 23], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L19_C0", "vector": [4, 1, 0.4592, 0.0408, 1, 0.56, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (setbom):\n outstr += \"\\xFE\\xFF\"; "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:If_L24_C4", "label": "if", "type": "if", "loc": [24, 25], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L19_C0", "vector": [4, 1, 0.5, 0.0408, 1, 0.56, 0.75, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(instr, unicode):\n instr = instr.decode('UTF-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Assign_L25_C8", "label": "instr = decode()", "type": "assigned_variable", "loc": [25, 25], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:If_L24_C4", "vector": [14, 2, 0.5102, 0.0204, 2, 0.73, 0.0, 629, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "instr", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " instr = instr.decode('UTF-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L27_C4", "label": "return", "type": "return", "loc": [27, 27], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L19_C0", "vector": [13, 1, 0.551, 0.0204, 1, 0.56, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return outstr"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L29_C0", "label": "UTF8StringToArray", "type": "function", "loc": [29, 31], "level": 0, "parent": null, "vector": [2, 0, 0.6122, 0.0612, 0, 0.66, 0.5, 555, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "UTF8StringToArray", "arg_names": ["instr"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def UTF8StringToArray(instr):\n \"Converts UTF-8 strings to codepoints array\"\n return [ord(c) for c in instr]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Expr_L30_C4", "label": "expression", "type": "expression", "loc": [30, 30], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L29_C0", "vector": [8, 1, 0.6122, 0.0204, 1, 0.4, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Converts UTF-8 strings to codepoints array\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L31_C4", "label": "return", "type": "return", "loc": [31, 31], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L29_C0", "vector": [13, 1, 0.6327, 0.0204, 1, 0.4, 1.0, 0, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return [ord(c) for c in instr]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L35_C0", "label": "die", "type": "function", "loc": [35, 36], "level": 0, "parent": null, "vector": [2, 0, 0.7245, 0.0408, 0, 0.66, 0.625, 952, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "die", "arg_names": ["msg"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def die(msg):\n raise RuntimeError(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L38_C0", "label": "str_repeat", "type": "function", "loc": [38, 39], "level": 0, "parent": null, "vector": [2, 0, 0.7857, 0.0408, 0, 0.66, 0.75, 517, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "str_repeat", "arg_names": ["s", "count"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def str_repeat(s, count):\n return s * count"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L39_C4", "label": "return", "type": "return", "loc": [39, 39], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L38_C0", "vector": [13, 1, 0.7959, 0.0204, 1, 0.46, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return s * count"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L41_C0", "label": "str_pad", "type": "function", "loc": [41, 47], "level": 0, "parent": null, "vector": [2, 0, 0.898, 0.1429, 0, 0.66, 0.875, 881, 0, 4, 1, 0, 0, 0, 3], "semantic": {"name": "str_pad", "arg_names": ["s", "pad_length", "pad_char", "pad_type"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def str_pad(s, pad_length=0, pad_char= \" \", pad_type= +1 ):\n if pad_type<0: # pad left\n return s.rjust(pad_length, pad_char)\n elif pad_type>0: # pad right\n return s.ljust(pad_length, pad_char)\n else: # pad both\n return s.center(pad_length, pad_char)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:If_L42_C4", "label": "if", "type": "if", "loc": [42, 47], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L41_C0", "vector": [4, 1, 0.9082, 0.1224, 1, 0.8, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pad_type<0: # pad left\n return s.rjust(pad_length, pad_char)\n elif pad_type>0: # pad right\n return s.ljust(pad_length, pad_char)\n else: # pad both\n return s.center(pad_length, pad_char)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L43_C8", "label": "return", "type": "return", "loc": [43, 43], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:If_L42_C4", "vector": [13, 2, 0.8776, 0.0204, 2, 0.56, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return s.rjust(pad_length, pad_char)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:If_L44_C4", "label": "if", "type": "if", "loc": [44, 47], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:If_L42_C4", "vector": [4, 2, 0.9286, 0.0816, 2, 0.56, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif pad_type>0: # pad right\n return s.ljust(pad_length, pad_char)\n else: # pad both\n return s.center(pad_length, pad_char)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L45_C8", "label": "return", "type": "return", "loc": [45, 45], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:If_L44_C4", "vector": [13, 3, 0.9184, 0.0204, 3, 0.91, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return s.ljust(pad_length, pad_char)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L47_C8", "label": "return", "type": "return", "loc": [47, 47], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_562:If_L44_C4", "vector": [13, 3, 0.9592, 0.0204, 3, 0.91, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return s.center(pad_length, pad_char)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_562:Assign_L49_C0", "label": "strlen =", "type": "assigned_variable", "loc": [49, 49], "level": 0, "parent": null, "vector": [14, 0, 1.0, 0.0204, 0, 0.66, 1.0, 612, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "strlen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "strlen = count = lambda s: len(s)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L6_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:If_L7_C7"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:If_L7_C7", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Assign_L8_C15"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L6_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L9_C7"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L11_C25"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L13_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:If_L14_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:If_L14_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Assign_L15_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L13_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:For_L16_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:For_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Expr_L17_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Expr_L20_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Assign_L21_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:If_L22_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:If_L24_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:If_L24_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Assign_L25_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L27_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L29_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Expr_L30_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L29_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L31_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L38_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L39_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_562:If_L42_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:If_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L43_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:If_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_562:If_L44_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:If_L44_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L45_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_562:If_L44_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_562:Return_L47_C8"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- "FPDF for python" __license__ = "LGPL 3.0" __version__ = "1.7" from fpdf import * try: from html import HTMLMixin except ImportError: import warnings warnings.warn("web2py gluon package not installed, required for html2pdf") from template import Template
ajibawa-2023/Python-Code-Large/train/row_564
9
16
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_564:Expr_L4_C0", "label": "expression", "type": "expression", "loc": [4, 4], "level": 0, "parent": null, "vector": [8, 0, 0.25, 0.0625, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"FPDF for python\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_564:Assign_L6_C0", "label": "__license__ =", "type": "assigned_variable", "loc": [6, 6], "level": 0, "parent": null, "vector": [14, 0, 0.375, 0.0625, 0, 0.66, 0.2, 11, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__license__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__license__ = \"LGPL 3.0\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_564:Assign_L7_C0", "label": "__version__ =", "type": "assigned_variable", "loc": [7, 7], "level": 0, "parent": null, "vector": [14, 0, 0.4375, 0.0625, 0, 0.66, 0.4, 162, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__version__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__version__ = \"1.7\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_564:ImportFrom_L9_C0", "label": "from fpdf import *", "type": "import", "loc": [9, 9], "level": 0, "parent": null, "vector": [1, 0, 0.5625, 0.0625, 0, 0.66, 0.6, 957, 0, 1, 0, 0, 957, 0, 0], "semantic": {"name": "fpdf", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from fpdf import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_564:Try_L10_C0", "label": "try", "type": "try", "loc": [10, 14], "level": 0, "parent": null, "vector": [7, 0, 0.75, 0.3125, 0, 0.66, 0.8, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n from html import HTMLMixin\nexcept ImportError:\n import warnings\n warnings.warn(\"web2py gluon package not installed, required for html2pdf\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_564:ImportFrom_L11_C4", "label": "from html import HTMLMixin", "type": "import", "loc": [11, 11], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_564:Try_L10_C0", "vector": [1, 1, 0.6875, 0.0625, 1, 0.35, 0.0, 271, 0, 1, 0, 0, 271, 0, 0], "semantic": {"name": "html", "arg_names": [], "import_names": ["HTMLMixin"], "rhs_call_name": "", "annotation": ""}, "snippet": " from html import HTMLMixin"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_564:Import_L13_C4", "label": "warnings import warnings", "type": "import", "loc": [13, 13], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_564:Try_L10_C0", "vector": [1, 1, 0.8125, 0.0625, 1, 0.35, 0.0, 358, 0, 1, 0, 0, 358, 0, 0], "semantic": {"name": "warnings", "arg_names": [], "import_names": ["warnings"], "rhs_call_name": "", "annotation": ""}, "snippet": " import warnings"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_564:Expr_L14_C4", "label": "warn()", "type": "expression", "loc": [14, 14], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_564:Try_L10_C0", "vector": [8, 1, 0.875, 0.0625, 1, 0.35, 1.0, 960, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " warnings.warn(\"web2py gluon package not installed, required for html2pdf\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_564:ImportFrom_L16_C0", "label": "from template import Template", "type": "import", "loc": [16, 16], "level": 0, "parent": null, "vector": [1, 0, 1.0, 0.0625, 0, 0.66, 1.0, 549, 0, 1, 0, 0, 549, 0, 0], "semantic": {"name": "template", "arg_names": [], "import_names": ["Template"], "rhs_call_name": "", "annotation": ""}, "snippet": "from template import Template"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_564:Try_L10_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_564:ImportFrom_L11_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_564:Try_L10_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_564:Import_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_564:Try_L10_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_564:Expr_L14_C4"}]
""" Developed by Massimo Di Pierro Released under the web2py license (LGPL) What does it do? if html is a variable containing HTML text and urls in the text, when you call html = expend_html(html) it automatically converts the url to links but when possible it embeds the object being linked. In particular it can embed images, videos, audio files, documents (it uses the google code player), as well as pages to a oembed service. Google Doc Support ================== Microsoft Word (.DOC, .DOCX) Microsoft Excel (.XLS and .XLSX) Microsoft PowerPoint 2007 / 2010 (.PPTX) Apple Pages (.PAGES) Adobe PDF (.PDF) Adobe Illustrator (.AI) Adobe Photoshop (.PSD) Autodesk AutoCad (.DXF) Scalable Vector Graphics (.SVG) PostScript (.EPS, .PS) TrueType (.TTF) XML Paper Specification (.XPS) Oembed Support ============== flickr.com youtube.com hulu.com vimeo.com slideshare.net qik.com polleverywhere.com wordpress.com revision3.com viddler.com """ import re import cgi import sys from simplejson import loads import urllib import uuid try: from BeautifulSoup import BeautifulSoup, Comment have_soup = True except ImportError: have_soup = False regex_link = re.compile('https?://\S+') EMBED_MAPS = [ (re.compile('http://\S*?flickr.com/\S*'), 'http://www.flickr.com/services/oembed/'), (re.compile('http://\S*.youtu(\.be|be\.com)/watch\S*'), 'http://www.youtube.com/oembed'), (re.compile('http://www.hulu.com/watch/\S*'), 'http://www.hulu.com/api/oembed.json'), (re.compile('http://vimeo.com/\S*'), 'http://vimeo.com/api/oembed.json'), (re.compile('http://www.slideshare.net/[^\/]+/\S*'), 'http://www.slideshare.net/api/oembed/2'), (re.compile('http://qik.com/\S*'), 'http://qik.com/api/oembed.json'), (re.compile('http://www.polleverywhere.com/\w+/\S+'), 'http://www.polleverywhere.com/services/oembed/'), (re.compile('http://\S+.wordpress.com/\S+'), 'http://public-api.wordpress.com/oembed/'), (re.compile('http://*.revision3.com/\S+'), 'http://revision3.com/api/oembed/'), (re.compile('http://\S+.viddler.com/\S+'), 'http://lab.viddler.com/services/oembed/'), ] def image(url): return '<img src="%s" style="max-width:100%%"/>' % url def audio(url): return '<audio controls="controls" style="max-width:100%%"><source src="%s" /></audio>' % url def video(url): return '<video controls="controls" style="max-width:100%%"><source src="%s" /></video>' % url def googledoc_viewer(url): return '<iframe src="http://docs.google.com/viewer?url=%s&embedded=true" style="max-width:100%%"></iframe>' % urllib.quote(url) def web2py_component(url): code = str(uuid.uuid4()) return '<div id="%s"></div><script>\nweb2py_component("%s","%s");\n</script>' % (code, url, code) EXTENSION_MAPS = { 'png': image, 'gif': image, 'jpg': image, 'jpeg': image, 'wav': audio, 'ogg': audio, 'mp3': audio, 'mov': video, 'mpe': video, 'mp4': video, 'mpg': video, 'mpg2': video, 'mpeg': video, 'mpeg4': video, 'movie': video, 'load': web2py_component, 'pdf': googledoc_viewer, 'doc': googledoc_viewer, 'docx': googledoc_viewer, 'ppt': googledoc_viewer, 'pptx': googledoc_viewer, 'xls': googledoc_viewer, 'xlsx': googledoc_viewer, 'pages': googledoc_viewer, 'ai': googledoc_viewer, 'psd': googledoc_viewer, 'xdf': googledoc_viewer, 'svg': googledoc_viewer, 'ttf': googledoc_viewer, 'xps': googledoc_viewer, } class VimeoURLOpener(urllib.FancyURLopener): "Vimeo blocks the urllib user agent for some reason" version = "Mozilla/4.0" urllib._urlopener = VimeoURLOpener() def oembed(url): for k, v in EMBED_MAPS: if k.match(url): oembed = v + '?format=json&url=' + cgi.escape(url) try: data = urllib.urlopen(oembed).read() return loads(data) # json! except: pass return {} def extension(url): return url.split('?')[0].split('.')[-1].lower() def expand_one(url, cdict): # try ombed but first check in cache if cdict and url in cdict: r = cdict[url] else: r = oembed(url) if isinstance(cdict, dict): cdict[url] = r # if oembed service if 'html' in r: html = r['html'].encode('utf8') if html.startswith('<object'): return '<embed style="max-width:100%%">%s</embed>' % html else: return html elif 'url' in r: url = r['url'].encode('utf8') # embed images, video, audio files ext = extension(url) if ext in EXTENSION_MAPS: return EXTENSION_MAPS[ext](url) # else regular link return '<a href="%(u)s">%(u)s</a>' % dict(u=url) def expand_html(html, cdict=None): if not have_soup: raise RuntimeError("Missing BeautifulSoup") soup = BeautifulSoup(html) comments = soup.findAll(text=lambda text: isinstance(text, Comment)) [comment.extract() for comment in comments] for txt in soup.findAll(text=True): if not txt.parent.name in ('a', 'script', 'pre', 'code', 'embed', 'object', 'audio', 'video'): ntxt = regex_link.sub( lambda match: expand_one(match.group(0), cdict), txt) txt.replaceWith(BeautifulSoup(ntxt)) return str(soup) def test(): example = """ <h3>Fringilla nisi parturient nullam</h3> <p>http://www.youtube.com/watch?v=IWBFiI5RrA0</p> <p>http://www.web2py.com/examples/static/images/logo_bw.png</p> <p>http://www.web2py.com/examples/default/index.load</p> <p>http://www.web2py.com/examples/static/web2py_manual_cutl.pdf</p> <p>Elementum sodales est varius magna leo sociis erat. Nascetur pretium non ultricies gravida. Condimentum at nascetur tempus. Porttitor viverra ipsum accumsan neque aliquet. Ultrices vestibulum tempor quisque eget sem eget. Ornare malesuada tempus dolor dolor magna consectetur. Nisl dui non curabitur laoreet tortor.</p> """ return expand_html(example) if __name__ == "__main__": if len(sys.argv) > 1: print expand_html(open(sys.argv[1]).read()) else: print test()
ajibawa-2023/Python-Code-Large/train/row_566
73
217
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_566:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 43], "level": 0, "parent": null, "vector": [8, 0, 0.1014, 0.1982, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nDeveloped by Massimo Di Pierro\nReleased under the web2py license (LGPL)\n\nWhat does it do?\n\nif html is a variable containing HTML text and urls in the text, when you call\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Import_L45_C0", "label": "re import re", "type": "import", "loc": [45, 45], "level": 0, "parent": null, "vector": [1, 0, 0.2074, 0.0046, 0, 0.66, 0.0435, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Import_L46_C0", "label": "cgi import cgi", "type": "import", "loc": [46, 46], "level": 0, "parent": null, "vector": [1, 0, 0.212, 0.0046, 0, 0.66, 0.087, 934, 0, 1, 0, 0, 934, 0, 0], "semantic": {"name": "cgi", "arg_names": [], "import_names": ["cgi"], "rhs_call_name": "", "annotation": ""}, "snippet": "import cgi"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Import_L47_C0", "label": "sys import sys", "type": "import", "loc": [47, 47], "level": 0, "parent": null, "vector": [1, 0, 0.2166, 0.0046, 0, 0.66, 0.1304, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:ImportFrom_L48_C0", "label": "from simplejson import loads", "type": "import", "loc": [48, 48], "level": 0, "parent": null, "vector": [1, 0, 0.2212, 0.0046, 0, 0.66, 0.1739, 386, 0, 1, 0, 0, 386, 0, 0], "semantic": {"name": "simplejson", "arg_names": [], "import_names": ["loads"], "rhs_call_name": "", "annotation": ""}, "snippet": "from simplejson import loads"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Import_L49_C0", "label": "urllib import urllib", "type": "import", "loc": [49, 49], "level": 0, "parent": null, "vector": [1, 0, 0.2258, 0.0046, 0, 0.66, 0.2174, 614, 0, 1, 0, 0, 614, 0, 0], "semantic": {"name": "urllib", "arg_names": [], "import_names": ["urllib"], "rhs_call_name": "", "annotation": ""}, "snippet": "import urllib"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Import_L50_C0", "label": "uuid import uuid", "type": "import", "loc": [50, 50], "level": 0, "parent": null, "vector": [1, 0, 0.2304, 0.0046, 0, 0.66, 0.2609, 9, 0, 1, 0, 0, 9, 0, 0], "semantic": {"name": "uuid", "arg_names": [], "import_names": ["uuid"], "rhs_call_name": "", "annotation": ""}, "snippet": "import uuid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L51_C0", "label": "try", "type": "try", "loc": [51, 55], "level": 0, "parent": null, "vector": [7, 0, 0.2442, 0.023, 0, 0.66, 0.3043, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n from BeautifulSoup import BeautifulSoup, Comment\n have_soup = True\nexcept ImportError:\n have_soup = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:ImportFrom_L52_C4", "label": "from BeautifulSoup import BeautifulSoup, Comment", "type": "import", "loc": [52, 52], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L51_C0", "vector": [1, 1, 0.2396, 0.0046, 1, 0.2, 0.0, 878, 0, 2, 0, 0, 878, 0, 0], "semantic": {"name": "BeautifulSoup", "arg_names": [], "import_names": ["BeautifulSoup", "Comment"], "rhs_call_name": "", "annotation": ""}, "snippet": " from BeautifulSoup import BeautifulSoup, Comment"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L53_C4", "label": "have_soup =", "type": "assigned_variable", "loc": [53, 53], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L51_C0", "vector": [14, 1, 0.2442, 0.0046, 1, 0.2, 1.0, 752, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "have_soup", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " have_soup = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L55_C4", "label": "have_soup =", "type": "assigned_variable", "loc": [55, 55], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L51_C0", "vector": [14, 1, 0.2535, 0.0046, 1, 0.2, 0.0, 752, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "have_soup", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " have_soup = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L57_C0", "label": "regex_link = compile()", "type": "assigned_variable", "loc": [57, 57], "level": 0, "parent": null, "vector": [14, 0, 0.2627, 0.0046, 0, 0.66, 0.3478, 625, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_link", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_link = re.compile('https?://\\S+')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L59_C0", "label": "EMBED_MAPS =", "type": "assigned_variable", "loc": [59, 80], "level": 0, "parent": null, "vector": [14, 0, 0.3203, 0.1014, 0, 0.66, 0.3913, 423, 0, 0, 0, 0, 0, 5, 10], "semantic": {"name": "EMBED_MAPS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "EMBED_MAPS = [\n (re.compile('http://\\S*?flickr.com/\\S*'),\n 'http://www.flickr.com/services/oembed/'),\n (re.compile('http://\\S*.youtu(\\.be|be\\.com)/watch\\S*'),\n 'http://www.youtube.com/oembed'),\n (re.compile('http://www.hulu.com/watch/\\S*'),\n 'http://www.hulu.com/api/oembed.json'),\n (re.compile('http://vimeo.com/\\S*'),"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L83_C0", "label": "image", "type": "function", "loc": [83, 84], "level": 0, "parent": null, "vector": [2, 0, 0.3848, 0.0092, 0, 0.66, 0.4348, 505, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "image", "arg_names": ["url"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def image(url):\n return '<img src=\"%s\" style=\"max-width:100%%\"/>' % url"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L84_C4", "label": "return", "type": "return", "loc": [84, 84], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L83_C0", "vector": [13, 1, 0.3871, 0.0046, 1, 0.86, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '<img src=\"%s\" style=\"max-width:100%%\"/>' % url"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L87_C0", "label": "audio", "type": "function", "loc": [87, 88], "level": 0, "parent": null, "vector": [2, 0, 0.4032, 0.0092, 0, 0.66, 0.4783, 477, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "audio", "arg_names": ["url"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def audio(url):\n return '<audio controls=\"controls\" style=\"max-width:100%%\"><source src=\"%s\" /></audio>' % url"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L88_C4", "label": "return", "type": "return", "loc": [88, 88], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L87_C0", "vector": [13, 1, 0.4055, 0.0046, 1, 0.69, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '<audio controls=\"controls\" style=\"max-width:100%%\"><source src=\"%s\" /></audio>' % url"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L91_C0", "label": "video", "type": "function", "loc": [91, 92], "level": 0, "parent": null, "vector": [2, 0, 0.4217, 0.0092, 0, 0.66, 0.5217, 54, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "video", "arg_names": ["url"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def video(url):\n return '<video controls=\"controls\" style=\"max-width:100%%\"><source src=\"%s\" /></video>' % url"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L92_C4", "label": "return", "type": "return", "loc": [92, 92], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L91_C0", "vector": [13, 1, 0.424, 0.0046, 1, 0.29, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '<video controls=\"controls\" style=\"max-width:100%%\"><source src=\"%s\" /></video>' % url"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L95_C0", "label": "googledoc_viewer", "type": "function", "loc": [95, 96], "level": 0, "parent": null, "vector": [2, 0, 0.4401, 0.0092, 0, 0.66, 0.5652, 363, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "googledoc_viewer", "arg_names": ["url"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def googledoc_viewer(url):\n return '<iframe src=\"http://docs.google.com/viewer?url=%s&embedded=true\" style=\"max-width:100%%\"></iframe>' % urllib.quote(url)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L96_C4", "label": "return", "type": "return", "loc": [96, 96], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L95_C0", "vector": [13, 1, 0.4424, 0.0046, 1, 0.19, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '<iframe src=\"http://docs.google.com/viewer?url=%s&embedded=true\" style=\"max-width:100%%\"></iframe>' % urllib.quote(url)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L99_C0", "label": "web2py_component", "type": "function", "loc": [99, 101], "level": 0, "parent": null, "vector": [2, 0, 0.4608, 0.0138, 0, 0.66, 0.6087, 309, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "web2py_component", "arg_names": ["url"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def web2py_component(url):\n code = str(uuid.uuid4())\n return '<div id=\"%s\"></div><script>\\nweb2py_component(\"%s\",\"%s\");\\n</script>' % (code, url, code)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L100_C4", "label": "code = str()", "type": "assigned_variable", "loc": [100, 100], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L99_C0", "vector": [14, 1, 0.4608, 0.0046, 1, 0.96, 0.0, 44, 3, 1, 0, 0, 52, 10, 2], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " code = str(uuid.uuid4())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L101_C4", "label": "return", "type": "return", "loc": [101, 101], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L99_C0", "vector": [13, 1, 0.4654, 0.0046, 1, 0.96, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '<div id=\"%s\"></div><script>\\nweb2py_component(\"%s\",\"%s\");\\n</script>' % (code, url, code)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L103_C0", "label": "EXTENSION_MAPS =", "type": "assigned_variable", "loc": [103, 134], "level": 0, "parent": null, "vector": [14, 0, 0.5461, 0.1475, 0, 0.66, 0.6522, 605, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "EXTENSION_MAPS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "EXTENSION_MAPS = {\n 'png': image,\n 'gif': image,\n 'jpg': image,\n 'jpeg': image,\n 'wav': audio,\n 'ogg': audio,\n 'mp3': audio,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:ClassDef_L137_C0", "label": "VimeoURLOpener", "type": "class", "loc": [137, 139], "level": 0, "parent": null, "vector": [3, 0, 0.6359, 0.0138, 0, 0.66, 0.6957, 69, 0, 0, 0, 0, 614, 0, 0], "semantic": {"name": "VimeoURLOpener", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class VimeoURLOpener(urllib.FancyURLopener):\n \"Vimeo blocks the urllib user agent for some reason\"\n version = \"Mozilla/4.0\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Expr_L138_C4", "label": "expression", "type": "expression", "loc": [138, 138], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:ClassDef_L137_C0", "vector": [8, 1, 0.6359, 0.0046, 1, 0.69, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"Vimeo blocks the urllib user agent for some reason\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L139_C4", "label": "version =", "type": "assigned_variable", "loc": [139, 139], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:ClassDef_L137_C0", "vector": [14, 1, 0.6406, 0.0046, 1, 0.69, 1.0, 623, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "version", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " version = \"Mozilla/4.0\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L140_C0", "label": "urllib._urlopener = VimeoURLOpener()", "type": "assigned_variable", "loc": [140, 140], "level": 0, "parent": null, "vector": [14, 0, 0.6452, 0.0046, 0, 0.66, 0.7391, 645, 3, 0, 0, 0, 69, 10, 1], "semantic": {"name": "urllib._urlopener", "arg_names": [], "import_names": [], "rhs_call_name": "VimeoURLOpener", "annotation": ""}, "snippet": "urllib._urlopener = VimeoURLOpener()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L143_C0", "label": "oembed", "type": "function", "loc": [143, 152], "level": 0, "parent": null, "vector": [2, 0, 0.6797, 0.0461, 0, 0.66, 0.7826, 55, 0, 1, 1, 0, 0, 0, 5], "semantic": {"name": "oembed", "arg_names": ["url"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def oembed(url):\n for k, v in EMBED_MAPS:\n if k.match(url):\n oembed = v + '?format=json&url=' + cgi.escape(url)\n try:\n data = urllib.urlopen(oembed).read()\n return loads(data) # json!\n except:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:For_L144_C4", "label": "for k, v", "type": "for", "loc": [144, 151], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L143_C0", "vector": [6, 1, 0.6797, 0.0369, 1, 0.31, 0.0, 867, 2, 0, 0, 0, 0, 0, 5], "semantic": {"name": "k, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k, v in EMBED_MAPS:\n if k.match(url):\n oembed = v + '?format=json&url=' + cgi.escape(url)\n try:\n data = urllib.urlopen(oembed).read()\n return loads(data) # json!\n except:\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:If_L145_C8", "label": "if", "type": "if", "loc": [145, 151], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:For_L144_C4", "vector": [4, 2, 0.682, 0.0323, 2, 0.49, 0.0, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if k.match(url):\n oembed = v + '?format=json&url=' + cgi.escape(url)\n try:\n data = urllib.urlopen(oembed).read()\n return loads(data) # json!\n except:\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L146_C12", "label": "oembed =", "type": "assigned_variable", "loc": [146, 146], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L145_C8", "vector": [14, 3, 0.6728, 0.0046, 3, 0.95, 0.0, 55, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "oembed", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " oembed = v + '?format=json&url=' + cgi.escape(url)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L147_C12", "label": "try", "type": "try", "loc": [147, 151], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L145_C8", "vector": [7, 3, 0.6866, 0.023, 3, 0.95, 1.0, 0, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n data = urllib.urlopen(oembed).read()\n return loads(data) # json!\n except:\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L148_C16", "label": "data = read()", "type": "assigned_variable", "loc": [148, 148], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L147_C12", "vector": [14, 4, 0.682, 0.0046, 4, 0.52, 0.0, 929, 3, 0, 0, 0, 453, 10, 2], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " data = urllib.urlopen(oembed).read()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L149_C16", "label": "return", "type": "return", "loc": [149, 149], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L147_C12", "vector": [13, 4, 0.6866, 0.0046, 4, 0.52, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return loads(data) # json!"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L152_C4", "label": "return", "type": "return", "loc": [152, 152], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L143_C0", "vector": [13, 1, 0.7005, 0.0046, 1, 0.31, 1.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L155_C0", "label": "extension", "type": "function", "loc": [155, 156], "level": 0, "parent": null, "vector": [2, 0, 0.7166, 0.0092, 0, 0.66, 0.8261, 14, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "extension", "arg_names": ["url"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def extension(url):\n return url.split('?')[0].split('.')[-1].lower()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L156_C4", "label": "return", "type": "return", "loc": [156, 156], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L155_C0", "vector": [13, 1, 0.7189, 0.0046, 1, 0.22, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return url.split('?')[0].split('.')[-1].lower()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L159_C0", "label": "expand_one", "type": "function", "loc": [159, 181], "level": 0, "parent": null, "vector": [2, 0, 0.7834, 0.106, 0, 0.66, 0.8696, 41, 0, 2, 1, 0, 0, 0, 8], "semantic": {"name": "expand_one", "arg_names": ["url", "cdict"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def expand_one(url, cdict):\n # try ombed but first check in cache\n if cdict and url in cdict:\n r = cdict[url]\n else:\n r = oembed(url)\n if isinstance(cdict, dict):\n cdict[url] = r"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:If_L161_C4", "label": "if", "type": "if", "loc": [161, 166], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L159_C0", "vector": [4, 1, 0.7535, 0.0276, 1, 0.69, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if cdict and url in cdict:\n r = cdict[url]\n else:\n r = oembed(url)\n if isinstance(cdict, dict):\n cdict[url] = r"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L162_C8", "label": "r =", "type": "assigned_variable", "loc": [162, 162], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L161_C4", "vector": [14, 2, 0.7465, 0.0046, 2, 0.97, 0.0, 436, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "r", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " r = cdict[url]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L164_C8", "label": "r = oembed()", "type": "assigned_variable", "loc": [164, 164], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L161_C4", "vector": [14, 2, 0.7558, 0.0046, 2, 0.97, 0.5, 436, 3, 1, 0, 0, 55, 10, 1], "semantic": {"name": "r", "arg_names": [], "import_names": [], "rhs_call_name": "oembed", "annotation": ""}, "snippet": " r = oembed(url)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:If_L165_C8", "label": "if", "type": "if", "loc": [165, 166], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L161_C4", "vector": [4, 2, 0.7627, 0.0092, 2, 0.97, 1.0, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(cdict, dict):\n cdict[url] = r"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L166_C12", "label": "assign", "type": "assigned_variable", "loc": [166, 166], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L165_C8", "vector": [14, 3, 0.765, 0.0046, 3, 0.4, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " cdict[url] = r"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:If_L168_C4", "label": "if", "type": "if", "loc": [168, 175], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L159_C0", "vector": [4, 1, 0.7903, 0.0369, 1, 0.69, 0.25, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 'html' in r:\n html = r['html'].encode('utf8')\n if html.startswith('<object'):\n return '<embed style=\"max-width:100%%\">%s</embed>' % html\n else:\n return html\n elif 'url' in r:\n url = r['url'].encode('utf8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L169_C8", "label": "html = encode()", "type": "assigned_variable", "loc": [169, 169], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L168_C4", "vector": [14, 2, 0.7788, 0.0046, 2, 0.74, 0.0, 271, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "html", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " html = r['html'].encode('utf8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:If_L170_C8", "label": "if", "type": "if", "loc": [170, 173], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L168_C4", "vector": [4, 2, 0.7903, 0.0184, 2, 0.74, 0.5, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if html.startswith('<object'):\n return '<embed style=\"max-width:100%%\">%s</embed>' % html\n else:\n return html"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L171_C12", "label": "return", "type": "return", "loc": [171, 171], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L170_C8", "vector": [13, 3, 0.788, 0.0046, 3, 0.29, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '<embed style=\"max-width:100%%\">%s</embed>' % html"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L173_C12", "label": "return", "type": "return", "loc": [173, 173], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L170_C8", "vector": [13, 3, 0.7972, 0.0046, 3, 0.29, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return html"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:If_L174_C4", "label": "if", "type": "if", "loc": [174, 175], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L168_C4", "vector": [4, 2, 0.8041, 0.0092, 2, 0.74, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif 'url' in r:\n url = r['url'].encode('utf8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L175_C8", "label": "url = encode()", "type": "assigned_variable", "loc": [175, 175], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L174_C4", "vector": [14, 3, 0.8065, 0.0046, 3, 0.64, 0.0, 789, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "url", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " url = r['url'].encode('utf8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L177_C4", "label": "ext = extension()", "type": "assigned_variable", "loc": [177, 177], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L159_C0", "vector": [14, 1, 0.8157, 0.0046, 1, 0.69, 0.5, 916, 3, 1, 0, 0, 14, 10, 1], "semantic": {"name": "ext", "arg_names": [], "import_names": [], "rhs_call_name": "extension", "annotation": ""}, "snippet": " ext = extension(url)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:If_L178_C4", "label": "if", "type": "if", "loc": [178, 179], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L159_C0", "vector": [4, 1, 0.8226, 0.0092, 1, 0.69, 0.75, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ext in EXTENSION_MAPS:\n return EXTENSION_MAPS[ext](url)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L179_C8", "label": "return", "type": "return", "loc": [179, 179], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L178_C4", "vector": [13, 2, 0.8249, 0.0046, 2, 0.86, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return EXTENSION_MAPS[ext](url)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L181_C4", "label": "return", "type": "return", "loc": [181, 181], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L159_C0", "vector": [13, 1, 0.8341, 0.0046, 1, 0.69, 1.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '<a href=\"%(u)s\">%(u)s</a>' % dict(u=url)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "label": "expand_html", "type": "function", "loc": [184, 195], "level": 0, "parent": null, "vector": [2, 0, 0.8733, 0.0553, 0, 0.66, 0.913, 236, 0, 2, 1, 0, 0, 0, 12], "semantic": {"name": "expand_html", "arg_names": ["html", "cdict"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def expand_html(html, cdict=None):\n if not have_soup:\n raise RuntimeError(\"Missing BeautifulSoup\")\n soup = BeautifulSoup(html)\n comments = soup.findAll(text=lambda text: isinstance(text, Comment))\n [comment.extract() for comment in comments]\n for txt in soup.findAll(text=True):\n if not txt.parent.name in ('a', 'script', 'pre', 'code', 'embed', 'object', 'audio', 'video'):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:If_L185_C4", "label": "if", "type": "if", "loc": [185, 186], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "vector": [4, 1, 0.8548, 0.0092, 1, 0.18, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not have_soup:\n raise RuntimeError(\"Missing BeautifulSoup\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L187_C4", "label": "soup = BeautifulSoup()", "type": "assigned_variable", "loc": [187, 187], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "vector": [14, 1, 0.8618, 0.0046, 1, 0.18, 0.2, 962, 3, 1, 0, 0, 878, 10, 1], "semantic": {"name": "soup", "arg_names": [], "import_names": [], "rhs_call_name": "BeautifulSoup", "annotation": ""}, "snippet": " soup = BeautifulSoup(html)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L188_C4", "label": "comments = findAll()", "type": "assigned_variable", "loc": [188, 188], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "vector": [14, 1, 0.8664, 0.0046, 1, 0.18, 0.4, 122, 3, 1, 0, 0, 600, 10, 2], "semantic": {"name": "comments", "arg_names": [], "import_names": [], "rhs_call_name": "findAll", "annotation": ""}, "snippet": " comments = soup.findAll(text=lambda text: isinstance(text, Comment))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Expr_L189_C4", "label": "expression", "type": "expression", "loc": [189, 189], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "vector": [8, 1, 0.871, 0.0046, 1, 0.18, 0.6, 0, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " [comment.extract() for comment in comments]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:For_L190_C4", "label": "for txt", "type": "for", "loc": [190, 194], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "vector": [6, 1, 0.8848, 0.023, 1, 0.18, 0.8, 865, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "txt", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for txt in soup.findAll(text=True):\n if not txt.parent.name in ('a', 'script', 'pre', 'code', 'embed', 'object', 'audio', 'video'):\n ntxt = regex_link.sub(\n lambda match: expand_one(match.group(0), cdict), txt)\n txt.replaceWith(BeautifulSoup(ntxt))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:If_L191_C8", "label": "if", "type": "if", "loc": [191, 194], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:For_L190_C4", "vector": [4, 2, 0.8871, 0.0184, 2, 0.44, 0.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not txt.parent.name in ('a', 'script', 'pre', 'code', 'embed', 'object', 'audio', 'video'):\n ntxt = regex_link.sub(\n lambda match: expand_one(match.group(0), cdict), txt)\n txt.replaceWith(BeautifulSoup(ntxt))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L192_C12", "label": "ntxt = sub()", "type": "assigned_variable", "loc": [192, 193], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L191_C8", "vector": [14, 3, 0.8871, 0.0092, 3, 0.11, 0.0, 966, 3, 2, 0, 0, 819, 10, 3], "semantic": {"name": "ntxt", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " ntxt = regex_link.sub(\n lambda match: expand_one(match.group(0), cdict), txt)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Expr_L194_C12", "label": "replaceWith()", "type": "expression", "loc": [194, 194], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L191_C8", "vector": [8, 3, 0.894, 0.0046, 3, 0.11, 1.0, 410, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "replaceWith", "arg_names": [], "import_names": [], "rhs_call_name": "replaceWith", "annotation": ""}, "snippet": " txt.replaceWith(BeautifulSoup(ntxt))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L195_C4", "label": "return", "type": "return", "loc": [195, 195], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "vector": [13, 1, 0.8986, 0.0046, 1, 0.18, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(soup)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L198_C0", "label": "test", "type": "function", "loc": [198, 211], "level": 0, "parent": null, "vector": [2, 0, 0.9424, 0.0645, 0, 0.66, 0.9565, 224, 0, 0, 1, 0, 0, 0, 1], "semantic": {"name": "test", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def test():\n example = \"\"\"\n<h3>Fringilla nisi parturient nullam</h3>\n<p>http://www.youtube.com/watch?v=IWBFiI5RrA0</p>\n<p>http://www.web2py.com/examples/static/images/logo_bw.png</p>\n<p>http://www.web2py.com/examples/default/index.load</p>\n<p>http://www.web2py.com/examples/static/web2py_manual_cutl.pdf</p>\n<p>Elementum sodales est varius magna leo sociis erat. Nascetur pretium non"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L199_C4", "label": "example =", "type": "assigned_variable", "loc": [199, 210], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L198_C0", "vector": [14, 1, 0.9424, 0.0553, 1, 0.54, 0.0, 769, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "example", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " example = \"\"\"\n<h3>Fringilla nisi parturient nullam</h3>\n<p>http://www.youtube.com/watch?v=IWBFiI5RrA0</p>\n<p>http://www.web2py.com/examples/static/images/logo_bw.png</p>\n<p>http://www.web2py.com/examples/default/index.load</p>\n<p>http://www.web2py.com/examples/static/web2py_manual_cutl.pdf</p>\n<p>Elementum sodales est varius magna leo sociis erat. Nascetur pretium non\nultricies gravida. Condimentum at nascetur tempus. Porttitor viverra ipsum"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L211_C4", "label": "return", "type": "return", "loc": [211, 211], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L198_C0", "vector": [13, 1, 0.9724, 0.0046, 1, 0.54, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return expand_html(example)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:If_L213_C0", "label": "if", "type": "if", "loc": [213, 217], "level": 0, "parent": null, "vector": [4, 0, 0.9908, 0.023, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == \"__main__\":\n if len(sys.argv) > 1:\n print(expand_html(open(sys.argv[1]).read()))\n else:\n print(test())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:If_L214_C4", "label": "if", "type": "if", "loc": [214, 217], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L213_C0", "vector": [4, 1, 0.9931, 0.0184, 1, 0.82, 0.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(sys.argv) > 1:\n print(expand_html(open(sys.argv[1]).read()))\n else:\n print(test())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Expr_L215_C8", "label": "print()", "type": "expression", "loc": [215, 215], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L214_C4", "vector": [8, 2, 0.9908, 0.0046, 2, 0.45, 0.0, 535, 3, 1, 0, 0, 0, 0, 4], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(expand_html(open(sys.argv[1]).read()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_566:Expr_L217_C8", "label": "print()", "type": "expression", "loc": [217, 217], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_566:If_L214_C4", "vector": [8, 2, 1.0, 0.0046, 2, 0.45, 1.0, 535, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(test())"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L51_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:ImportFrom_L52_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L51_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L53_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L51_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L55_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L83_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L84_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L87_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L88_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L91_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L92_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L95_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L96_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L99_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L100_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L99_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L101_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:ClassDef_L137_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Expr_L138_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:ClassDef_L137_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L139_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L143_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:For_L144_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:For_L144_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_566:If_L145_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L145_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L146_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L145_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L147_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L147_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L148_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:Try_L147_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L149_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L143_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L152_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L155_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L156_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L159_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:If_L161_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L161_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L162_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L161_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L164_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L161_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_566:If_L165_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L165_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L166_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L159_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:If_L168_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L169_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_566:If_L170_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L170_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L171_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L170_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L173_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_566:If_L174_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L174_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L175_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L159_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L177_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L159_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:If_L178_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L178_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L179_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L159_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L181_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:If_L185_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L187_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L188_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Expr_L189_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:For_L190_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:For_L190_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_566:If_L191_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L191_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L192_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L191_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Expr_L194_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L184_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L195_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L198_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Assign_L199_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:FunctionDef_L198_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Return_L211_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L213_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_566:If_L214_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L214_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Expr_L215_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_566:If_L214_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_566:Expr_L217_C8"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- """ Developed by Robin Bhattacharyya (memecache for GAE) Released under the web2py license (LGPL) from gluon.contrib.gae_memcache import MemcacheClient cache.ram=cache.disk=MemcacheClient(request) """ import time from google.appengine.api.memcache import Client class MemcacheClient(object): client = Client() def __init__(self, request): self.request = request def __call__( self, key, f, time_expire=300, ): key = '%s/%s' % (self.request.application, key) dt = time_expire value = None obj = self.client.get(key) if obj and (dt is None or obj[0] > time.time() - dt): value = obj[1] elif f is None: if obj: self.client.delete(key) else: value = f() self.client.set(key, (time.time(), value)) return value def increment(self, key, value=1): key = '%s/%s' % (self.request.application, key) obj = self.client.get(key) if obj: value = obj[1] + value self.client.set(key, (time.time(), value)) return value def clear(self, key=None): if key: key = '%s/%s' % (self.request.application, key) self.client.delete(key) else: self.client.flush_all() def delete(self, *a, **b): return self.client.delete(*a, **b) def get(self, *a, **b): return self.client.delete(*a, **b) def set(self, *a, **b): return self.client.delete(*a, **b) def flush_all(self, *a, **b): return self.client.delete(*a, **b)
ajibawa-2023/Python-Code-Large/train/row_567
40
68
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_567:Expr_L4_C0", "label": "expression", "type": "expression", "loc": [4, 10], "level": 0, "parent": null, "vector": [8, 0, 0.1029, 0.1029, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nDeveloped by Robin Bhattacharyya (memecache for GAE)\nReleased under the web2py license (LGPL)\n\nfrom gluon.contrib.gae_memcache import MemcacheClient\ncache.ram=cache.disk=MemcacheClient(request)\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Import_L12_C0", "label": "time import time", "type": "import", "loc": [12, 12], "level": 0, "parent": null, "vector": [1, 0, 0.1765, 0.0147, 0, 0.66, 0.3333, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["time"], "rhs_call_name": "", "annotation": ""}, "snippet": "import time"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:ImportFrom_L13_C0", "label": "from google.appengine.api.memcache import Client", "type": "import", "loc": [13, 13], "level": 0, "parent": null, "vector": [1, 0, 0.1912, 0.0147, 0, 0.66, 0.6667, 901, 0, 1, 0, 0, 901, 0, 0], "semantic": {"name": "google.appengine.api.memcache", "arg_names": [], "import_names": ["Client"], "rhs_call_name": "", "annotation": ""}, "snippet": "from google.appengine.api.memcache import Client"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "label": "MemcacheClient", "type": "class", "loc": [16, 68], "level": 0, "parent": null, "vector": [3, 0, 0.6176, 0.7794, 0, 0.66, 1.0, 121, 0, 8, 0, 0, 186, 0, 16], "semantic": {"name": "MemcacheClient", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class MemcacheClient(object):\n\n client = Client()\n\n def __init__(self, request):\n self.request = request\n\n def __call__("}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L18_C4", "label": "client = Client()", "type": "assigned_variable", "loc": [18, 18], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "vector": [14, 1, 0.2647, 0.0147, 1, 0.47, 0.0, 608, 3, 0, 0, 0, 412, 10, 1], "semantic": {"name": "client", "arg_names": [], "import_names": [], "rhs_call_name": "Client", "annotation": ""}, "snippet": " client = Client()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L20_C4", "label": "__init__", "type": "function", "loc": [20, 21], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "vector": [2, 1, 0.3015, 0.0294, 1, 0.47, 0.125, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "request"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, request):\n self.request = request"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L21_C8", "label": "self.request =", "type": "assigned_variable", "loc": [21, 21], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L20_C4", "vector": [14, 2, 0.3088, 0.0147, 2, 0.03, 0.0, 952, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.request", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.request = request"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "label": "__call__", "type": "function", "loc": [23, 41], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "vector": [2, 1, 0.4706, 0.2794, 1, 0.47, 0.25, 319, 0, 4, 1, 0, 0, 0, 6], "semantic": {"name": "__call__", "arg_names": ["self", "key", "f", "time_expire"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __call__(\n self,\n key,\n f,\n time_expire=300,\n ):\n key = '%s/%s' % (self.request.application, key)\n dt = time_expire"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L29_C8", "label": "key =", "type": "assigned_variable", "loc": [29, 29], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "vector": [14, 2, 0.4265, 0.0147, 2, 0.78, 0.0, 230, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key = '%s/%s' % (self.request.application, key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L30_C8", "label": "dt =", "type": "assigned_variable", "loc": [30, 30], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "vector": [14, 2, 0.4412, 0.0147, 2, 0.78, 0.2, 455, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "dt", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " dt = time_expire"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L31_C8", "label": "value =", "type": "assigned_variable", "loc": [31, 31], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "vector": [14, 2, 0.4559, 0.0147, 2, 0.78, 0.4, 441, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L32_C8", "label": "obj = get()", "type": "assigned_variable", "loc": [32, 32], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "vector": [14, 2, 0.4706, 0.0147, 2, 0.78, 0.6, 505, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "obj", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " obj = self.client.get(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:If_L33_C8", "label": "if", "type": "if", "loc": [33, 40], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "vector": [4, 2, 0.5368, 0.1176, 2, 0.78, 0.8, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if obj and (dt is None or obj[0] > time.time() - dt):\n value = obj[1]\n elif f is None:\n if obj:\n self.client.delete(key)\n else:\n value = f()\n self.client.set(key, (time.time(), value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L34_C12", "label": "value =", "type": "assigned_variable", "loc": [34, 34], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:If_L33_C8", "vector": [14, 3, 0.5, 0.0147, 3, 0.91, 0.0, 441, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = obj[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:If_L35_C8", "label": "if", "type": "if", "loc": [35, 40], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:If_L33_C8", "vector": [4, 3, 0.5515, 0.0882, 3, 0.91, 1.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif f is None:\n if obj:\n self.client.delete(key)\n else:\n value = f()\n self.client.set(key, (time.time(), value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:If_L36_C12", "label": "if", "type": "if", "loc": [36, 37], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:If_L35_C8", "vector": [4, 4, 0.5368, 0.0294, 4, 0.58, 0.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if obj:\n self.client.delete(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Expr_L37_C16", "label": "delete()", "type": "expression", "loc": [37, 37], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:If_L36_C12", "vector": [8, 5, 0.5441, 0.0147, 5, 0.59, 0.0, 266, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "delete", "arg_names": [], "import_names": [], "rhs_call_name": "delete", "annotation": ""}, "snippet": " self.client.delete(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L39_C12", "label": "value = f()", "type": "assigned_variable", "loc": [39, 39], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:If_L35_C8", "vector": [14, 4, 0.5735, 0.0147, 4, 0.58, 0.5, 441, 3, 0, 0, 0, 899, 10, 1], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "f", "annotation": ""}, "snippet": " value = f()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Expr_L40_C12", "label": "set()", "type": "expression", "loc": [40, 40], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:If_L35_C8", "vector": [8, 4, 0.5882, 0.0147, 4, 0.58, 1.0, 21, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "set", "arg_names": [], "import_names": [], "rhs_call_name": "set", "annotation": ""}, "snippet": " self.client.set(key, (time.time(), value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Return_L41_C8", "label": "return", "type": "return", "loc": [41, 41], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "vector": [13, 2, 0.6029, 0.0147, 2, 0.78, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L43_C4", "label": "increment", "type": "function", "loc": [43, 49], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "vector": [2, 1, 0.6765, 0.1029, 1, 0.47, 0.375, 714, 0, 3, 1, 0, 0, 0, 3], "semantic": {"name": "increment", "arg_names": ["self", "key", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def increment(self, key, value=1):\n key = '%s/%s' % (self.request.application, key)\n obj = self.client.get(key)\n if obj:\n value = obj[1] + value\n self.client.set(key, (time.time(), value))\n return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L44_C8", "label": "key =", "type": "assigned_variable", "loc": [44, 44], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L43_C4", "vector": [14, 2, 0.6471, 0.0147, 2, 0.03, 0.0, 230, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key = '%s/%s' % (self.request.application, key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L45_C8", "label": "obj = get()", "type": "assigned_variable", "loc": [45, 45], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L43_C4", "vector": [14, 2, 0.6618, 0.0147, 2, 0.03, 0.25, 505, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "obj", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " obj = self.client.get(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:If_L46_C8", "label": "if", "type": "if", "loc": [46, 47], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L43_C4", "vector": [4, 2, 0.6838, 0.0294, 2, 0.03, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if obj:\n value = obj[1] + value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L47_C12", "label": "value =", "type": "assigned_variable", "loc": [47, 47], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:If_L46_C8", "vector": [14, 3, 0.6912, 0.0147, 3, 0.17, 0.0, 441, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = obj[1] + value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Expr_L48_C8", "label": "set()", "type": "expression", "loc": [48, 48], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L43_C4", "vector": [8, 2, 0.7059, 0.0147, 2, 0.03, 0.75, 21, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "set", "arg_names": [], "import_names": [], "rhs_call_name": "set", "annotation": ""}, "snippet": " self.client.set(key, (time.time(), value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Return_L49_C8", "label": "return", "type": "return", "loc": [49, 49], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L43_C4", "vector": [13, 2, 0.7206, 0.0147, 2, 0.03, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L51_C4", "label": "clear", "type": "function", "loc": [51, 56], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "vector": [2, 1, 0.7868, 0.0882, 1, 0.47, 0.5, 712, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "clear", "arg_names": ["self", "key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def clear(self, key=None):\n if key:\n key = '%s/%s' % (self.request.application, key)\n self.client.delete(key)\n else:\n self.client.flush_all()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:If_L52_C8", "label": "if", "type": "if", "loc": [52, 56], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L51_C4", "vector": [4, 2, 0.7941, 0.0735, 2, 0.75, 0.0, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if key:\n key = '%s/%s' % (self.request.application, key)\n self.client.delete(key)\n else:\n self.client.flush_all()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L53_C12", "label": "key =", "type": "assigned_variable", "loc": [53, 53], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:If_L52_C8", "vector": [14, 3, 0.7794, 0.0147, 3, 0.74, 0.0, 230, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key = '%s/%s' % (self.request.application, key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Expr_L54_C12", "label": "delete()", "type": "expression", "loc": [54, 54], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:If_L52_C8", "vector": [8, 3, 0.7941, 0.0147, 3, 0.74, 0.5, 266, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "delete", "arg_names": [], "import_names": [], "rhs_call_name": "delete", "annotation": ""}, "snippet": " self.client.delete(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Expr_L56_C12", "label": "flush_all()", "type": "expression", "loc": [56, 56], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:If_L52_C8", "vector": [8, 3, 0.8235, 0.0147, 3, 0.74, 1.0, 218, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "flush_all", "arg_names": [], "import_names": [], "rhs_call_name": "flush_all", "annotation": ""}, "snippet": " self.client.flush_all()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L58_C4", "label": "delete", "type": "function", "loc": [58, 59], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "vector": [2, 1, 0.8603, 0.0294, 1, 0.47, 0.625, 266, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "delete", "arg_names": ["self", "a", "b"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def delete(self, *a, **b):\n return self.client.delete(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Return_L59_C8", "label": "return", "type": "return", "loc": [59, 59], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L58_C4", "vector": [13, 2, 0.8676, 0.0147, 2, 0.11, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.client.delete(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L61_C4", "label": "get", "type": "function", "loc": [61, 62], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "vector": [2, 1, 0.9044, 0.0294, 1, 0.47, 0.75, 607, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "get", "arg_names": ["self", "a", "b"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get(self, *a, **b):\n return self.client.delete(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Return_L62_C8", "label": "return", "type": "return", "loc": [62, 62], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L61_C4", "vector": [13, 2, 0.9118, 0.0147, 2, 0.55, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.client.delete(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L64_C4", "label": "set", "type": "function", "loc": [64, 65], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "vector": [2, 1, 0.9485, 0.0294, 1, 0.47, 0.875, 21, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "set", "arg_names": ["self", "a", "b"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def set(self, *a, **b):\n return self.client.delete(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Return_L65_C8", "label": "return", "type": "return", "loc": [65, 65], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L64_C4", "vector": [13, 2, 0.9559, 0.0147, 2, 0.2, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.client.delete(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L67_C4", "label": "flush_all", "type": "function", "loc": [67, 68], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "vector": [2, 1, 0.9926, 0.0294, 1, 0.47, 1.0, 218, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "flush_all", "arg_names": ["self", "a", "b"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def flush_all(self, *a, **b):\n return self.client.delete(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_567:Return_L68_C8", "label": "return", "type": "return", "loc": [68, 68], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L67_C4", "vector": [13, 2, 1.0, 0.0147, 2, 0.2, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.client.delete(*a, **b)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L18_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L20_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L20_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L21_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L29_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L30_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L31_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L32_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:If_L33_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:If_L33_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L34_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:If_L33_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_567:If_L35_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:If_L35_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_567:If_L36_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:If_L36_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Expr_L37_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:If_L35_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L39_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:If_L35_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Expr_L40_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L23_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Return_L41_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L43_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L44_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L45_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:If_L46_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:If_L46_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L47_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Expr_L48_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Return_L49_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L51_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L51_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:If_L52_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:If_L52_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Assign_L53_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:If_L52_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Expr_L54_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:If_L52_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Expr_L56_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L58_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L58_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Return_L59_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L61_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L61_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Return_L62_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L64_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L64_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Return_L65_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L67_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_567:FunctionDef_L67_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_567:Return_L68_C8"}]
"""Drop-in replacement for collections.OrderedDict by Raymond Hettinger http://code.activestate.com/recipes/576693/ """ from UserDict import DictMixin # Modified from original to support Python 2.4, see # http://code.google.com/p/simplejson/issues/detail?id=53 try: all except NameError: def all(seq): for elem in seq: if not elem: return False return True class OrderedDict(dict, DictMixin): def __init__(self, *args, **kwds): if len(args) > 1: raise TypeError('expected at most 1 arguments, got %d' % len(args)) try: self.__end except AttributeError: self.clear() self.update(*args, **kwds) def clear(self): self.__end = end = [] end += [None, end, end] # sentinel node for doubly linked list self.__map = {} # key --> [key, prev, next] dict.clear(self) def __setitem__(self, key, value): if key not in self: end = self.__end curr = end[1] curr[2] = end[1] = self.__map[key] = [key, curr, end] dict.__setitem__(self, key, value) def __delitem__(self, key): dict.__delitem__(self, key) key, prev, next = self.__map.pop(key) prev[2] = next next[1] = prev def __iter__(self): end = self.__end curr = end[2] while curr is not end: yield curr[0] curr = curr[2] def __reversed__(self): end = self.__end curr = end[1] while curr is not end: yield curr[0] curr = curr[1] def popitem(self, last=True): if not self: raise KeyError('dictionary is empty') # Modified from original to support Python 2.4, see # http://code.google.com/p/simplejson/issues/detail?id=53 if last: key = reversed(self).next() else: key = iter(self).next() value = self.pop(key) return key, value def __reduce__(self): items = [[k, self[k]] for k in self] tmp = self.__map, self.__end del self.__map, self.__end inst_dict = vars(self).copy() self.__map, self.__end = tmp if inst_dict: return (self.__class__, (items,), inst_dict) return self.__class__, (items,) def keys(self): return list(self) setdefault = DictMixin.setdefault update = DictMixin.update pop = DictMixin.pop values = DictMixin.values items = DictMixin.items iterkeys = DictMixin.iterkeys itervalues = DictMixin.itervalues iteritems = DictMixin.iteritems def __repr__(self): if not self: return '%s()' % (self.__class__.__name__,) return '%s(%r)' % (self.__class__.__name__, self.items()) def copy(self): return self.__class__(self) @classmethod def fromkeys(cls, iterable, value=None): d = cls() for key in iterable: d[key] = value return d def __eq__(self, other): if isinstance(other, OrderedDict): return len(self)==len(other) and \ all(p==q for p, q in zip(self.items(), other.items())) return dict.__eq__(self, other) def __ne__(self, other): return not self == other
ajibawa-2023/Python-Code-Large/train/row_569
85
120
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 5], "level": 0, "parent": null, "vector": [8, 0, 0.025, 0.0417, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"Drop-in replacement for collections.OrderedDict by Raymond Hettinger\n\nhttp://code.activestate.com/recipes/576693/\n\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:ImportFrom_L6_C0", "label": "from UserDict import DictMixin", "type": "import", "loc": [6, 6], "level": 0, "parent": null, "vector": [1, 0, 0.05, 0.0083, 0, 0.66, 0.3333, 351, 0, 1, 0, 0, 351, 0, 0], "semantic": {"name": "UserDict", "arg_names": [], "import_names": ["DictMixin"], "rhs_call_name": "", "annotation": ""}, "snippet": "from UserDict import DictMixin"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Try_L10_C0", "label": "try", "type": "try", "loc": [10, 17], "level": 0, "parent": null, "vector": [7, 0, 0.1125, 0.0667, 0, 0.66, 0.6667, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n all\nexcept NameError:\n def all(seq):\n for elem in seq:\n if not elem:\n return False\n return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L11_C4", "label": "expression", "type": "expression", "loc": [11, 11], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:Try_L10_C0", "vector": [8, 1, 0.0917, 0.0083, 1, 0.86, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " all"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L13_C4", "label": "all", "type": "function", "loc": [13, 17], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:Try_L10_C0", "vector": [2, 1, 0.125, 0.0417, 1, 0.86, 0.0, 895, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "all", "arg_names": ["seq"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def all(seq):\n for elem in seq:\n if not elem:\n return False\n return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:For_L14_C8", "label": "for elem", "type": "for", "loc": [14, 16], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L13_C4", "vector": [6, 2, 0.125, 0.025, 2, 0.21, 0.0, 63, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "elem", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for elem in seq:\n if not elem:\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:If_L15_C12", "label": "if", "type": "if", "loc": [15, 16], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:For_L14_C8", "vector": [4, 3, 0.1292, 0.0167, 3, 0.5, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not elem:\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L16_C16", "label": "return", "type": "return", "loc": [16, 16], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:If_L15_C12", "vector": [13, 4, 0.1333, 0.0083, 4, 0.73, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L17_C8", "label": "return", "type": "return", "loc": [17, 17], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L13_C4", "vector": [13, 2, 0.1417, 0.0083, 2, 0.21, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "label": "OrderedDict", "type": "class", "loc": [19, 119], "level": 0, "parent": null, "vector": [3, 0, 0.575, 0.8417, 0, 0.66, 1.0, 92, 0, 14, 0, 0, 827, 0, 29], "semantic": {"name": "OrderedDict", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class OrderedDict(dict, DictMixin):\n\n def __init__(self, *args, **kwds):\n if len(args) > 1:\n raise TypeError('expected at most 1 arguments, got %d' % len(args))\n try:\n self.__end\n except AttributeError:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L21_C4", "label": "__init__", "type": "function", "loc": [21, 28], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.2042, 0.0667, 1, 0.19, 0.0, 555, 0, 3, 0, 0, 0, 0, 5], "semantic": {"name": "__init__", "arg_names": ["self", "args", "kwds"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, *args, **kwds):\n if len(args) > 1:\n raise TypeError('expected at most 1 arguments, got %d' % len(args))\n try:\n self.__end\n except AttributeError:\n self.clear()\n self.update(*args, **kwds)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:If_L22_C8", "label": "if", "type": "if", "loc": [22, 23], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L21_C4", "vector": [4, 2, 0.1875, 0.0167, 2, 0.92, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(args) > 1:\n raise TypeError('expected at most 1 arguments, got %d' % len(args))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Try_L24_C8", "label": "try", "type": "try", "loc": [24, 27], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L21_C4", "vector": [7, 2, 0.2125, 0.0333, 2, 0.92, 0.5, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self.__end\n except AttributeError:\n self.clear()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L25_C12", "label": "expression", "type": "expression", "loc": [25, 25], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:Try_L24_C8", "vector": [8, 3, 0.2083, 0.0083, 3, 0.91, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.__end"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L27_C12", "label": "clear()", "type": "expression", "loc": [27, 27], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:Try_L24_C8", "vector": [8, 3, 0.225, 0.0083, 3, 0.91, 0.0, 712, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "clear", "arg_names": [], "import_names": [], "rhs_call_name": "clear", "annotation": ""}, "snippet": " self.clear()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L28_C8", "label": "update()", "type": "expression", "loc": [28, 28], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L21_C4", "vector": [8, 2, 0.2333, 0.0083, 2, 0.92, 1.0, 637, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "update", "arg_names": [], "import_names": [], "rhs_call_name": "update", "annotation": ""}, "snippet": " self.update(*args, **kwds)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L30_C4", "label": "clear", "type": "function", "loc": [30, 34], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.2667, 0.0417, 1, 0.19, 0.0476, 712, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "clear", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def clear(self):\n self.__end = end = []\n end += [None, end, end] # sentinel node for doubly linked list\n self.__map = {} # key --> [key, prev, next]\n dict.clear(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L31_C8", "label": "self.__end =", "type": "assigned_variable", "loc": [31, 31], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L30_C4", "vector": [14, 2, 0.2583, 0.0083, 2, 0.41, 0.0, 444, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.__end", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.__end = end = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L33_C8", "label": "self.__map =", "type": "assigned_variable", "loc": [33, 33], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L30_C4", "vector": [14, 2, 0.275, 0.0083, 2, 0.41, 0.5, 537, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.__map", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.__map = {} # key --> [key, prev, next]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L34_C8", "label": "clear()", "type": "expression", "loc": [34, 34], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L30_C4", "vector": [8, 2, 0.2833, 0.0083, 2, 0.41, 1.0, 712, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "clear", "arg_names": [], "import_names": [], "rhs_call_name": "clear", "annotation": ""}, "snippet": " dict.clear(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L36_C4", "label": "__setitem__", "type": "function", "loc": [36, 41], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.3208, 0.05, 1, 0.19, 0.0952, 343, 0, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__setitem__", "arg_names": ["self", "key", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __setitem__(self, key, value):\n if key not in self:\n end = self.__end\n curr = end[1]\n curr[2] = end[1] = self.__map[key] = [key, curr, end]\n dict.__setitem__(self, key, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:If_L37_C8", "label": "if", "type": "if", "loc": [37, 40], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L36_C4", "vector": [4, 2, 0.3208, 0.0333, 2, 0.55, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if key not in self:\n end = self.__end\n curr = end[1]\n curr[2] = end[1] = self.__map[key] = [key, curr, end]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L38_C12", "label": "end =", "type": "assigned_variable", "loc": [38, 38], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:If_L37_C8", "vector": [14, 3, 0.3167, 0.0083, 3, 0.04, 0.0, 128, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "end", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " end = self.__end"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L39_C12", "label": "curr =", "type": "assigned_variable", "loc": [39, 39], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:If_L37_C8", "vector": [14, 3, 0.325, 0.0083, 3, 0.04, 0.5, 503, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "curr", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " curr = end[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L40_C12", "label": "assign", "type": "assigned_variable", "loc": [40, 40], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:If_L37_C8", "vector": [14, 3, 0.3333, 0.0083, 3, 0.04, 1.0, 0, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " curr[2] = end[1] = self.__map[key] = [key, curr, end]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L41_C8", "label": "__setitem__()", "type": "expression", "loc": [41, 41], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L36_C4", "vector": [8, 2, 0.3417, 0.0083, 2, 0.55, 1.0, 343, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__setitem__", "arg_names": [], "import_names": [], "rhs_call_name": "__setitem__", "annotation": ""}, "snippet": " dict.__setitem__(self, key, value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L43_C4", "label": "__delitem__", "type": "function", "loc": [43, 47], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.375, 0.0417, 1, 0.19, 0.1429, 66, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "__delitem__", "arg_names": ["self", "key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __delitem__(self, key):\n dict.__delitem__(self, key)\n key, prev, next = self.__map.pop(key)\n prev[2] = next\n next[1] = prev"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L44_C8", "label": "__delitem__()", "type": "expression", "loc": [44, 44], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L43_C4", "vector": [8, 2, 0.3667, 0.0083, 2, 0.51, 0.0, 66, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__delitem__", "arg_names": [], "import_names": [], "rhs_call_name": "__delitem__", "annotation": ""}, "snippet": " dict.__delitem__(self, key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L45_C8", "label": "key, prev, next = pop()", "type": "assigned_variable", "loc": [45, 45], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L43_C4", "vector": [14, 2, 0.375, 0.0083, 2, 0.51, 0.3333, 295, 3, 1, 0, 0, 969, 10, 1], "semantic": {"name": "key, prev, next", "arg_names": [], "import_names": [], "rhs_call_name": "pop", "annotation": ""}, "snippet": " key, prev, next = self.__map.pop(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L46_C8", "label": "assign", "type": "assigned_variable", "loc": [46, 46], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L43_C4", "vector": [14, 2, 0.3833, 0.0083, 2, 0.51, 0.6667, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prev[2] = next"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L47_C8", "label": "assign", "type": "assigned_variable", "loc": [47, 47], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L43_C4", "vector": [14, 2, 0.3917, 0.0083, 2, 0.51, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " next[1] = prev"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L49_C4", "label": "__iter__", "type": "function", "loc": [49, 54], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.4292, 0.05, 1, 0.19, 0.1905, 891, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "__iter__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __iter__(self):\n end = self.__end\n curr = end[2]\n while curr is not end:\n yield curr[0]\n curr = curr[2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L50_C8", "label": "end =", "type": "assigned_variable", "loc": [50, 50], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L49_C4", "vector": [14, 2, 0.4167, 0.0083, 2, 0.38, 0.0, 128, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "end", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " end = self.__end"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L51_C8", "label": "curr =", "type": "assigned_variable", "loc": [51, 51], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L49_C4", "vector": [14, 2, 0.425, 0.0083, 2, 0.38, 0.5, 503, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "curr", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " curr = end[2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:While_L52_C8", "label": "while", "type": "while", "loc": [52, 54], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L49_C4", "vector": [5, 2, 0.4417, 0.025, 2, 0.38, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while curr is not end:\n yield curr[0]\n curr = curr[2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L53_C12", "label": "expression", "type": "expression", "loc": [53, 53], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:While_L52_C8", "vector": [8, 3, 0.4417, 0.0083, 3, 0.6, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield curr[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L54_C12", "label": "curr =", "type": "assigned_variable", "loc": [54, 54], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:While_L52_C8", "vector": [14, 3, 0.45, 0.0083, 3, 0.6, 1.0, 503, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "curr", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " curr = curr[2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L56_C4", "label": "__reversed__", "type": "function", "loc": [56, 61], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.4875, 0.05, 1, 0.19, 0.2381, 62, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "__reversed__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __reversed__(self):\n end = self.__end\n curr = end[1]\n while curr is not end:\n yield curr[0]\n curr = curr[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L57_C8", "label": "end =", "type": "assigned_variable", "loc": [57, 57], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L56_C4", "vector": [14, 2, 0.475, 0.0083, 2, 0.51, 0.0, 128, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "end", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " end = self.__end"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L58_C8", "label": "curr =", "type": "assigned_variable", "loc": [58, 58], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L56_C4", "vector": [14, 2, 0.4833, 0.0083, 2, 0.51, 0.5, 503, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "curr", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " curr = end[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:While_L59_C8", "label": "while", "type": "while", "loc": [59, 61], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L56_C4", "vector": [5, 2, 0.5, 0.025, 2, 0.51, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while curr is not end:\n yield curr[0]\n curr = curr[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L60_C12", "label": "expression", "type": "expression", "loc": [60, 60], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:While_L59_C8", "vector": [8, 3, 0.5, 0.0083, 3, 0.05, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield curr[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L61_C12", "label": "curr =", "type": "assigned_variable", "loc": [61, 61], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:While_L59_C8", "vector": [14, 3, 0.5083, 0.0083, 3, 0.05, 1.0, 503, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "curr", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " curr = curr[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L63_C4", "label": "popitem", "type": "function", "loc": [63, 73], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.5667, 0.0917, 1, 0.19, 0.2857, 553, 0, 2, 1, 0, 0, 0, 6], "semantic": {"name": "popitem", "arg_names": ["self", "last"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def popitem(self, last=True):\n if not self:\n raise KeyError('dictionary is empty')\n # Modified from original to support Python 2.4, see\n # http://code.google.com/p/simplejson/issues/detail?id=53\n if last:\n key = reversed(self).next()\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:If_L64_C8", "label": "if", "type": "if", "loc": [64, 65], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L63_C4", "vector": [4, 2, 0.5375, 0.0167, 2, 0.94, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self:\n raise KeyError('dictionary is empty')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:If_L68_C8", "label": "if", "type": "if", "loc": [68, 71], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L63_C4", "vector": [4, 2, 0.5792, 0.0333, 2, 0.94, 0.3333, 0, 2, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if last:\n key = reversed(self).next()\n else:\n key = iter(self).next()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L69_C12", "label": "key = next()", "type": "assigned_variable", "loc": [69, 69], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:If_L68_C8", "vector": [14, 3, 0.575, 0.0083, 3, 0.97, 0.0, 230, 3, 0, 0, 0, 11, 10, 2], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "next", "annotation": ""}, "snippet": " key = reversed(self).next()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L71_C12", "label": "key = next()", "type": "assigned_variable", "loc": [71, 71], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:If_L68_C8", "vector": [14, 3, 0.5917, 0.0083, 3, 0.97, 1.0, 230, 3, 0, 0, 0, 11, 10, 2], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "next", "annotation": ""}, "snippet": " key = iter(self).next()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L72_C8", "label": "value = pop()", "type": "assigned_variable", "loc": [72, 72], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L63_C4", "vector": [14, 2, 0.6, 0.0083, 2, 0.94, 0.6667, 441, 3, 1, 0, 0, 969, 10, 1], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "pop", "annotation": ""}, "snippet": " value = self.pop(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L73_C8", "label": "return", "type": "return", "loc": [73, 73], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L63_C4", "vector": [13, 2, 0.6083, 0.0083, 2, 0.94, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return key, value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "label": "__reduce__", "type": "function", "loc": [75, 83], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.6583, 0.075, 1, 0.19, 0.3333, 591, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "__reduce__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __reduce__(self):\n items = [[k, self[k]] for k in self]\n tmp = self.__map, self.__end\n del self.__map, self.__end\n inst_dict = vars(self).copy()\n self.__map, self.__end = tmp\n if inst_dict:\n return (self.__class__, (items,), inst_dict)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L76_C8", "label": "items =", "type": "assigned_variable", "loc": [76, 76], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "vector": [14, 2, 0.6333, 0.0083, 2, 0.07, 0.0, 339, 5, 0, 0, 0, 0, 0, 0], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " items = [[k, self[k]] for k in self]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L77_C8", "label": "tmp =", "type": "assigned_variable", "loc": [77, 77], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "vector": [14, 2, 0.6417, 0.0083, 2, 0.07, 0.2, 517, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "tmp", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tmp = self.__map, self.__end"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L79_C8", "label": "inst_dict = copy()", "type": "assigned_variable", "loc": [79, 79], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "vector": [14, 2, 0.6583, 0.0083, 2, 0.07, 0.4, 752, 3, 0, 0, 0, 739, 10, 2], "semantic": {"name": "inst_dict", "arg_names": [], "import_names": [], "rhs_call_name": "copy", "annotation": ""}, "snippet": " inst_dict = vars(self).copy()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L80_C8", "label": "assign", "type": "assigned_variable", "loc": [80, 80], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "vector": [14, 2, 0.6667, 0.0083, 2, 0.07, 0.6, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.__map, self.__end = tmp"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:If_L81_C8", "label": "if", "type": "if", "loc": [81, 82], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "vector": [4, 2, 0.6792, 0.0167, 2, 0.07, 0.8, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if inst_dict:\n return (self.__class__, (items,), inst_dict)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L82_C12", "label": "return", "type": "return", "loc": [82, 82], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:If_L81_C8", "vector": [13, 3, 0.6833, 0.0083, 3, 0.65, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (self.__class__, (items,), inst_dict)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L83_C8", "label": "return", "type": "return", "loc": [83, 83], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "vector": [13, 2, 0.6917, 0.0083, 2, 0.07, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.__class__, (items,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L85_C4", "label": "keys", "type": "function", "loc": [85, 86], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.7125, 0.0167, 1, 0.19, 0.381, 204, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "keys", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def keys(self):\n return list(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L86_C8", "label": "return", "type": "return", "loc": [86, 86], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L85_C4", "vector": [13, 2, 0.7167, 0.0083, 2, 0.57, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return list(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L88_C4", "label": "setdefault =", "type": "assigned_variable", "loc": [88, 88], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [14, 1, 0.7333, 0.0083, 1, 0.19, 0.4286, 262, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "setdefault", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " setdefault = DictMixin.setdefault"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L89_C4", "label": "update =", "type": "assigned_variable", "loc": [89, 89], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [14, 1, 0.7417, 0.0083, 1, 0.19, 0.4762, 637, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "update", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " update = DictMixin.update"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L90_C4", "label": "pop =", "type": "assigned_variable", "loc": [90, 90], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [14, 1, 0.75, 0.0083, 1, 0.19, 0.5238, 969, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pop", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pop = DictMixin.pop"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L91_C4", "label": "values =", "type": "assigned_variable", "loc": [91, 91], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [14, 1, 0.7583, 0.0083, 1, 0.19, 0.5714, 721, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "values", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " values = DictMixin.values"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L92_C4", "label": "items =", "type": "assigned_variable", "loc": [92, 92], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [14, 1, 0.7667, 0.0083, 1, 0.19, 0.619, 339, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " items = DictMixin.items"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L93_C4", "label": "iterkeys =", "type": "assigned_variable", "loc": [93, 93], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [14, 1, 0.775, 0.0083, 1, 0.19, 0.6667, 232, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "iterkeys", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " iterkeys = DictMixin.iterkeys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L94_C4", "label": "itervalues =", "type": "assigned_variable", "loc": [94, 94], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [14, 1, 0.7833, 0.0083, 1, 0.19, 0.7143, 288, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "itervalues", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " itervalues = DictMixin.itervalues"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L95_C4", "label": "iteritems =", "type": "assigned_variable", "loc": [95, 95], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [14, 1, 0.7917, 0.0083, 1, 0.19, 0.7619, 252, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "iteritems", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " iteritems = DictMixin.iteritems"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L97_C4", "label": "__repr__", "type": "function", "loc": [97, 100], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.8208, 0.0333, 1, 0.19, 0.8095, 204, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n if not self:\n return '%s()' % (self.__class__.__name__,)\n return '%s(%r)' % (self.__class__.__name__, self.items())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:If_L98_C8", "label": "if", "type": "if", "loc": [98, 99], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L97_C4", "vector": [4, 2, 0.8208, 0.0167, 2, 0.84, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self:\n return '%s()' % (self.__class__.__name__,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L99_C12", "label": "return", "type": "return", "loc": [99, 99], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:If_L98_C8", "vector": [13, 3, 0.825, 0.0083, 3, 0.66, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s()' % (self.__class__.__name__,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L100_C8", "label": "return", "type": "return", "loc": [100, 100], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L97_C4", "vector": [13, 2, 0.8333, 0.0083, 2, 0.84, 1.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s(%r)' % (self.__class__.__name__, self.items())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L102_C4", "label": "copy", "type": "function", "loc": [102, 103], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.8542, 0.0167, 1, 0.19, 0.8571, 739, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "copy", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def copy(self):\n return self.__class__(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L103_C8", "label": "return", "type": "return", "loc": [103, 103], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L102_C4", "vector": [13, 2, 0.8583, 0.0083, 2, 0.41, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.__class__(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L106_C4", "label": "fromkeys", "type": "function", "loc": [106, 110], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.9, 0.0417, 1, 0.19, 0.9048, 631, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "fromkeys", "arg_names": ["cls", "iterable", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def fromkeys(cls, iterable, value=None):\n d = cls()\n for key in iterable:\n d[key] = value\n return d"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L107_C8", "label": "d = cls()", "type": "assigned_variable", "loc": [107, 107], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L106_C4", "vector": [14, 2, 0.8917, 0.0083, 2, 0.61, 0.0, 355, 3, 0, 0, 0, 594, 10, 1], "semantic": {"name": "d", "arg_names": [], "import_names": [], "rhs_call_name": "cls", "annotation": ""}, "snippet": " d = cls()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:For_L108_C8", "label": "for key", "type": "for", "loc": [108, 109], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L106_C4", "vector": [6, 2, 0.9042, 0.0167, 2, 0.61, 0.5, 230, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for key in iterable:\n d[key] = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L109_C12", "label": "assign", "type": "assigned_variable", "loc": [109, 109], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:For_L108_C8", "vector": [14, 3, 0.9083, 0.0083, 3, 0.02, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " d[key] = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L110_C8", "label": "return", "type": "return", "loc": [110, 110], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L106_C4", "vector": [13, 2, 0.9167, 0.0083, 2, 0.61, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return d"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L112_C4", "label": "__eq__", "type": "function", "loc": [112, 116], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.95, 0.0417, 1, 0.19, 0.9524, 763, 0, 2, 1, 0, 0, 0, 8], "semantic": {"name": "__eq__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __eq__(self, other):\n if isinstance(other, OrderedDict):\n return len(self)==len(other) and \\\n all(p==q for p, q in zip(self.items(), other.items()))\n return dict.__eq__(self, other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:If_L113_C8", "label": "if", "type": "if", "loc": [113, 115], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L112_C4", "vector": [4, 2, 0.95, 0.025, 2, 0.37, 0.0, 0, 3, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(other, OrderedDict):\n return len(self)==len(other) and \\\n all(p==q for p, q in zip(self.items(), other.items()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L114_C12", "label": "return", "type": "return", "loc": [114, 115], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:If_L113_C8", "vector": [13, 3, 0.9542, 0.0167, 3, 0.12, 0.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return len(self)==len(other) and \\\n all(p==q for p, q in zip(self.items(), other.items()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L116_C8", "label": "return", "type": "return", "loc": [116, 116], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L112_C4", "vector": [13, 2, 0.9667, 0.0083, 2, 0.37, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return dict.__eq__(self, other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L118_C4", "label": "__ne__", "type": "function", "loc": [118, 119], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "vector": [2, 1, 0.9875, 0.0167, 1, 0.19, 1.0, 254, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "__ne__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __ne__(self, other):\n return not self == other"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L119_C8", "label": "return", "type": "return", "loc": [119, 119], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L118_C4", "vector": [13, 2, 0.9917, 0.0083, 2, 0.28, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return not self == other"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_569:Try_L10_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L11_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:Try_L10_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:For_L14_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:For_L14_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:If_L15_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:If_L15_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L16_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L17_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L21_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L21_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:If_L22_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L21_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Try_L24_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:Try_L24_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L25_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:Try_L24_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L27_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L21_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L28_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L30_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L30_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L31_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L30_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L33_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L30_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L34_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L36_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L36_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:If_L37_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:If_L37_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L38_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:If_L37_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L39_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:If_L37_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L40_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L36_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L41_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L43_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L44_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L45_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L46_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L47_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L49_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L49_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L50_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L49_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L51_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L49_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:While_L52_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:While_L52_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L53_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:While_L52_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L54_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L56_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L56_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L57_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L56_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L58_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L56_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:While_L59_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:While_L59_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Expr_L60_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:While_L59_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L61_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L63_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L63_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:If_L64_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L63_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:If_L68_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:If_L68_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L69_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:If_L68_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L71_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L63_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L72_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L63_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L73_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L76_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L77_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L79_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L80_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:If_L81_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:If_L81_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L82_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L75_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L83_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L85_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L85_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L86_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L88_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L89_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L90_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L91_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L92_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L93_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L94_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L95_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L97_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L97_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:If_L98_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:If_L98_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L99_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L97_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L100_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L102_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L102_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L103_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L106_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L106_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L107_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L106_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:For_L108_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:For_L108_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Assign_L109_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L106_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L110_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L112_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L112_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:If_L113_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:If_L113_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L114_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L112_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L116_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:ClassDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L118_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_569:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_569:Return_L119_C8"}]
"""JSON token scanner """ import re def _import_c_make_scanner(): try: raise ImportError # because assumes simplejson in path from simplejson._speedups import make_scanner return make_scanner except ImportError: return None c_make_scanner = _import_c_make_scanner() __all__ = ['make_scanner'] NUMBER_RE = re.compile( r'(-?(?:0|[1-9]\d*))(\.\d+)?([eE][-+]?\d+)?', (re.VERBOSE | re.MULTILINE | re.DOTALL)) def py_make_scanner(context): parse_object = context.parse_object parse_array = context.parse_array parse_string = context.parse_string match_number = NUMBER_RE.match encoding = context.encoding strict = context.strict parse_float = context.parse_float parse_int = context.parse_int parse_constant = context.parse_constant object_hook = context.object_hook object_pairs_hook = context.object_pairs_hook memo = context.memo def _scan_once(string, idx): try: nextchar = string[idx] except IndexError: raise StopIteration if nextchar == '"': return parse_string(string, idx + 1, encoding, strict) elif nextchar == '{': return parse_object((string, idx + 1), encoding, strict, _scan_once, object_hook, object_pairs_hook, memo) elif nextchar == '[': return parse_array((string, idx + 1), _scan_once) elif nextchar == 'n' and string[idx:idx + 4] == 'null': return None, idx + 4 elif nextchar == 't' and string[idx:idx + 4] == 'true': return True, idx + 4 elif nextchar == 'f' and string[idx:idx + 5] == 'false': return False, idx + 5 m = match_number(string, idx) if m is not None: integer, frac, exp = m.groups() if frac or exp: res = parse_float(integer + (frac or '') + (exp or '')) else: res = parse_int(integer) return res, m.end() elif nextchar == 'N' and string[idx:idx + 3] == 'NaN': return parse_constant('NaN'), idx + 3 elif nextchar == 'I' and string[idx:idx + 8] == 'Infinity': return parse_constant('Infinity'), idx + 8 elif nextchar == '-' and string[idx:idx + 9] == '-Infinity': return parse_constant('-Infinity'), idx + 9 else: raise StopIteration def scan_once(string, idx): try: return _scan_once(string, idx) finally: memo.clear() return scan_once make_scanner = c_make_scanner or py_make_scanner
ajibawa-2023/Python-Code-Large/train/row_570
57
79
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_570:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 2], "level": 0, "parent": null, "vector": [8, 0, 0.019, 0.0253, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"JSON token scanner\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Import_L3_C0", "label": "re import re", "type": "import", "loc": [3, 3], "level": 0, "parent": null, "vector": [1, 0, 0.038, 0.0127, 0, 0.66, 0.1429, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L4_C0", "label": "_import_c_make_scanner", "type": "function", "loc": [4, 10], "level": 0, "parent": null, "vector": [2, 0, 0.0886, 0.0886, 0, 0.66, 0.2857, 389, 0, 0, 1, 0, 0, 0, 0], "semantic": {"name": "_import_c_make_scanner", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _import_c_make_scanner():\n try:\n raise ImportError # because assumes simplejson in path\n from simplejson._speedups import make_scanner\n return make_scanner\n except ImportError:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L5_C4", "label": "try", "type": "try", "loc": [5, 10], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L4_C0", "vector": [7, 1, 0.0949, 0.0759, 1, 0.56, 0.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n raise ImportError # because assumes simplejson in path\n from simplejson._speedups import make_scanner\n return make_scanner\n except ImportError:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:ImportFrom_L7_C8", "label": "from simplejson._speedups import make_scanner", "type": "import", "loc": [7, 7], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L5_C4", "vector": [1, 2, 0.0886, 0.0127, 2, 0.83, 0.0, 976, 0, 1, 0, 0, 976, 0, 0], "semantic": {"name": "simplejson._speedups", "arg_names": [], "import_names": ["make_scanner"], "rhs_call_name": "", "annotation": ""}, "snippet": " from simplejson._speedups import make_scanner"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L8_C8", "label": "return", "type": "return", "loc": [8, 8], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L5_C4", "vector": [13, 2, 0.1013, 0.0127, 2, 0.83, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return make_scanner"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L10_C8", "label": "return", "type": "return", "loc": [10, 10], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L5_C4", "vector": [13, 2, 0.1266, 0.0127, 2, 0.83, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L11_C0", "label": "c_make_scanner = _import_c_make_scanner()", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.1392, 0.0127, 0, 0.66, 0.4286, 400, 3, 0, 0, 0, 389, 10, 1], "semantic": {"name": "c_make_scanner", "arg_names": [], "import_names": [], "rhs_call_name": "_import_c_make_scanner", "annotation": ""}, "snippet": "c_make_scanner = _import_c_make_scanner()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L13_C0", "label": "__all__ =", "type": "assigned_variable", "loc": [13, 13], "level": 0, "parent": null, "vector": [14, 0, 0.1646, 0.0127, 0, 0.66, 0.5714, 272, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "__all__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__all__ = ['make_scanner']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L15_C0", "label": "NUMBER_RE = compile()", "type": "assigned_variable", "loc": [15, 17], "level": 0, "parent": null, "vector": [14, 0, 0.2025, 0.038, 0, 0.66, 0.7143, 566, 3, 2, 0, 0, 821, 10, 1], "semantic": {"name": "NUMBER_RE", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "NUMBER_RE = re.compile(\n r'(-?(?:0|[1-9]\\d*))(\\.\\d+)?([eE][-+]?\\d+)?',\n (re.VERBOSE | re.MULTILINE | re.DOTALL))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "label": "py_make_scanner", "type": "function", "loc": [19, 76], "level": 0, "parent": null, "vector": [2, 0, 0.6013, 0.7342, 0, 0.66, 0.8571, 796, 0, 1, 1, 0, 0, 0, 13], "semantic": {"name": "py_make_scanner", "arg_names": ["context"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def py_make_scanner(context):\n parse_object = context.parse_object\n parse_array = context.parse_array\n parse_string = context.parse_string\n match_number = NUMBER_RE.match\n encoding = context.encoding\n strict = context.strict\n parse_float = context.parse_float"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L20_C4", "label": "parse_object =", "type": "assigned_variable", "loc": [20, 20], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [14, 1, 0.2532, 0.0127, 1, 0.86, 0.0, 924, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "parse_object", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parse_object = context.parse_object"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L21_C4", "label": "parse_array =", "type": "assigned_variable", "loc": [21, 21], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [14, 1, 0.2658, 0.0127, 1, 0.86, 0.0714, 676, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "parse_array", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parse_array = context.parse_array"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L22_C4", "label": "parse_string =", "type": "assigned_variable", "loc": [22, 22], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [14, 1, 0.2785, 0.0127, 1, 0.86, 0.1429, 867, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "parse_string", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parse_string = context.parse_string"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L23_C4", "label": "match_number =", "type": "assigned_variable", "loc": [23, 23], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [14, 1, 0.2911, 0.0127, 1, 0.86, 0.2143, 264, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "match_number", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " match_number = NUMBER_RE.match"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L24_C4", "label": "encoding =", "type": "assigned_variable", "loc": [24, 24], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [14, 1, 0.3038, 0.0127, 1, 0.86, 0.2857, 325, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "encoding", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " encoding = context.encoding"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L25_C4", "label": "strict =", "type": "assigned_variable", "loc": [25, 25], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [14, 1, 0.3165, 0.0127, 1, 0.86, 0.3571, 697, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "strict", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " strict = context.strict"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L26_C4", "label": "parse_float =", "type": "assigned_variable", "loc": [26, 26], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [14, 1, 0.3291, 0.0127, 1, 0.86, 0.4286, 475, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "parse_float", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parse_float = context.parse_float"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L27_C4", "label": "parse_int =", "type": "assigned_variable", "loc": [27, 27], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [14, 1, 0.3418, 0.0127, 1, 0.86, 0.5, 31, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "parse_int", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parse_int = context.parse_int"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L28_C4", "label": "parse_constant =", "type": "assigned_variable", "loc": [28, 28], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [14, 1, 0.3544, 0.0127, 1, 0.86, 0.5714, 808, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "parse_constant", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parse_constant = context.parse_constant"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L29_C4", "label": "object_hook =", "type": "assigned_variable", "loc": [29, 29], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [14, 1, 0.3671, 0.0127, 1, 0.86, 0.6429, 325, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "object_hook", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " object_hook = context.object_hook"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L30_C4", "label": "object_pairs_hook =", "type": "assigned_variable", "loc": [30, 30], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [14, 1, 0.3797, 0.0127, 1, 0.86, 0.7143, 172, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "object_pairs_hook", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " object_pairs_hook = context.object_pairs_hook"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L31_C4", "label": "memo =", "type": "assigned_variable", "loc": [31, 31], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [14, 1, 0.3924, 0.0127, 1, 0.86, 0.7857, 408, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "memo", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " memo = context.memo"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L33_C4", "label": "_scan_once", "type": "function", "loc": [33, 68], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [2, 1, 0.6392, 0.4557, 1, 0.86, 0.8571, 221, 0, 2, 1, 0, 0, 0, 11], "semantic": {"name": "_scan_once", "arg_names": ["string", "idx"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _scan_once(string, idx):\n try:\n nextchar = string[idx]\n except IndexError:\n raise StopIteration\n\n if nextchar == '\"':\n return parse_string(string, idx + 1, encoding, strict)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L34_C8", "label": "try", "type": "try", "loc": [34, 37], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L33_C4", "vector": [7, 2, 0.4494, 0.0506, 2, 0.18, 0.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n nextchar = string[idx]\n except IndexError:\n raise StopIteration"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L35_C12", "label": "nextchar =", "type": "assigned_variable", "loc": [35, 35], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L34_C8", "vector": [14, 3, 0.443, 0.0127, 3, 0.25, 0.0, 937, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "nextchar", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " nextchar = string[idx]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:If_L39_C8", "label": "if", "type": "if", "loc": [39, 51], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L33_C4", "vector": [4, 2, 0.5696, 0.1646, 2, 0.18, 0.3333, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if nextchar == '\"':\n return parse_string(string, idx + 1, encoding, strict)\n elif nextchar == '{':\n return parse_object((string, idx + 1), encoding, strict,\n _scan_once, object_hook, object_pairs_hook, memo)\n elif nextchar == '[':\n return parse_array((string, idx + 1), _scan_once)\n elif nextchar == 'n' and string[idx:idx + 4] == 'null':"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L40_C12", "label": "return", "type": "return", "loc": [40, 40], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L39_C8", "vector": [13, 3, 0.5063, 0.0127, 3, 0.18, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return parse_string(string, idx + 1, encoding, strict)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:If_L41_C8", "label": "if", "type": "if", "loc": [41, 51], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L39_C8", "vector": [4, 3, 0.5823, 0.1392, 3, 0.18, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif nextchar == '{':\n return parse_object((string, idx + 1), encoding, strict,\n _scan_once, object_hook, object_pairs_hook, memo)\n elif nextchar == '[':\n return parse_array((string, idx + 1), _scan_once)\n elif nextchar == 'n' and string[idx:idx + 4] == 'null':\n return None, idx + 4\n elif nextchar == 't' and string[idx:idx + 4] == 'true':"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L42_C12", "label": "return", "type": "return", "loc": [42, 43], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L41_C8", "vector": [13, 4, 0.538, 0.0253, 4, 0.51, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return parse_object((string, idx + 1), encoding, strict,\n _scan_once, object_hook, object_pairs_hook, memo)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:If_L44_C8", "label": "if", "type": "if", "loc": [44, 51], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L41_C8", "vector": [4, 4, 0.6013, 0.1013, 4, 0.51, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif nextchar == '[':\n return parse_array((string, idx + 1), _scan_once)\n elif nextchar == 'n' and string[idx:idx + 4] == 'null':\n return None, idx + 4\n elif nextchar == 't' and string[idx:idx + 4] == 'true':\n return True, idx + 4\n elif nextchar == 'f' and string[idx:idx + 5] == 'false':\n return False, idx + 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L45_C12", "label": "return", "type": "return", "loc": [45, 45], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L44_C8", "vector": [13, 5, 0.5696, 0.0127, 5, 0.41, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return parse_array((string, idx + 1), _scan_once)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:If_L46_C8", "label": "if", "type": "if", "loc": [46, 51], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L44_C8", "vector": [4, 5, 0.6139, 0.0759, 5, 0.41, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif nextchar == 'n' and string[idx:idx + 4] == 'null':\n return None, idx + 4\n elif nextchar == 't' and string[idx:idx + 4] == 'true':\n return True, idx + 4\n elif nextchar == 'f' and string[idx:idx + 5] == 'false':\n return False, idx + 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L47_C12", "label": "return", "type": "return", "loc": [47, 47], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L46_C8", "vector": [13, 6, 0.5949, 0.0127, 6, 0.35, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None, idx + 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:If_L48_C8", "label": "if", "type": "if", "loc": [48, 51], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L46_C8", "vector": [4, 6, 0.6266, 0.0506, 6, 0.35, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif nextchar == 't' and string[idx:idx + 4] == 'true':\n return True, idx + 4\n elif nextchar == 'f' and string[idx:idx + 5] == 'false':\n return False, idx + 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L49_C12", "label": "return", "type": "return", "loc": [49, 49], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L48_C8", "vector": [13, 7, 0.6203, 0.0127, 7, 0.2, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return True, idx + 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:If_L50_C8", "label": "if", "type": "if", "loc": [50, 51], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L48_C8", "vector": [4, 7, 0.6392, 0.0253, 7, 0.2, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif nextchar == 'f' and string[idx:idx + 5] == 'false':\n return False, idx + 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L51_C12", "label": "return", "type": "return", "loc": [51, 51], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L50_C8", "vector": [13, 8, 0.6456, 0.0127, 8, 0.92, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False, idx + 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L53_C8", "label": "m = match_number()", "type": "assigned_variable", "loc": [53, 53], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L33_C4", "vector": [14, 2, 0.6709, 0.0127, 2, 0.18, 0.6667, 711, 3, 2, 0, 0, 264, 10, 1], "semantic": {"name": "m", "arg_names": [], "import_names": [], "rhs_call_name": "match_number", "annotation": ""}, "snippet": " m = match_number(string, idx)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:If_L54_C8", "label": "if", "type": "if", "loc": [54, 68], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L33_C4", "vector": [4, 2, 0.7722, 0.1899, 2, 0.18, 1.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if m is not None:\n integer, frac, exp = m.groups()\n if frac or exp:\n res = parse_float(integer + (frac or '') + (exp or ''))\n else:\n res = parse_int(integer)\n return res, m.end()\n elif nextchar == 'N' and string[idx:idx + 3] == 'NaN':"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L55_C12", "label": "integer, frac, exp = groups()", "type": "assigned_variable", "loc": [55, 55], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L54_C8", "vector": [14, 3, 0.6962, 0.0127, 3, 0.66, 0.0, 563, 3, 0, 0, 0, 161, 10, 1], "semantic": {"name": "integer, frac, exp", "arg_names": [], "import_names": [], "rhs_call_name": "groups", "annotation": ""}, "snippet": " integer, frac, exp = m.groups()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:If_L56_C12", "label": "if", "type": "if", "loc": [56, 59], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L54_C8", "vector": [4, 3, 0.7278, 0.0506, 3, 0.66, 0.3333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if frac or exp:\n res = parse_float(integer + (frac or '') + (exp or ''))\n else:\n res = parse_int(integer)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L57_C16", "label": "res = parse_float()", "type": "assigned_variable", "loc": [57, 57], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L56_C12", "vector": [14, 4, 0.7215, 0.0127, 4, 0.66, 0.0, 413, 3, 1, 0, 0, 475, 10, 1], "semantic": {"name": "res", "arg_names": [], "import_names": [], "rhs_call_name": "parse_float", "annotation": ""}, "snippet": " res = parse_float(integer + (frac or '') + (exp or ''))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L59_C16", "label": "res = parse_int()", "type": "assigned_variable", "loc": [59, 59], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L56_C12", "vector": [14, 4, 0.7468, 0.0127, 4, 0.66, 1.0, 413, 3, 1, 0, 0, 31, 10, 1], "semantic": {"name": "res", "arg_names": [], "import_names": [], "rhs_call_name": "parse_int", "annotation": ""}, "snippet": " res = parse_int(integer)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L60_C12", "label": "return", "type": "return", "loc": [60, 60], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L54_C8", "vector": [13, 3, 0.7595, 0.0127, 3, 0.66, 0.6667, 0, 0, 0, 0, 0, 0, 8, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return res, m.end()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:If_L61_C8", "label": "if", "type": "if", "loc": [61, 68], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L54_C8", "vector": [4, 3, 0.8165, 0.1013, 3, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif nextchar == 'N' and string[idx:idx + 3] == 'NaN':\n return parse_constant('NaN'), idx + 3\n elif nextchar == 'I' and string[idx:idx + 8] == 'Infinity':\n return parse_constant('Infinity'), idx + 8\n elif nextchar == '-' and string[idx:idx + 9] == '-Infinity':\n return parse_constant('-Infinity'), idx + 9\n else:\n raise StopIteration"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L62_C12", "label": "return", "type": "return", "loc": [62, 62], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L61_C8", "vector": [13, 4, 0.7848, 0.0127, 4, 0.3, 0.0, 0, 0, 0, 0, 0, 0, 8, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return parse_constant('NaN'), idx + 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:If_L63_C8", "label": "if", "type": "if", "loc": [63, 68], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L61_C8", "vector": [4, 4, 0.8291, 0.0759, 4, 0.3, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif nextchar == 'I' and string[idx:idx + 8] == 'Infinity':\n return parse_constant('Infinity'), idx + 8\n elif nextchar == '-' and string[idx:idx + 9] == '-Infinity':\n return parse_constant('-Infinity'), idx + 9\n else:\n raise StopIteration"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L64_C12", "label": "return", "type": "return", "loc": [64, 64], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L63_C8", "vector": [13, 5, 0.8101, 0.0127, 5, 0.08, 0.0, 0, 0, 0, 0, 0, 0, 8, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return parse_constant('Infinity'), idx + 8"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:If_L65_C8", "label": "if", "type": "if", "loc": [65, 68], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L63_C8", "vector": [4, 5, 0.8418, 0.0506, 5, 0.08, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif nextchar == '-' and string[idx:idx + 9] == '-Infinity':\n return parse_constant('-Infinity'), idx + 9\n else:\n raise StopIteration"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L66_C12", "label": "return", "type": "return", "loc": [66, 66], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:If_L65_C8", "vector": [13, 6, 0.8354, 0.0127, 6, 0.62, 0.0, 0, 0, 0, 0, 0, 0, 8, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return parse_constant('-Infinity'), idx + 9"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L70_C4", "label": "scan_once", "type": "function", "loc": [70, 74], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [2, 1, 0.9114, 0.0633, 1, 0.86, 0.9286, 655, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "scan_once", "arg_names": ["string", "idx"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def scan_once(string, idx):\n try:\n return _scan_once(string, idx)\n finally:\n memo.clear()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L71_C8", "label": "try", "type": "try", "loc": [71, 74], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L70_C4", "vector": [7, 2, 0.9177, 0.0506, 2, 0.83, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return _scan_once(string, idx)\n finally:\n memo.clear()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L72_C12", "label": "return", "type": "return", "loc": [72, 72], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L71_C8", "vector": [13, 3, 0.9114, 0.0127, 3, 0.43, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _scan_once(string, idx)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Expr_L74_C12", "label": "clear()", "type": "expression", "loc": [74, 74], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L71_C8", "vector": [8, 3, 0.9367, 0.0127, 3, 0.43, 1.0, 712, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "clear", "arg_names": [], "import_names": [], "rhs_call_name": "clear", "annotation": ""}, "snippet": " memo.clear()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L76_C4", "label": "return", "type": "return", "loc": [76, 76], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "vector": [13, 1, 0.962, 0.0127, 1, 0.86, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return scan_once"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L78_C0", "label": "make_scanner =", "type": "assigned_variable", "loc": [78, 78], "level": 0, "parent": null, "vector": [14, 0, 0.9873, 0.0127, 0, 0.66, 1.0, 683, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "make_scanner", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "make_scanner = c_make_scanner or py_make_scanner"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L4_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L5_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L5_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_570:ImportFrom_L7_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L5_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L8_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L5_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L10_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L20_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L21_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L22_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L23_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L24_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L25_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L26_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L27_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L28_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L29_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L30_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L31_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L33_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L33_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L34_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L34_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L35_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L33_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_570:If_L39_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L39_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L40_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L39_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:If_L41_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L41_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L42_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L41_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:If_L44_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L44_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L45_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L44_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:If_L46_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L46_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L47_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L46_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:If_L48_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L48_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L49_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L48_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:If_L50_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L51_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L33_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L53_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L33_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_570:If_L54_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L54_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L55_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L54_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:If_L56_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L56_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L57_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L56_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Assign_L59_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L54_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L60_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L54_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:If_L61_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L61_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L62_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L61_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:If_L63_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L63_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L64_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L63_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:If_L65_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:If_L65_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L66_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L70_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L72_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:Try_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Expr_L74_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_570:FunctionDef_L19_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_570:Return_L76_C4"}]
"""Implementation of JSONEncoder """ import re from decimal import Decimal def _import_speedups(): try: raise ImportError # because assumes simplejson in path from simplejson import _speedups return _speedups.encode_basestring_ascii, _speedups.make_encoder except ImportError: return None, None c_encode_basestring_ascii, c_make_encoder = _import_speedups() from decoder import PosInf ESCAPE = re.compile(r'[\x00-\x1f\\"\b\f\n\r\t]') ESCAPE_ASCII = re.compile(r'([\\"]|[^\ -~])') HAS_UTF8 = re.compile(r'[\x80-\xff]') ESCAPE_DCT = { '\\': '\\\\', '"': '\\"', '\b': '\\b', '\f': '\\f', '\n': '\\n', '\r': '\\r', '\t': '\\t', } for i in range(0x20): #ESCAPE_DCT.setdefault(chr(i), '\\u{0:04x}'.format(i)) ESCAPE_DCT.setdefault(chr(i), '\\u%04x' % (i,)) FLOAT_REPR = repr def encode_basestring(s): """Return a JSON representation of a Python string """ if isinstance(s, str) and HAS_UTF8.search(s) is not None: s = s.decode('utf-8') def replace(match): return ESCAPE_DCT[match.group(0)] return u'"' + ESCAPE.sub(replace, s) + u'"' def py_encode_basestring_ascii(s): """Return an ASCII-only JSON representation of a Python string """ if isinstance(s, str) and HAS_UTF8.search(s) is not None: s = s.decode('utf-8') def replace(match): s = match.group(0) try: return ESCAPE_DCT[s] except KeyError: n = ord(s) if n < 0x10000: #return '\\u{0:04x}'.format(n) return '\\u%04x' % (n,) else: # surrogate pair n -= 0x10000 s1 = 0xd800 | ((n >> 10) & 0x3ff) s2 = 0xdc00 | (n & 0x3ff) #return '\\u{0:04x}\\u{1:04x}'.format(s1, s2) return '\\u%04x\\u%04x' % (s1, s2) return '"' + str(ESCAPE_ASCII.sub(replace, s)) + '"' encode_basestring_ascii = ( c_encode_basestring_ascii or py_encode_basestring_ascii) class JSONEncoder(object): """Extensible JSON <http://json.org> encoder for Python data structures. Supports the following objects and types by default: +-------------------+---------------+ | Python | JSON | +===================+===============+ | dict | object | +-------------------+---------------+ | list, tuple | array | +-------------------+---------------+ | str, unicode | string | +-------------------+---------------+ | int, long, float | number | +-------------------+---------------+ | True | true | +-------------------+---------------+ | False | false | +-------------------+---------------+ | None | null | +-------------------+---------------+ To extend this to recognize other objects, subclass and implement a ``.default()`` method with another method that returns a serializable object for ``o`` if possible, otherwise it should call the superclass implementation (to raise ``TypeError``). """ item_separator = ', ' key_separator = ': ' def __init__(self, skipkeys=False, ensure_ascii=True, check_circular=True, allow_nan=True, sort_keys=False, indent=None, separators=None, encoding='utf-8', default=None, use_decimal=False): """Constructor for JSONEncoder, with sensible defaults. If skipkeys is false, then it is a TypeError to attempt encoding of keys that are not str, int, long, float or None. If skipkeys is True, such items are simply skipped. If ensure_ascii is true, the output is guaranteed to be str objects with all incoming unicode characters escaped. If ensure_ascii is false, the output will be unicode object. If check_circular is true, then lists, dicts, and custom encoded objects will be checked for circular references during encoding to prevent an infinite recursion (which would cause an OverflowError). Otherwise, no such check takes place. If allow_nan is true, then NaN, Infinity, and -Infinity will be encoded as such. This behavior is not JSON specification compliant, but is consistent with most JavaScript based encoders and decoders. Otherwise, it will be a ValueError to encode such floats. If sort_keys is true, then the output of dictionaries will be sorted by key; this is useful for regression tests to ensure that JSON serializations can be compared on a day-to-day basis. If indent is a string, then JSON array elements and object members will be pretty-printed with a newline followed by that string repeated for each level of nesting. ``None`` (the default) selects the most compact representation without any newlines. For backwards compatibility with versions of simplejson earlier than 2.1.0, an integer is also accepted and is converted to a string with that many spaces. If specified, separators should be a (item_separator, key_separator) tuple. The default is (', ', ': '). To get the most compact JSON representation you should specify (',', ':') to eliminate whitespace. If specified, default is a function that gets called for objects that can't otherwise be serialized. It should return a JSON encodable version of the object or raise a ``TypeError``. If encoding is not None, then all input strings will be transformed into unicode using that encoding prior to JSON-encoding. The default is UTF-8. If use_decimal is true (not the default), ``decimal.Decimal`` will be supported directly by the encoder. For the inverse, decode JSON with ``parse_float=decimal.Decimal``. """ self.skipkeys = skipkeys self.ensure_ascii = ensure_ascii self.check_circular = check_circular self.allow_nan = allow_nan self.sort_keys = sort_keys self.use_decimal = use_decimal if isinstance(indent, (int, long)): indent = ' ' * indent self.indent = indent if separators is not None: self.item_separator, self.key_separator = separators if default is not None: self.default = default self.encoding = encoding def default(self, o): """Implement this method in a subclass such that it returns a serializable object for ``o``, or calls the base implementation (to raise a ``TypeError``). For example, to support arbitrary iterators, you could implement default like this:: def default(self, o): try: iterable = iter(o) except TypeError: pass else: return list(iterable) return JSONEncoder.default(self, o) """ raise TypeError(repr(o) + " is not JSON serializable") def encode(self, o): """Return a JSON string representation of a Python data structure. >>> from simplejson import JSONEncoder >>> JSONEncoder().encode({"foo": ["bar", "baz"]}) '{"foo": ["bar", "baz"]}' """ # This is for extremely simple cases and benchmarks. if isinstance(o, basestring): if isinstance(o, str): _encoding = self.encoding if (_encoding is not None and not (_encoding == 'utf-8')): o = o.decode(_encoding) if self.ensure_ascii: return encode_basestring_ascii(o) else: return encode_basestring(o) # This doesn't pass the iterator directly to ''.join() because the # exceptions aren't as detailed. The list call should be roughly # equivalent to the PySequence_Fast that ''.join() would do. chunks = self.iterencode(o, _one_shot=True) if not isinstance(chunks, (list, tuple)): chunks = list(chunks) if self.ensure_ascii: return ''.join(chunks) else: return u''.join(chunks) def iterencode(self, o, _one_shot=False): """Encode the given object and yield each string representation as available. For example:: for chunk in JSONEncoder().iterencode(bigobject): mysocket.write(chunk) """ if self.check_circular: markers = {} else: markers = None if self.ensure_ascii: _encoder = encode_basestring_ascii else: _encoder = encode_basestring if self.encoding != 'utf-8': def _encoder(o, _orig_encoder=_encoder, _encoding=self.encoding): if isinstance(o, str): o = o.decode(_encoding) return _orig_encoder(o) def floatstr(o, allow_nan=self.allow_nan, _repr=FLOAT_REPR, _inf=PosInf, _neginf=-PosInf): # Check for specials. Note that this type of test is processor # and/or platform-specific, so do tests which don't depend on # the internals. if o != o: text = 'NaN' elif o == _inf: text = 'Infinity' elif o == _neginf: text = '-Infinity' else: return _repr(o) if not allow_nan: raise ValueError( "Out of range float values are not JSON compliant: " + repr(o)) return text key_memo = {} if (_one_shot and c_make_encoder is not None and self.indent is None): _iterencode = c_make_encoder( markers, self.default, _encoder, self.indent, self.key_separator, self.item_separator, self.sort_keys, self.skipkeys, self.allow_nan, key_memo, self.use_decimal) else: _iterencode = _make_iterencode( markers, self.default, _encoder, self.indent, floatstr, self.key_separator, self.item_separator, self.sort_keys, self.skipkeys, _one_shot, self.use_decimal) try: return _iterencode(o, 0) finally: key_memo.clear() class JSONEncoderForHTML(JSONEncoder): """An encoder that produces JSON safe to embed in HTML. To embed JSON content in, say, a script tag on a web page, the characters &, < and > should be escaped. They cannot be escaped with the usual entities (e.g. &amp;) because they are not expanded within <script> tags. """ def encode(self, o): # Override JSONEncoder.encode because it has hacks for # performance that make things more complicated. chunks = self.iterencode(o, True) if self.ensure_ascii: return ''.join(chunks) else: return u''.join(chunks) def iterencode(self, o, _one_shot=False): chunks = super(JSONEncoderForHTML, self).iterencode(o, _one_shot) for chunk in chunks: chunk = chunk.replace('&', '\\u0026') chunk = chunk.replace('<', '\\u003c') chunk = chunk.replace('>', '\\u003e') yield chunk def _make_iterencode(markers, _default, _encoder, _indent, _floatstr, _key_separator, _item_separator, _sort_keys, _skipkeys, _one_shot, _use_decimal, ## HACK: hand-optimized bytecode; turn globals into locals False=False, True=True, ValueError=ValueError, basestring=basestring, Decimal=Decimal, dict=dict, float=float, id=id, int=int, isinstance=isinstance, list=list, long=long, str=str, tuple=tuple, ): def _iterencode_list(lst, _current_indent_level): if not lst: yield '[]' return if markers is not None: markerid = id(lst) if markerid in markers: raise ValueError("Circular reference detected") markers[markerid] = lst buf = '[' if _indent is not None: _current_indent_level += 1 newline_indent = '\n' + (_indent * _current_indent_level) separator = _item_separator + newline_indent buf += newline_indent else: newline_indent = None separator = _item_separator first = True for value in lst: if first: first = False else: buf = separator if isinstance(value, basestring): yield buf + _encoder(value) elif value is None: yield buf + 'null' elif value is True: yield buf + 'true' elif value is False: yield buf + 'false' elif isinstance(value, (int, long)): yield buf + str(value) elif isinstance(value, float): yield buf + _floatstr(value) elif _use_decimal and isinstance(value, Decimal): yield buf + str(value) else: yield buf if isinstance(value, (list, tuple)): chunks = _iterencode_list(value, _current_indent_level) elif isinstance(value, dict): chunks = _iterencode_dict(value, _current_indent_level) else: chunks = _iterencode(value, _current_indent_level) for chunk in chunks: yield chunk if newline_indent is not None: _current_indent_level -= 1 yield '\n' + (_indent * _current_indent_level) yield ']' if markers is not None: del markers[markerid] def _iterencode_dict(dct, _current_indent_level): if not dct: yield '{}' return if markers is not None: markerid = id(dct) if markerid in markers: raise ValueError("Circular reference detected") markers[markerid] = dct yield '{' if _indent is not None: _current_indent_level += 1 newline_indent = '\n' + (_indent * _current_indent_level) item_separator = _item_separator + newline_indent yield newline_indent else: newline_indent = None item_separator = _item_separator first = True if _sort_keys: items = dct.items() items.sort(key=lambda kv: kv[0]) else: items = dct.iteritems() for key, value in items: if isinstance(key, basestring): pass # JavaScript is weakly typed for these, so it makes sense to # also allow them. Many encoders seem to do something like this. elif isinstance(key, float): key = _floatstr(key) elif key is True: key = 'true' elif key is False: key = 'false' elif key is None: key = 'null' elif isinstance(key, (int, long)): key = str(key) elif _skipkeys: continue else: raise TypeError("key " + repr(key) + " is not a string") if first: first = False else: yield item_separator yield _encoder(key) yield _key_separator if isinstance(value, basestring): yield _encoder(value) elif value is None: yield 'null' elif value is True: yield 'true' elif value is False: yield 'false' elif isinstance(value, (int, long)): yield str(value) elif isinstance(value, float): yield _floatstr(value) elif _use_decimal and isinstance(value, Decimal): yield str(value) else: if isinstance(value, (list, tuple)): chunks = _iterencode_list(value, _current_indent_level) elif isinstance(value, dict): chunks = _iterencode_dict(value, _current_indent_level) else: chunks = _iterencode(value, _current_indent_level) for chunk in chunks: yield chunk if newline_indent is not None: _current_indent_level -= 1 yield '\n' + (_indent * _current_indent_level) yield '}' if markers is not None: del markers[markerid] def _iterencode(o, _current_indent_level): if isinstance(o, basestring): yield _encoder(o) elif o is None: yield 'null' elif o is True: yield 'true' elif o is False: yield 'false' elif isinstance(o, (int, long)): yield str(o) elif isinstance(o, float): yield _floatstr(o) elif isinstance(o, (list, tuple)): for chunk in _iterencode_list(o, _current_indent_level): yield chunk elif isinstance(o, dict): for chunk in _iterencode_dict(o, _current_indent_level): yield chunk elif _use_decimal and isinstance(o, Decimal): yield str(o) else: if markers is not None: markerid = id(o) if markerid in markers: raise ValueError("Circular reference detected") markers[markerid] = o o = _default(o) for chunk in _iterencode(o, _current_indent_level): yield chunk if markers is not None: del markers[markerid] return _iterencode
ajibawa-2023/Python-Code-Large/train/row_571
261
501
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 2], "level": 0, "parent": null, "vector": [8, 0, 0.003, 0.004, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"Implementation of JSONEncoder\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Import_L3_C0", "label": "re import re", "type": "import", "loc": [3, 3], "level": 0, "parent": null, "vector": [1, 0, 0.006, 0.002, 0, 0.66, 0.0588, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:ImportFrom_L4_C0", "label": "from decimal import Decimal", "type": "import", "loc": [4, 4], "level": 0, "parent": null, "vector": [1, 0, 0.008, 0.002, 0, 0.66, 0.1176, 349, 0, 1, 0, 0, 349, 0, 0], "semantic": {"name": "decimal", "arg_names": [], "import_names": ["Decimal"], "rhs_call_name": "", "annotation": ""}, "snippet": "from decimal import Decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L6_C0", "label": "_import_speedups", "type": "function", "loc": [6, 12], "level": 0, "parent": null, "vector": [2, 0, 0.018, 0.014, 0, 0.66, 0.1765, 245, 0, 0, 1, 0, 0, 0, 0], "semantic": {"name": "_import_speedups", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _import_speedups():\n try:\n raise ImportError # because assumes simplejson in path\n from simplejson import _speedups\n return _speedups.encode_basestring_ascii, _speedups.make_encoder\n except ImportError:\n return None, None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L7_C4", "label": "try", "type": "try", "loc": [7, 12], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L6_C0", "vector": [7, 1, 0.019, 0.012, 1, 0.51, 0.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n raise ImportError # because assumes simplejson in path\n from simplejson import _speedups\n return _speedups.encode_basestring_ascii, _speedups.make_encoder\n except ImportError:\n return None, None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:ImportFrom_L9_C8", "label": "from simplejson import _speedups", "type": "import", "loc": [9, 9], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L7_C4", "vector": [1, 2, 0.018, 0.002, 2, 0.77, 0.0, 386, 0, 1, 0, 0, 386, 0, 0], "semantic": {"name": "simplejson", "arg_names": [], "import_names": ["_speedups"], "rhs_call_name": "", "annotation": ""}, "snippet": " from simplejson import _speedups"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L10_C8", "label": "return", "type": "return", "loc": [10, 10], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L7_C4", "vector": [13, 2, 0.02, 0.002, 2, 0.77, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _speedups.encode_basestring_ascii, _speedups.make_encoder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L12_C8", "label": "return", "type": "return", "loc": [12, 12], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L7_C4", "vector": [13, 2, 0.024, 0.002, 2, 0.77, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None, None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L13_C0", "label": "c_encode_basestring_ascii, c_make_encoder = _import_speedups()", "type": "assigned_variable", "loc": [13, 13], "level": 0, "parent": null, "vector": [14, 0, 0.0259, 0.002, 0, 0.66, 0.2353, 702, 3, 0, 0, 0, 245, 10, 1], "semantic": {"name": "c_encode_basestring_ascii, c_make_encoder", "arg_names": [], "import_names": [], "rhs_call_name": "_import_speedups", "annotation": ""}, "snippet": "c_encode_basestring_ascii, c_make_encoder = _import_speedups()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:ImportFrom_L15_C0", "label": "from decoder import PosInf", "type": "import", "loc": [15, 15], "level": 0, "parent": null, "vector": [1, 0, 0.0299, 0.002, 0, 0.66, 0.2941, 404, 0, 1, 0, 0, 404, 0, 0], "semantic": {"name": "decoder", "arg_names": [], "import_names": ["PosInf"], "rhs_call_name": "", "annotation": ""}, "snippet": "from decoder import PosInf"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L17_C0", "label": "ESCAPE = compile()", "type": "assigned_variable", "loc": [17, 17], "level": 0, "parent": null, "vector": [14, 0, 0.0339, 0.002, 0, 0.66, 0.3529, 562, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "ESCAPE", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "ESCAPE = re.compile(r'[\\x00-\\x1f\\\\\"\\b\\f\\n\\r\\t]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L18_C0", "label": "ESCAPE_ASCII = compile()", "type": "assigned_variable", "loc": [18, 18], "level": 0, "parent": null, "vector": [14, 0, 0.0359, 0.002, 0, 0.66, 0.4118, 214, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "ESCAPE_ASCII", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "ESCAPE_ASCII = re.compile(r'([\\\\\"]|[^\\ -~])')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L19_C0", "label": "HAS_UTF8 = compile()", "type": "assigned_variable", "loc": [19, 19], "level": 0, "parent": null, "vector": [14, 0, 0.0379, 0.002, 0, 0.66, 0.4706, 954, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "HAS_UTF8", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "HAS_UTF8 = re.compile(r'[\\x80-\\xff]')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L20_C0", "label": "ESCAPE_DCT =", "type": "assigned_variable", "loc": [20, 28], "level": 0, "parent": null, "vector": [14, 0, 0.0479, 0.018, 0, 0.66, 0.5294, 404, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "ESCAPE_DCT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ESCAPE_DCT = {\n '\\\\': '\\\\\\\\',\n '\"': '\\\\\"',\n '\\b': '\\\\b',\n '\\f': '\\\\f',\n '\\n': '\\\\n',\n '\\r': '\\\\r',\n '\\t': '\\\\t',"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:For_L29_C0", "label": "for i", "type": "for", "loc": [29, 31], "level": 0, "parent": null, "vector": [6, 0, 0.0599, 0.006, 0, 0.66, 0.5882, 826, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "for i in range(0x20):\n #ESCAPE_DCT.setdefault(chr(i), '\\\\u{0:04x}'.format(i))\n ESCAPE_DCT.setdefault(chr(i), '\\\\u%04x' % (i,))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L31_C4", "label": "setdefault()", "type": "expression", "loc": [31, 31], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L29_C0", "vector": [8, 1, 0.0619, 0.002, 1, 0.01, 0.0, 262, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "setdefault", "arg_names": [], "import_names": [], "rhs_call_name": "setdefault", "annotation": ""}, "snippet": " ESCAPE_DCT.setdefault(chr(i), '\\\\u%04x' % (i,))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L33_C0", "label": "FLOAT_REPR =", "type": "assigned_variable", "loc": [33, 33], "level": 0, "parent": null, "vector": [14, 0, 0.0659, 0.002, 0, 0.66, 0.6471, 39, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "FLOAT_REPR", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "FLOAT_REPR = repr"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L35_C0", "label": "encode_basestring", "type": "function", "loc": [35, 43], "level": 0, "parent": null, "vector": [2, 0, 0.0778, 0.018, 0, 0.66, 0.7059, 207, 0, 1, 1, 0, 0, 0, 5], "semantic": {"name": "encode_basestring", "arg_names": ["s"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def encode_basestring(s):\n \"\"\"Return a JSON representation of a Python string\n\n \"\"\"\n if isinstance(s, str) and HAS_UTF8.search(s) is not None:\n s = s.decode('utf-8')\n def replace(match):\n return ESCAPE_DCT[match.group(0)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L36_C4", "label": "expression", "type": "expression", "loc": [36, 38], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L35_C0", "vector": [8, 1, 0.0739, 0.006, 1, 0.59, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return a JSON representation of a Python string\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L39_C4", "label": "if", "type": "if", "loc": [39, 40], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L35_C0", "vector": [4, 1, 0.0788, 0.004, 1, 0.59, 0.3333, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(s, str) and HAS_UTF8.search(s) is not None:\n s = s.decode('utf-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L40_C8", "label": "s = decode()", "type": "assigned_variable", "loc": [40, 40], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L39_C4", "vector": [14, 2, 0.0798, 0.002, 2, 0.84, 0.0, 553, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " s = s.decode('utf-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L41_C4", "label": "replace", "type": "function", "loc": [41, 42], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L35_C0", "vector": [2, 1, 0.0828, 0.004, 1, 0.59, 0.6667, 293, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "replace", "arg_names": ["match"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def replace(match):\n return ESCAPE_DCT[match.group(0)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L42_C8", "label": "return", "type": "return", "loc": [42, 42], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L41_C4", "vector": [13, 2, 0.0838, 0.002, 2, 0.02, 0.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ESCAPE_DCT[match.group(0)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L43_C4", "label": "return", "type": "return", "loc": [43, 43], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L35_C0", "vector": [13, 1, 0.0858, 0.002, 1, 0.59, 1.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return u'\"' + ESCAPE.sub(replace, s) + u'\"'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L46_C0", "label": "py_encode_basestring_ascii", "type": "function", "loc": [46, 68], "level": 0, "parent": null, "vector": [2, 0, 0.1138, 0.0459, 0, 0.66, 0.7647, 438, 0, 1, 1, 0, 0, 0, 7], "semantic": {"name": "py_encode_basestring_ascii", "arg_names": ["s"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def py_encode_basestring_ascii(s):\n \"\"\"Return an ASCII-only JSON representation of a Python string\n\n \"\"\"\n if isinstance(s, str) and HAS_UTF8.search(s) is not None:\n s = s.decode('utf-8')\n def replace(match):\n s = match.group(0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L47_C4", "label": "expression", "type": "expression", "loc": [47, 49], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L46_C0", "vector": [8, 1, 0.0958, 0.006, 1, 0.81, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return an ASCII-only JSON representation of a Python string\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L50_C4", "label": "if", "type": "if", "loc": [50, 51], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L46_C0", "vector": [4, 1, 0.1008, 0.004, 1, 0.81, 0.3333, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(s, str) and HAS_UTF8.search(s) is not None:\n s = s.decode('utf-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L51_C8", "label": "s = decode()", "type": "assigned_variable", "loc": [51, 51], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L50_C4", "vector": [14, 2, 0.1018, 0.002, 2, 0.09, 0.0, 553, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " s = s.decode('utf-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L52_C4", "label": "replace", "type": "function", "loc": [52, 67], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L46_C0", "vector": [2, 1, 0.1188, 0.0319, 1, 0.81, 0.6667, 293, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "replace", "arg_names": ["match"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def replace(match):\n s = match.group(0)\n try:\n return ESCAPE_DCT[s]\n except KeyError:\n n = ord(s)\n if n < 0x10000:\n #return '\\\\u{0:04x}'.format(n)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L53_C8", "label": "s = group()", "type": "assigned_variable", "loc": [53, 53], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L52_C4", "vector": [14, 2, 0.1058, 0.002, 2, 0.58, 0.0, 553, 3, 1, 0, 0, 43, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "group", "annotation": ""}, "snippet": " s = match.group(0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L54_C8", "label": "try", "type": "try", "loc": [54, 67], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L52_C4", "vector": [7, 2, 0.1208, 0.0279, 2, 0.58, 1.0, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return ESCAPE_DCT[s]\n except KeyError:\n n = ord(s)\n if n < 0x10000:\n #return '\\\\u{0:04x}'.format(n)\n return '\\\\u%04x' % (n,)\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L55_C12", "label": "return", "type": "return", "loc": [55, 55], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L54_C8", "vector": [13, 3, 0.1098, 0.002, 3, 0.99, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ESCAPE_DCT[s]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L57_C12", "label": "n = ord()", "type": "assigned_variable", "loc": [57, 57], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L54_C8", "vector": [14, 3, 0.1138, 0.002, 3, 0.99, 0.0, 773, 3, 1, 0, 0, 171, 10, 1], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "ord", "annotation": ""}, "snippet": " n = ord(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L58_C12", "label": "if", "type": "if", "loc": [58, 67], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L54_C8", "vector": [4, 3, 0.1248, 0.02, 3, 0.99, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if n < 0x10000:\n #return '\\\\u{0:04x}'.format(n)\n return '\\\\u%04x' % (n,)\n else:\n # surrogate pair\n n -= 0x10000\n s1 = 0xd800 | ((n >> 10) & 0x3ff)\n s2 = 0xdc00 | (n & 0x3ff)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L60_C16", "label": "return", "type": "return", "loc": [60, 60], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L58_C12", "vector": [13, 4, 0.1198, 0.002, 4, 0.03, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '\\\\u%04x' % (n,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L64_C16", "label": "s1 =", "type": "assigned_variable", "loc": [64, 64], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L58_C12", "vector": [14, 4, 0.1277, 0.002, 4, 0.03, 0.3333, 745, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "s1", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " s1 = 0xd800 | ((n >> 10) & 0x3ff)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L65_C16", "label": "s2 =", "type": "assigned_variable", "loc": [65, 65], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L58_C12", "vector": [14, 4, 0.1297, 0.002, 4, 0.03, 0.6667, 448, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "s2", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " s2 = 0xdc00 | (n & 0x3ff)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L67_C16", "label": "return", "type": "return", "loc": [67, 67], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L58_C12", "vector": [13, 4, 0.1337, 0.002, 4, 0.03, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '\\\\u%04x\\\\u%04x' % (s1, s2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L68_C4", "label": "return", "type": "return", "loc": [68, 68], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L46_C0", "vector": [13, 1, 0.1357, 0.002, 1, 0.81, 1.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '\"' + str(ESCAPE_ASCII.sub(replace, s)) + '\"'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L71_C0", "label": "encode_basestring_ascii =", "type": "assigned_variable", "loc": [71, 72], "level": 0, "parent": null, "vector": [14, 0, 0.1427, 0.004, 0, 0.66, 0.8235, 105, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "encode_basestring_ascii", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "encode_basestring_ascii = (\n c_encode_basestring_ascii or py_encode_basestring_ascii)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "label": "JSONEncoder", "type": "class", "loc": [74, 285], "level": 0, "parent": null, "vector": [3, 0, 0.3583, 0.4232, 0, 0.66, 0.8824, 228, 0, 6, 0, 0, 186, 0, 23], "semantic": {"name": "JSONEncoder", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class JSONEncoder(object):\n \"\"\"Extensible JSON <http://json.org> encoder for Python data structures.\n\n Supports the following objects and types by default:\n\n +-------------------+---------------+\n | Python | JSON |\n +===================+===============+"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L75_C4", "label": "expression", "type": "expression", "loc": [75, 102], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "vector": [8, 1, 0.1766, 0.0559, 1, 0.99, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Extensible JSON <http://json.org> encoder for Python data structures.\n\n Supports the following objects and types by default:\n\n +-------------------+---------------+\n | Python | JSON |\n +===================+===============+\n | dict | object |"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L103_C4", "label": "item_separator =", "type": "assigned_variable", "loc": [103, 103], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "vector": [14, 1, 0.2056, 0.002, 1, 0.99, 0.1667, 330, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "item_separator", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " item_separator = ', '"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L104_C4", "label": "key_separator =", "type": "assigned_variable", "loc": [104, 104], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "vector": [14, 1, 0.2076, 0.002, 1, 0.99, 0.3333, 294, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "key_separator", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key_separator = ': '"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "label": "__init__", "type": "function", "loc": [105, 171], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "vector": [2, 1, 0.2754, 0.1337, 1, 0.99, 0.5, 555, 0, 11, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "skipkeys", "ensure_ascii", "check_circular", "allow_nan", "sort_keys", "indent", "separators", "encoding", "default", "use_decimal"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, skipkeys=False, ensure_ascii=True,\n check_circular=True, allow_nan=True, sort_keys=False,\n indent=None, separators=None, encoding='utf-8', default=None,\n use_decimal=False):\n \"\"\"Constructor for JSONEncoder, with sensible defaults.\n\n If skipkeys is false, then it is a TypeError to attempt\n encoding of keys that are not str, int, long, float or None. If"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L109_C8", "label": "expression", "type": "expression", "loc": [109, 156], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "vector": [8, 2, 0.2645, 0.0958, 2, 0.36, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Constructor for JSONEncoder, with sensible defaults.\n\n If skipkeys is false, then it is a TypeError to attempt\n encoding of keys that are not str, int, long, float or None. If\n skipkeys is True, such items are simply skipped.\n\n If ensure_ascii is true, the output is guaranteed to be str\n objects with all incoming unicode characters escaped. If"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L158_C8", "label": "self.skipkeys =", "type": "assigned_variable", "loc": [158, 158], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "vector": [14, 2, 0.3154, 0.002, 2, 0.36, 0.0909, 853, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.skipkeys", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.skipkeys = skipkeys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L159_C8", "label": "self.ensure_ascii =", "type": "assigned_variable", "loc": [159, 159], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "vector": [14, 2, 0.3174, 0.002, 2, 0.36, 0.1818, 255, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.ensure_ascii", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ensure_ascii = ensure_ascii"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L160_C8", "label": "self.check_circular =", "type": "assigned_variable", "loc": [160, 160], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "vector": [14, 2, 0.3194, 0.002, 2, 0.36, 0.2727, 698, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.check_circular", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.check_circular = check_circular"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L161_C8", "label": "self.allow_nan =", "type": "assigned_variable", "loc": [161, 161], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "vector": [14, 2, 0.3214, 0.002, 2, 0.36, 0.3636, 507, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.allow_nan", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.allow_nan = allow_nan"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L162_C8", "label": "self.sort_keys =", "type": "assigned_variable", "loc": [162, 162], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "vector": [14, 2, 0.3234, 0.002, 2, 0.36, 0.4545, 911, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.sort_keys", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.sort_keys = sort_keys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L163_C8", "label": "self.use_decimal =", "type": "assigned_variable", "loc": [163, 163], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "vector": [14, 2, 0.3253, 0.002, 2, 0.36, 0.5455, 53, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.use_decimal", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.use_decimal = use_decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L164_C8", "label": "if", "type": "if", "loc": [164, 165], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "vector": [4, 2, 0.3283, 0.004, 2, 0.36, 0.6364, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(indent, (int, long)):\n indent = ' ' * indent"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L165_C12", "label": "indent =", "type": "assigned_variable", "loc": [165, 165], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L164_C8", "vector": [14, 3, 0.3293, 0.002, 3, 0.08, 0.0, 231, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "indent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " indent = ' ' * indent"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L166_C8", "label": "self.indent =", "type": "assigned_variable", "loc": [166, 166], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "vector": [14, 2, 0.3313, 0.002, 2, 0.36, 0.7273, 771, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.indent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.indent = indent"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L167_C8", "label": "if", "type": "if", "loc": [167, 168], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "vector": [4, 2, 0.3343, 0.004, 2, 0.36, 0.8182, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if separators is not None:\n self.item_separator, self.key_separator = separators"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L168_C12", "label": "assign", "type": "assigned_variable", "loc": [168, 168], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L167_C8", "vector": [14, 3, 0.3353, 0.002, 3, 0.96, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.item_separator, self.key_separator = separators"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L169_C8", "label": "if", "type": "if", "loc": [169, 170], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "vector": [4, 2, 0.3383, 0.004, 2, 0.36, 0.9091, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if default is not None:\n self.default = default"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L170_C12", "label": "self.default =", "type": "assigned_variable", "loc": [170, 170], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L169_C8", "vector": [14, 3, 0.3393, 0.002, 3, 0.33, 0.0, 762, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.default", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.default = default"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L171_C8", "label": "self.encoding =", "type": "assigned_variable", "loc": [171, 171], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "vector": [14, 2, 0.3413, 0.002, 2, 0.36, 1.0, 564, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.encoding", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.encoding = encoding"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L173_C4", "label": "default", "type": "function", "loc": [173, 191], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "vector": [2, 1, 0.3633, 0.0379, 1, 0.99, 0.6667, 977, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "default", "arg_names": ["self", "o"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def default(self, o):\n \"\"\"Implement this method in a subclass such that it returns\n a serializable object for ``o``, or calls the base implementation\n (to raise a ``TypeError``).\n\n For example, to support arbitrary iterators, you could\n implement default like this::\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L174_C8", "label": "expression", "type": "expression", "loc": [174, 190], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L173_C4", "vector": [8, 2, 0.3633, 0.0339, 2, 0.6, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Implement this method in a subclass such that it returns\n a serializable object for ``o``, or calls the base implementation\n (to raise a ``TypeError``).\n\n For example, to support arbitrary iterators, you could\n implement default like this::\n\n def default(self, o):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L193_C4", "label": "encode", "type": "function", "loc": [193, 221], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "vector": [2, 1, 0.4132, 0.0579, 1, 0.99, 0.8333, 623, 0, 2, 1, 0, 0, 0, 10], "semantic": {"name": "encode", "arg_names": ["self", "o"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def encode(self, o):\n \"\"\"Return a JSON string representation of a Python data structure.\n\n >>> from simplejson import JSONEncoder\n >>> JSONEncoder().encode({\"foo\": [\"bar\", \"baz\"]})\n '{\"foo\": [\"bar\", \"baz\"]}'\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L194_C8", "label": "expression", "type": "expression", "loc": [194, 200], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L193_C4", "vector": [8, 2, 0.3932, 0.014, 2, 0.61, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return a JSON string representation of a Python data structure.\n\n >>> from simplejson import JSONEncoder\n >>> JSONEncoder().encode({\"foo\": [\"bar\", \"baz\"]})\n '{\"foo\": [\"bar\", \"baz\"]}'\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L202_C8", "label": "if", "type": "if", "loc": [202, 211], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L193_C4", "vector": [4, 2, 0.4122, 0.02, 2, 0.61, 0.25, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(o, basestring):\n if isinstance(o, str):\n _encoding = self.encoding\n if (_encoding is not None\n and not (_encoding == 'utf-8')):\n o = o.decode(_encoding)\n if self.ensure_ascii:\n return encode_basestring_ascii(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L203_C12", "label": "if", "type": "if", "loc": [203, 207], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L202_C8", "vector": [4, 3, 0.4092, 0.01, 3, 0.39, 0.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(o, str):\n _encoding = self.encoding\n if (_encoding is not None\n and not (_encoding == 'utf-8')):\n o = o.decode(_encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L204_C16", "label": "_encoding =", "type": "assigned_variable", "loc": [204, 204], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L203_C12", "vector": [14, 4, 0.4072, 0.002, 4, 0.82, 0.0, 410, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "_encoding", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _encoding = self.encoding"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L205_C16", "label": "if", "type": "if", "loc": [205, 207], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L203_C12", "vector": [4, 4, 0.4112, 0.006, 4, 0.82, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (_encoding is not None\n and not (_encoding == 'utf-8')):\n o = o.decode(_encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L207_C20", "label": "o = decode()", "type": "assigned_variable", "loc": [207, 207], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L205_C16", "vector": [14, 5, 0.4132, 0.002, 5, 0.53, 0.0, 926, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "o", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " o = o.decode(_encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L208_C12", "label": "if", "type": "if", "loc": [208, 211], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L202_C8", "vector": [4, 3, 0.4182, 0.008, 3, 0.39, 1.0, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.ensure_ascii:\n return encode_basestring_ascii(o)\n else:\n return encode_basestring(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L209_C16", "label": "return", "type": "return", "loc": [209, 209], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L208_C12", "vector": [13, 4, 0.4172, 0.002, 4, 0.81, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return encode_basestring_ascii(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L211_C16", "label": "return", "type": "return", "loc": [211, 211], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L208_C12", "vector": [13, 4, 0.4212, 0.002, 4, 0.81, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return encode_basestring(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L215_C8", "label": "chunks = iterencode()", "type": "assigned_variable", "loc": [215, 215], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L193_C4", "vector": [14, 2, 0.4291, 0.002, 2, 0.61, 0.5, 284, 3, 2, 0, 0, 315, 10, 1], "semantic": {"name": "chunks", "arg_names": [], "import_names": [], "rhs_call_name": "iterencode", "annotation": ""}, "snippet": " chunks = self.iterencode(o, _one_shot=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L216_C8", "label": "if", "type": "if", "loc": [216, 217], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L193_C4", "vector": [4, 2, 0.4321, 0.004, 2, 0.61, 0.75, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(chunks, (list, tuple)):\n chunks = list(chunks)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L217_C12", "label": "chunks = list()", "type": "assigned_variable", "loc": [217, 217], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L216_C8", "vector": [14, 3, 0.4331, 0.002, 3, 0.01, 0.0, 284, 3, 1, 0, 0, 430, 10, 1], "semantic": {"name": "chunks", "arg_names": [], "import_names": [], "rhs_call_name": "list", "annotation": ""}, "snippet": " chunks = list(chunks)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L218_C8", "label": "if", "type": "if", "loc": [218, 221], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L193_C4", "vector": [4, 2, 0.4381, 0.008, 2, 0.61, 1.0, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.ensure_ascii:\n return ''.join(chunks)\n else:\n return u''.join(chunks)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L219_C12", "label": "return", "type": "return", "loc": [219, 219], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L218_C8", "vector": [13, 3, 0.4371, 0.002, 3, 0.18, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ''.join(chunks)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L221_C12", "label": "return", "type": "return", "loc": [221, 221], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L218_C8", "vector": [13, 3, 0.4411, 0.002, 3, 0.18, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return u''.join(chunks)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "label": "iterencode", "type": "function", "loc": [223, 285], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "vector": [2, 1, 0.507, 0.1257, 1, 0.99, 1.0, 315, 0, 3, 1, 0, 0, 0, 10], "semantic": {"name": "iterencode", "arg_names": ["self", "o", "_one_shot"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def iterencode(self, o, _one_shot=False):\n \"\"\"Encode the given object and yield each string\n representation as available.\n\n For example::\n\n for chunk in JSONEncoder().iterencode(bigobject):\n mysocket.write(chunk)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L224_C8", "label": "expression", "type": "expression", "loc": [224, 232], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "vector": [8, 2, 0.4551, 0.018, 2, 0.2, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Encode the given object and yield each string\n representation as available.\n\n For example::\n\n for chunk in JSONEncoder().iterencode(bigobject):\n mysocket.write(chunk)\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L233_C8", "label": "if", "type": "if", "loc": [233, 236], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "vector": [4, 2, 0.4681, 0.008, 2, 0.2, 0.1429, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.check_circular:\n markers = {}\n else:\n markers = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L234_C12", "label": "markers =", "type": "assigned_variable", "loc": [234, 234], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L233_C8", "vector": [14, 3, 0.4671, 0.002, 3, 0.41, 0.0, 586, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "markers", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " markers = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L236_C12", "label": "markers =", "type": "assigned_variable", "loc": [236, 236], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L233_C8", "vector": [14, 3, 0.4711, 0.002, 3, 0.41, 1.0, 586, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "markers", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " markers = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L237_C8", "label": "if", "type": "if", "loc": [237, 240], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "vector": [4, 2, 0.476, 0.008, 2, 0.2, 0.2857, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.ensure_ascii:\n _encoder = encode_basestring_ascii\n else:\n _encoder = encode_basestring"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L238_C12", "label": "_encoder =", "type": "assigned_variable", "loc": [238, 238], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L237_C8", "vector": [14, 3, 0.475, 0.002, 3, 0.77, 0.0, 153, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "_encoder", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _encoder = encode_basestring_ascii"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L240_C12", "label": "_encoder =", "type": "assigned_variable", "loc": [240, 240], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L237_C8", "vector": [14, 3, 0.479, 0.002, 3, 0.77, 1.0, 153, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "_encoder", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _encoder = encode_basestring"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L241_C8", "label": "if", "type": "if", "loc": [241, 245], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "vector": [4, 2, 0.485, 0.01, 2, 0.2, 0.4286, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.encoding != 'utf-8':\n def _encoder(o, _orig_encoder=_encoder, _encoding=self.encoding):\n if isinstance(o, str):\n o = o.decode(_encoding)\n return _orig_encoder(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L242_C12", "label": "_encoder", "type": "function", "loc": [242, 245], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L241_C8", "vector": [2, 3, 0.486, 0.008, 3, 0.73, 0.0, 153, 0, 3, 1, 0, 0, 0, 3], "semantic": {"name": "_encoder", "arg_names": ["o", "_orig_encoder", "_encoding"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _encoder(o, _orig_encoder=_encoder, _encoding=self.encoding):\n if isinstance(o, str):\n o = o.decode(_encoding)\n return _orig_encoder(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L243_C16", "label": "if", "type": "if", "loc": [243, 244], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L242_C12", "vector": [4, 4, 0.486, 0.004, 4, 0.53, 0.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(o, str):\n o = o.decode(_encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L244_C20", "label": "o = decode()", "type": "assigned_variable", "loc": [244, 244], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L243_C16", "vector": [14, 5, 0.487, 0.002, 5, 0.88, 0.0, 926, 3, 1, 0, 0, 528, 10, 1], "semantic": {"name": "o", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " o = o.decode(_encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L245_C16", "label": "return", "type": "return", "loc": [245, 245], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L242_C12", "vector": [13, 4, 0.489, 0.002, 4, 0.53, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _orig_encoder(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L247_C8", "label": "floatstr", "type": "function", "loc": [247, 267], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "vector": [2, 2, 0.513, 0.0419, 2, 0.2, 0.5714, 122, 0, 5, 1, 0, 0, 0, 3], "semantic": {"name": "floatstr", "arg_names": ["o", "allow_nan", "_repr", "_inf", "_neginf"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def floatstr(o, allow_nan=self.allow_nan,\n _repr=FLOAT_REPR, _inf=PosInf, _neginf=-PosInf):\n # Check for specials. Note that this type of test is processor\n # and/or platform-specific, so do tests which don't depend on\n # the internals.\n\n if o != o:\n text = 'NaN'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L253_C12", "label": "if", "type": "if", "loc": [253, 260], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L247_C8", "vector": [4, 3, 0.512, 0.016, 3, 0.13, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if o != o:\n text = 'NaN'\n elif o == _inf:\n text = 'Infinity'\n elif o == _neginf:\n text = '-Infinity'\n else:\n return _repr(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L254_C16", "label": "text =", "type": "assigned_variable", "loc": [254, 254], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L253_C12", "vector": [14, 4, 0.507, 0.002, 4, 0.7, 0.0, 439, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = 'NaN'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L255_C12", "label": "if", "type": "if", "loc": [255, 260], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L253_C12", "vector": [4, 4, 0.514, 0.012, 4, 0.7, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif o == _inf:\n text = 'Infinity'\n elif o == _neginf:\n text = '-Infinity'\n else:\n return _repr(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L256_C16", "label": "text =", "type": "assigned_variable", "loc": [256, 256], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L255_C12", "vector": [14, 5, 0.511, 0.002, 5, 0.81, 0.0, 439, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = 'Infinity'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L257_C12", "label": "if", "type": "if", "loc": [257, 260], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L255_C12", "vector": [4, 5, 0.516, 0.008, 5, 0.81, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif o == _neginf:\n text = '-Infinity'\n else:\n return _repr(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L258_C16", "label": "text =", "type": "assigned_variable", "loc": [258, 258], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L257_C12", "vector": [14, 6, 0.515, 0.002, 6, 0.21, 0.0, 439, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = '-Infinity'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L260_C16", "label": "return", "type": "return", "loc": [260, 260], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L257_C12", "vector": [13, 6, 0.519, 0.002, 6, 0.21, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _repr(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L262_C12", "label": "if", "type": "if", "loc": [262, 265], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L247_C8", "vector": [4, 3, 0.5259, 0.008, 3, 0.13, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not allow_nan:\n raise ValueError(\n \"Out of range float values are not JSON compliant: \" +\n repr(o))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L267_C12", "label": "return", "type": "return", "loc": [267, 267], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L247_C8", "vector": [13, 3, 0.5329, 0.002, 3, 0.13, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return text"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L270_C8", "label": "key_memo =", "type": "assigned_variable", "loc": [270, 270], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "vector": [14, 2, 0.5389, 0.002, 2, 0.2, 0.7143, 906, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "key_memo", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key_memo = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L271_C8", "label": "if", "type": "if", "loc": [271, 281], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "vector": [4, 2, 0.5509, 0.022, 2, 0.2, 0.8571, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (_one_shot and c_make_encoder is not None\n and self.indent is None):\n _iterencode = c_make_encoder(\n markers, self.default, _encoder, self.indent,\n self.key_separator, self.item_separator, self.sort_keys,\n self.skipkeys, self.allow_nan, key_memo, self.use_decimal)\n else:\n _iterencode = _make_iterencode("}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L273_C12", "label": "_iterencode = c_make_encoder()", "type": "assigned_variable", "loc": [273, 276], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L271_C8", "vector": [14, 3, 0.5479, 0.008, 3, 0.56, 0.0, 136, 3, 11, 0, 0, 30, 10, 1], "semantic": {"name": "_iterencode", "arg_names": [], "import_names": [], "rhs_call_name": "c_make_encoder", "annotation": ""}, "snippet": " _iterencode = c_make_encoder(\n markers, self.default, _encoder, self.indent,\n self.key_separator, self.item_separator, self.sort_keys,\n self.skipkeys, self.allow_nan, key_memo, self.use_decimal)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L278_C12", "label": "_iterencode = _make_iterencode()", "type": "assigned_variable", "loc": [278, 281], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L271_C8", "vector": [14, 3, 0.5579, 0.008, 3, 0.56, 1.0, 136, 3, 11, 0, 0, 845, 10, 1], "semantic": {"name": "_iterencode", "arg_names": [], "import_names": [], "rhs_call_name": "_make_iterencode", "annotation": ""}, "snippet": " _iterencode = _make_iterencode(\n markers, self.default, _encoder, self.indent, floatstr,\n self.key_separator, self.item_separator, self.sort_keys,\n self.skipkeys, _one_shot, self.use_decimal)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L282_C8", "label": "try", "type": "try", "loc": [282, 285], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "vector": [7, 2, 0.5659, 0.008, 2, 0.2, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return _iterencode(o, 0)\n finally:\n key_memo.clear()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L283_C12", "label": "return", "type": "return", "loc": [283, 283], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L282_C8", "vector": [13, 3, 0.5649, 0.002, 3, 0.52, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _iterencode(o, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L285_C12", "label": "clear()", "type": "expression", "loc": [285, 285], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L282_C8", "vector": [8, 3, 0.5689, 0.002, 3, 0.52, 1.0, 712, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "clear", "arg_names": [], "import_names": [], "rhs_call_name": "clear", "annotation": ""}, "snippet": " key_memo.clear()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L288_C0", "label": "JSONEncoderForHTML", "type": "class", "loc": [288, 312], "level": 0, "parent": null, "vector": [3, 0, 0.5988, 0.0499, 0, 0.66, 0.9412, 179, 0, 2, 0, 0, 228, 0, 8], "semantic": {"name": "JSONEncoderForHTML", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class JSONEncoderForHTML(JSONEncoder):\n \"\"\"An encoder that produces JSON safe to embed in HTML.\n\n To embed JSON content in, say, a script tag on a web page, the\n characters &, < and > should be escaped. They cannot be escaped\n with the usual entities (e.g. &amp;) because they are not expanded\n within <script> tags.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L289_C4", "label": "expression", "type": "expression", "loc": [289, 295], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L288_C0", "vector": [8, 1, 0.5828, 0.014, 1, 0.4, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"An encoder that produces JSON safe to embed in HTML.\n\n To embed JSON content in, say, a script tag on a web page, the\n characters &, < and > should be escaped. They cannot be escaped\n with the usual entities (e.g. &amp;) because they are not expanded\n within <script> tags.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L297_C4", "label": "encode", "type": "function", "loc": [297, 304], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L288_C0", "vector": [2, 1, 0.5998, 0.016, 1, 0.4, 0.5, 623, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "encode", "arg_names": ["self", "o"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def encode(self, o):\n # Override JSONEncoder.encode because it has hacks for\n # performance that make things more complicated.\n chunks = self.iterencode(o, True)\n if self.ensure_ascii:\n return ''.join(chunks)\n else:\n return u''.join(chunks)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L300_C8", "label": "chunks = iterencode()", "type": "assigned_variable", "loc": [300, 300], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L297_C4", "vector": [14, 2, 0.5988, 0.002, 2, 0.22, 0.0, 284, 3, 2, 0, 0, 315, 10, 1], "semantic": {"name": "chunks", "arg_names": [], "import_names": [], "rhs_call_name": "iterencode", "annotation": ""}, "snippet": " chunks = self.iterencode(o, True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L301_C8", "label": "if", "type": "if", "loc": [301, 304], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L297_C4", "vector": [4, 2, 0.6038, 0.008, 2, 0.22, 1.0, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.ensure_ascii:\n return ''.join(chunks)\n else:\n return u''.join(chunks)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L302_C12", "label": "return", "type": "return", "loc": [302, 302], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L301_C8", "vector": [13, 3, 0.6028, 0.002, 3, 0.98, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ''.join(chunks)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L304_C12", "label": "return", "type": "return", "loc": [304, 304], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L301_C8", "vector": [13, 3, 0.6068, 0.002, 3, 0.98, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return u''.join(chunks)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L306_C4", "label": "iterencode", "type": "function", "loc": [306, 312], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L288_C0", "vector": [2, 1, 0.6168, 0.014, 1, 0.4, 1.0, 315, 0, 3, 0, 0, 0, 0, 5], "semantic": {"name": "iterencode", "arg_names": ["self", "o", "_one_shot"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def iterencode(self, o, _one_shot=False):\n chunks = super(JSONEncoderForHTML, self).iterencode(o, _one_shot)\n for chunk in chunks:\n chunk = chunk.replace('&', '\\\\u0026')\n chunk = chunk.replace('<', '\\\\u003c')\n chunk = chunk.replace('>', '\\\\u003e')\n yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L307_C8", "label": "chunks = iterencode()", "type": "assigned_variable", "loc": [307, 307], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L306_C4", "vector": [14, 2, 0.6128, 0.002, 2, 0.49, 0.0, 284, 3, 2, 0, 0, 315, 10, 2], "semantic": {"name": "chunks", "arg_names": [], "import_names": [], "rhs_call_name": "iterencode", "annotation": ""}, "snippet": " chunks = super(JSONEncoderForHTML, self).iterencode(o, _one_shot)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:For_L308_C8", "label": "for chunk", "type": "for", "loc": [308, 312], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L306_C4", "vector": [6, 2, 0.6188, 0.01, 2, 0.49, 1.0, 637, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "chunk", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for chunk in chunks:\n chunk = chunk.replace('&', '\\\\u0026')\n chunk = chunk.replace('<', '\\\\u003c')\n chunk = chunk.replace('>', '\\\\u003e')\n yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L309_C12", "label": "chunk = replace()", "type": "assigned_variable", "loc": [309, 309], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L308_C8", "vector": [14, 3, 0.6168, 0.002, 3, 0.96, 0.0, 637, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "chunk", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " chunk = chunk.replace('&', '\\\\u0026')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L310_C12", "label": "chunk = replace()", "type": "assigned_variable", "loc": [310, 310], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L308_C8", "vector": [14, 3, 0.6188, 0.002, 3, 0.96, 0.3333, 637, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "chunk", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " chunk = chunk.replace('<', '\\\\u003c')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L311_C12", "label": "chunk = replace()", "type": "assigned_variable", "loc": [311, 311], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L308_C8", "vector": [14, 3, 0.6208, 0.002, 3, 0.96, 0.6667, 637, 3, 2, 0, 0, 293, 10, 1], "semantic": {"name": "chunk", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " chunk = chunk.replace('>', '\\\\u003e')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L312_C12", "label": "expression", "type": "expression", "loc": [312, 312], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L308_C8", "vector": [8, 3, 0.6228, 0.002, 3, 0.96, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L315_C0", "label": "_make_iterencode", "type": "function", "loc": [315, 500], "level": 0, "parent": null, "vector": [2, 0, 0.8134, 0.3713, 0, 0.66, 1.0, 845, 0, 23, 1, 0, 0, 0, 57], "semantic": {"name": "_make_iterencode", "arg_names": ["markers", "_default", "_encoder", "_indent", "_floatstr", "_key_separator", "_item_separator", "_sort_keys", "_skipkeys", "_one_shot", "_use_decimal", "ValueError", "basestring", "Decimal", "dict", "float", "id", "int", "isinstance", "list", "long", "str", "tuple"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _make_iterencode(markers, _default, _encoder, _indent, _floatstr,\n _key_separator, _item_separator, _sort_keys, _skipkeys, _one_shot,\n _use_decimal,\n ## HACK: hand-optimized bytecode; turn globals into locals\n ValueError=ValueError,\n basestring=basestring,\n Decimal=Decimal,\n dict=dict,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "label": "_iterencode_list", "type": "function", "loc": [333, 386], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L315_C0", "vector": [2, 1, 0.7176, 0.1078, 1, 0.13, 0.0, 1, 0, 2, 0, 0, 0, 0, 15], "semantic": {"name": "_iterencode_list", "arg_names": ["lst", "_current_indent_level"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _iterencode_list(lst, _current_indent_level):\n if not lst:\n yield '[]'\n return\n if markers is not None:\n markerid = id(lst)\n if markerid in markers:\n raise ValueError(\"Circular reference detected\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L334_C8", "label": "if", "type": "if", "loc": [334, 336], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "vector": [4, 2, 0.6687, 0.006, 2, 0.53, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not lst:\n yield '[]'\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L335_C12", "label": "expression", "type": "expression", "loc": [335, 335], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L334_C8", "vector": [8, 3, 0.6687, 0.002, 3, 0.07, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield '[]'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L336_C12", "label": "return", "type": "return", "loc": [336, 336], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L334_C8", "vector": [13, 3, 0.6707, 0.002, 3, 0.07, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L337_C8", "label": "if", "type": "if", "loc": [337, 341], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "vector": [4, 2, 0.6766, 0.01, 2, 0.53, 0.125, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if markers is not None:\n markerid = id(lst)\n if markerid in markers:\n raise ValueError(\"Circular reference detected\")\n markers[markerid] = lst"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L338_C12", "label": "markerid = id()", "type": "assigned_variable", "loc": [338, 338], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L337_C8", "vector": [14, 3, 0.6747, 0.002, 3, 0.08, 0.0, 105, 3, 1, 0, 0, 941, 10, 1], "semantic": {"name": "markerid", "arg_names": [], "import_names": [], "rhs_call_name": "id", "annotation": ""}, "snippet": " markerid = id(lst)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L339_C12", "label": "if", "type": "if", "loc": [339, 340], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L337_C8", "vector": [4, 3, 0.6776, 0.004, 3, 0.08, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if markerid in markers:\n raise ValueError(\"Circular reference detected\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L341_C12", "label": "assign", "type": "assigned_variable", "loc": [341, 341], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L337_C8", "vector": [14, 3, 0.6806, 0.002, 3, 0.08, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " markers[markerid] = lst"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L342_C8", "label": "buf =", "type": "assigned_variable", "loc": [342, 342], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "vector": [14, 2, 0.6826, 0.002, 2, 0.53, 0.25, 840, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "buf", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " buf = '['"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L343_C8", "label": "if", "type": "if", "loc": [343, 350], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "vector": [4, 2, 0.6916, 0.016, 2, 0.53, 0.375, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if _indent is not None:\n _current_indent_level += 1\n newline_indent = '\\n' + (_indent * _current_indent_level)\n separator = _item_separator + newline_indent\n buf += newline_indent\n else:\n newline_indent = None\n separator = _item_separator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L345_C12", "label": "newline_indent =", "type": "assigned_variable", "loc": [345, 345], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L343_C8", "vector": [14, 3, 0.6886, 0.002, 3, 0.38, 0.0, 810, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "newline_indent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " newline_indent = '\\n' + (_indent * _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L346_C12", "label": "separator =", "type": "assigned_variable", "loc": [346, 346], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L343_C8", "vector": [14, 3, 0.6906, 0.002, 3, 0.38, 0.3333, 539, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "separator", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " separator = _item_separator + newline_indent"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L349_C12", "label": "newline_indent =", "type": "assigned_variable", "loc": [349, 349], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L343_C8", "vector": [14, 3, 0.6966, 0.002, 3, 0.38, 0.6667, 810, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "newline_indent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " newline_indent = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L350_C12", "label": "separator =", "type": "assigned_variable", "loc": [350, 350], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L343_C8", "vector": [14, 3, 0.6986, 0.002, 3, 0.38, 1.0, 539, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "separator", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " separator = _item_separator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L351_C8", "label": "first =", "type": "assigned_variable", "loc": [351, 351], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "vector": [14, 2, 0.7006, 0.002, 2, 0.53, 0.5, 199, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "first", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " first = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:For_L352_C8", "label": "for value", "type": "for", "loc": [352, 380], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "vector": [6, 2, 0.7305, 0.0579, 2, 0.53, 0.625, 441, 2, 0, 0, 0, 0, 0, 13], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for value in lst:\n if first:\n first = False\n else:\n buf = separator\n if isinstance(value, basestring):\n yield buf + _encoder(value)\n elif value is None:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L353_C12", "label": "if", "type": "if", "loc": [353, 356], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L352_C8", "vector": [4, 3, 0.7076, 0.008, 3, 0.96, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if first:\n first = False\n else:\n buf = separator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L354_C16", "label": "first =", "type": "assigned_variable", "loc": [354, 354], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L353_C12", "vector": [14, 4, 0.7066, 0.002, 4, 0.77, 0.0, 199, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "first", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " first = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L356_C16", "label": "buf =", "type": "assigned_variable", "loc": [356, 356], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L353_C12", "vector": [14, 4, 0.7106, 0.002, 4, 0.77, 1.0, 840, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "buf", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " buf = separator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L357_C12", "label": "if", "type": "if", "loc": [357, 380], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L352_C8", "vector": [4, 3, 0.7355, 0.0479, 3, 0.96, 1.0, 0, 3, 0, 0, 0, 0, 0, 13], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(value, basestring):\n yield buf + _encoder(value)\n elif value is None:\n yield buf + 'null'\n elif value is True:\n yield buf + 'true'\n elif value is False:\n yield buf + 'false'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L358_C16", "label": "expression", "type": "expression", "loc": [358, 358], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L357_C12", "vector": [8, 4, 0.7146, 0.002, 4, 0.09, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield buf + _encoder(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L359_C12", "label": "if", "type": "if", "loc": [359, 380], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L357_C12", "vector": [4, 4, 0.7375, 0.0439, 4, 0.09, 1.0, 0, 0, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif value is None:\n yield buf + 'null'\n elif value is True:\n yield buf + 'true'\n elif value is False:\n yield buf + 'false'\n elif isinstance(value, (int, long)):\n yield buf + str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L360_C16", "label": "expression", "type": "expression", "loc": [360, 360], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L359_C12", "vector": [8, 5, 0.7186, 0.002, 5, 0.9, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield buf + 'null'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L361_C12", "label": "if", "type": "if", "loc": [361, 380], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L359_C12", "vector": [4, 5, 0.7395, 0.0399, 5, 0.9, 1.0, 0, 0, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif value is True:\n yield buf + 'true'\n elif value is False:\n yield buf + 'false'\n elif isinstance(value, (int, long)):\n yield buf + str(value)\n elif isinstance(value, float):\n yield buf + _floatstr(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L362_C16", "label": "expression", "type": "expression", "loc": [362, 362], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L361_C12", "vector": [8, 6, 0.7226, 0.002, 6, 0.16, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield buf + 'true'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L363_C12", "label": "if", "type": "if", "loc": [363, 380], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L361_C12", "vector": [4, 6, 0.7415, 0.0359, 6, 0.16, 1.0, 0, 0, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif value is False:\n yield buf + 'false'\n elif isinstance(value, (int, long)):\n yield buf + str(value)\n elif isinstance(value, float):\n yield buf + _floatstr(value)\n elif _use_decimal and isinstance(value, Decimal):\n yield buf + str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L364_C16", "label": "expression", "type": "expression", "loc": [364, 364], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L363_C12", "vector": [8, 7, 0.7265, 0.002, 7, 0.22, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield buf + 'false'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L365_C12", "label": "if", "type": "if", "loc": [365, 380], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L363_C12", "vector": [4, 7, 0.7435, 0.0319, 7, 0.22, 1.0, 0, 3, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(value, (int, long)):\n yield buf + str(value)\n elif isinstance(value, float):\n yield buf + _floatstr(value)\n elif _use_decimal and isinstance(value, Decimal):\n yield buf + str(value)\n else:\n yield buf"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L366_C16", "label": "expression", "type": "expression", "loc": [366, 366], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L365_C12", "vector": [8, 8, 0.7305, 0.002, 8, 0.33, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield buf + str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L367_C12", "label": "if", "type": "if", "loc": [367, 380], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L365_C12", "vector": [4, 8, 0.7455, 0.0279, 8, 0.33, 1.0, 0, 3, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(value, float):\n yield buf + _floatstr(value)\n elif _use_decimal and isinstance(value, Decimal):\n yield buf + str(value)\n else:\n yield buf\n if isinstance(value, (list, tuple)):\n chunks = _iterencode_list(value, _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L368_C16", "label": "expression", "type": "expression", "loc": [368, 368], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L367_C12", "vector": [8, 9, 0.7345, 0.002, 9, 0.58, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield buf + _floatstr(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L369_C12", "label": "if", "type": "if", "loc": [369, 380], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L367_C12", "vector": [4, 9, 0.7475, 0.024, 9, 0.58, 1.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif _use_decimal and isinstance(value, Decimal):\n yield buf + str(value)\n else:\n yield buf\n if isinstance(value, (list, tuple)):\n chunks = _iterencode_list(value, _current_indent_level)\n elif isinstance(value, dict):\n chunks = _iterencode_dict(value, _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L370_C16", "label": "expression", "type": "expression", "loc": [370, 370], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L369_C12", "vector": [8, 10, 0.7385, 0.002, 10, 0.47, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield buf + str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L372_C16", "label": "expression", "type": "expression", "loc": [372, 372], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L369_C12", "vector": [8, 10, 0.7425, 0.002, 10, 0.47, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield buf"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L373_C16", "label": "if", "type": "if", "loc": [373, 378], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L369_C12", "vector": [4, 10, 0.7495, 0.012, 10, 0.47, 0.6667, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(value, (list, tuple)):\n chunks = _iterencode_list(value, _current_indent_level)\n elif isinstance(value, dict):\n chunks = _iterencode_dict(value, _current_indent_level)\n else:\n chunks = _iterencode(value, _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L374_C20", "label": "chunks = _iterencode_list()", "type": "assigned_variable", "loc": [374, 374], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L373_C16", "vector": [14, 11, 0.7465, 0.002, 11, 0.96, 0.0, 284, 3, 2, 0, 0, 1, 10, 1], "semantic": {"name": "chunks", "arg_names": [], "import_names": [], "rhs_call_name": "_iterencode_list", "annotation": ""}, "snippet": " chunks = _iterencode_list(value, _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L375_C16", "label": "if", "type": "if", "loc": [375, 378], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L373_C16", "vector": [4, 11, 0.7515, 0.008, 11, 0.96, 1.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(value, dict):\n chunks = _iterencode_dict(value, _current_indent_level)\n else:\n chunks = _iterencode(value, _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L376_C20", "label": "chunks = _iterencode_dict()", "type": "assigned_variable", "loc": [376, 376], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L375_C16", "vector": [14, 12, 0.7505, 0.002, 12, 0.06, 0.0, 284, 3, 2, 0, 0, 301, 10, 1], "semantic": {"name": "chunks", "arg_names": [], "import_names": [], "rhs_call_name": "_iterencode_dict", "annotation": ""}, "snippet": " chunks = _iterencode_dict(value, _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L378_C20", "label": "chunks = _iterencode()", "type": "assigned_variable", "loc": [378, 378], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L375_C16", "vector": [14, 12, 0.7545, 0.002, 12, 0.06, 1.0, 284, 3, 2, 0, 0, 136, 10, 1], "semantic": {"name": "chunks", "arg_names": [], "import_names": [], "rhs_call_name": "_iterencode", "annotation": ""}, "snippet": " chunks = _iterencode(value, _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:For_L379_C16", "label": "for chunk", "type": "for", "loc": [379, 380], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L369_C12", "vector": [6, 10, 0.7575, 0.004, 10, 0.47, 1.0, 637, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "chunk", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for chunk in chunks:\n yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L380_C20", "label": "expression", "type": "expression", "loc": [380, 380], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L379_C16", "vector": [8, 11, 0.7585, 0.002, 11, 0.23, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L381_C8", "label": "if", "type": "if", "loc": [381, 383], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "vector": [4, 2, 0.7625, 0.006, 2, 0.53, 0.75, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if newline_indent is not None:\n _current_indent_level -= 1\n yield '\\n' + (_indent * _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L383_C12", "label": "expression", "type": "expression", "loc": [383, 383], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L381_C8", "vector": [8, 3, 0.7645, 0.002, 3, 0.08, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield '\\n' + (_indent * _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L384_C8", "label": "expression", "type": "expression", "loc": [384, 384], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "vector": [8, 2, 0.7665, 0.002, 2, 0.53, 0.875, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield ']'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L385_C8", "label": "if", "type": "if", "loc": [385, 386], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "vector": [4, 2, 0.7695, 0.004, 2, 0.53, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if markers is not None:\n del markers[markerid]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "label": "_iterencode_dict", "type": "function", "loc": [388, 465], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L315_C0", "vector": [2, 1, 0.8513, 0.1557, 1, 0.13, 0.3333, 301, 0, 2, 0, 0, 0, 0, 26], "semantic": {"name": "_iterencode_dict", "arg_names": ["dct", "_current_indent_level"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _iterencode_dict(dct, _current_indent_level):\n if not dct:\n yield '{}'\n return\n if markers is not None:\n markerid = id(dct)\n if markerid in markers:\n raise ValueError(\"Circular reference detected\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L389_C8", "label": "if", "type": "if", "loc": [389, 391], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "vector": [4, 2, 0.7784, 0.006, 2, 0.38, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not dct:\n yield '{}'\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L390_C12", "label": "expression", "type": "expression", "loc": [390, 390], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L389_C8", "vector": [8, 3, 0.7784, 0.002, 3, 0.53, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield '{}'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L391_C12", "label": "return", "type": "return", "loc": [391, 391], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L389_C8", "vector": [13, 3, 0.7804, 0.002, 3, 0.53, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L392_C8", "label": "if", "type": "if", "loc": [392, 396], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "vector": [4, 2, 0.7864, 0.01, 2, 0.38, 0.1111, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if markers is not None:\n markerid = id(dct)\n if markerid in markers:\n raise ValueError(\"Circular reference detected\")\n markers[markerid] = dct"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L393_C12", "label": "markerid = id()", "type": "assigned_variable", "loc": [393, 393], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L392_C8", "vector": [14, 3, 0.7844, 0.002, 3, 0.37, 0.0, 105, 3, 1, 0, 0, 941, 10, 1], "semantic": {"name": "markerid", "arg_names": [], "import_names": [], "rhs_call_name": "id", "annotation": ""}, "snippet": " markerid = id(dct)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L394_C12", "label": "if", "type": "if", "loc": [394, 395], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L392_C8", "vector": [4, 3, 0.7874, 0.004, 3, 0.37, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if markerid in markers:\n raise ValueError(\"Circular reference detected\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L396_C12", "label": "assign", "type": "assigned_variable", "loc": [396, 396], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L392_C8", "vector": [14, 3, 0.7904, 0.002, 3, 0.37, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " markers[markerid] = dct"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L397_C8", "label": "expression", "type": "expression", "loc": [397, 397], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "vector": [8, 2, 0.7924, 0.002, 2, 0.38, 0.2222, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield '{'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L398_C8", "label": "if", "type": "if", "loc": [398, 405], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "vector": [4, 2, 0.8014, 0.016, 2, 0.38, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if _indent is not None:\n _current_indent_level += 1\n newline_indent = '\\n' + (_indent * _current_indent_level)\n item_separator = _item_separator + newline_indent\n yield newline_indent\n else:\n newline_indent = None\n item_separator = _item_separator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L400_C12", "label": "newline_indent =", "type": "assigned_variable", "loc": [400, 400], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L398_C8", "vector": [14, 3, 0.7984, 0.002, 3, 0.15, 0.0, 810, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "newline_indent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " newline_indent = '\\n' + (_indent * _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L401_C12", "label": "item_separator =", "type": "assigned_variable", "loc": [401, 401], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L398_C8", "vector": [14, 3, 0.8004, 0.002, 3, 0.15, 0.25, 330, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "item_separator", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " item_separator = _item_separator + newline_indent"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L402_C12", "label": "expression", "type": "expression", "loc": [402, 402], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L398_C8", "vector": [8, 3, 0.8024, 0.002, 3, 0.15, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield newline_indent"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L404_C12", "label": "newline_indent =", "type": "assigned_variable", "loc": [404, 404], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L398_C8", "vector": [14, 3, 0.8064, 0.002, 3, 0.15, 0.75, 810, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "newline_indent", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " newline_indent = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L405_C12", "label": "item_separator =", "type": "assigned_variable", "loc": [405, 405], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L398_C8", "vector": [14, 3, 0.8084, 0.002, 3, 0.15, 1.0, 330, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "item_separator", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " item_separator = _item_separator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L406_C8", "label": "first =", "type": "assigned_variable", "loc": [406, 406], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "vector": [14, 2, 0.8104, 0.002, 2, 0.38, 0.4444, 199, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "first", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " first = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L407_C8", "label": "if", "type": "if", "loc": [407, 411], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "vector": [4, 2, 0.8164, 0.01, 2, 0.38, 0.5556, 0, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if _sort_keys:\n items = dct.items()\n items.sort(key=lambda kv: kv[0])\n else:\n items = dct.iteritems()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L408_C12", "label": "items = items()", "type": "assigned_variable", "loc": [408, 408], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L407_C8", "vector": [14, 3, 0.8144, 0.002, 3, 0.6, 0.0, 339, 3, 0, 0, 0, 339, 10, 1], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "items", "annotation": ""}, "snippet": " items = dct.items()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L409_C12", "label": "sort()", "type": "expression", "loc": [409, 409], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L407_C8", "vector": [8, 3, 0.8164, 0.002, 3, 0.6, 0.5, 489, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "sort", "arg_names": [], "import_names": [], "rhs_call_name": "sort", "annotation": ""}, "snippet": " items.sort(key=lambda kv: kv[0])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L411_C12", "label": "items = iteritems()", "type": "assigned_variable", "loc": [411, 411], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L407_C8", "vector": [14, 3, 0.8204, 0.002, 3, 0.6, 1.0, 339, 3, 0, 0, 0, 252, 10, 1], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "iteritems", "annotation": ""}, "snippet": " items = dct.iteritems()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:For_L412_C8", "label": "for key, value", "type": "for", "loc": [412, 459], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "vector": [6, 2, 0.8693, 0.0958, 2, 0.38, 0.6667, 839, 2, 0, 0, 0, 0, 0, 21], "semantic": {"name": "key, value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for key, value in items:\n if isinstance(key, basestring):\n pass\n # JavaScript is weakly typed for these, so it makes sense to\n # also allow them. Many encoders seem to do something like this.\n elif isinstance(key, float):\n key = _floatstr(key)\n elif key is True:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L413_C12", "label": "if", "type": "if", "loc": [413, 430], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L412_C8", "vector": [4, 3, 0.8413, 0.0359, 3, 0.16, 0.0, 0, 3, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(key, basestring):\n pass\n # JavaScript is weakly typed for these, so it makes sense to\n # also allow them. Many encoders seem to do something like this.\n elif isinstance(key, float):\n key = _floatstr(key)\n elif key is True:\n key = 'true'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L417_C12", "label": "if", "type": "if", "loc": [417, 430], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L413_C12", "vector": [4, 4, 0.8453, 0.0279, 4, 0.6, 0.0, 0, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(key, float):\n key = _floatstr(key)\n elif key is True:\n key = 'true'\n elif key is False:\n key = 'false'\n elif key is None:\n key = 'null'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L418_C16", "label": "key = _floatstr()", "type": "assigned_variable", "loc": [418, 418], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L417_C12", "vector": [14, 5, 0.8343, 0.002, 5, 0.5, 0.0, 230, 3, 1, 0, 0, 185, 10, 1], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "_floatstr", "annotation": ""}, "snippet": " key = _floatstr(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L419_C12", "label": "if", "type": "if", "loc": [419, 430], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L417_C12", "vector": [4, 5, 0.8473, 0.024, 5, 0.5, 1.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif key is True:\n key = 'true'\n elif key is False:\n key = 'false'\n elif key is None:\n key = 'null'\n elif isinstance(key, (int, long)):\n key = str(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L420_C16", "label": "key =", "type": "assigned_variable", "loc": [420, 420], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L419_C12", "vector": [14, 6, 0.8383, 0.002, 6, 0.67, 0.0, 230, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key = 'true'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L421_C12", "label": "if", "type": "if", "loc": [421, 430], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L419_C12", "vector": [4, 6, 0.8493, 0.02, 6, 0.67, 1.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif key is False:\n key = 'false'\n elif key is None:\n key = 'null'\n elif isinstance(key, (int, long)):\n key = str(key)\n elif _skipkeys:\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L422_C16", "label": "key =", "type": "assigned_variable", "loc": [422, 422], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L421_C12", "vector": [14, 7, 0.8423, 0.002, 7, 0.69, 0.0, 230, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key = 'false'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L423_C12", "label": "if", "type": "if", "loc": [423, 430], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L421_C12", "vector": [4, 7, 0.8513, 0.016, 7, 0.69, 1.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif key is None:\n key = 'null'\n elif isinstance(key, (int, long)):\n key = str(key)\n elif _skipkeys:\n continue\n else:\n raise TypeError(\"key \" + repr(key) + \" is not a string\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L424_C16", "label": "key =", "type": "assigned_variable", "loc": [424, 424], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L423_C12", "vector": [14, 8, 0.8463, 0.002, 8, 0.37, 0.0, 230, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key = 'null'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L425_C12", "label": "if", "type": "if", "loc": [425, 430], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L423_C12", "vector": [4, 8, 0.8533, 0.012, 8, 0.37, 1.0, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(key, (int, long)):\n key = str(key)\n elif _skipkeys:\n continue\n else:\n raise TypeError(\"key \" + repr(key) + \" is not a string\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L426_C16", "label": "key = str()", "type": "assigned_variable", "loc": [426, 426], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L425_C12", "vector": [14, 9, 0.8503, 0.002, 9, 0.39, 0.0, 230, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " key = str(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L427_C12", "label": "if", "type": "if", "loc": [427, 430], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L425_C12", "vector": [4, 9, 0.8553, 0.008, 9, 0.39, 1.0, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif _skipkeys:\n continue\n else:\n raise TypeError(\"key \" + repr(key) + \" is not a string\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L431_C12", "label": "if", "type": "if", "loc": [431, 434], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L412_C8", "vector": [4, 3, 0.8633, 0.008, 3, 0.16, 0.25, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if first:\n first = False\n else:\n yield item_separator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L432_C16", "label": "first =", "type": "assigned_variable", "loc": [432, 432], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L431_C12", "vector": [14, 4, 0.8623, 0.002, 4, 0.9, 0.0, 199, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "first", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " first = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L434_C16", "label": "expression", "type": "expression", "loc": [434, 434], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L431_C12", "vector": [8, 4, 0.8663, 0.002, 4, 0.9, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield item_separator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L435_C12", "label": "expression", "type": "expression", "loc": [435, 435], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L412_C8", "vector": [8, 3, 0.8683, 0.002, 3, 0.16, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield _encoder(key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L436_C12", "label": "expression", "type": "expression", "loc": [436, 436], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L412_C8", "vector": [8, 3, 0.8703, 0.002, 3, 0.16, 0.75, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield _key_separator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L437_C12", "label": "if", "type": "if", "loc": [437, 459], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L412_C8", "vector": [4, 3, 0.8942, 0.0459, 3, 0.16, 1.0, 0, 3, 0, 0, 0, 0, 0, 13], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(value, basestring):\n yield _encoder(value)\n elif value is None:\n yield 'null'\n elif value is True:\n yield 'true'\n elif value is False:\n yield 'false'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L438_C16", "label": "expression", "type": "expression", "loc": [438, 438], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L437_C12", "vector": [8, 4, 0.8743, 0.002, 4, 0.96, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield _encoder(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L439_C12", "label": "if", "type": "if", "loc": [439, 459], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L437_C12", "vector": [4, 4, 0.8962, 0.0419, 4, 0.96, 1.0, 0, 0, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif value is None:\n yield 'null'\n elif value is True:\n yield 'true'\n elif value is False:\n yield 'false'\n elif isinstance(value, (int, long)):\n yield str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L440_C16", "label": "expression", "type": "expression", "loc": [440, 440], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L439_C12", "vector": [8, 5, 0.8782, 0.002, 5, 0.29, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield 'null'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L441_C12", "label": "if", "type": "if", "loc": [441, 459], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L439_C12", "vector": [4, 5, 0.8982, 0.0379, 5, 0.29, 1.0, 0, 0, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif value is True:\n yield 'true'\n elif value is False:\n yield 'false'\n elif isinstance(value, (int, long)):\n yield str(value)\n elif isinstance(value, float):\n yield _floatstr(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L442_C16", "label": "expression", "type": "expression", "loc": [442, 442], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L441_C12", "vector": [8, 6, 0.8822, 0.002, 6, 0.85, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield 'true'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L443_C12", "label": "if", "type": "if", "loc": [443, 459], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L441_C12", "vector": [4, 6, 0.9002, 0.0339, 6, 0.85, 1.0, 0, 0, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif value is False:\n yield 'false'\n elif isinstance(value, (int, long)):\n yield str(value)\n elif isinstance(value, float):\n yield _floatstr(value)\n elif _use_decimal and isinstance(value, Decimal):\n yield str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L444_C16", "label": "expression", "type": "expression", "loc": [444, 444], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L443_C12", "vector": [8, 7, 0.8862, 0.002, 7, 0.26, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield 'false'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L445_C12", "label": "if", "type": "if", "loc": [445, 459], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L443_C12", "vector": [4, 7, 0.9022, 0.0299, 7, 0.26, 1.0, 0, 3, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(value, (int, long)):\n yield str(value)\n elif isinstance(value, float):\n yield _floatstr(value)\n elif _use_decimal and isinstance(value, Decimal):\n yield str(value)\n else:\n if isinstance(value, (list, tuple)):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L446_C16", "label": "expression", "type": "expression", "loc": [446, 446], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L445_C12", "vector": [8, 8, 0.8902, 0.002, 8, 0.4, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L447_C12", "label": "if", "type": "if", "loc": [447, 459], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L445_C12", "vector": [4, 8, 0.9042, 0.0259, 8, 0.4, 1.0, 0, 3, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(value, float):\n yield _floatstr(value)\n elif _use_decimal and isinstance(value, Decimal):\n yield str(value)\n else:\n if isinstance(value, (list, tuple)):\n chunks = _iterencode_list(value, _current_indent_level)\n elif isinstance(value, dict):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L448_C16", "label": "expression", "type": "expression", "loc": [448, 448], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L447_C12", "vector": [8, 9, 0.8942, 0.002, 9, 0.02, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield _floatstr(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L449_C12", "label": "if", "type": "if", "loc": [449, 459], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L447_C12", "vector": [4, 9, 0.9062, 0.022, 9, 0.02, 1.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif _use_decimal and isinstance(value, Decimal):\n yield str(value)\n else:\n if isinstance(value, (list, tuple)):\n chunks = _iterencode_list(value, _current_indent_level)\n elif isinstance(value, dict):\n chunks = _iterencode_dict(value, _current_indent_level)\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L450_C16", "label": "expression", "type": "expression", "loc": [450, 450], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L449_C12", "vector": [8, 10, 0.8982, 0.002, 10, 0.71, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield str(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L452_C16", "label": "if", "type": "if", "loc": [452, 457], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L449_C12", "vector": [4, 10, 0.9072, 0.012, 10, 0.71, 0.5, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(value, (list, tuple)):\n chunks = _iterencode_list(value, _current_indent_level)\n elif isinstance(value, dict):\n chunks = _iterencode_dict(value, _current_indent_level)\n else:\n chunks = _iterencode(value, _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L453_C20", "label": "chunks = _iterencode_list()", "type": "assigned_variable", "loc": [453, 453], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L452_C16", "vector": [14, 11, 0.9042, 0.002, 11, 0.47, 0.0, 284, 3, 2, 0, 0, 1, 10, 1], "semantic": {"name": "chunks", "arg_names": [], "import_names": [], "rhs_call_name": "_iterencode_list", "annotation": ""}, "snippet": " chunks = _iterencode_list(value, _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L454_C16", "label": "if", "type": "if", "loc": [454, 457], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L452_C16", "vector": [4, 11, 0.9092, 0.008, 11, 0.47, 1.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(value, dict):\n chunks = _iterencode_dict(value, _current_indent_level)\n else:\n chunks = _iterencode(value, _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L455_C20", "label": "chunks = _iterencode_dict()", "type": "assigned_variable", "loc": [455, 455], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L454_C16", "vector": [14, 12, 0.9082, 0.002, 12, 0.7, 0.0, 284, 3, 2, 0, 0, 301, 10, 1], "semantic": {"name": "chunks", "arg_names": [], "import_names": [], "rhs_call_name": "_iterencode_dict", "annotation": ""}, "snippet": " chunks = _iterencode_dict(value, _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L457_C20", "label": "chunks = _iterencode()", "type": "assigned_variable", "loc": [457, 457], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L454_C16", "vector": [14, 12, 0.9122, 0.002, 12, 0.7, 1.0, 284, 3, 2, 0, 0, 136, 10, 1], "semantic": {"name": "chunks", "arg_names": [], "import_names": [], "rhs_call_name": "_iterencode", "annotation": ""}, "snippet": " chunks = _iterencode(value, _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:For_L458_C16", "label": "for chunk", "type": "for", "loc": [458, 459], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L449_C12", "vector": [6, 10, 0.9152, 0.004, 10, 0.71, 1.0, 637, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "chunk", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for chunk in chunks:\n yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L459_C20", "label": "expression", "type": "expression", "loc": [459, 459], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L458_C16", "vector": [8, 11, 0.9162, 0.002, 11, 0.68, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L460_C8", "label": "if", "type": "if", "loc": [460, 462], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "vector": [4, 2, 0.9202, 0.006, 2, 0.38, 0.7778, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if newline_indent is not None:\n _current_indent_level -= 1\n yield '\\n' + (_indent * _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L462_C12", "label": "expression", "type": "expression", "loc": [462, 462], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L460_C8", "vector": [8, 3, 0.9222, 0.002, 3, 0.27, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield '\\n' + (_indent * _current_indent_level)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L463_C8", "label": "expression", "type": "expression", "loc": [463, 463], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "vector": [8, 2, 0.9242, 0.002, 2, 0.38, 0.8889, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield '}'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L464_C8", "label": "if", "type": "if", "loc": [464, 465], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "vector": [4, 2, 0.9271, 0.004, 2, 0.38, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if markers is not None:\n del markers[markerid]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L467_C4", "label": "_iterencode", "type": "function", "loc": [467, 498], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L315_C0", "vector": [2, 1, 0.9631, 0.0639, 1, 0.13, 0.6667, 136, 0, 2, 0, 0, 0, 0, 16], "semantic": {"name": "_iterencode", "arg_names": ["o", "_current_indent_level"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _iterencode(o, _current_indent_level):\n if isinstance(o, basestring):\n yield _encoder(o)\n elif o is None:\n yield 'null'\n elif o is True:\n yield 'true'\n elif o is False:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L468_C8", "label": "if", "type": "if", "loc": [468, 498], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L467_C4", "vector": [4, 2, 0.9641, 0.0619, 2, 0.88, 0.0, 0, 3, 0, 0, 0, 0, 0, 16], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(o, basestring):\n yield _encoder(o)\n elif o is None:\n yield 'null'\n elif o is True:\n yield 'true'\n elif o is False:\n yield 'false'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L469_C12", "label": "expression", "type": "expression", "loc": [469, 469], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L468_C8", "vector": [8, 3, 0.9361, 0.002, 3, 0.73, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield _encoder(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L470_C8", "label": "if", "type": "if", "loc": [470, 498], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L468_C8", "vector": [4, 3, 0.9661, 0.0579, 3, 0.73, 1.0, 0, 0, 0, 0, 0, 0, 0, 14], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif o is None:\n yield 'null'\n elif o is True:\n yield 'true'\n elif o is False:\n yield 'false'\n elif isinstance(o, (int, long)):\n yield str(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L471_C12", "label": "expression", "type": "expression", "loc": [471, 471], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L470_C8", "vector": [8, 4, 0.9401, 0.002, 4, 0.36, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield 'null'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L472_C8", "label": "if", "type": "if", "loc": [472, 498], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L470_C8", "vector": [4, 4, 0.9681, 0.0539, 4, 0.36, 1.0, 0, 0, 0, 0, 0, 0, 0, 14], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif o is True:\n yield 'true'\n elif o is False:\n yield 'false'\n elif isinstance(o, (int, long)):\n yield str(o)\n elif isinstance(o, float):\n yield _floatstr(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L473_C12", "label": "expression", "type": "expression", "loc": [473, 473], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L472_C8", "vector": [8, 5, 0.9441, 0.002, 5, 0.8, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield 'true'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L474_C8", "label": "if", "type": "if", "loc": [474, 498], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L472_C8", "vector": [4, 5, 0.9701, 0.0499, 5, 0.8, 1.0, 0, 0, 0, 0, 0, 0, 0, 14], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif o is False:\n yield 'false'\n elif isinstance(o, (int, long)):\n yield str(o)\n elif isinstance(o, float):\n yield _floatstr(o)\n elif isinstance(o, (list, tuple)):\n for chunk in _iterencode_list(o, _current_indent_level):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L475_C12", "label": "expression", "type": "expression", "loc": [475, 475], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L474_C8", "vector": [8, 6, 0.9481, 0.002, 6, 0.31, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield 'false'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L476_C8", "label": "if", "type": "if", "loc": [476, 498], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L474_C8", "vector": [4, 6, 0.9721, 0.0459, 6, 0.31, 1.0, 0, 3, 0, 0, 0, 0, 0, 14], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(o, (int, long)):\n yield str(o)\n elif isinstance(o, float):\n yield _floatstr(o)\n elif isinstance(o, (list, tuple)):\n for chunk in _iterencode_list(o, _current_indent_level):\n yield chunk\n elif isinstance(o, dict):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L477_C12", "label": "expression", "type": "expression", "loc": [477, 477], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L476_C8", "vector": [8, 7, 0.9521, 0.002, 7, 0.42, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield str(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L478_C8", "label": "if", "type": "if", "loc": [478, 498], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L476_C8", "vector": [4, 7, 0.9741, 0.0419, 7, 0.42, 1.0, 0, 3, 0, 0, 0, 0, 0, 12], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(o, float):\n yield _floatstr(o)\n elif isinstance(o, (list, tuple)):\n for chunk in _iterencode_list(o, _current_indent_level):\n yield chunk\n elif isinstance(o, dict):\n for chunk in _iterencode_dict(o, _current_indent_level):\n yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L479_C12", "label": "expression", "type": "expression", "loc": [479, 479], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L478_C8", "vector": [8, 8, 0.9561, 0.002, 8, 0.7, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield _floatstr(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L480_C8", "label": "if", "type": "if", "loc": [480, 498], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L478_C8", "vector": [4, 8, 0.976, 0.0379, 8, 0.7, 1.0, 0, 3, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(o, (list, tuple)):\n for chunk in _iterencode_list(o, _current_indent_level):\n yield chunk\n elif isinstance(o, dict):\n for chunk in _iterencode_dict(o, _current_indent_level):\n yield chunk\n elif _use_decimal and isinstance(o, Decimal):\n yield str(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:For_L481_C12", "label": "for chunk", "type": "for", "loc": [481, 482], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L480_C8", "vector": [6, 9, 0.9611, 0.004, 9, 0.11, 0.0, 637, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "chunk", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for chunk in _iterencode_list(o, _current_indent_level):\n yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L482_C16", "label": "expression", "type": "expression", "loc": [482, 482], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L481_C12", "vector": [8, 10, 0.9621, 0.002, 10, 0.71, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L483_C8", "label": "if", "type": "if", "loc": [483, 498], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L480_C8", "vector": [4, 9, 0.979, 0.0319, 9, 0.11, 1.0, 0, 3, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(o, dict):\n for chunk in _iterencode_dict(o, _current_indent_level):\n yield chunk\n elif _use_decimal and isinstance(o, Decimal):\n yield str(o)\n else:\n if markers is not None:\n markerid = id(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:For_L484_C12", "label": "for chunk", "type": "for", "loc": [484, 485], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L483_C8", "vector": [6, 10, 0.9671, 0.004, 10, 0.5, 0.0, 637, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "chunk", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for chunk in _iterencode_dict(o, _current_indent_level):\n yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L485_C16", "label": "expression", "type": "expression", "loc": [485, 485], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L484_C12", "vector": [8, 11, 0.9681, 0.002, 11, 0.81, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L486_C8", "label": "if", "type": "if", "loc": [486, 498], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L483_C8", "vector": [4, 10, 0.982, 0.0259, 10, 0.5, 1.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif _use_decimal and isinstance(o, Decimal):\n yield str(o)\n else:\n if markers is not None:\n markerid = id(o)\n if markerid in markers:\n raise ValueError(\"Circular reference detected\")\n markers[markerid] = o"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L487_C12", "label": "expression", "type": "expression", "loc": [487, 487], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L486_C8", "vector": [8, 11, 0.9721, 0.002, 11, 0.96, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield str(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L489_C12", "label": "if", "type": "if", "loc": [489, 493], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L486_C8", "vector": [4, 11, 0.98, 0.01, 11, 0.96, 0.25, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if markers is not None:\n markerid = id(o)\n if markerid in markers:\n raise ValueError(\"Circular reference detected\")\n markers[markerid] = o"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L490_C16", "label": "markerid = id()", "type": "assigned_variable", "loc": [490, 490], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L489_C12", "vector": [14, 12, 0.978, 0.002, 12, 0.75, 0.0, 105, 3, 1, 0, 0, 941, 10, 1], "semantic": {"name": "markerid", "arg_names": [], "import_names": [], "rhs_call_name": "id", "annotation": ""}, "snippet": " markerid = id(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L491_C16", "label": "if", "type": "if", "loc": [491, 492], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L489_C12", "vector": [4, 12, 0.981, 0.004, 12, 0.75, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if markerid in markers:\n raise ValueError(\"Circular reference detected\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L493_C16", "label": "assign", "type": "assigned_variable", "loc": [493, 493], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L489_C12", "vector": [14, 12, 0.984, 0.002, 12, 0.75, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " markers[markerid] = o"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L494_C12", "label": "o = _default()", "type": "assigned_variable", "loc": [494, 494], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L486_C8", "vector": [14, 11, 0.986, 0.002, 11, 0.96, 0.5, 926, 3, 1, 0, 0, 99, 10, 1], "semantic": {"name": "o", "arg_names": [], "import_names": [], "rhs_call_name": "_default", "annotation": ""}, "snippet": " o = _default(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:For_L495_C12", "label": "for chunk", "type": "for", "loc": [495, 496], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L486_C8", "vector": [6, 11, 0.989, 0.004, 11, 0.96, 0.75, 637, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "chunk", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for chunk in _iterencode(o, _current_indent_level):\n yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L496_C16", "label": "expression", "type": "expression", "loc": [496, 496], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:For_L495_C12", "vector": [8, 12, 0.99, 0.002, 12, 0.94, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield chunk"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:If_L497_C12", "label": "if", "type": "if", "loc": [497, 498], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:If_L486_C8", "vector": [4, 11, 0.993, 0.004, 11, 0.96, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if markers is not None:\n del markers[markerid]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L500_C4", "label": "return", "type": "return", "loc": [500, 500], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L315_C0", "vector": [13, 1, 0.998, 0.002, 1, 0.13, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _iterencode"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L6_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L7_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L7_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:ImportFrom_L9_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L7_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L10_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L7_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L12_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L29_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L31_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L36_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L39_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L39_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L40_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L41_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L41_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L42_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L35_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L43_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L47_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L50_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L50_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L51_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L52_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L53_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L54_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L54_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L55_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L54_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L57_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L54_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L58_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L58_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L60_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L58_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L64_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L58_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L65_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L58_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L67_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L46_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L68_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L75_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L103_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L104_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L109_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L158_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L159_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L160_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L161_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L162_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L163_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L164_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L164_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L165_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L166_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L167_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L167_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L168_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L169_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L169_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L170_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L105_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L171_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L173_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L173_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L174_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L193_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L193_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L194_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L193_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L202_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L202_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L203_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L203_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L204_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L203_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L205_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L205_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L207_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L202_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L208_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L208_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L209_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L208_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L211_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L193_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L215_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L193_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L216_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L216_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L217_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L193_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L218_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L218_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L219_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L218_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L221_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L74_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L224_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L233_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L233_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L234_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L233_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L236_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L237_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L237_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L238_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L237_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L240_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L241_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L241_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L242_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L242_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L243_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L243_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L244_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L242_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L245_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L247_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L253_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L253_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L254_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L253_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L255_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L255_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L256_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L255_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L257_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L257_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L258_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L257_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L260_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L262_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L267_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L270_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L271_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L271_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L273_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L271_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L278_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L223_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L282_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L282_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L283_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:Try_L282_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L285_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L288_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L289_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L288_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L297_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L297_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L300_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L297_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L301_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L301_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L302_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L301_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L304_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:ClassDef_L288_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L306_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L306_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L307_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L306_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:For_L308_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L308_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L309_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L308_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L310_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L308_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L311_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L308_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L312_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L315_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L334_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L334_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L335_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L334_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L336_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L337_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L337_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L338_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L337_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L339_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L337_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L341_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L342_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L343_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L343_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L345_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L343_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L346_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L343_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L349_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L343_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L350_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L351_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:For_L352_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L352_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L353_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L353_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L354_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L353_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L356_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L352_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L357_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L357_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L358_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L357_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L359_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L359_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L360_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L359_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L361_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L361_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L362_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L361_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L363_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L363_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L364_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L363_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L365_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L365_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L366_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L365_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L367_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L367_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L368_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L367_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L369_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L369_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L370_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L369_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L372_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L369_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L373_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L373_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L374_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L373_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L375_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L375_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L376_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L375_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L378_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L369_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:For_L379_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L379_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L380_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L381_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L381_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L383_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L384_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L333_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L385_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L315_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L389_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L389_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L390_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L389_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L391_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L392_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L392_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L393_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L392_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L394_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L392_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L396_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L397_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L398_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L398_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L400_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L398_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L401_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L398_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L402_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L398_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L404_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L398_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L405_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L406_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L407_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L407_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L408_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L407_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L409_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L407_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L411_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:For_L412_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L412_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L413_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L413_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L417_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L417_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L418_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L417_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L419_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L419_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L420_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L419_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L421_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L421_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L422_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L421_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L423_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L423_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L424_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L423_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L425_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L425_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L426_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L425_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L427_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L412_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L431_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L431_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L432_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L431_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L434_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L412_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L435_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L412_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L436_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L412_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L437_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L437_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L438_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L437_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L439_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L439_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L440_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L439_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L441_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L441_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L442_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L441_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L443_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L443_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L444_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L443_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L445_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L445_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L446_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L445_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L447_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L447_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L448_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L447_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L449_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L449_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L450_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L449_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L452_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L452_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L453_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L452_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L454_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L454_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L455_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L454_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L457_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L449_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:For_L458_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L458_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L459_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L460_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L460_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L462_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L463_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L388_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L464_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L315_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L467_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L467_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L468_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L468_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L469_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L468_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L470_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L470_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L471_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L470_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L472_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L472_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L473_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L472_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L474_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L474_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L475_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L474_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L476_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L476_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L477_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L476_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L478_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L478_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L479_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L478_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L480_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L480_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:For_L481_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L481_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L482_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L480_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L483_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L483_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:For_L484_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L484_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L485_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L483_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L486_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L486_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L487_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L486_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L489_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L489_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L490_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L489_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L491_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L489_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L493_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L486_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Assign_L494_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L486_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:For_L495_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:For_L495_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Expr_L496_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:If_L486_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_571:If_L497_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_571:FunctionDef_L315_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_571:Return_L500_C4"}]
r"""JSON (JavaScript Object Notation) <http://json.org> is a subset of JavaScript syntax (ECMA-262 3rd edition) used as a lightweight data interchange format. :mod:`simplejson` exposes an API familiar to users of the standard library :mod:`marshal` and :mod:`pickle` modules. It is the externally maintained version of the :mod:`json` library contained in Python 2.6, but maintains compatibility with Python 2.4 and Python 2.5 and (currently) has significant performance advantages, even without using the optional C extension for speedups. Encoding basic Python object hierarchies:: >>> import simplejson as json >>> json.dumps(['foo', {'bar': ('baz', None, 1.0, 2)}]) '["foo", {"bar": ["baz", null, 1.0, 2]}]' >>> print json.dumps("\"foo\bar") "\"foo\bar" >>> print json.dumps(u'\u1234') "\u1234" >>> print json.dumps('\\') "\\" >>> print json.dumps({"c": 0, "b": 0, "a": 0}, sort_keys=True) {"a": 0, "b": 0, "c": 0} >>> from StringIO import StringIO >>> io = StringIO() >>> json.dump(['streaming API'], io) >>> io.getvalue() '["streaming API"]' Compact encoding:: >>> import simplejson as json >>> json.dumps([1,2,3,{'4': 5, '6': 7}], separators=(',',':')) '[1,2,3,{"4":5,"6":7}]' Pretty printing:: >>> import simplejson as json >>> s = json.dumps({'4': 5, '6': 7}, sort_keys=True, indent=' ') >>> print '\n'.join([l.rstrip() for l in s.splitlines()]) { "4": 5, "6": 7 } Decoding JSON:: >>> import simplejson as json >>> obj = [u'foo', {u'bar': [u'baz', None, 1.0, 2]}] >>> json.loads('["foo", {"bar":["baz", null, 1.0, 2]}]') == obj True >>> json.loads('"\\"foo\\bar"') == u'"foo\x08ar' True >>> from StringIO import StringIO >>> io = StringIO('["streaming API"]') >>> json.load(io)[0] == 'streaming API' True Specializing JSON object decoding:: >>> import simplejson as json >>> def as_complex(dct): ... if '__complex__' in dct: ... return complex(dct['real'], dct['imag']) ... return dct ... >>> json.loads('{"__complex__": true, "real": 1, "imag": 2}', ... object_hook=as_complex) (1+2j) >>> from decimal import Decimal >>> json.loads('1.1', parse_float=Decimal) == Decimal('1.1') True Specializing JSON object encoding:: >>> import simplejson as json >>> def encode_complex(obj): ... if isinstance(obj, complex): ... return [obj.real, obj.imag] ... raise TypeError(repr(o) + " is not JSON serializable") ... >>> json.dumps(2 + 1j, default=encode_complex) '[2.0, 1.0]' >>> json.JSONEncoder(default=encode_complex).encode(2 + 1j) '[2.0, 1.0]' >>> ''.join(json.JSONEncoder(default=encode_complex).iterencode(2 + 1j)) '[2.0, 1.0]' Using simplejson.tool from the shell to validate and pretty-print:: $ echo '{"json":"obj"}' | python -m simplejson.tool { "json": "obj" } $ echo '{ 1.2:3.4}' | python -m simplejson.tool Expecting property name: line 1 column 2 (char 2) """ __version__ = '2.1.3' __all__ = [ 'dump', 'dumps', 'load', 'loads', 'JSONDecoder', 'JSONDecodeError', 'JSONEncoder', 'OrderedDict', ] __author__ = 'Bob Ippolito <bob@redivi.com>' from decimal import Decimal from decoder import JSONDecoder, JSONDecodeError from encoder import JSONEncoder def _import_OrderedDict(): import collections try: return collections.OrderedDict except AttributeError: import ordered_dict return ordered_dict.OrderedDict OrderedDict = _import_OrderedDict() def _import_c_make_encoder(): try: raise ImportError # because assumes simplejson in path from simplejson._speedups import make_encoder return make_encoder except ImportError: return None _default_encoder = JSONEncoder( skipkeys=False, ensure_ascii=True, check_circular=True, allow_nan=True, indent=None, separators=None, encoding='utf-8', default=None, use_decimal=False, ) def dump(obj, fp, skipkeys=False, ensure_ascii=True, check_circular=True, allow_nan=True, cls=None, indent=None, separators=None, encoding='utf-8', default=None, use_decimal=False, **kw): """Serialize ``obj`` as a JSON formatted stream to ``fp`` (a ``.write()``-supporting file-like object). If ``skipkeys`` is true then ``dict`` keys that are not basic types (``str``, ``unicode``, ``int``, ``long``, ``float``, ``bool``, ``None``) will be skipped instead of raising a ``TypeError``. If ``ensure_ascii`` is false, then the some chunks written to ``fp`` may be ``unicode`` instances, subject to normal Python ``str`` to ``unicode`` coercion rules. Unless ``fp.write()`` explicitly understands ``unicode`` (as in ``codecs.getwriter()``) this is likely to cause an error. If ``check_circular`` is false, then the circular reference check for container types will be skipped and a circular reference will result in an ``OverflowError`` (or worse). If ``allow_nan`` is false, then it will be a ``ValueError`` to serialize out of range ``float`` values (``nan``, ``inf``, ``-inf``) in strict compliance of the JSON specification, instead of using the JavaScript equivalents (``NaN``, ``Infinity``, ``-Infinity``). If *indent* is a string, then JSON array elements and object members will be pretty-printed with a newline followed by that string repeated for each level of nesting. ``None`` (the default) selects the most compact representation without any newlines. For backwards compatibility with versions of simplejson earlier than 2.1.0, an integer is also accepted and is converted to a string with that many spaces. If ``separators`` is an ``(item_separator, dict_separator)`` tuple then it will be used instead of the default ``(', ', ': ')`` separators. ``(',', ':')`` is the most compact JSON representation. ``encoding`` is the character encoding for str instances, default is UTF-8. ``default(obj)`` is a function that should return a serializable version of obj or raise TypeError. The default simply raises TypeError. If *use_decimal* is true (default: ``False``) then decimal.Decimal will be natively serialized to JSON with full precision. To use a custom ``JSONEncoder`` subclass (e.g. one that overrides the ``.default()`` method to serialize additional types), specify it with the ``cls`` kwarg. """ # cached encoder if (not skipkeys and ensure_ascii and check_circular and allow_nan and cls is None and indent is None and separators is None and encoding == 'utf-8' and default is None and not use_decimal and not kw): iterable = _default_encoder.iterencode(obj) else: if cls is None: cls = JSONEncoder iterable = cls(skipkeys=skipkeys, ensure_ascii=ensure_ascii, check_circular=check_circular, allow_nan=allow_nan, indent=indent, separators=separators, encoding=encoding, default=default, use_decimal=use_decimal, **kw).iterencode(obj) # could accelerate with writelines in some versions of Python, at # a debuggability cost for chunk in iterable: fp.write(chunk) def dumps(obj, skipkeys=False, ensure_ascii=True, check_circular=True, allow_nan=True, cls=None, indent=None, separators=None, encoding='utf-8', default=None, use_decimal=False, **kw): """Serialize ``obj`` to a JSON formatted ``str``. If ``skipkeys`` is false then ``dict`` keys that are not basic types (``str``, ``unicode``, ``int``, ``long``, ``float``, ``bool``, ``None``) will be skipped instead of raising a ``TypeError``. If ``ensure_ascii`` is false, then the return value will be a ``unicode`` instance subject to normal Python ``str`` to ``unicode`` coercion rules instead of being escaped to an ASCII ``str``. If ``check_circular`` is false, then the circular reference check for container types will be skipped and a circular reference will result in an ``OverflowError`` (or worse). If ``allow_nan`` is false, then it will be a ``ValueError`` to serialize out of range ``float`` values (``nan``, ``inf``, ``-inf``) in strict compliance of the JSON specification, instead of using the JavaScript equivalents (``NaN``, ``Infinity``, ``-Infinity``). If ``indent`` is a string, then JSON array elements and object members will be pretty-printed with a newline followed by that string repeated for each level of nesting. ``None`` (the default) selects the most compact representation without any newlines. For backwards compatibility with versions of simplejson earlier than 2.1.0, an integer is also accepted and is converted to a string with that many spaces. If ``separators`` is an ``(item_separator, dict_separator)`` tuple then it will be used instead of the default ``(', ', ': ')`` separators. ``(',', ':')`` is the most compact JSON representation. ``encoding`` is the character encoding for str instances, default is UTF-8. ``default(obj)`` is a function that should return a serializable version of obj or raise TypeError. The default simply raises TypeError. If *use_decimal* is true (default: ``False``) then decimal.Decimal will be natively serialized to JSON with full precision. To use a custom ``JSONEncoder`` subclass (e.g. one that overrides the ``.default()`` method to serialize additional types), specify it with the ``cls`` kwarg. """ # cached encoder if (not skipkeys and ensure_ascii and check_circular and allow_nan and cls is None and indent is None and separators is None and encoding == 'utf-8' and default is None and not use_decimal and not kw): return _default_encoder.encode(obj) if cls is None: cls = JSONEncoder return cls( skipkeys=skipkeys, ensure_ascii=ensure_ascii, check_circular=check_circular, allow_nan=allow_nan, indent=indent, separators=separators, encoding=encoding, default=default, use_decimal=use_decimal, **kw).encode(obj) _default_decoder = JSONDecoder(encoding=None, object_hook=None, object_pairs_hook=None) def load(fp, encoding=None, cls=None, object_hook=None, parse_float=None, parse_int=None, parse_constant=None, object_pairs_hook=None, use_decimal=False, **kw): """Deserialize ``fp`` (a ``.read()``-supporting file-like object containing a JSON document) to a Python object. *encoding* determines the encoding used to interpret any :class:`str` objects decoded by this instance (``'utf-8'`` by default). It has no effect when decoding :class:`unicode` objects. Note that currently only encodings that are a superset of ASCII work, strings of other encodings should be passed in as :class:`unicode`. *object_hook*, if specified, will be called with the result of every JSON object decoded and its return value will be used in place of the given :class:`dict`. This can be used to provide custom deserializations (e.g. to support JSON-RPC class hinting). *object_pairs_hook* is an optional function that will be called with the result of any object literal decode with an ordered list of pairs. The return value of *object_pairs_hook* will be used instead of the :class:`dict`. This feature can be used to implement custom decoders that rely on the order that the key and value pairs are decoded (for example, :func:`collections.OrderedDict` will remember the order of insertion). If *object_hook* is also defined, the *object_pairs_hook* takes priority. *parse_float*, if specified, will be called with the string of every JSON float to be decoded. By default, this is equivalent to ``float(num_str)``. This can be used to use another datatype or parser for JSON floats (e.g. :class:`decimal.Decimal`). *parse_int*, if specified, will be called with the string of every JSON int to be decoded. By default, this is equivalent to ``int(num_str)``. This can be used to use another datatype or parser for JSON integers (e.g. :class:`float`). *parse_constant*, if specified, will be called with one of the following strings: ``'-Infinity'``, ``'Infinity'``, ``'NaN'``. This can be used to raise an exception if invalid JSON numbers are encountered. If *use_decimal* is true (default: ``False``) then it implies parse_float=decimal.Decimal for parity with ``dump``. To use a custom ``JSONDecoder`` subclass, specify it with the ``cls`` kwarg. """ return loads(fp.read(), encoding=encoding, cls=cls, object_hook=object_hook, parse_float=parse_float, parse_int=parse_int, parse_constant=parse_constant, object_pairs_hook=object_pairs_hook, use_decimal=use_decimal, **kw) def loads(s, encoding=None, cls=None, object_hook=None, parse_float=None, parse_int=None, parse_constant=None, object_pairs_hook=None, use_decimal=False, **kw): """Deserialize ``s`` (a ``str`` or ``unicode`` instance containing a JSON document) to a Python object. *encoding* determines the encoding used to interpret any :class:`str` objects decoded by this instance (``'utf-8'`` by default). It has no effect when decoding :class:`unicode` objects. Note that currently only encodings that are a superset of ASCII work, strings of other encodings should be passed in as :class:`unicode`. *object_hook*, if specified, will be called with the result of every JSON object decoded and its return value will be used in place of the given :class:`dict`. This can be used to provide custom deserializations (e.g. to support JSON-RPC class hinting). *object_pairs_hook* is an optional function that will be called with the result of any object literal decode with an ordered list of pairs. The return value of *object_pairs_hook* will be used instead of the :class:`dict`. This feature can be used to implement custom decoders that rely on the order that the key and value pairs are decoded (for example, :func:`collections.OrderedDict` will remember the order of insertion). If *object_hook* is also defined, the *object_pairs_hook* takes priority. *parse_float*, if specified, will be called with the string of every JSON float to be decoded. By default, this is equivalent to ``float(num_str)``. This can be used to use another datatype or parser for JSON floats (e.g. :class:`decimal.Decimal`). *parse_int*, if specified, will be called with the string of every JSON int to be decoded. By default, this is equivalent to ``int(num_str)``. This can be used to use another datatype or parser for JSON integers (e.g. :class:`float`). *parse_constant*, if specified, will be called with one of the following strings: ``'-Infinity'``, ``'Infinity'``, ``'NaN'``. This can be used to raise an exception if invalid JSON numbers are encountered. If *use_decimal* is true (default: ``False``) then it implies parse_float=decimal.Decimal for parity with ``dump``. To use a custom ``JSONDecoder`` subclass, specify it with the ``cls`` kwarg. """ if (cls is None and encoding is None and object_hook is None and parse_int is None and parse_float is None and parse_constant is None and object_pairs_hook is None and not use_decimal and not kw): return _default_decoder.decode(s) if cls is None: cls = JSONDecoder if object_hook is not None: kw['object_hook'] = object_hook if object_pairs_hook is not None: kw['object_pairs_hook'] = object_pairs_hook if parse_float is not None: kw['parse_float'] = parse_float if parse_int is not None: kw['parse_int'] = parse_int if parse_constant is not None: kw['parse_constant'] = parse_constant if use_decimal: if parse_float is not None: raise TypeError("use_decimal=True implies parse_float=Decimal") kw['parse_float'] = Decimal return cls(encoding=encoding, **kw).decode(s) def _toggle_speedups(enabled): import decoder as dec import encoder as enc import scanner as scan c_make_encoder = _import_c_make_encoder() if enabled: dec.scanstring = dec.c_scanstring or dec.py_scanstring enc.c_make_encoder = c_make_encoder enc.encode_basestring_ascii = (enc.c_encode_basestring_ascii or enc.py_encode_basestring_ascii) scan.make_scanner = scan.c_make_scanner or scan.py_make_scanner else: dec.scanstring = dec.py_scanstring enc.c_make_encoder = None enc.encode_basestring_ascii = enc.py_encode_basestring_ascii scan.make_scanner = scan.py_make_scanner dec.make_scanner = scan.make_scanner global _default_decoder _default_decoder = JSONDecoder( encoding=None, object_hook=None, object_pairs_hook=None, ) global _default_encoder _default_encoder = JSONEncoder( skipkeys=False, ensure_ascii=True, check_circular=True, allow_nan=True, indent=None, separators=None, encoding='utf-8', default=None, )
ajibawa-2023/Python-Code-Large/train/row_572
77
440
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_572:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 99], "level": 0, "parent": null, "vector": [8, 0, 0.1136, 0.225, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "r\"\"\"JSON (JavaScript Object Notation) <http://json.org> is a subset of\nJavaScript syntax (ECMA-262 3rd edition) used as a lightweight data\ninterchange format.\n\n:mod:`simplejson` exposes an API familiar to users of the standard library\n:mod:`marshal` and :mod:`pickle` modules. It is the externally maintained\nversion of the :mod:`json` library contained in Python 2.6, but maintains\ncompatibility with Python 2.4 and Python 2.5 and (currently) has"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L100_C0", "label": "__version__ =", "type": "assigned_variable", "loc": [100, 100], "level": 0, "parent": null, "vector": [14, 0, 0.2273, 0.0023, 0, 0.66, 0.0625, 162, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__version__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__version__ = '2.1.3'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L101_C0", "label": "__all__ =", "type": "assigned_variable", "loc": [101, 105], "level": 0, "parent": null, "vector": [14, 0, 0.2341, 0.0114, 0, 0.66, 0.125, 272, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "__all__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__all__ = [\n 'dump', 'dumps', 'load', 'loads',\n 'JSONDecoder', 'JSONDecodeError', 'JSONEncoder',\n 'OrderedDict',\n]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L107_C0", "label": "__author__ =", "type": "assigned_variable", "loc": [107, 107], "level": 0, "parent": null, "vector": [14, 0, 0.2432, 0.0023, 0, 0.66, 0.1875, 777, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__author__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__author__ = 'Bob Ippolito <bob@redivi.com>'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:ImportFrom_L109_C0", "label": "from decimal import Decimal", "type": "import", "loc": [109, 109], "level": 0, "parent": null, "vector": [1, 0, 0.2477, 0.0023, 0, 0.66, 0.25, 349, 0, 1, 0, 0, 349, 0, 0], "semantic": {"name": "decimal", "arg_names": [], "import_names": ["Decimal"], "rhs_call_name": "", "annotation": ""}, "snippet": "from decimal import Decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:ImportFrom_L111_C0", "label": "from decoder import JSONDecoder, JSONDecodeError", "type": "import", "loc": [111, 111], "level": 0, "parent": null, "vector": [1, 0, 0.2523, 0.0023, 0, 0.66, 0.3125, 404, 0, 2, 0, 0, 404, 0, 0], "semantic": {"name": "decoder", "arg_names": [], "import_names": ["JSONDecoder", "JSONDecodeError"], "rhs_call_name": "", "annotation": ""}, "snippet": "from decoder import JSONDecoder, JSONDecodeError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:ImportFrom_L112_C0", "label": "from encoder import JSONEncoder", "type": "import", "loc": [112, 112], "level": 0, "parent": null, "vector": [1, 0, 0.2545, 0.0023, 0, 0.66, 0.375, 672, 0, 1, 0, 0, 672, 0, 0], "semantic": {"name": "encoder", "arg_names": [], "import_names": ["JSONEncoder"], "rhs_call_name": "", "annotation": ""}, "snippet": "from encoder import JSONEncoder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L113_C0", "label": "_import_OrderedDict", "type": "function", "loc": [113, 119], "level": 0, "parent": null, "vector": [2, 0, 0.2636, 0.0159, 0, 0.66, 0.4375, 628, 0, 0, 1, 0, 0, 0, 0], "semantic": {"name": "_import_OrderedDict", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _import_OrderedDict():\n import collections\n try:\n return collections.OrderedDict\n except AttributeError:\n import ordered_dict\n return ordered_dict.OrderedDict"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Import_L114_C4", "label": "collections import collections", "type": "import", "loc": [114, 114], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L113_C0", "vector": [1, 1, 0.2591, 0.0023, 1, 0.85, 0.0, 193, 0, 1, 0, 0, 193, 0, 0], "semantic": {"name": "collections", "arg_names": [], "import_names": ["collections"], "rhs_call_name": "", "annotation": ""}, "snippet": " import collections"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L115_C4", "label": "try", "type": "try", "loc": [115, 119], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L113_C0", "vector": [7, 1, 0.2659, 0.0114, 1, 0.85, 1.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return collections.OrderedDict\n except AttributeError:\n import ordered_dict\n return ordered_dict.OrderedDict"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L116_C8", "label": "return", "type": "return", "loc": [116, 116], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L115_C4", "vector": [13, 2, 0.2636, 0.0023, 2, 0.82, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return collections.OrderedDict"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Import_L118_C8", "label": "ordered_dict import ordered_dict", "type": "import", "loc": [118, 118], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L115_C4", "vector": [1, 2, 0.2682, 0.0023, 2, 0.82, 0.0, 444, 0, 1, 0, 0, 444, 0, 0], "semantic": {"name": "ordered_dict", "arg_names": [], "import_names": ["ordered_dict"], "rhs_call_name": "", "annotation": ""}, "snippet": " import ordered_dict"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L119_C8", "label": "return", "type": "return", "loc": [119, 119], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L115_C4", "vector": [13, 2, 0.2705, 0.0023, 2, 0.82, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ordered_dict.OrderedDict"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L120_C0", "label": "OrderedDict = _import_OrderedDict()", "type": "assigned_variable", "loc": [120, 120], "level": 0, "parent": null, "vector": [14, 0, 0.2727, 0.0023, 0, 0.66, 0.5, 92, 3, 0, 0, 0, 628, 10, 1], "semantic": {"name": "OrderedDict", "arg_names": [], "import_names": [], "rhs_call_name": "_import_OrderedDict", "annotation": ""}, "snippet": "OrderedDict = _import_OrderedDict()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L122_C0", "label": "_import_c_make_encoder", "type": "function", "loc": [122, 128], "level": 0, "parent": null, "vector": [2, 0, 0.2841, 0.0159, 0, 0.66, 0.5625, 458, 0, 0, 1, 0, 0, 0, 0], "semantic": {"name": "_import_c_make_encoder", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _import_c_make_encoder():\n try:\n raise ImportError # because assumes simplejson in path\n from simplejson._speedups import make_encoder\n return make_encoder\n except ImportError:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L123_C4", "label": "try", "type": "try", "loc": [123, 128], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L122_C0", "vector": [7, 1, 0.2852, 0.0136, 1, 0.21, 0.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n raise ImportError # because assumes simplejson in path\n from simplejson._speedups import make_encoder\n return make_encoder\n except ImportError:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:ImportFrom_L125_C8", "label": "from simplejson._speedups import make_encoder", "type": "import", "loc": [125, 125], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L123_C4", "vector": [1, 2, 0.2841, 0.0023, 2, 0.1, 0.0, 976, 0, 1, 0, 0, 976, 0, 0], "semantic": {"name": "simplejson._speedups", "arg_names": [], "import_names": ["make_encoder"], "rhs_call_name": "", "annotation": ""}, "snippet": " from simplejson._speedups import make_encoder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L126_C8", "label": "return", "type": "return", "loc": [126, 126], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L123_C4", "vector": [13, 2, 0.2864, 0.0023, 2, 0.1, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return make_encoder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L128_C8", "label": "return", "type": "return", "loc": [128, 128], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L123_C4", "vector": [13, 2, 0.2909, 0.0023, 2, 0.1, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L130_C0", "label": "_default_encoder = JSONEncoder()", "type": "assigned_variable", "loc": [130, 140], "level": 0, "parent": null, "vector": [14, 0, 0.3068, 0.025, 0, 0.66, 0.625, 619, 3, 9, 0, 0, 228, 10, 1], "semantic": {"name": "_default_encoder", "arg_names": [], "import_names": [], "rhs_call_name": "JSONEncoder", "annotation": ""}, "snippet": "_default_encoder = JSONEncoder(\n skipkeys=False,\n ensure_ascii=True,\n check_circular=True,\n allow_nan=True,\n indent=None,\n separators=None,\n encoding='utf-8',"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L142_C0", "label": "dump", "type": "function", "loc": [142, 208], "level": 0, "parent": null, "vector": [2, 0, 0.3977, 0.1523, 0, 0.66, 0.6875, 952, 0, 13, 0, 0, 0, 0, 4], "semantic": {"name": "dump", "arg_names": ["obj", "fp", "skipkeys", "ensure_ascii", "check_circular", "allow_nan", "cls", "indent", "separators", "encoding", "default", "use_decimal", "kw"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def dump(obj, fp, skipkeys=False, ensure_ascii=True, check_circular=True,\n allow_nan=True, cls=None, indent=None, separators=None,\n encoding='utf-8', default=None, use_decimal=False, **kw):\n \"\"\"Serialize ``obj`` as a JSON formatted stream to ``fp`` (a\n ``.write()``-supporting file-like object).\n\n If ``skipkeys`` is true then ``dict`` keys that are not basic types\n (``str``, ``unicode``, ``int``, ``long``, ``float``, ``bool``, ``None``)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Expr_L145_C4", "label": "expression", "type": "expression", "loc": [145, 190], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L142_C0", "vector": [8, 1, 0.3807, 0.1045, 1, 0.17, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Serialize ``obj`` as a JSON formatted stream to ``fp`` (a\n ``.write()``-supporting file-like object).\n\n If ``skipkeys`` is true then ``dict`` keys that are not basic types\n (``str``, ``unicode``, ``int``, ``long``, ``float``, ``bool``, ``None``)\n will be skipped instead of raising a ``TypeError``.\n\n If ``ensure_ascii`` is false, then the some chunks written to ``fp``"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L192_C4", "label": "if", "type": "if", "loc": [192, 204], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L142_C0", "vector": [4, 1, 0.45, 0.0295, 1, 0.17, 0.5, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (not skipkeys and ensure_ascii and\n check_circular and allow_nan and\n cls is None and indent is None and separators is None and\n encoding == 'utf-8' and default is None and not use_decimal\n and not kw):\n iterable = _default_encoder.iterencode(obj)\n else:\n if cls is None:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L197_C8", "label": "iterable = iterencode()", "type": "assigned_variable", "loc": [197, 197], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L192_C4", "vector": [14, 2, 0.4477, 0.0023, 2, 0.65, 0.0, 444, 3, 1, 0, 0, 315, 10, 1], "semantic": {"name": "iterable", "arg_names": [], "import_names": [], "rhs_call_name": "iterencode", "annotation": ""}, "snippet": " iterable = _default_encoder.iterencode(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L199_C8", "label": "if", "type": "if", "loc": [199, 200], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L192_C4", "vector": [4, 2, 0.4534, 0.0045, 2, 0.65, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if cls is None:\n cls = JSONEncoder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L200_C12", "label": "cls =", "type": "assigned_variable", "loc": [200, 200], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L199_C8", "vector": [14, 3, 0.4545, 0.0023, 3, 0.38, 0.0, 594, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "cls", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " cls = JSONEncoder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L201_C8", "label": "iterable = iterencode()", "type": "assigned_variable", "loc": [201, 204], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L192_C4", "vector": [14, 2, 0.4602, 0.0091, 2, 0.65, 1.0, 444, 3, 1, 0, 0, 315, 10, 2], "semantic": {"name": "iterable", "arg_names": [], "import_names": [], "rhs_call_name": "iterencode", "annotation": ""}, "snippet": " iterable = cls(skipkeys=skipkeys, ensure_ascii=ensure_ascii,\n check_circular=check_circular, allow_nan=allow_nan, indent=indent,\n separators=separators, encoding=encoding,\n default=default, use_decimal=use_decimal, **kw).iterencode(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:For_L207_C4", "label": "for chunk", "type": "for", "loc": [207, 208], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L142_C0", "vector": [6, 1, 0.4716, 0.0045, 1, 0.17, 1.0, 637, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "chunk", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for chunk in iterable:\n fp.write(chunk)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Expr_L208_C8", "label": "write()", "type": "expression", "loc": [208, 208], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:For_L207_C4", "vector": [8, 2, 0.4727, 0.0023, 2, 0.68, 0.0, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " fp.write(chunk)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L211_C0", "label": "dumps", "type": "function", "loc": [211, 270], "level": 0, "parent": null, "vector": [2, 0, 0.5466, 0.1364, 0, 0.66, 0.75, 160, 0, 12, 1, 0, 0, 0, 3], "semantic": {"name": "dumps", "arg_names": ["obj", "skipkeys", "ensure_ascii", "check_circular", "allow_nan", "cls", "indent", "separators", "encoding", "default", "use_decimal", "kw"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def dumps(obj, skipkeys=False, ensure_ascii=True, check_circular=True,\n allow_nan=True, cls=None, indent=None, separators=None,\n encoding='utf-8', default=None, use_decimal=False, **kw):\n \"\"\"Serialize ``obj`` to a JSON formatted ``str``.\n\n If ``skipkeys`` is false then ``dict`` keys that are not basic types\n (``str``, ``unicode``, ``int``, ``long``, ``float``, ``bool``, ``None``)\n will be skipped instead of raising a ``TypeError``."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Expr_L214_C4", "label": "expression", "type": "expression", "loc": [214, 256], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L211_C0", "vector": [8, 1, 0.5341, 0.0977, 1, 0.51, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Serialize ``obj`` to a JSON formatted ``str``.\n\n If ``skipkeys`` is false then ``dict`` keys that are not basic types\n (``str``, ``unicode``, ``int``, ``long``, ``float``, ``bool``, ``None``)\n will be skipped instead of raising a ``TypeError``.\n\n If ``ensure_ascii`` is false, then the return value will be a\n ``unicode`` instance subject to normal Python ``str`` to ``unicode``"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L258_C4", "label": "if", "type": "if", "loc": [258, 263], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L211_C0", "vector": [4, 1, 0.592, 0.0136, 1, 0.51, 0.3333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (not skipkeys and ensure_ascii and\n check_circular and allow_nan and\n cls is None and indent is None and separators is None and\n encoding == 'utf-8' and default is None and not use_decimal\n and not kw):\n return _default_encoder.encode(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L263_C8", "label": "return", "type": "return", "loc": [263, 263], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L258_C4", "vector": [13, 2, 0.5977, 0.0023, 2, 0.13, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _default_encoder.encode(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L264_C4", "label": "if", "type": "if", "loc": [264, 265], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L211_C0", "vector": [4, 1, 0.6011, 0.0045, 1, 0.51, 0.6667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if cls is None:\n cls = JSONEncoder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L265_C8", "label": "cls =", "type": "assigned_variable", "loc": [265, 265], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L264_C4", "vector": [14, 2, 0.6023, 0.0023, 2, 0.85, 0.0, 594, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "cls", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " cls = JSONEncoder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L266_C4", "label": "return", "type": "return", "loc": [266, 270], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L211_C0", "vector": [13, 1, 0.6091, 0.0114, 1, 0.51, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return cls(\n skipkeys=skipkeys, ensure_ascii=ensure_ascii,\n check_circular=check_circular, allow_nan=allow_nan, indent=indent,\n separators=separators, encoding=encoding, default=default,\n use_decimal=use_decimal, **kw).encode(obj)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L273_C0", "label": "_default_decoder = JSONDecoder()", "type": "assigned_variable", "loc": [273, 274], "level": 0, "parent": null, "vector": [14, 0, 0.6216, 0.0045, 0, 0.66, 0.8125, 340, 3, 3, 0, 0, 611, 10, 1], "semantic": {"name": "_default_decoder", "arg_names": [], "import_names": [], "rhs_call_name": "JSONDecoder", "annotation": ""}, "snippet": "_default_decoder = JSONDecoder(encoding=None, object_hook=None,\n object_pairs_hook=None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L277_C0", "label": "load", "type": "function", "loc": [277, 330], "level": 0, "parent": null, "vector": [2, 0, 0.6898, 0.1227, 0, 0.66, 0.875, 37, 0, 10, 1, 0, 0, 0, 2], "semantic": {"name": "load", "arg_names": ["fp", "encoding", "cls", "object_hook", "parse_float", "parse_int", "parse_constant", "object_pairs_hook", "use_decimal", "kw"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def load(fp, encoding=None, cls=None, object_hook=None, parse_float=None,\n parse_int=None, parse_constant=None, object_pairs_hook=None,\n use_decimal=False, **kw):\n \"\"\"Deserialize ``fp`` (a ``.read()``-supporting file-like object containing\n a JSON document) to a Python object.\n\n *encoding* determines the encoding used to interpret any\n :class:`str` objects decoded by this instance (``'utf-8'`` by"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Expr_L280_C4", "label": "expression", "type": "expression", "loc": [280, 325], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L277_C0", "vector": [8, 1, 0.6875, 0.1045, 1, 0.51, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Deserialize ``fp`` (a ``.read()``-supporting file-like object containing\n a JSON document) to a Python object.\n\n *encoding* determines the encoding used to interpret any\n :class:`str` objects decoded by this instance (``'utf-8'`` by\n default). It has no effect when decoding :class:`unicode` objects.\n\n Note that currently only encodings that are a superset of ASCII work,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L326_C4", "label": "return", "type": "return", "loc": [326, 330], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L277_C0", "vector": [13, 1, 0.7455, 0.0114, 1, 0.51, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return loads(fp.read(),\n encoding=encoding, cls=cls, object_hook=object_hook,\n parse_float=parse_float, parse_int=parse_int,\n parse_constant=parse_constant, object_pairs_hook=object_pairs_hook,\n use_decimal=use_decimal, **kw)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "label": "loads", "type": "function", "loc": [333, 403], "level": 0, "parent": null, "vector": [2, 0, 0.8364, 0.1614, 0, 0.66, 0.9375, 88, 0, 10, 1, 0, 0, 0, 4], "semantic": {"name": "loads", "arg_names": ["s", "encoding", "cls", "object_hook", "parse_float", "parse_int", "parse_constant", "object_pairs_hook", "use_decimal", "kw"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def loads(s, encoding=None, cls=None, object_hook=None, parse_float=None,\n parse_int=None, parse_constant=None, object_pairs_hook=None,\n use_decimal=False, **kw):\n \"\"\"Deserialize ``s`` (a ``str`` or ``unicode`` instance containing a JSON\n document) to a Python object.\n\n *encoding* determines the encoding used to interpret any\n :class:`str` objects decoded by this instance (``'utf-8'`` by"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Expr_L336_C4", "label": "expression", "type": "expression", "loc": [336, 381], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "vector": [8, 1, 0.8148, 0.1045, 1, 0.09, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Deserialize ``s`` (a ``str`` or ``unicode`` instance containing a JSON\n document) to a Python object.\n\n *encoding* determines the encoding used to interpret any\n :class:`str` objects decoded by this instance (``'utf-8'`` by\n default). It has no effect when decoding :class:`unicode` objects.\n\n Note that currently only encodings that are a superset of ASCII work,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L382_C4", "label": "if", "type": "if", "loc": [382, 386], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "vector": [4, 1, 0.8727, 0.0114, 1, 0.09, 0.1111, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (cls is None and encoding is None and object_hook is None and\n parse_int is None and parse_float is None and\n parse_constant is None and object_pairs_hook is None\n and not use_decimal and not kw):\n return _default_decoder.decode(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L386_C8", "label": "return", "type": "return", "loc": [386, 386], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L382_C4", "vector": [13, 2, 0.8773, 0.0023, 2, 0.91, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _default_decoder.decode(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L387_C4", "label": "if", "type": "if", "loc": [387, 388], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "vector": [4, 1, 0.8807, 0.0045, 1, 0.09, 0.2222, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if cls is None:\n cls = JSONDecoder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L388_C8", "label": "cls =", "type": "assigned_variable", "loc": [388, 388], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L387_C4", "vector": [14, 2, 0.8818, 0.0023, 2, 0.73, 0.0, 594, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "cls", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " cls = JSONDecoder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L389_C4", "label": "if", "type": "if", "loc": [389, 390], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "vector": [4, 1, 0.8852, 0.0045, 1, 0.09, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if object_hook is not None:\n kw['object_hook'] = object_hook"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L390_C8", "label": "assign", "type": "assigned_variable", "loc": [390, 390], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L389_C4", "vector": [14, 2, 0.8864, 0.0023, 2, 0.18, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " kw['object_hook'] = object_hook"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L391_C4", "label": "if", "type": "if", "loc": [391, 392], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "vector": [4, 1, 0.8898, 0.0045, 1, 0.09, 0.4444, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if object_pairs_hook is not None:\n kw['object_pairs_hook'] = object_pairs_hook"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L392_C8", "label": "assign", "type": "assigned_variable", "loc": [392, 392], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L391_C4", "vector": [14, 2, 0.8909, 0.0023, 2, 0.43, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " kw['object_pairs_hook'] = object_pairs_hook"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L393_C4", "label": "if", "type": "if", "loc": [393, 394], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "vector": [4, 1, 0.8943, 0.0045, 1, 0.09, 0.5556, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if parse_float is not None:\n kw['parse_float'] = parse_float"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L394_C8", "label": "assign", "type": "assigned_variable", "loc": [394, 394], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L393_C4", "vector": [14, 2, 0.8955, 0.0023, 2, 0.81, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " kw['parse_float'] = parse_float"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L395_C4", "label": "if", "type": "if", "loc": [395, 396], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "vector": [4, 1, 0.8989, 0.0045, 1, 0.09, 0.6667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if parse_int is not None:\n kw['parse_int'] = parse_int"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L396_C8", "label": "assign", "type": "assigned_variable", "loc": [396, 396], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L395_C4", "vector": [14, 2, 0.9, 0.0023, 2, 0.0, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " kw['parse_int'] = parse_int"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L397_C4", "label": "if", "type": "if", "loc": [397, 398], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "vector": [4, 1, 0.9034, 0.0045, 1, 0.09, 0.7778, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if parse_constant is not None:\n kw['parse_constant'] = parse_constant"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L398_C8", "label": "assign", "type": "assigned_variable", "loc": [398, 398], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L397_C4", "vector": [14, 2, 0.9045, 0.0023, 2, 0.55, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " kw['parse_constant'] = parse_constant"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L399_C4", "label": "if", "type": "if", "loc": [399, 402], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "vector": [4, 1, 0.9102, 0.0091, 1, 0.09, 0.8889, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if use_decimal:\n if parse_float is not None:\n raise TypeError(\"use_decimal=True implies parse_float=Decimal\")\n kw['parse_float'] = Decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L400_C8", "label": "if", "type": "if", "loc": [400, 401], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L399_C4", "vector": [4, 2, 0.9102, 0.0045, 2, 0.89, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if parse_float is not None:\n raise TypeError(\"use_decimal=True implies parse_float=Decimal\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L402_C8", "label": "assign", "type": "assigned_variable", "loc": [402, 402], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L399_C4", "vector": [14, 2, 0.9136, 0.0023, 2, 0.89, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " kw['parse_float'] = Decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L403_C4", "label": "return", "type": "return", "loc": [403, 403], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "vector": [13, 1, 0.9159, 0.0023, 1, 0.09, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return cls(encoding=encoding, **kw).decode(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "label": "_toggle_speedups", "type": "function", "loc": [406, 439], "level": 0, "parent": null, "vector": [2, 0, 0.9602, 0.0773, 0, 0.66, 1.0, 614, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "_toggle_speedups", "arg_names": ["enabled"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _toggle_speedups(enabled):\n import decoder as dec\n import encoder as enc\n import scanner as scan\n c_make_encoder = _import_c_make_encoder()\n if enabled:\n dec.scanstring = dec.c_scanstring or dec.py_scanstring\n enc.c_make_encoder = c_make_encoder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Import_L407_C4", "label": "decoder import dec", "type": "import", "loc": [407, 407], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "vector": [1, 1, 0.925, 0.0023, 1, 0.88, 0.0, 404, 0, 1, 0, 0, 404, 0, 0], "semantic": {"name": "decoder", "arg_names": [], "import_names": ["dec"], "rhs_call_name": "", "annotation": ""}, "snippet": " import decoder as dec"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Import_L408_C4", "label": "encoder import enc", "type": "import", "loc": [408, 408], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "vector": [1, 1, 0.9273, 0.0023, 1, 0.88, 0.1429, 672, 0, 1, 0, 0, 672, 0, 0], "semantic": {"name": "encoder", "arg_names": [], "import_names": ["enc"], "rhs_call_name": "", "annotation": ""}, "snippet": " import encoder as enc"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Import_L409_C4", "label": "scanner import scan", "type": "import", "loc": [409, 409], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "vector": [1, 1, 0.9295, 0.0023, 1, 0.88, 0.2857, 802, 0, 1, 0, 0, 802, 0, 0], "semantic": {"name": "scanner", "arg_names": [], "import_names": ["scan"], "rhs_call_name": "", "annotation": ""}, "snippet": " import scanner as scan"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L410_C4", "label": "c_make_encoder = _import_c_make_encoder()", "type": "assigned_variable", "loc": [410, 410], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "vector": [14, 1, 0.9318, 0.0023, 1, 0.88, 0.4286, 30, 3, 0, 0, 0, 458, 10, 1], "semantic": {"name": "c_make_encoder", "arg_names": [], "import_names": [], "rhs_call_name": "_import_c_make_encoder", "annotation": ""}, "snippet": " c_make_encoder = _import_c_make_encoder()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "label": "if", "type": "if", "loc": [411, 421], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "vector": [4, 1, 0.9455, 0.025, 1, 0.88, 0.5714, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if enabled:\n dec.scanstring = dec.c_scanstring or dec.py_scanstring\n enc.c_make_encoder = c_make_encoder\n enc.encode_basestring_ascii = (enc.c_encode_basestring_ascii or\n enc.py_encode_basestring_ascii)\n scan.make_scanner = scan.c_make_scanner or scan.py_make_scanner\n else:\n dec.scanstring = dec.py_scanstring"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L412_C8", "label": "dec.scanstring =", "type": "assigned_variable", "loc": [412, 412], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "vector": [14, 2, 0.9364, 0.0023, 2, 0.66, 0.0, 202, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "dec.scanstring", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " dec.scanstring = dec.c_scanstring or dec.py_scanstring"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L413_C8", "label": "enc.c_make_encoder =", "type": "assigned_variable", "loc": [413, 413], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "vector": [14, 2, 0.9386, 0.0023, 2, 0.66, 0.1429, 515, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "enc.c_make_encoder", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " enc.c_make_encoder = c_make_encoder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L414_C8", "label": "enc.encode_basestring_ascii =", "type": "assigned_variable", "loc": [414, 415], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "vector": [14, 2, 0.942, 0.0045, 2, 0.66, 0.2857, 513, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "enc.encode_basestring_ascii", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " enc.encode_basestring_ascii = (enc.c_encode_basestring_ascii or\n enc.py_encode_basestring_ascii)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L416_C8", "label": "scan.make_scanner =", "type": "assigned_variable", "loc": [416, 416], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "vector": [14, 2, 0.9455, 0.0023, 2, 0.66, 0.4286, 273, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "scan.make_scanner", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " scan.make_scanner = scan.c_make_scanner or scan.py_make_scanner"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L418_C8", "label": "dec.scanstring =", "type": "assigned_variable", "loc": [418, 418], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "vector": [14, 2, 0.95, 0.0023, 2, 0.66, 0.5714, 202, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "dec.scanstring", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " dec.scanstring = dec.py_scanstring"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L419_C8", "label": "enc.c_make_encoder =", "type": "assigned_variable", "loc": [419, 419], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "vector": [14, 2, 0.9523, 0.0023, 2, 0.66, 0.7143, 515, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "enc.c_make_encoder", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " enc.c_make_encoder = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L420_C8", "label": "enc.encode_basestring_ascii =", "type": "assigned_variable", "loc": [420, 420], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "vector": [14, 2, 0.9545, 0.0023, 2, 0.66, 0.8571, 513, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "enc.encode_basestring_ascii", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " enc.encode_basestring_ascii = enc.py_encode_basestring_ascii"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L421_C8", "label": "scan.make_scanner =", "type": "assigned_variable", "loc": [421, 421], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "vector": [14, 2, 0.9568, 0.0023, 2, 0.66, 1.0, 273, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "scan.make_scanner", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " scan.make_scanner = scan.py_make_scanner"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L422_C4", "label": "dec.make_scanner =", "type": "assigned_variable", "loc": [422, 422], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "vector": [14, 1, 0.9591, 0.0023, 1, 0.88, 0.7143, 42, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "dec.make_scanner", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " dec.make_scanner = scan.make_scanner"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L424_C4", "label": "_default_decoder = JSONDecoder()", "type": "assigned_variable", "loc": [424, 428], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "vector": [14, 1, 0.9682, 0.0114, 1, 0.88, 0.8571, 340, 3, 3, 0, 0, 611, 10, 1], "semantic": {"name": "_default_decoder", "arg_names": [], "import_names": [], "rhs_call_name": "JSONDecoder", "annotation": ""}, "snippet": " _default_decoder = JSONDecoder(\n encoding=None,\n object_hook=None,\n object_pairs_hook=None,\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L430_C4", "label": "_default_encoder = JSONEncoder()", "type": "assigned_variable", "loc": [430, 439], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "vector": [14, 1, 0.9875, 0.0227, 1, 0.88, 1.0, 619, 3, 8, 0, 0, 228, 10, 1], "semantic": {"name": "_default_encoder", "arg_names": [], "import_names": [], "rhs_call_name": "JSONEncoder", "annotation": ""}, "snippet": " _default_encoder = JSONEncoder(\n skipkeys=False,\n ensure_ascii=True,\n check_circular=True,\n allow_nan=True,\n indent=None,\n separators=None,\n encoding='utf-8',"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L113_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Import_L114_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L113_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L115_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L115_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L116_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L115_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Import_L118_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L115_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L119_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L122_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L123_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L123_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:ImportFrom_L125_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L123_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L126_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:Try_L123_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L128_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L142_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Expr_L145_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L142_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L192_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L192_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L197_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L192_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L199_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L199_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L200_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L192_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L201_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L142_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:For_L207_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:For_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Expr_L208_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L211_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Expr_L214_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L211_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L258_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L258_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L263_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L211_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L264_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L264_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L265_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L211_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L266_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L277_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Expr_L280_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L277_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L326_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Expr_L336_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L382_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L382_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L386_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L387_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L387_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L388_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L389_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L389_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L390_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L391_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L391_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L392_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L393_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L393_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L394_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L395_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L395_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L396_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L397_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L397_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L398_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L399_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L399_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L400_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L399_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L402_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L333_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Return_L403_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Import_L407_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Import_L408_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Import_L409_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L410_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L412_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L413_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L414_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L416_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L418_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L419_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L420_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:If_L411_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L421_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L422_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L424_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_572:FunctionDef_L406_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_572:Assign_L430_C4"}]
import urllib import simplejson class Stripe: """ Usage: key='<api key>' d = Stripe(key).charge( amount=100, currency='usd', card_number='4242424242424242', card_exp_month='5', card_exp_year='2012', card_cvc_check='123', description='test charge') print d print Stripe(key).check(d['id']) print Stripe(key).refund(d['id']) Sample output (python dict): {u'fee': 0, u'description': u'test charge', u'created': 1321242072, u'refunded': False, u'livemode': False, u'object': u'charge', u'currency': u'usd', u'amount': 100, u'paid': True, u'id': u'ch_sdjasgfga83asf', u'card': {u'exp_month': 5, u'country': u'US', u'object': u'card', u'last4': u'4242', u'exp_year': 2012, u'type': u'Visa'}} if paid is True than transaction was processed """ def __init__(self, key): self.key = key def charge(self, amount, currency='usd', card_number='4242424242424242', card_exp_month='5', card_exp_year='2012', card_cvc_check='123', description='test charge'): params = urllib.urlencode({'amount': amount, 'currency': currency, 'card[number]': card_number, 'card[exp_month]': card_exp_month, 'card[exp_year]': card_exp_year, 'card[cvc_check]': card_cvc_check, 'description': description}) u = urllib.urlopen('https://%s:@api.stripe.com/v1/charges' % self.key, params) return simplejson.loads(u.read()) def check(self, charge_id): u = urllib.urlopen('https://%s:@api.stripe.com/v1/charges/%s' % (self.key, charge_id)) return simplejson.loads(u.read()) def refund(self, charge_id): params = urllib.urlencode({}) u = urllib.urlopen('https://%s:@api.stripe.com/v1/charges/%s/refund' % (self.key, charge_id), params) return simplejson.loads(u.read()) if __name__ == '__main__': key = raw_input('user>') d = Stripe(key).charge(100) print 'charged', d['paid'] s = Stripe(key).check(d[u'id']) print 'paid', s['paid'], s['amount'], s['currency'] s = Stripe(key).refund(d[u'id']) print 'refunded', s['refunded']
ajibawa-2023/Python-Code-Large/train/row_574
25
66
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_574:Import_L1_C0", "label": "urllib import urllib", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.0152, 0.0152, 0, 0.66, 0.0, 614, 0, 1, 0, 0, 614, 0, 0], "semantic": {"name": "urllib", "arg_names": [], "import_names": ["urllib"], "rhs_call_name": "", "annotation": ""}, "snippet": "import urllib"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Import_L2_C0", "label": "simplejson import simplejson", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.0303, 0.0152, 0, 0.66, 0.3333, 386, 0, 1, 0, 0, 386, 0, 0], "semantic": {"name": "simplejson", "arg_names": [], "import_names": ["simplejson"], "rhs_call_name": "", "annotation": ""}, "snippet": "import simplejson"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:ClassDef_L5_C0", "label": "Stripe", "type": "class", "loc": [5, 57], "level": 0, "parent": null, "vector": [3, 0, 0.4697, 0.803, 0, 0.66, 0.6667, 902, 0, 4, 0, 0, 0, 0, 11], "semantic": {"name": "Stripe", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Stripe:\n \"\"\"\n Usage:\n key='<api key>'\n d = Stripe(key).charge(\n amount=100,\n currency='usd',\n card_number='4242424242424242',"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Expr_L6_C4", "label": "expression", "type": "expression", "loc": [6, 24], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:ClassDef_L5_C0", "vector": [8, 1, 0.2273, 0.2879, 1, 0.91, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Usage:\n key='<api key>'\n d = Stripe(key).charge(\n amount=100,\n currency='usd',\n card_number='4242424242424242',\n card_exp_month='5',"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L26_C4", "label": "__init__", "type": "function", "loc": [26, 27], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:ClassDef_L5_C0", "vector": [2, 1, 0.4015, 0.0303, 1, 0.91, 0.25, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, key):\n self.key = key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L27_C8", "label": "self.key =", "type": "assigned_variable", "loc": [27, 27], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L26_C4", "vector": [14, 2, 0.4091, 0.0152, 2, 0.32, 0.0, 605, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.key = key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L29_C4", "label": "charge", "type": "function", "loc": [29, 46], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:ClassDef_L5_C0", "vector": [2, 1, 0.5682, 0.2727, 1, 0.91, 0.5, 605, 0, 8, 1, 0, 0, 0, 4], "semantic": {"name": "charge", "arg_names": ["self", "amount", "currency", "card_number", "card_exp_month", "card_exp_year", "card_cvc_check", "description"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def charge(self,\n amount,\n currency='usd',\n card_number='4242424242424242',\n card_exp_month='5',\n card_exp_year='2012',\n card_cvc_check='123',\n description='test charge'):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L37_C8", "label": "params = urlencode()", "type": "assigned_variable", "loc": [37, 43], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L29_C4", "vector": [14, 2, 0.6061, 0.1061, 2, 0.55, 0.0, 206, 3, 1, 0, 0, 414, 10, 1], "semantic": {"name": "params", "arg_names": [], "import_names": [], "rhs_call_name": "urlencode", "annotation": ""}, "snippet": " params = urllib.urlencode({'amount': amount,\n 'currency': currency,\n 'card[number]': card_number,\n 'card[exp_month]': card_exp_month,\n 'card[exp_year]': card_exp_year,\n 'card[cvc_check]': card_cvc_check,\n 'description': description})"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L44_C8", "label": "u = urlopen()", "type": "assigned_variable", "loc": [44, 45], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L29_C4", "vector": [14, 2, 0.6742, 0.0303, 2, 0.55, 0.5, 609, 3, 2, 0, 0, 687, 10, 1], "semantic": {"name": "u", "arg_names": [], "import_names": [], "rhs_call_name": "urlopen", "annotation": ""}, "snippet": " u = urllib.urlopen('https://%s:@api.stripe.com/v1/charges' %\n self.key, params)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Return_L46_C8", "label": "return", "type": "return", "loc": [46, 46], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L29_C4", "vector": [13, 2, 0.697, 0.0152, 2, 0.55, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return simplejson.loads(u.read())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L48_C4", "label": "check", "type": "function", "loc": [48, 51], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:ClassDef_L5_C0", "vector": [2, 1, 0.75, 0.0606, 1, 0.91, 0.75, 803, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "check", "arg_names": ["self", "charge_id"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def check(self, charge_id):\n u = urllib.urlopen('https://%s:@api.stripe.com/v1/charges/%s' %\n (self.key, charge_id))\n return simplejson.loads(u.read())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L49_C8", "label": "u = urlopen()", "type": "assigned_variable", "loc": [49, 50], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L48_C4", "vector": [14, 2, 0.75, 0.0303, 2, 0.05, 0.0, 609, 3, 1, 0, 0, 687, 10, 1], "semantic": {"name": "u", "arg_names": [], "import_names": [], "rhs_call_name": "urlopen", "annotation": ""}, "snippet": " u = urllib.urlopen('https://%s:@api.stripe.com/v1/charges/%s' %\n (self.key, charge_id))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Return_L51_C8", "label": "return", "type": "return", "loc": [51, 51], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L48_C4", "vector": [13, 2, 0.7727, 0.0152, 2, 0.05, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return simplejson.loads(u.read())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L53_C4", "label": "refund", "type": "function", "loc": [53, 57], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:ClassDef_L5_C0", "vector": [2, 1, 0.8333, 0.0758, 1, 0.91, 1.0, 245, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "refund", "arg_names": ["self", "charge_id"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def refund(self, charge_id):\n params = urllib.urlencode({})\n u = urllib.urlopen('https://%s:@api.stripe.com/v1/charges/%s/refund' %\n (self.key, charge_id), params)\n return simplejson.loads(u.read())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L54_C8", "label": "params = urlencode()", "type": "assigned_variable", "loc": [54, 54], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L53_C4", "vector": [14, 2, 0.8182, 0.0152, 2, 0.62, 0.0, 206, 3, 1, 0, 0, 414, 10, 1], "semantic": {"name": "params", "arg_names": [], "import_names": [], "rhs_call_name": "urlencode", "annotation": ""}, "snippet": " params = urllib.urlencode({})"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L55_C8", "label": "u = urlopen()", "type": "assigned_variable", "loc": [55, 56], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L53_C4", "vector": [14, 2, 0.8409, 0.0303, 2, 0.62, 0.5, 609, 3, 2, 0, 0, 687, 10, 1], "semantic": {"name": "u", "arg_names": [], "import_names": [], "rhs_call_name": "urlopen", "annotation": ""}, "snippet": " u = urllib.urlopen('https://%s:@api.stripe.com/v1/charges/%s/refund' %\n (self.key, charge_id), params)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Return_L57_C8", "label": "return", "type": "return", "loc": [57, 57], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L53_C4", "vector": [13, 2, 0.8636, 0.0152, 2, 0.62, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return simplejson.loads(u.read())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "label": "if", "type": "if", "loc": [59, 66], "level": 0, "parent": null, "vector": [4, 0, 0.947, 0.1212, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == '__main__':\n key = raw_input('user>')\n d = Stripe(key).charge(100)\n print('charged', d['paid'])\n s = Stripe(key).check(d[u'id'])\n print('paid', s['paid'], s['amount'], s['currency'])\n s = Stripe(key).refund(d[u'id'])\n print('refunded', s['refunded'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L60_C4", "label": "key = raw_input()", "type": "assigned_variable", "loc": [60, 60], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "vector": [14, 1, 0.9091, 0.0152, 1, 0.88, 0.0, 230, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "raw_input", "annotation": ""}, "snippet": " key = raw_input('user>')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L61_C4", "label": "d = charge()", "type": "assigned_variable", "loc": [61, 61], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "vector": [14, 1, 0.9242, 0.0152, 1, 0.88, 0.1667, 355, 3, 1, 0, 0, 605, 10, 2], "semantic": {"name": "d", "arg_names": [], "import_names": [], "rhs_call_name": "charge", "annotation": ""}, "snippet": " d = Stripe(key).charge(100)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Expr_L62_C4", "label": "print()", "type": "expression", "loc": [62, 62], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "vector": [8, 1, 0.9394, 0.0152, 1, 0.88, 0.3333, 535, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print('charged', d['paid'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L63_C4", "label": "s = check()", "type": "assigned_variable", "loc": [63, 63], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "vector": [14, 1, 0.9545, 0.0152, 1, 0.88, 0.5, 553, 3, 1, 0, 0, 803, 10, 2], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " s = Stripe(key).check(d[u'id'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Expr_L64_C4", "label": "print()", "type": "expression", "loc": [64, 64], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "vector": [8, 1, 0.9697, 0.0152, 1, 0.88, 0.6667, 535, 3, 4, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print('paid', s['paid'], s['amount'], s['currency'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L65_C4", "label": "s = refund()", "type": "assigned_variable", "loc": [65, 65], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "vector": [14, 1, 0.9848, 0.0152, 1, 0.88, 0.8333, 553, 3, 1, 0, 0, 245, 10, 2], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "refund", "annotation": ""}, "snippet": " s = Stripe(key).refund(d[u'id'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_574:Expr_L66_C4", "label": "print()", "type": "expression", "loc": [66, 66], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "vector": [8, 1, 1.0, 0.0152, 1, 0.88, 1.0, 535, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print('refunded', s['refunded'])"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_574:ClassDef_L5_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Expr_L6_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:ClassDef_L5_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L26_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L26_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L27_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:ClassDef_L5_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L29_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L29_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L37_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L29_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L44_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L29_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Return_L46_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:ClassDef_L5_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L48_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L48_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L49_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L48_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Return_L51_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:ClassDef_L5_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L53_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L53_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L54_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L53_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L55_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:FunctionDef_L53_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Return_L57_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L60_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L61_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Expr_L62_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L63_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Expr_L64_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Assign_L65_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_574:If_L59_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_574:Expr_L66_C4"}]
from markdown2 import * from gluon.html import XML def WIKI(text, encoding="utf8", safe_mode='escape', html4tags=False, **attributes): if not text: test = '' if attributes.has_key('extras'): extras = attributes['extras'] del attributes['extras'] else: extras=None text = text.decode(encoding,'replace') return XML(markdown(text,extras=extras, safe_mode=safe_mode, html4tags=html4tags)\ .encode(encoding,'xmlcharrefreplace'),**attributes)
ajibawa-2023/Python-Code-Large/train/row_577
10
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_577:ImportFrom_L1_C0", "label": "from markdown2 import *", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.0588, 0.0588, 0, 0.66, 0.0, 623, 0, 1, 0, 0, 623, 0, 0], "semantic": {"name": "markdown2", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from markdown2 import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_577:ImportFrom_L2_C0", "label": "from gluon.html import XML", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.1176, 0.0588, 0, 0.66, 0.5, 373, 0, 1, 0, 0, 373, 0, 0], "semantic": {"name": "gluon.html", "arg_names": [], "import_names": ["XML"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon.html import XML"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_577:FunctionDef_L4_C0", "label": "WIKI", "type": "function", "loc": [4, 16], "level": 0, "parent": null, "vector": [2, 0, 0.5882, 0.7647, 0, 0.66, 1.0, 987, 0, 5, 1, 0, 0, 0, 5], "semantic": {"name": "WIKI", "arg_names": ["text", "encoding", "safe_mode", "html4tags", "attributes"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def WIKI(text, encoding=\"utf8\", safe_mode='escape', html4tags=False, **attributes):\n if not text:\n test = ''\n if attributes.has_key('extras'):\n extras = attributes['extras']\n del attributes['extras']\n else:\n extras=None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_577:If_L5_C4", "label": "if", "type": "if", "loc": [5, 6], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_577:FunctionDef_L4_C0", "vector": [4, 1, 0.3235, 0.1176, 1, 0.69, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not text:\n test = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_577:Assign_L6_C8", "label": "test =", "type": "assigned_variable", "loc": [6, 6], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_577:If_L5_C4", "vector": [14, 2, 0.3529, 0.0588, 2, 0.27, 0.0, 224, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "test", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " test = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_577:If_L7_C4", "label": "if", "type": "if", "loc": [7, 11], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_577:FunctionDef_L4_C0", "vector": [4, 1, 0.5294, 0.2941, 1, 0.69, 0.3333, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if attributes.has_key('extras'):\n extras = attributes['extras']\n del attributes['extras']\n else:\n extras=None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_577:Assign_L8_C8", "label": "extras =", "type": "assigned_variable", "loc": [8, 8], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_577:If_L7_C4", "vector": [14, 2, 0.4706, 0.0588, 2, 0.67, 0.0, 755, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "extras", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " extras = attributes['extras']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_577:Assign_L11_C8", "label": "extras =", "type": "assigned_variable", "loc": [11, 11], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_577:If_L7_C4", "vector": [14, 2, 0.6471, 0.0588, 2, 0.67, 1.0, 755, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "extras", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " extras=None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_577:Assign_L12_C4", "label": "text = decode()", "type": "assigned_variable", "loc": [12, 12], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_577:FunctionDef_L4_C0", "vector": [14, 1, 0.7059, 0.0588, 1, 0.69, 0.6667, 439, 3, 2, 0, 0, 528, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "decode", "annotation": ""}, "snippet": " text = text.decode(encoding,'replace')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_577:Return_L14_C4", "label": "return", "type": "return", "loc": [14, 16], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_577:FunctionDef_L4_C0", "vector": [13, 1, 0.8824, 0.1765, 1, 0.69, 1.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return XML(markdown(text,extras=extras,\n safe_mode=safe_mode, html4tags=html4tags)\\\n .encode(encoding,'xmlcharrefreplace'),**attributes)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_577:FunctionDef_L4_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_577:If_L5_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_577:If_L5_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_577:Assign_L6_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_577:FunctionDef_L4_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_577:If_L7_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_577:If_L7_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_577:Assign_L8_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_577:If_L7_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_577:Assign_L11_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_577:FunctionDef_L4_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_577:Assign_L12_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_577:FunctionDef_L4_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_577:Return_L14_C4"}]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for zh (Chinese) nplurals=1 # Chinese language has ONE form! # Always returns 0: get_plural_id = lambda n: 0 # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: word
ajibawa-2023/Python-Code-Large/train/row_579
2
14
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_579:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.3571, 0.0714, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=1 # Chinese language has ONE form!"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_579:Assign_L8_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [8, 8], "level": 0, "parent": null, "vector": [14, 0, 0.5714, 0.0714, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: 0"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for it (Italian) nplurals=2 # Italian language has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_580
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_580:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # Italian language has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_580:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for es (Spanish) nplurals=2 # Spanish language has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_581
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_581:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # Spanish language has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_581:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for ja (Japanese) nplurals=1 # Japanese language has ONE form! # Always returns 0: get_plural_id = lambda n: 0 # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: word
ajibawa-2023/Python-Code-Large/train/row_582
2
14
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_582:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.3571, 0.0714, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=1 # Japanese language has ONE form!"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_582:Assign_L8_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [8, 8], "level": 0, "parent": null, "vector": [14, 0, 0.5714, 0.0714, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: 0"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for cs (Czech) nplurals=3 # Czech language has 3 forms: # 1 singular and 2 plurals # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: ( 0 if n==1 else 1 if 2<=n<=4 else 2 ) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_583
2
19
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_583:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2632, 0.0526, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=3 # Czech language has 3 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_583:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 13], "level": 0, "parent": null, "vector": [14, 0, 0.6316, 0.1579, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: ( 0 if n==1 else\n 1 if 2<=n<=4 else\n 2 )"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for id (Malay) nplurals=2 # Malay language has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_584
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_584:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # Malay language has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_584:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for af (Afrikaans (South Africa)) nplurals=2 # Afrikaans language has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_585
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_585:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # Afrikaans language has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_585:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for sk (Slovak (Slovakia)) nplurals=3 # Slovak language has 3 forms: # 1 singular and 2 plurals # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: (0 if n % 10 == 1 and n % 100 != 11 else 1 if n % 10 >= 2 and n % 10 <= 4 and (n % 100 < 10 or n % 100 >= 20) else 2) # construct_plural_form() is not used now because of complex # rules of Slovak language. Default version of this function # is used to simple insert new words into plural_dict dictionary) # construct_plural_form = lambda word, plural_id: word
ajibawa-2023/Python-Code-Large/train/row_586
2
20
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_586:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.25, 0.05, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=3 # Slovak language has 3 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_586:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 14], "level": 0, "parent": null, "vector": [14, 0, 0.625, 0.2, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: (0 if n % 10 == 1 and n % 100 != 11 else\n 1 if n % 10 >= 2 and n % 10 <= 4 and\n (n % 100 < 10 or n % 100 >= 20) else\n 2)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for uk (Ukrainian) nplurals=3 # Ukrainian language has 3 forms: # 1 singular and 2 plurals # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: (0 if n % 10 == 1 and n % 100 != 11 else 1 if n % 10 >= 2 and n % 10 <= 4 and (n % 100 < 10 or n % 100 >= 20) else 2) # construct_plural_form() is not used now because of complex # rules of Ukrainian language. Default version of # this function is used to simple insert new words into # plural_dict dictionary) # construct_plural_form = lambda word, plural_id: word
ajibawa-2023/Python-Code-Large/train/row_587
2
21
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_587:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2381, 0.0476, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=3 # Ukrainian language has 3 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_587:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 14], "level": 0, "parent": null, "vector": [14, 0, 0.5952, 0.1905, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: (0 if n % 10 == 1 and n % 100 != 11 else\n 1 if n % 10 >= 2 and n % 10 <= 4 and\n (n % 100 < 10 or n % 100 >= 20) else\n 2)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for pl (Polish) nplurals=3 # Polish language has 3 forms: # 1 singular and 2 plurals # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: (0 if n==1 else 1 if 2<=n<=4 else 2) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_588
2
19
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_588:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2632, 0.0526, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=3 # Polish language has 3 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_588:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 13], "level": 0, "parent": null, "vector": [14, 0, 0.6316, 0.1579, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: (0 if n==1 else\n 1 if 2<=n<=4 else\n 2)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for ru (Russian) nplurals=3 # Russian language has 3 forms: # 1 singular and 2 plurals # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: (0 if n % 10 == 1 and n % 100 != 11 else 1 if n % 10 >= 2 and n % 10 <= 4 and (n % 100 < 10 or n % 100 >= 20) else 2) # construct_plural_form() is not used now because of complex # rules of Russian language. Default version of # this function is used to simple insert new words into # plural_dict dictionary) # construct_plural_form = lambda word, plural_id: word
ajibawa-2023/Python-Code-Large/train/row_589
2
20
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_589:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.25, 0.05, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=3 # Russian language has 3 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_589:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 14], "level": 0, "parent": null, "vector": [14, 0, 0.625, 0.2, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: (0 if n % 10 == 1 and n % 100 != 11 else\n 1 if n % 10 >= 2 and n % 10 <= 4 and\n (n % 100 < 10 or n % 100 >= 20) else\n 2)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for de (Deutsch) nplurals=2 # German language has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_590
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_590:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # German language has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_590:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for bg (Bulgarian) nplurals=2 # Bulgarian language has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_591
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_591:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # Bulgarian language has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_591:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for pt (Portuguese) nplurals=2 # Portuguese has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_592
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_592:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # Portuguese has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_592:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for en (English) nplurals=2 # English language has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary construct_plural_form = lambda word, plural_id: (word + ('es' if word[-1:] in ('s','x','o') or word[-2:] in ('sh','ch') else 's'))
ajibawa-2023/Python-Code-Large/train/row_593
3
20
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_593:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.25, 0.05, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # English language has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_593:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.55, 0.05, 0, 0.66, 0.5, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_593:Assign_L16_C0", "label": "construct_plural_form =", "type": "assigned_variable", "loc": [16, 19], "level": 0, "parent": null, "vector": [14, 0, 0.875, 0.2, 0, 0.66, 1.0, 772, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "construct_plural_form", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "construct_plural_form = lambda word, plural_id: (word +\n ('es' if word[-1:] in ('s','x','o') or\n word[-2:] in ('sh','ch')\n else 's'))"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for sl (Slovenian) nplurals=4 # Slovenian language has 4 forms: # 1 singular and 3 plurals # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: (0 if n % 100 == 1 else 1 if n % 100 == 2 else 2 if n % 100 in (3,4) else 3) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_594
2
20
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_594:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.25, 0.05, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=4 # Slovenian language has 4 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_594:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 14], "level": 0, "parent": null, "vector": [14, 0, 0.625, 0.2, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: (0 if n % 100 == 1 else\n 1 if n % 100 == 2 else\n 2 if n % 100 in (3,4) else\n 3)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for he (Hindi) nplurals=2 # Hindi has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_595
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_595:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # Hindi has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_595:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for hu (Hungarian) nplurals=2 # Hungarian language has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_596
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_596:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # Hungarian language has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_596:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for he (Hebrew) nplurals=2 # Hebrew language has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_597
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_597:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # Hebrew language has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_597:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for fr (French)) nplurals=2 # French language has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_598
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_598:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # French language has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_598:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for ro (Romanian) nplurals=2 # Romanian has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_599
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_599:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # Romanian has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_599:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for tr (Turkish) nplurals=1 # Turkish language has ONE form! # Always returns 0: get_plural_id = lambda n: 0 # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: word
ajibawa-2023/Python-Code-Large/train/row_600
2
14
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_600:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.3571, 0.0714, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=1 # Turkish language has ONE form!"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_600:Assign_L8_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [8, 8], "level": 0, "parent": null, "vector": [14, 0, 0.5714, 0.0714, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: 0"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for lt (Lithuanian) nplurals=3 # Lithuanian language has 3 forms: # 1 singular and 2 plurals # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: (0 if n % 10 == 1 and n % 100 != 11 else 1 if n % 10 >= 2 and (n % 100 < 10 or n % 100 >= 20) else 2) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_601
2
19
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_601:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2632, 0.0526, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=3 # Lithuanian language has 3 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_601:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 13], "level": 0, "parent": null, "vector": [14, 0, 0.6316, 0.1579, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: (0 if n % 10 == 1 and n % 100 != 11 else\n 1 if n % 10 >= 2 and (n % 100 < 10 or n % 100 >= 20) else\n 2)"}]
[]
#!/usr/bin/env python # -*- coding: utf8 -*- # Plural-Forms for id (Indonesian) nplurals=2 # Indonesian language has 2 forms: # 1 singular and 1 plural # Determine plural_id for number *n* as sequence of positive # integers: 0,1,... # NOTE! For singular form ALWAYS return plural_id = 0 get_plural_id = lambda n: int(n != 1) # Construct and return plural form of *word* using # *plural_id* (which ALWAYS>0). This function will be executed # for words (or phrases) not found in plural_dict dictionary # construct_plural_form = lambda word, plural_id: (word + 'suffix')
ajibawa-2023/Python-Code-Large/train/row_602
2
17
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_602:Assign_L5_C0", "label": "nplurals =", "type": "assigned_variable", "loc": [5, 5], "level": 0, "parent": null, "vector": [14, 0, 0.2941, 0.0588, 0, 0.66, 0.0, 795, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "nplurals=2 # Indonesian language has 2 forms:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_602:Assign_L11_C0", "label": "get_plural_id =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6471, 0.0588, 0, 0.66, 1.0, 283, 9, 0, 0, 0, 0, 0, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "get_plural_id = lambda n: int(n != 1)"}]
[]
""" Usage: in web2py models/db.py from gluon.contrib.heroku import get_db db = get_db() """ import os from gluon import * from gluon.dal import ADAPTERS, UseDatabaseStoredFile,PostgreSQLAdapter class HerokuPostgresAdapter(UseDatabaseStoredFile,PostgreSQLAdapter): drivers = ('psycopg2',) uploads_in_blob = True ADAPTERS['postgres'] = HerokuPostgresAdapter def get_db(name = None, pool_size=10): if not name: names = [n for n in os.environ.keys() if n[:18]+n[-4:]=='HEROKU_POSTGRESQL__URL'] if names: name = names[0] if name: db = DAL(os.environ[name], pool_size=pool_size) current.session.connect(current.request, current.response, db=db) else: db = DAL('sqlite://heroku.test.sqlite') return db
ajibawa-2023/Python-Code-Large/train/row_603
18
29
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_603:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 7], "level": 0, "parent": null, "vector": [8, 0, 0.1379, 0.2414, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nUsage: in web2py models/db.py\n\nfrom gluon.contrib.heroku import get_db\ndb = get_db()\n\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:Import_L8_C0", "label": "os import os", "type": "import", "loc": [8, 8], "level": 0, "parent": null, "vector": [1, 0, 0.2759, 0.0345, 0, 0.66, 0.1667, 688, 0, 1, 0, 0, 688, 0, 0], "semantic": {"name": "os", "arg_names": [], "import_names": ["os"], "rhs_call_name": "", "annotation": ""}, "snippet": "import os"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:ImportFrom_L9_C0", "label": "from gluon import *", "type": "import", "loc": [9, 9], "level": 0, "parent": null, "vector": [1, 0, 0.3103, 0.0345, 0, 0.66, 0.3333, 826, 0, 1, 0, 0, 826, 0, 0], "semantic": {"name": "gluon", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:ImportFrom_L10_C0", "label": "from gluon.dal import ADAPTERS, UseDatabaseStoredFile, PostgreSQLAdapter", "type": "import", "loc": [10, 10], "level": 0, "parent": null, "vector": [1, 0, 0.3448, 0.0345, 0, 0.66, 0.5, 169, 0, 3, 0, 0, 169, 0, 0], "semantic": {"name": "gluon.dal", "arg_names": [], "import_names": ["ADAPTERS", "UseDatabaseStoredFile", "PostgreSQLAdapter"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon.dal import ADAPTERS, UseDatabaseStoredFile,PostgreSQLAdapter"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:ClassDef_L12_C0", "label": "HerokuPostgresAdapter", "type": "class", "loc": [12, 14], "level": 0, "parent": null, "vector": [3, 0, 0.4483, 0.1034, 0, 0.66, 0.6667, 613, 0, 0, 0, 0, 656, 0, 0], "semantic": {"name": "HerokuPostgresAdapter", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class HerokuPostgresAdapter(UseDatabaseStoredFile,PostgreSQLAdapter):\n drivers = ('psycopg2',)\n uploads_in_blob = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L13_C4", "label": "drivers =", "type": "assigned_variable", "loc": [13, 13], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_603:ClassDef_L12_C0", "vector": [14, 1, 0.4483, 0.0345, 1, 0.58, 0.0, 942, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "drivers", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " drivers = ('psycopg2',)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L14_C4", "label": "uploads_in_blob =", "type": "assigned_variable", "loc": [14, 14], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_603:ClassDef_L12_C0", "vector": [14, 1, 0.4828, 0.0345, 1, 0.58, 1.0, 490, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "uploads_in_blob", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " uploads_in_blob = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L16_C0", "label": "assign", "type": "assigned_variable", "loc": [16, 16], "level": 0, "parent": null, "vector": [14, 0, 0.5517, 0.0345, 0, 0.66, 0.8333, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ADAPTERS['postgres'] = HerokuPostgresAdapter"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:FunctionDef_L18_C0", "label": "get_db", "type": "function", "loc": [18, 29], "level": 0, "parent": null, "vector": [2, 0, 0.8103, 0.4138, 0, 0.66, 1.0, 907, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "get_db", "arg_names": ["name", "pool_size"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def get_db(name = None, pool_size=10):\n if not name:\n names = [n for n in os.environ.keys()\n if n[:18]+n[-4:]=='HEROKU_POSTGRESQL__URL']\n if names:\n name = names[0]\n if name:\n db = DAL(os.environ[name], pool_size=pool_size)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:If_L19_C4", "label": "if", "type": "if", "loc": [19, 23], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_603:FunctionDef_L18_C0", "vector": [4, 1, 0.7241, 0.1724, 1, 0.21, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not name:\n names = [n for n in os.environ.keys()\n if n[:18]+n[-4:]=='HEROKU_POSTGRESQL__URL']\n if names:\n name = names[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L20_C8", "label": "names =", "type": "assigned_variable", "loc": [20, 21], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_603:If_L19_C4", "vector": [14, 2, 0.7069, 0.069, 2, 0.29, 0.0, 382, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "names", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " names = [n for n in os.environ.keys()\n if n[:18]+n[-4:]=='HEROKU_POSTGRESQL__URL']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:If_L22_C8", "label": "if", "type": "if", "loc": [22, 23], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_603:If_L19_C4", "vector": [4, 2, 0.7759, 0.069, 2, 0.29, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if names:\n name = names[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L23_C12", "label": "name =", "type": "assigned_variable", "loc": [23, 23], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_603:If_L22_C8", "vector": [14, 3, 0.7931, 0.0345, 3, 0.79, 0.0, 57, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " name = names[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:If_L24_C4", "label": "if", "type": "if", "loc": [24, 28], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_603:FunctionDef_L18_C0", "vector": [4, 1, 0.8966, 0.1724, 1, 0.21, 0.5, 0, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if name:\n db = DAL(os.environ[name], pool_size=pool_size)\n current.session.connect(current.request, current.response, db=db)\n else:\n db = DAL('sqlite://heroku.test.sqlite')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L25_C8", "label": "db = DAL()", "type": "assigned_variable", "loc": [25, 25], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_603:If_L24_C4", "vector": [14, 2, 0.8621, 0.0345, 2, 0.04, 0.0, 761, 3, 2, 0, 0, 18, 10, 1], "semantic": {"name": "db", "arg_names": [], "import_names": [], "rhs_call_name": "DAL", "annotation": ""}, "snippet": " db = DAL(os.environ[name], pool_size=pool_size)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:Expr_L26_C8", "label": "connect()", "type": "expression", "loc": [26, 26], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_603:If_L24_C4", "vector": [8, 2, 0.8966, 0.0345, 2, 0.04, 0.5, 242, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "connect", "arg_names": [], "import_names": [], "rhs_call_name": "connect", "annotation": ""}, "snippet": " current.session.connect(current.request, current.response, db=db)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L28_C8", "label": "db = DAL()", "type": "assigned_variable", "loc": [28, 28], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_603:If_L24_C4", "vector": [14, 2, 0.9655, 0.0345, 2, 0.04, 1.0, 761, 3, 1, 0, 0, 18, 10, 1], "semantic": {"name": "db", "arg_names": [], "import_names": [], "rhs_call_name": "DAL", "annotation": ""}, "snippet": " db = DAL('sqlite://heroku.test.sqlite')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_603:Return_L29_C4", "label": "return", "type": "return", "loc": [29, 29], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_603:FunctionDef_L18_C0", "vector": [13, 1, 1.0, 0.0345, 1, 0.21, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return db"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_603:ClassDef_L12_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_603:ClassDef_L12_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L14_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_603:FunctionDef_L18_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_603:If_L19_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_603:If_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L20_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_603:If_L19_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_603:If_L22_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_603:If_L22_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L23_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_603:FunctionDef_L18_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_603:If_L24_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_603:If_L24_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L25_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_603:If_L24_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_603:Expr_L26_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_603:If_L24_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_603:Assign_L28_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_603:FunctionDef_L18_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_603:Return_L29_C4"}]
# -*- coding: utf-8 -*- """ pbkdf2 ~~~~~~ This module implements pbkdf2 for Python. It also has some basic tests that ensure that it works. The implementation is straightforward and uses stdlib only stuff and can be easily be copy/pasted into your favourite application. Use this as replacement for bcrypt that does not need a c implementation of a modified blowfish crypto algo. Example usage: >>> pbkdf2_hex('what i want to hash', 'the random salt') 'fa7cc8a2b0a932f8e6ea42f9787e9d36e592e0c222ada6a9' How to use this: 1. Use a constant time string compare function to compare the stored hash with the one you're generating:: def safe_str_cmp(a, b): if len(a) != len(b): return False rv = 0 for x, y in izip(a, b): rv |= ord(x) ^ ord(y) return rv == 0 2. Use `os.urandom` to generate a proper salt of at least 8 byte. Use a unique salt per hashed password. 3. Store ``algorithm$salt:costfactor$hash`` in the database so that you can upgrade later easily to a different algorithm if you need one. For instance ``PBKDF2-256$thesalt:10000$deadbeef...``. :copyright: (c) Copyright 2011 by Armin Ronacher. :license: BSD, see LICENSE for more details. """ import hmac import hashlib from struct import Struct from operator import xor from itertools import izip, starmap _pack_int = Struct('>I').pack def pbkdf2_hex(data, salt, iterations=1000, keylen=24, hashfunc=None): """Like :func:`pbkdf2_bin` but returns a hex encoded string.""" return pbkdf2_bin(data, salt, iterations, keylen, hashfunc).encode('hex') def pbkdf2_bin(data, salt, iterations=1000, keylen=24, hashfunc=None): """Returns a binary digest for the PBKDF2 hash algorithm of `data` with the given `salt`. It iterates `iterations` time and produces a key of `keylen` bytes. By default SHA-1 is used as hash function, a different hashlib `hashfunc` can be provided. """ hashfunc = hashfunc or hashlib.sha1 mac = hmac.new(data, None, hashfunc) def _pseudorandom(x, mac=mac): h = mac.copy() h.update(x) return map(ord, h.digest()) buf = [] for block in xrange(1, -(-keylen // mac.digest_size) + 1): rv = u = _pseudorandom(salt + _pack_int(block)) for i in xrange(iterations - 1): u = _pseudorandom(''.join(map(chr, u))) rv = starmap(xor, izip(rv, u)) buf.extend(rv) return ''.join(map(chr, buf))[:keylen] def test(): failed = [] def check(data, salt, iterations, keylen, expected): rv = pbkdf2_hex(data, salt, iterations, keylen) if rv != expected: print 'Test failed:' print ' Expected: %s' % expected print ' Got: %s' % rv print ' Parameters:' print ' data=%s' % data print ' salt=%s' % salt print ' iterations=%d' % iterations print failed.append(1) # From RFC 6070 check('password', 'salt', 1, 20, '0c60c80f961f0e71f3a9b524af6012062fe037a6') check('password', 'salt', 2, 20, 'ea6c014dc72d6f8ccd1ed92ace1d41f0d8de8957') check('password', 'salt', 4096, 20, '4b007901b765489abead49d926f721d065a429c1') check('passwordPASSWORDpassword', 'saltSALTsaltSALTsaltSALTsaltSALTsalt', 4096, 25, '3d2eec4fe41c849b80c8d83662c0e44a8b291a964cf2f07038') check('pass\x00word', 'sa\x00lt', 4096, 16, '56fa6aa75548099dcc37d7f03425e0c3') # This one is from the RFC but it just takes for ages ##check('password', 'salt', 16777216, 20, ## 'eefe3d61cd4da4e4e9945b3d6ba2158c2634e984') # From Crypt-PBKDF2 check('password', 'ATHENA.MIT.EDUraeburn', 1, 16, 'cdedb5281bb2f801565a1122b2563515') check('password', 'ATHENA.MIT.EDUraeburn', 1, 32, 'cdedb5281bb2f801565a1122b25635150ad1f7a04bb9f3a333ecc0e2e1f70837') check('password', 'ATHENA.MIT.EDUraeburn', 2, 16, '01dbee7f4a9e243e988b62c73cda935d') check('password', 'ATHENA.MIT.EDUraeburn', 2, 32, '01dbee7f4a9e243e988b62c73cda935da05378b93244ec8f48a99e61ad799d86') check('password', 'ATHENA.MIT.EDUraeburn', 1200, 32, '5c08eb61fdf71e4e4ec3cf6ba1f5512ba7e52ddbc5e5142f708a31e2e62b1e13') check('X' * 64, 'pass phrase equals block size', 1200, 32, '139c30c0966bc32ba55fdbf212530ac9c5ec59f1a452f5cc9ad940fea0598ed1') check('X' * 65, 'pass phrase exceeds block size', 1200, 32, '9ccad6d468770cd51b10e6a68721be611a8b4d282601db3b36be9246915ec82a') raise SystemExit(bool(failed)) if __name__ == '__main__': test()
ajibawa-2023/Python-Code-Large/train/row_604
53
129
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L2_C0", "label": "expression", "type": "expression", "loc": [2, 42], "level": 0, "parent": null, "vector": [8, 0, 0.1705, 0.3178, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\n pbkdf2\n ~~~~~~\n\n This module implements pbkdf2 for Python. It also has some basic\n tests that ensure that it works. The implementation is straightforward\n and uses stdlib only stuff and can be easily be copy/pasted into\n your favourite application."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Import_L43_C0", "label": "hmac import hmac", "type": "import", "loc": [43, 43], "level": 0, "parent": null, "vector": [1, 0, 0.3333, 0.0078, 0, 0.66, 0.1, 993, 0, 1, 0, 0, 993, 0, 0], "semantic": {"name": "hmac", "arg_names": [], "import_names": ["hmac"], "rhs_call_name": "", "annotation": ""}, "snippet": "import hmac"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Import_L44_C0", "label": "hashlib import hashlib", "type": "import", "loc": [44, 44], "level": 0, "parent": null, "vector": [1, 0, 0.3411, 0.0078, 0, 0.66, 0.2, 154, 0, 1, 0, 0, 154, 0, 0], "semantic": {"name": "hashlib", "arg_names": [], "import_names": ["hashlib"], "rhs_call_name": "", "annotation": ""}, "snippet": "import hashlib"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:ImportFrom_L45_C0", "label": "from struct import Struct", "type": "import", "loc": [45, 45], "level": 0, "parent": null, "vector": [1, 0, 0.3488, 0.0078, 0, 0.66, 0.3, 399, 0, 1, 0, 0, 399, 0, 0], "semantic": {"name": "struct", "arg_names": [], "import_names": ["Struct"], "rhs_call_name": "", "annotation": ""}, "snippet": "from struct import Struct"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:ImportFrom_L46_C0", "label": "from operator import xor", "type": "import", "loc": [46, 46], "level": 0, "parent": null, "vector": [1, 0, 0.3566, 0.0078, 0, 0.66, 0.4, 616, 0, 1, 0, 0, 616, 0, 0], "semantic": {"name": "operator", "arg_names": [], "import_names": ["xor"], "rhs_call_name": "", "annotation": ""}, "snippet": "from operator import xor"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:ImportFrom_L47_C0", "label": "from itertools import izip, starmap", "type": "import", "loc": [47, 47], "level": 0, "parent": null, "vector": [1, 0, 0.3643, 0.0078, 0, 0.66, 0.5, 808, 0, 2, 0, 0, 808, 0, 0], "semantic": {"name": "itertools", "arg_names": [], "import_names": ["izip", "starmap"], "rhs_call_name": "", "annotation": ""}, "snippet": "from itertools import izip, starmap"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L50_C0", "label": "_pack_int =", "type": "assigned_variable", "loc": [50, 50], "level": 0, "parent": null, "vector": [14, 0, 0.3876, 0.0078, 0, 0.66, 0.6, 924, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "_pack_int", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "_pack_int = Struct('>I').pack"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L53_C0", "label": "pbkdf2_hex", "type": "function", "loc": [53, 55], "level": 0, "parent": null, "vector": [2, 0, 0.4186, 0.0233, 0, 0.66, 0.7, 92, 0, 5, 1, 0, 0, 0, 2], "semantic": {"name": "pbkdf2_hex", "arg_names": ["data", "salt", "iterations", "keylen", "hashfunc"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def pbkdf2_hex(data, salt, iterations=1000, keylen=24, hashfunc=None):\n \"\"\"Like :func:`pbkdf2_bin` but returns a hex encoded string.\"\"\"\n return pbkdf2_bin(data, salt, iterations, keylen, hashfunc).encode('hex')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L54_C4", "label": "expression", "type": "expression", "loc": [54, 54], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L53_C0", "vector": [8, 1, 0.4186, 0.0078, 1, 0.36, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Like :func:`pbkdf2_bin` but returns a hex encoded string.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Return_L55_C4", "label": "return", "type": "return", "loc": [55, 55], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L53_C0", "vector": [13, 1, 0.4264, 0.0078, 1, 0.36, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return pbkdf2_bin(data, salt, iterations, keylen, hashfunc).encode('hex')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "label": "pbkdf2_bin", "type": "function", "loc": [58, 77], "level": 0, "parent": null, "vector": [2, 0, 0.5233, 0.155, 0, 0.66, 0.8, 744, 0, 5, 1, 0, 0, 0, 17], "semantic": {"name": "pbkdf2_bin", "arg_names": ["data", "salt", "iterations", "keylen", "hashfunc"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def pbkdf2_bin(data, salt, iterations=1000, keylen=24, hashfunc=None):\n \"\"\"Returns a binary digest for the PBKDF2 hash algorithm of `data`\n with the given `salt`. It iterates `iterations` time and produces a\n key of `keylen` bytes. By default SHA-1 is used as hash function,\n a different hashlib `hashfunc` can be provided.\n \"\"\"\n hashfunc = hashfunc or hashlib.sha1\n mac = hmac.new(data, None, hashfunc)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L59_C4", "label": "expression", "type": "expression", "loc": [59, 63], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "vector": [8, 1, 0.4729, 0.0388, 1, 0.39, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Returns a binary digest for the PBKDF2 hash algorithm of `data`\n with the given `salt`. It iterates `iterations` time and produces a\n key of `keylen` bytes. By default SHA-1 is used as hash function,\n a different hashlib `hashfunc` can be provided.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L64_C4", "label": "hashfunc =", "type": "assigned_variable", "loc": [64, 64], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "vector": [14, 1, 0.4961, 0.0078, 1, 0.39, 0.1667, 251, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "hashfunc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " hashfunc = hashfunc or hashlib.sha1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L65_C4", "label": "mac = new()", "type": "assigned_variable", "loc": [65, 65], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "vector": [14, 1, 0.5039, 0.0078, 1, 0.39, 0.3333, 929, 3, 3, 0, 0, 145, 10, 1], "semantic": {"name": "mac", "arg_names": [], "import_names": [], "rhs_call_name": "new", "annotation": ""}, "snippet": " mac = hmac.new(data, None, hashfunc)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L66_C4", "label": "_pseudorandom", "type": "function", "loc": [66, 69], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "vector": [2, 1, 0.5233, 0.031, 1, 0.39, 0.5, 100, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "_pseudorandom", "arg_names": ["x", "mac"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _pseudorandom(x, mac=mac):\n h = mac.copy()\n h.update(x)\n return map(ord, h.digest())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L67_C8", "label": "h = copy()", "type": "assigned_variable", "loc": [67, 67], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L66_C4", "vector": [14, 2, 0.5194, 0.0078, 2, 0.2, 0.0, 686, 3, 0, 0, 0, 739, 10, 1], "semantic": {"name": "h", "arg_names": [], "import_names": [], "rhs_call_name": "copy", "annotation": ""}, "snippet": " h = mac.copy()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L68_C8", "label": "update()", "type": "expression", "loc": [68, 68], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L66_C4", "vector": [8, 2, 0.5271, 0.0078, 2, 0.2, 0.5, 637, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "update", "arg_names": [], "import_names": [], "rhs_call_name": "update", "annotation": ""}, "snippet": " h.update(x)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Return_L69_C8", "label": "return", "type": "return", "loc": [69, 69], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L66_C4", "vector": [13, 2, 0.5349, 0.0078, 2, 0.2, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return map(ord, h.digest())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L70_C4", "label": "buf =", "type": "assigned_variable", "loc": [70, 70], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "vector": [14, 1, 0.5426, 0.0078, 1, 0.39, 0.6667, 840, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "buf", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " buf = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:For_L71_C4", "label": "for block", "type": "for", "loc": [71, 76], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "vector": [6, 1, 0.5698, 0.0465, 1, 0.39, 0.8333, 506, 3, 0, 0, 0, 0, 0, 10], "semantic": {"name": "block", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for block in xrange(1, -(-keylen // mac.digest_size) + 1):\n rv = u = _pseudorandom(salt + _pack_int(block))\n for i in xrange(iterations - 1):\n u = _pseudorandom(''.join(map(chr, u)))\n rv = starmap(xor, izip(rv, u))\n buf.extend(rv)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L72_C8", "label": "rv = _pseudorandom()", "type": "assigned_variable", "loc": [72, 72], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:For_L71_C4", "vector": [14, 2, 0.5581, 0.0078, 2, 0.45, 0.0, 222, 3, 1, 0, 0, 100, 10, 2], "semantic": {"name": "rv", "arg_names": [], "import_names": [], "rhs_call_name": "_pseudorandom", "annotation": ""}, "snippet": " rv = u = _pseudorandom(salt + _pack_int(block))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:For_L73_C8", "label": "for i", "type": "for", "loc": [73, 75], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:For_L71_C4", "vector": [6, 2, 0.5736, 0.0233, 2, 0.45, 0.5, 826, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in xrange(iterations - 1):\n u = _pseudorandom(''.join(map(chr, u)))\n rv = starmap(xor, izip(rv, u))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L74_C12", "label": "u = _pseudorandom()", "type": "assigned_variable", "loc": [74, 74], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:For_L73_C8", "vector": [14, 3, 0.5736, 0.0078, 3, 0.69, 0.0, 609, 3, 1, 0, 0, 100, 10, 3], "semantic": {"name": "u", "arg_names": [], "import_names": [], "rhs_call_name": "_pseudorandom", "annotation": ""}, "snippet": " u = _pseudorandom(''.join(map(chr, u)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L75_C12", "label": "rv = starmap()", "type": "assigned_variable", "loc": [75, 75], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:For_L73_C8", "vector": [14, 3, 0.5814, 0.0078, 3, 0.69, 1.0, 222, 3, 2, 0, 0, 525, 10, 2], "semantic": {"name": "rv", "arg_names": [], "import_names": [], "rhs_call_name": "starmap", "annotation": ""}, "snippet": " rv = starmap(xor, izip(rv, u))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L76_C8", "label": "extend()", "type": "expression", "loc": [76, 76], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:For_L71_C4", "vector": [8, 2, 0.5891, 0.0078, 2, 0.45, 1.0, 660, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "extend", "arg_names": [], "import_names": [], "rhs_call_name": "extend", "annotation": ""}, "snippet": " buf.extend(rv)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Return_L77_C4", "label": "return", "type": "return", "loc": [77, 77], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "vector": [13, 1, 0.5969, 0.0078, 1, 0.39, 1.0, 0, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ''.join(map(chr, buf))[:keylen]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "label": "test", "type": "function", "loc": [80, 125], "level": 0, "parent": null, "vector": [2, 0, 0.7946, 0.3566, 0, 0.66, 0.9, 224, 0, 0, 0, 0, 0, 0, 24], "semantic": {"name": "test", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def test():\n failed = []\n def check(data, salt, iterations, keylen, expected):\n rv = pbkdf2_hex(data, salt, iterations, keylen)\n if rv != expected:\n print('Test failed:')\n print(' Expected: %s' % expected)\n print(' Got: %s' % rv)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L81_C4", "label": "failed =", "type": "assigned_variable", "loc": [81, 81], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [14, 1, 0.6279, 0.0078, 1, 0.61, 0.0, 277, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "failed", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " failed = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L82_C4", "label": "check", "type": "function", "loc": [82, 92], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [2, 1, 0.6744, 0.0853, 1, 0.61, 0.0769, 803, 0, 5, 0, 0, 0, 0, 10], "semantic": {"name": "check", "arg_names": ["data", "salt", "iterations", "keylen", "expected"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def check(data, salt, iterations, keylen, expected):\n rv = pbkdf2_hex(data, salt, iterations, keylen)\n if rv != expected:\n print('Test failed:')\n print(' Expected: %s' % expected)\n print(' Got: %s' % rv)\n print(' Parameters:')\n print(' data=%s' % data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L83_C8", "label": "rv = pbkdf2_hex()", "type": "assigned_variable", "loc": [83, 83], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L82_C4", "vector": [14, 2, 0.6434, 0.0078, 2, 0.86, 0.0, 222, 3, 4, 0, 0, 92, 10, 1], "semantic": {"name": "rv", "arg_names": [], "import_names": [], "rhs_call_name": "pbkdf2_hex", "annotation": ""}, "snippet": " rv = pbkdf2_hex(data, salt, iterations, keylen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "label": "if", "type": "if", "loc": [84, 92], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L82_C4", "vector": [4, 2, 0.6822, 0.0698, 2, 0.86, 1.0, 0, 0, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if rv != expected:\n print('Test failed:')\n print(' Expected: %s' % expected)\n print(' Got: %s' % rv)\n print(' Parameters:')\n print(' data=%s' % data)\n print(' salt=%s' % salt)\n print(' iterations=%d' % iterations)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L85_C12", "label": "print()", "type": "expression", "loc": [85, 85], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "vector": [8, 3, 0.6589, 0.0078, 3, 0.73, 0.0, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print('Test failed:')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L86_C12", "label": "print()", "type": "expression", "loc": [86, 86], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "vector": [8, 3, 0.6667, 0.0078, 3, 0.73, 0.1429, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(' Expected: %s' % expected)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L87_C12", "label": "print()", "type": "expression", "loc": [87, 87], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "vector": [8, 3, 0.6744, 0.0078, 3, 0.73, 0.2857, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(' Got: %s' % rv)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L88_C12", "label": "print()", "type": "expression", "loc": [88, 88], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "vector": [8, 3, 0.6822, 0.0078, 3, 0.73, 0.4286, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(' Parameters:')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L89_C12", "label": "print()", "type": "expression", "loc": [89, 89], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "vector": [8, 3, 0.6899, 0.0078, 3, 0.73, 0.5714, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(' data=%s' % data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L90_C12", "label": "print()", "type": "expression", "loc": [90, 90], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "vector": [8, 3, 0.6977, 0.0078, 3, 0.73, 0.7143, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(' salt=%s' % salt)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L91_C12", "label": "print()", "type": "expression", "loc": [91, 91], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "vector": [8, 3, 0.7054, 0.0078, 3, 0.73, 0.8571, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(' iterations=%d' % iterations)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L92_C12", "label": "print()", "type": "expression", "loc": [92, 92], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "vector": [8, 3, 0.7132, 0.0078, 3, 0.73, 1.0, 535, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(failed.append(1))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L95_C4", "label": "check()", "type": "expression", "loc": [95, 96], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [8, 1, 0.7403, 0.0155, 1, 0.61, 0.1538, 803, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "check", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " check('password', 'salt', 1, 20,\n '0c60c80f961f0e71f3a9b524af6012062fe037a6')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L97_C4", "label": "check()", "type": "expression", "loc": [97, 98], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [8, 1, 0.7558, 0.0155, 1, 0.61, 0.2308, 803, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "check", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " check('password', 'salt', 2, 20,\n 'ea6c014dc72d6f8ccd1ed92ace1d41f0d8de8957')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L99_C4", "label": "check()", "type": "expression", "loc": [99, 100], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [8, 1, 0.7713, 0.0155, 1, 0.61, 0.3077, 803, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "check", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " check('password', 'salt', 4096, 20,\n '4b007901b765489abead49d926f721d065a429c1')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L101_C4", "label": "check()", "type": "expression", "loc": [101, 102], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [8, 1, 0.7868, 0.0155, 1, 0.61, 0.3846, 803, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "check", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " check('passwordPASSWORDpassword', 'saltSALTsaltSALTsaltSALTsaltSALTsalt',\n 4096, 25, '3d2eec4fe41c849b80c8d83662c0e44a8b291a964cf2f07038')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L103_C4", "label": "check()", "type": "expression", "loc": [103, 104], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [8, 1, 0.8023, 0.0155, 1, 0.61, 0.4615, 803, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "check", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " check('pass\\x00word', 'sa\\x00lt', 4096, 16,\n '56fa6aa75548099dcc37d7f03425e0c3')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L110_C4", "label": "check()", "type": "expression", "loc": [110, 111], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [8, 1, 0.8566, 0.0155, 1, 0.61, 0.5385, 803, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "check", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " check('password', 'ATHENA.MIT.EDUraeburn', 1, 16,\n 'cdedb5281bb2f801565a1122b2563515')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L112_C4", "label": "check()", "type": "expression", "loc": [112, 113], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [8, 1, 0.8721, 0.0155, 1, 0.61, 0.6154, 803, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "check", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " check('password', 'ATHENA.MIT.EDUraeburn', 1, 32,\n 'cdedb5281bb2f801565a1122b25635150ad1f7a04bb9f3a333ecc0e2e1f70837')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L114_C4", "label": "check()", "type": "expression", "loc": [114, 115], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [8, 1, 0.8876, 0.0155, 1, 0.61, 0.6923, 803, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "check", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " check('password', 'ATHENA.MIT.EDUraeburn', 2, 16,\n '01dbee7f4a9e243e988b62c73cda935d')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L116_C4", "label": "check()", "type": "expression", "loc": [116, 117], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [8, 1, 0.9031, 0.0155, 1, 0.61, 0.7692, 803, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "check", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " check('password', 'ATHENA.MIT.EDUraeburn', 2, 32,\n '01dbee7f4a9e243e988b62c73cda935da05378b93244ec8f48a99e61ad799d86')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L118_C4", "label": "check()", "type": "expression", "loc": [118, 119], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [8, 1, 0.9186, 0.0155, 1, 0.61, 0.8462, 803, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "check", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " check('password', 'ATHENA.MIT.EDUraeburn', 1200, 32,\n '5c08eb61fdf71e4e4ec3cf6ba1f5512ba7e52ddbc5e5142f708a31e2e62b1e13')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L120_C4", "label": "check()", "type": "expression", "loc": [120, 121], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [8, 1, 0.9341, 0.0155, 1, 0.61, 0.9231, 803, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "check", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " check('X' * 64, 'pass phrase equals block size', 1200, 32,\n '139c30c0966bc32ba55fdbf212530ac9c5ec59f1a452f5cc9ad940fea0598ed1')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L122_C4", "label": "check()", "type": "expression", "loc": [122, 123], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "vector": [8, 1, 0.9496, 0.0155, 1, 0.61, 1.0, 803, 3, 5, 0, 0, 0, 0, 1], "semantic": {"name": "check", "arg_names": [], "import_names": [], "rhs_call_name": "check", "annotation": ""}, "snippet": " check('X' * 65, 'pass phrase exceeds block size', 1200, 32,\n '9ccad6d468770cd51b10e6a68721be611a8b4d282601db3b36be9246915ec82a')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:If_L128_C0", "label": "if", "type": "if", "loc": [128, 129], "level": 0, "parent": null, "vector": [4, 0, 0.9961, 0.0155, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == '__main__':\n test()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L129_C4", "label": "test()", "type": "expression", "loc": [129, 129], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_604:If_L128_C0", "vector": [8, 1, 1.0, 0.0078, 1, 0.64, 0.0, 224, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "test", "arg_names": [], "import_names": [], "rhs_call_name": "test", "annotation": ""}, "snippet": " test()"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L53_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L54_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L53_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Return_L55_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L59_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L64_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L65_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L66_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L66_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L67_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L66_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L68_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L66_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Return_L69_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L70_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:For_L71_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:For_L71_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L72_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:For_L71_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_604:For_L73_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:For_L73_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L74_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:For_L73_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L75_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:For_L71_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L76_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L58_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Return_L77_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L81_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L82_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L82_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Assign_L83_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L82_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L85_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L86_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L87_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L88_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L89_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L90_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L91_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:If_L84_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L92_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L95_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L97_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L99_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L101_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L103_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L110_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L112_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L114_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L116_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L118_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L120_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:FunctionDef_L80_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L122_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_604:If_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_604:Expr_L129_C4"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- # This module provides a simple API for Paymentech(c) payments # The original code was taken from this web2py issue post # http://code.google.com/p/web2py/issues/detail?id=1170 by Adnan Smajlovic # # Copyright (C) <2012> Alan Etkin <spametki@gmail.com> # License: BSD # import sys, httplib, urllib, urllib2 from xml.dom.minidom import parseString # TODO: input validation, test, debugging output class PaymenTech(object): """ The base class for connecting to the Paymentech service Format notes ============ - Credit card expiration date (exp argument) must be of mmyyyy form - The amount is an all integers string with two decimal places: For example, $2.15 must be formatted as "215" Point of sale and service options (to be passed on initialization) ================================================================== user password industry message bin_code merchant terminal (WARNING!: this is False by default) development <bool> (the following arguments have default values) target host api_url Testing ======= As this module consumes webservice methods, it should be tested with particular user data with the paymentech development environment The simplest test would be running something like the following: from paymentech import PaymenTech # Read the basic point of sale argument list required above # Remember to use development = True! pos_data = {'user': <username>, ...} # The data arguments are documented in the .charge() method help charge_test = {'account': <account>, ...} mypayment = PaymentTech(**pos_data) result = mypayment.charge(**charge_test) print "##################################" print "# Charge test result #" print "##################################" print result ################################################################# # Notes for web2py implementations # ################################################################# # A recommended model for handling payments # Store this constants in a private model file (i.e. 0_private.py) PAYMENTECH_USER = <str> PAYMENTECH_PASSWORD = <str> PAYMENTECH_INDUSTRY = <str> PAYMENTECH_MESSAGE = <str> PAYMENTECH_BIN_CODE= <str> PAYMENTECH_MERCHANT = <str> PAYMENTECH_terminal = <str> DEVELOPMENT = True PAYMENTECH_TARGET = <str> PAYMENTECH_HOST = <str> PAYMENTECH_API_URL = <str> # The following table would allow passing data with web2py and to # update records with the webservice authorization output by using # the DAL # # For example: # # # Create a PaymenTech instance # mypaymentech = paymentech.PaymenTech(user=PAYMENTECH_USER, ...) # # # Fetch a payment inserted within the app # myrow = db.paymentech[<id>] # # # Send the authorization request to the webservice # result = mypaymentech.charge(myrow.as_dict()) # # # Update the db record with the webservice response # myrow.update_record(**result) db.define_table("paymentech", Field("account"), Field("exp", comment="Must be of the mmyyyy form"), Field("currency_code"), Field("currency_exponent"), Field("card_sec_val_ind"), Field("card_sec_val"), Field("avs_zip"), Field("avs_address_1"), Field("avs_address_2"), Field("avs_city"), Field("avs_state"), Field("avs_phone"), Field("avs_country"), Field("profile_from_order_ind"), Field("profile_order_override_ind"), Field("order_id"), Field("amount", comment="all integers with two decimal digits, \ without dot separation"), Field("header"), Field("status_code"), Field("status_message"), Field("resp_code"), Field("tx_ref_num"), format="%(order_id)s") TODO: add model form validators (for exp date and amount) """ charge_xml = """ <?xml version="1.0" encoding="UTF-8"?> <Request> <NewOrder> <OrbitalConnectionUsername>%(user)s</OrbitalConnectionUsername> <OrbitalConnectionPassword>%(password)s</OrbitalConnectionPassword> <IndustryType>%(industry)s</IndustryType> <MessageType>%(message)s</MessageType> <BIN>%(bin)s</BIN> <MerchantID>%(merchant)s</MerchantID> <TerminalID>%(terminal)s</TerminalID> <AccountNum>%(account)s</AccountNum> <Exp>%(exp)s</Exp> <CurrencyCode>%(currency_code)s</CurrencyCode> <CurrencyExponent>%(currency_exponent)s</CurrencyExponent> <CardSecValInd>%(card_sec_val_ind)s</CardSecValInd> <CardSecVal>%(card_sec_val)s</CardSecVal> <AVSzip>%(avs_zip)s</AVSzip> <AVSaddress1>%(avs_address_1)s</AVSaddress1> <AVSaddress2>%(avs_address_2)s</AVSaddress2> <AVScity>%(avs_city)s</AVScity> <AVSstate>%(avs_state)s</AVSstate> <AVSphoneNum>%(avs_phone)s</AVSphoneNum> <AVScountryCode>%(avs_country)s</AVScountryCode> <CustomerProfileFromOrderInd>%(profile_from_order_ind)s</CustomerProfileFromOrderInd> <CustomerProfileOrderOverrideInd>%(profile_order_override_ind)s</CustomerProfileOrderOverrideInd> <OrderID>%(order_id)s</OrderID> <Amount>%(amount)s</Amount> </NewOrder> </Request> """ def __init__(self, development=False, user=None, password=None, industry=None, message=None, api_url=None, bin_code=None, merchant=None, host=None, terminal=None, target=None): # PaymenTech point of sales data self.user = user self.password = password self.industry = industry self.message = message self.bin_code = bin_code self.merchant = merchant self.terminal = terminal # Service options self.development = development self.target = target self.host = host self.api_url = api_url # dev: https://orbitalvar1.paymentech.net/authorize:443 # prod: https://orbital1.paymentech.net/authorize if self.development is False: if not self.target: # production self.target = "https://orbital1.paymentech.net/authorize" self.host, self.api_url = \ urllib2.splithost(urllib2.splittype(self.target)[1]) else: if not self.target: # development self.target = "https://orbitalvar1.paymentech.net/authorize" if not self.host: self.host = "orbitalvar1.paymentech.net/authorize:443" if not self.api_url: self.api_url = "/" def charge(self, raw=None, **kwargs): """ Post an XML request to Paymentech This is an example of a call with raw xml data: from paymentech import PaymenTech # Note: user/password/etc data is not mandatory as it # is retrieved from instance attributes (set on init) pt = PaymenTech(user="<myuser>", password="<mypassword>", ...) # see basic user in the class help result = pt.charge(raw=xml_string) A better way to make a charge request is to unpack a dict object with the operation data: ... # The complete input values are listed below in # "Transacion data..." charge_data = dict(account=<str>, exp=<str mmyyyy>, ...) result = pt.charge(**charge_data) Variable xml_string contains all details about the order, plus we are sending username/password in there too... Transaction data (to be passed to the charge() method) ====================================================== (Note that it is possible to override the class user, pass, etc. passing those arguments to the .charge() method, which are documented in the class help) account exp <str mmyyyy> currency_code currency_exponent card_sec_val_ind card_sec_val avs_zip avs_address_1 avs_address_2 avs_city avs_state avs_phone avs_country profile_from_order_ind profile_order_override_ind order_id amount <str> (all integers with two decimal digits, without dot separation) Request header example ====================== Request: sent as POST to https://orbitalvar1.paymentech.net/authorize:443 from 127.0.0.1 request headers: Content-Type: application/PTI45 Content-Type: application/PTI46 Content-transfer-encoding: text Request-number: 1 Document-type: Request Trace-number: 1234556446 <?xml version="1.0" encoding="UTF-8"?> """ # default charge data data = dict(user=self.user, password=self.password, industry=self.industry, message=self.message, bin_code=self.bin_code, merchant=self.merchant, terminal=self.terminal, account="", exp="", currency_code="", currency_exponent="", card_sec_val_ind="", card_sec_val="", avs_zip="", avs_address_1="", avs_address_2="", avs_city="", avs_state="", avs_phone="", avs_country="", profile_from_order_ind="", profile_order_override_ind="", order_id="", amount="") result = dict() # Complete the charge request with the method kwargs for k, v in kwargs.iteritems(): data[k] = v status_code = status_message = header = resp_code = \ tx_ref_num = order_id = None conn = httplib.HTTPS(self.host) conn.putrequest('POST', self.api_url) if self.development: content_type = "PTI56" else: content_type = "PTI46" if raw is None: xml_string = self.charge_xml % data else: xml_string = raw conn.putheader("Content-Type", "application/%s") % content_type conn.putheader("Content-transfer-encoding", "text") conn.putheader("Request-number", "1") conn.putheader("Content-length", str(len(xml_string))) conn.putheader("Document-type", "Request") conn.putheader("Trace-number", str(data["order_id"])) conn.putheader("MIME-Version", "1.0") conn.endheaders() conn.send(xml_string) result["status_code"], result["status_message"], \ result["header"] = conn.getreply() fp = conn.getfile() output = fp.read() fp.close() dom = parseString(output) result["resp_code"] = \ dom.getElementsByTagName('RespCode')[0].firstChild.data result["tx_ref_num"] = \ dom.getElementsByTagName('TxRefNum')[0].firstChild.data result["order_id"] = \ dom.getElementsByTagName('CustomerRefNum')[0].firstChild.data return result
ajibawa-2023/Python-Code-Large/train/row_605
60
342
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_605:Import_L12_C0", "label": "sys import sys, httplib, urllib\u2026", "type": "import", "loc": [12, 12], "level": 0, "parent": null, "vector": [1, 0, 0.0351, 0.0029, 0, 0.66, 0.0, 509, 0, 4, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys", "httplib", "urllib", "urllib2"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys, httplib, urllib, urllib2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:ImportFrom_L13_C0", "label": "from xml.dom.minidom import parseString", "type": "import", "loc": [13, 13], "level": 0, "parent": null, "vector": [1, 0, 0.038, 0.0029, 0, 0.66, 0.5, 770, 0, 1, 0, 0, 770, 0, 0], "semantic": {"name": "xml.dom.minidom", "arg_names": [], "import_names": ["parseString"], "rhs_call_name": "", "annotation": ""}, "snippet": "from xml.dom.minidom import parseString"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:ClassDef_L17_C0", "label": "PaymenTech", "type": "class", "loc": [17, 342], "level": 0, "parent": null, "vector": [3, 0, 0.5249, 0.9532, 0, 0.66, 1.0, 726, 0, 2, 0, 0, 186, 0, 27], "semantic": {"name": "PaymenTech", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class PaymenTech(object):\n \"\"\"\n The base class for connecting to the Paymentech service\n\n Format notes\n ============\n\n - Credit card expiration date (exp argument) must be of mmyyyy form"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L18_C4", "label": "expression", "type": "expression", "loc": [18, 137], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:ClassDef_L17_C0", "vector": [8, 1, 0.2266, 0.3509, 1, 0.34, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n The base class for connecting to the Paymentech service\n\n Format notes\n ============\n\n - Credit card expiration date (exp argument) must be of mmyyyy form\n - The amount is an all integers string with two decimal places:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L139_C4", "label": "charge_xml =", "type": "assigned_variable", "loc": [139, 169], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:ClassDef_L17_C0", "vector": [14, 1, 0.4503, 0.0906, 1, 0.34, 0.3333, 177, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "charge_xml", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " charge_xml = \"\"\"\n <?xml version=\"1.0\" encoding=\"UTF-8\"?>\n <Request>\n <NewOrder>\n <OrbitalConnectionUsername>%(user)s</OrbitalConnectionUsername>\n <OrbitalConnectionPassword>%(password)s</OrbitalConnectionPassword>\n <IndustryType>%(industry)s</IndustryType>\n <MessageType>%(message)s</MessageType>"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "label": "__init__", "type": "function", "loc": [171, 209], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:ClassDef_L17_C0", "vector": [2, 1, 0.5556, 0.114, 1, 0.34, 0.6667, 555, 0, 12, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "development", "user", "password", "industry", "message", "api_url", "bin_code", "merchant", "host", "terminal", "target"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, development=False, user=None, password=None,\n industry=None, message=None, api_url=None,\n bin_code=None, merchant=None, host=None,\n terminal=None, target=None):\n\n # PaymenTech point of sales data\n self.user = user\n self.password = password"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L177_C8", "label": "self.user =", "type": "assigned_variable", "loc": [177, 177], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "vector": [14, 2, 0.5175, 0.0029, 2, 0.37, 0.0, 371, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.user", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.user = user"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L178_C8", "label": "self.password =", "type": "assigned_variable", "loc": [178, 178], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "vector": [14, 2, 0.5205, 0.0029, 2, 0.37, 0.0909, 902, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.password", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.password = password"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L179_C8", "label": "self.industry =", "type": "assigned_variable", "loc": [179, 179], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "vector": [14, 2, 0.5234, 0.0029, 2, 0.37, 0.1818, 52, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.industry", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.industry = industry"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L180_C8", "label": "self.message =", "type": "assigned_variable", "loc": [180, 180], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "vector": [14, 2, 0.5263, 0.0029, 2, 0.37, 0.2727, 709, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.message", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.message = message"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L181_C8", "label": "self.bin_code =", "type": "assigned_variable", "loc": [181, 181], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "vector": [14, 2, 0.5292, 0.0029, 2, 0.37, 0.3636, 536, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.bin_code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.bin_code = bin_code"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L182_C8", "label": "self.merchant =", "type": "assigned_variable", "loc": [182, 182], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "vector": [14, 2, 0.5322, 0.0029, 2, 0.37, 0.4545, 205, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.merchant", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.merchant = merchant"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L183_C8", "label": "self.terminal =", "type": "assigned_variable", "loc": [183, 183], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "vector": [14, 2, 0.5351, 0.0029, 2, 0.37, 0.5455, 853, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.terminal", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.terminal = terminal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L186_C8", "label": "self.development =", "type": "assigned_variable", "loc": [186, 186], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "vector": [14, 2, 0.5439, 0.0029, 2, 0.37, 0.6364, 116, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.development", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.development = development"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L187_C8", "label": "self.target =", "type": "assigned_variable", "loc": [187, 187], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "vector": [14, 2, 0.5468, 0.0029, 2, 0.37, 0.7273, 207, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.target", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.target = target"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L188_C8", "label": "self.host =", "type": "assigned_variable", "loc": [188, 188], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "vector": [14, 2, 0.5497, 0.0029, 2, 0.37, 0.8182, 445, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.host", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.host = host"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L189_C8", "label": "self.api_url =", "type": "assigned_variable", "loc": [189, 189], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "vector": [14, 2, 0.5526, 0.0029, 2, 0.37, 0.9091, 168, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.api_url", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.api_url = api_url"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:If_L194_C8", "label": "if", "type": "if", "loc": [194, 209], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "vector": [4, 2, 0.5892, 0.0468, 2, 0.37, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.development is False:\n if not self.target:\n # production\n self.target = \"https://orbital1.paymentech.net/authorize\"\n\n self.host, self.api_url = \\\n urllib2.splithost(urllib2.splittype(self.target)[1])\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:If_L195_C12", "label": "if", "type": "if", "loc": [195, 197], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L194_C8", "vector": [4, 3, 0.5731, 0.0088, 3, 0.87, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self.target:\n # production\n self.target = \"https://orbital1.paymentech.net/authorize\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L197_C16", "label": "self.target =", "type": "assigned_variable", "loc": [197, 197], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L195_C12", "vector": [14, 4, 0.576, 0.0029, 4, 0.76, 0.0, 207, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self.target", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.target = \"https://orbital1.paymentech.net/authorize\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L199_C12", "label": " = splithost()", "type": "assigned_variable", "loc": [199, 200], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L194_C8", "vector": [14, 3, 0.5833, 0.0058, 3, 0.87, 0.25, 0, 3, 1, 0, 0, 79, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "splithost", "annotation": ""}, "snippet": " self.host, self.api_url = \\\n urllib2.splithost(urllib2.splittype(self.target)[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:If_L203_C12", "label": "if", "type": "if", "loc": [203, 205], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L194_C8", "vector": [4, 3, 0.5965, 0.0088, 3, 0.87, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self.target:\n # development\n self.target = \"https://orbitalvar1.paymentech.net/authorize\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L205_C16", "label": "self.target =", "type": "assigned_variable", "loc": [205, 205], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L203_C12", "vector": [14, 4, 0.5994, 0.0029, 4, 0.23, 0.0, 207, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self.target", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.target = \"https://orbitalvar1.paymentech.net/authorize\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:If_L206_C12", "label": "if", "type": "if", "loc": [206, 207], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L194_C8", "vector": [4, 3, 0.6038, 0.0058, 3, 0.87, 0.75, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self.host:\n self.host = \"orbitalvar1.paymentech.net/authorize:443\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L207_C16", "label": "self.host =", "type": "assigned_variable", "loc": [207, 207], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L206_C12", "vector": [14, 4, 0.6053, 0.0029, 4, 0.64, 0.0, 445, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self.host", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.host = \"orbitalvar1.paymentech.net/authorize:443\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:If_L208_C12", "label": "if", "type": "if", "loc": [208, 209], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L194_C8", "vector": [4, 3, 0.6096, 0.0058, 3, 0.87, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self.api_url:\n self.api_url = \"/\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L209_C16", "label": "self.api_url =", "type": "assigned_variable", "loc": [209, 209], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L208_C12", "vector": [14, 4, 0.6111, 0.0029, 4, 0.99, 0.0, 168, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self.api_url", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.api_url = \"/\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "label": "charge", "type": "function", "loc": [211, 342], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:ClassDef_L17_C0", "vector": [2, 1, 0.8085, 0.386, 1, 0.34, 1.0, 605, 0, 3, 1, 0, 0, 0, 25], "semantic": {"name": "charge", "arg_names": ["self", "raw", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def charge(self, raw=None, **kwargs):\n \"\"\"\n Post an XML request to Paymentech\n This is an example of a call with raw xml data:\n\n from paymentech import PaymenTech\n\n # Note: user/password/etc data is not mandatory as it"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L212_C8", "label": "expression", "type": "expression", "loc": [212, 280], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [8, 2, 0.7193, 0.2018, 2, 0.98, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Post an XML request to Paymentech\n This is an example of a call with raw xml data:\n\n from paymentech import PaymenTech\n\n # Note: user/password/etc data is not mandatory as it\n # is retrieved from instance attributes (set on init)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L283_C8", "label": "data = dict()", "type": "assigned_variable", "loc": [283, 293], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [14, 2, 0.8421, 0.0322, 2, 0.98, 0.0385, 929, 3, 24, 0, 0, 827, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "dict", "annotation": ""}, "snippet": " data = dict(user=self.user, password=self.password,\n industry=self.industry, message=self.message,\n bin_code=self.bin_code, merchant=self.merchant,\n terminal=self.terminal, account=\"\", exp=\"\",\n currency_code=\"\", currency_exponent=\"\",\n card_sec_val_ind=\"\", card_sec_val=\"\", avs_zip=\"\",\n avs_address_1=\"\", avs_address_2=\"\", avs_city=\"\",\n avs_state=\"\", avs_phone=\"\", avs_country=\"\","}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L295_C8", "label": "result = dict()", "type": "assigned_variable", "loc": [295, 295], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [14, 2, 0.8626, 0.0029, 2, 0.98, 0.0769, 51, 3, 0, 0, 0, 827, 10, 1], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "dict", "annotation": ""}, "snippet": " result = dict()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:For_L298_C8", "label": "for k, v", "type": "for", "loc": [298, 299], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [6, 2, 0.8728, 0.0058, 2, 0.98, 0.1154, 867, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "k, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k, v in kwargs.iteritems():\n data[k] = v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L299_C12", "label": "assign", "type": "assigned_variable", "loc": [299, 299], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:For_L298_C8", "vector": [14, 3, 0.8743, 0.0029, 3, 0.66, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " data[k] = v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L301_C8", "label": "status_code =", "type": "assigned_variable", "loc": [301, 302], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [14, 2, 0.8816, 0.0058, 2, 0.98, 0.1538, 753, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "status_code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " status_code = status_message = header = resp_code = \\\n tx_ref_num = order_id = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L303_C8", "label": "conn = HTTPS()", "type": "assigned_variable", "loc": [303, 303], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [14, 2, 0.886, 0.0029, 2, 0.98, 0.1923, 345, 3, 1, 0, 0, 906, 10, 1], "semantic": {"name": "conn", "arg_names": [], "import_names": [], "rhs_call_name": "HTTPS", "annotation": ""}, "snippet": " conn = httplib.HTTPS(self.host)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L304_C8", "label": "putrequest()", "type": "expression", "loc": [304, 304], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [8, 2, 0.8889, 0.0029, 2, 0.98, 0.2308, 92, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "putrequest", "arg_names": [], "import_names": [], "rhs_call_name": "putrequest", "annotation": ""}, "snippet": " conn.putrequest('POST', self.api_url)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:If_L306_C8", "label": "if", "type": "if", "loc": [306, 309], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [4, 2, 0.8991, 0.0117, 2, 0.98, 0.2692, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.development:\n content_type = \"PTI56\"\n else:\n content_type = \"PTI46\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L307_C12", "label": "content_type =", "type": "assigned_variable", "loc": [307, 307], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L306_C8", "vector": [14, 3, 0.8977, 0.0029, 3, 0.2, 0.0, 610, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "content_type", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " content_type = \"PTI56\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L309_C12", "label": "content_type =", "type": "assigned_variable", "loc": [309, 309], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L306_C8", "vector": [14, 3, 0.9035, 0.0029, 3, 0.2, 1.0, 610, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "content_type", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " content_type = \"PTI46\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:If_L311_C8", "label": "if", "type": "if", "loc": [311, 314], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [4, 2, 0.9137, 0.0117, 2, 0.98, 0.3077, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if raw is None:\n xml_string = self.charge_xml % data\n else:\n xml_string = raw"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L312_C12", "label": "xml_string =", "type": "assigned_variable", "loc": [312, 312], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L311_C8", "vector": [14, 3, 0.9123, 0.0029, 3, 0.23, 0.0, 393, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "xml_string", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xml_string = self.charge_xml % data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L314_C12", "label": "xml_string =", "type": "assigned_variable", "loc": [314, 314], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:If_L311_C8", "vector": [14, 3, 0.9181, 0.0029, 3, 0.23, 1.0, 393, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "xml_string", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " xml_string = raw"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L316_C8", "label": "expression", "type": "expression", "loc": [316, 317], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [8, 2, 0.9254, 0.0058, 2, 0.98, 0.3462, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " conn.putheader(\"Content-Type\",\n \"application/%s\") % content_type"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L318_C8", "label": "putheader()", "type": "expression", "loc": [318, 318], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [8, 2, 0.9298, 0.0029, 2, 0.98, 0.3846, 327, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "putheader", "arg_names": [], "import_names": [], "rhs_call_name": "putheader", "annotation": ""}, "snippet": " conn.putheader(\"Content-transfer-encoding\", \"text\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L319_C8", "label": "putheader()", "type": "expression", "loc": [319, 319], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [8, 2, 0.9327, 0.0029, 2, 0.98, 0.4231, 327, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "putheader", "arg_names": [], "import_names": [], "rhs_call_name": "putheader", "annotation": ""}, "snippet": " conn.putheader(\"Request-number\", \"1\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L320_C8", "label": "putheader()", "type": "expression", "loc": [320, 320], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [8, 2, 0.9357, 0.0029, 2, 0.98, 0.4615, 327, 3, 2, 0, 0, 0, 0, 3], "semantic": {"name": "putheader", "arg_names": [], "import_names": [], "rhs_call_name": "putheader", "annotation": ""}, "snippet": " conn.putheader(\"Content-length\", str(len(xml_string)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L321_C8", "label": "putheader()", "type": "expression", "loc": [321, 321], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [8, 2, 0.9386, 0.0029, 2, 0.98, 0.5, 327, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "putheader", "arg_names": [], "import_names": [], "rhs_call_name": "putheader", "annotation": ""}, "snippet": " conn.putheader(\"Document-type\", \"Request\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L322_C8", "label": "putheader()", "type": "expression", "loc": [322, 322], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [8, 2, 0.9415, 0.0029, 2, 0.98, 0.5385, 327, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "putheader", "arg_names": [], "import_names": [], "rhs_call_name": "putheader", "annotation": ""}, "snippet": " conn.putheader(\"Trace-number\", str(data[\"order_id\"]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L323_C8", "label": "putheader()", "type": "expression", "loc": [323, 323], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [8, 2, 0.9444, 0.0029, 2, 0.98, 0.5769, 327, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "putheader", "arg_names": [], "import_names": [], "rhs_call_name": "putheader", "annotation": ""}, "snippet": " conn.putheader(\"MIME-Version\", \"1.0\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L324_C8", "label": "endheaders()", "type": "expression", "loc": [324, 324], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [8, 2, 0.9474, 0.0029, 2, 0.98, 0.6154, 242, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "endheaders", "arg_names": [], "import_names": [], "rhs_call_name": "endheaders", "annotation": ""}, "snippet": " conn.endheaders()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L325_C8", "label": "send()", "type": "expression", "loc": [325, 325], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [8, 2, 0.9503, 0.0029, 2, 0.98, 0.6538, 826, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "send", "arg_names": [], "import_names": [], "rhs_call_name": "send", "annotation": ""}, "snippet": " conn.send(xml_string)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L327_C8", "label": " = getreply()", "type": "assigned_variable", "loc": [327, 328], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [14, 2, 0.9576, 0.0058, 2, 0.98, 0.6923, 0, 3, 0, 0, 0, 235, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "getreply", "annotation": ""}, "snippet": " result[\"status_code\"], result[\"status_message\"], \\\n result[\"header\"] = conn.getreply()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L330_C8", "label": "fp = getfile()", "type": "assigned_variable", "loc": [330, 330], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [14, 2, 0.9649, 0.0029, 2, 0.98, 0.7308, 392, 3, 0, 0, 0, 543, 10, 1], "semantic": {"name": "fp", "arg_names": [], "import_names": [], "rhs_call_name": "getfile", "annotation": ""}, "snippet": " fp = conn.getfile()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L331_C8", "label": "output = read()", "type": "assigned_variable", "loc": [331, 331], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [14, 2, 0.9678, 0.0029, 2, 0.98, 0.7692, 886, 3, 0, 0, 0, 453, 10, 1], "semantic": {"name": "output", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " output = fp.read()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L332_C8", "label": "close()", "type": "expression", "loc": [332, 332], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [8, 2, 0.9708, 0.0029, 2, 0.98, 0.8077, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " fp.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L334_C8", "label": "dom = parseString()", "type": "assigned_variable", "loc": [334, 334], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [14, 2, 0.9766, 0.0029, 2, 0.98, 0.8462, 401, 3, 1, 0, 0, 491, 10, 1], "semantic": {"name": "dom", "arg_names": [], "import_names": [], "rhs_call_name": "parseString", "annotation": ""}, "snippet": " dom = parseString(output)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L335_C8", "label": "assign", "type": "assigned_variable", "loc": [335, 336], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [14, 2, 0.981, 0.0058, 2, 0.98, 0.8846, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result[\"resp_code\"] = \\\n dom.getElementsByTagName('RespCode')[0].firstChild.data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L337_C8", "label": "assign", "type": "assigned_variable", "loc": [337, 338], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [14, 2, 0.9868, 0.0058, 2, 0.98, 0.9231, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result[\"tx_ref_num\"] = \\\n dom.getElementsByTagName('TxRefNum')[0].firstChild.data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L339_C8", "label": "assign", "type": "assigned_variable", "loc": [339, 340], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [14, 2, 0.9927, 0.0058, 2, 0.98, 0.9615, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " result[\"order_id\"] = \\\n dom.getElementsByTagName('CustomerRefNum')[0].firstChild.data"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_605:Return_L342_C8", "label": "return", "type": "return", "loc": [342, 342], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "vector": [13, 2, 1.0, 0.0029, 2, 0.98, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_605:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L18_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L139_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L177_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L178_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L179_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L180_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L181_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L182_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L183_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L186_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L187_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L188_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L189_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L171_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:If_L194_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L194_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_605:If_L195_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L195_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L197_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L194_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L199_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L194_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_605:If_L203_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L203_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L205_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L194_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_605:If_L206_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L206_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L207_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L194_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_605:If_L208_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L208_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L209_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:ClassDef_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L212_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L283_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L295_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:For_L298_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:For_L298_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L299_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L301_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L303_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L304_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:If_L306_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L306_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L307_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L306_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L309_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:If_L311_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L311_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L312_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:If_L311_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L314_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L316_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L318_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L319_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L320_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L321_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L322_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L323_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L324_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L325_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L327_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L330_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L331_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Expr_L332_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L334_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L335_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L337_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Assign_L339_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_605:FunctionDef_L211_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_605:Return_L342_C8"}]
# -*- coding: utf-8 -*- ####################################################################### # # Put this file in yourapp/modules/images.py # # Given the model # # db.define_table("table_name", Field("picture", "upload"), Field("thumbnail", "upload")) # # # to resize the picture on upload # # from images import RESIZE # # db.table_name.picture.requires = RESIZE(200, 200) # # # to store original image in picture and create a thumbnail in 'thumbnail' field # # from images import THUMB # db.table_name.thumbnail.compute = lambda row: THUMB(row.picture, 200, 200) ######################################################################### from gluon import current class RESIZE(object): def __init__(self, nx=160, ny=80, error_message=' image resize'): (self.nx, self.ny, self.error_message) = (nx, ny, error_message) def __call__(self, value): if isinstance(value, str) and len(value) == 0: return (value, None) from PIL import Image import cStringIO try: img = Image.open(value.file) img.thumbnail((self.nx, self.ny), Image.ANTIALIAS) s = cStringIO.StringIO() img.save(s, 'JPEG', quality=100) s.seek(0) value.file = s except: return (value, self.error_message) else: return (value, None) def THUMB(image, nx=120, ny=120, gae=False, name='thumb'): if image: if not gae: request = current.request from PIL import Image import os img = Image.open(os.path.join(request.folder,'uploads',image)) img.thumbnail((nx, ny), Image.ANTIALIAS) root, ext = os.path.splitext(image) thumb = '%s_%s%s' % (root, name, ext) img.save(request.folder + 'uploads/' + thumb) return thumb else: return image
ajibawa-2023/Python-Code-Large/train/row_606
31
61
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_606:ImportFrom_L23_C0", "label": "from gluon import current", "type": "import", "loc": [23, 23], "level": 0, "parent": null, "vector": [1, 0, 0.377, 0.0164, 0, 0.66, 0.0, 826, 0, 1, 0, 0, 826, 0, 0], "semantic": {"name": "gluon", "arg_names": [], "import_names": ["current"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon import current"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:ClassDef_L26_C0", "label": "RESIZE", "type": "class", "loc": [26, 45], "level": 0, "parent": null, "vector": [3, 0, 0.582, 0.3279, 0, 0.66, 0.5, 42, 0, 2, 0, 0, 186, 0, 7], "semantic": {"name": "RESIZE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class RESIZE(object):\n def __init__(self, nx=160, ny=80, error_message=' image resize'):\n (self.nx, self.ny, self.error_message) = (nx, ny, error_message)\n\n def __call__(self, value):\n if isinstance(value, str) and len(value) == 0:\n return (value, None)\n from PIL import Image"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L27_C4", "label": "__init__", "type": "function", "loc": [27, 28], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:ClassDef_L26_C0", "vector": [2, 1, 0.4508, 0.0328, 1, 0.25, 0.0, 555, 0, 4, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "nx", "ny", "error_message"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, nx=160, ny=80, error_message=' image resize'):\n (self.nx, self.ny, self.error_message) = (nx, ny, error_message)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L28_C8", "label": "assign", "type": "assigned_variable", "loc": [28, 28], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L27_C4", "vector": [14, 2, 0.459, 0.0164, 2, 0.44, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " (self.nx, self.ny, self.error_message) = (nx, ny, error_message)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L30_C4", "label": "__call__", "type": "function", "loc": [30, 45], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:ClassDef_L26_C0", "vector": [2, 1, 0.6148, 0.2623, 1, 0.25, 1.0, 319, 0, 2, 1, 0, 0, 0, 7], "semantic": {"name": "__call__", "arg_names": ["self", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __call__(self, value):\n if isinstance(value, str) and len(value) == 0:\n return (value, None)\n from PIL import Image\n import cStringIO\n try:\n img = Image.open(value.file)\n img.thumbnail((self.nx, self.ny), Image.ANTIALIAS)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:If_L31_C8", "label": "if", "type": "if", "loc": [31, 32], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L30_C4", "vector": [4, 2, 0.5164, 0.0328, 2, 0.94, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(value, str) and len(value) == 0:\n return (value, None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Return_L32_C12", "label": "return", "type": "return", "loc": [32, 32], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:If_L31_C8", "vector": [13, 3, 0.5246, 0.0164, 3, 0.48, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (value, None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:ImportFrom_L33_C8", "label": "from PIL import Image", "type": "import", "loc": [33, 33], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L30_C4", "vector": [1, 2, 0.541, 0.0164, 2, 0.94, 0.3333, 556, 0, 1, 0, 0, 556, 0, 0], "semantic": {"name": "PIL", "arg_names": [], "import_names": ["Image"], "rhs_call_name": "", "annotation": ""}, "snippet": " from PIL import Image"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Import_L34_C8", "label": "cStringIO import cStringIO", "type": "import", "loc": [34, 34], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L30_C4", "vector": [1, 2, 0.5574, 0.0164, 2, 0.94, 0.6667, 764, 0, 1, 0, 0, 764, 0, 0], "semantic": {"name": "cStringIO", "arg_names": [], "import_names": ["cStringIO"], "rhs_call_name": "", "annotation": ""}, "snippet": " import cStringIO"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "label": "try", "type": "try", "loc": [35, 45], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L30_C4", "vector": [7, 2, 0.6557, 0.1803, 2, 0.94, 1.0, 0, 0, 1, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n img = Image.open(value.file)\n img.thumbnail((self.nx, self.ny), Image.ANTIALIAS)\n s = cStringIO.StringIO()\n img.save(s, 'JPEG', quality=100)\n s.seek(0)\n value.file = s\n except:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L36_C12", "label": "img = open()", "type": "assigned_variable", "loc": [36, 36], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "vector": [14, 3, 0.5902, 0.0164, 3, 0.13, 0.0, 200, 3, 1, 0, 0, 693, 10, 1], "semantic": {"name": "img", "arg_names": [], "import_names": [], "rhs_call_name": "open", "annotation": ""}, "snippet": " img = Image.open(value.file)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Expr_L37_C12", "label": "thumbnail()", "type": "expression", "loc": [37, 37], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "vector": [8, 3, 0.6066, 0.0164, 3, 0.13, 0.1667, 477, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "thumbnail", "arg_names": [], "import_names": [], "rhs_call_name": "thumbnail", "annotation": ""}, "snippet": " img.thumbnail((self.nx, self.ny), Image.ANTIALIAS)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L38_C12", "label": "s = StringIO()", "type": "assigned_variable", "loc": [38, 38], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "vector": [14, 3, 0.623, 0.0164, 3, 0.13, 0.3333, 553, 3, 0, 0, 0, 609, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "StringIO", "annotation": ""}, "snippet": " s = cStringIO.StringIO()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Expr_L39_C12", "label": "save()", "type": "expression", "loc": [39, 39], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "vector": [8, 3, 0.6393, 0.0164, 3, 0.13, 0.5, 928, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "save", "arg_names": [], "import_names": [], "rhs_call_name": "save", "annotation": ""}, "snippet": " img.save(s, 'JPEG', quality=100)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Expr_L40_C12", "label": "seek()", "type": "expression", "loc": [40, 40], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "vector": [8, 3, 0.6557, 0.0164, 3, 0.13, 0.6667, 66, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "seek", "arg_names": [], "import_names": [], "rhs_call_name": "seek", "annotation": ""}, "snippet": " s.seek(0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L41_C12", "label": "value.file =", "type": "assigned_variable", "loc": [41, 41], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "vector": [14, 3, 0.6721, 0.0164, 3, 0.13, 0.8333, 422, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "value.file", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value.file = s"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Return_L43_C12", "label": "return", "type": "return", "loc": [43, 43], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "vector": [13, 3, 0.7049, 0.0164, 3, 0.13, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (value, self.error_message)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Return_L45_C12", "label": "return", "type": "return", "loc": [45, 45], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "vector": [13, 3, 0.7377, 0.0164, 3, 0.13, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (value, None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L48_C0", "label": "THUMB", "type": "function", "loc": [48, 61], "level": 0, "parent": null, "vector": [2, 0, 0.8934, 0.2295, 0, 0.66, 1.0, 499, 0, 5, 1, 0, 0, 0, 5], "semantic": {"name": "THUMB", "arg_names": ["image", "nx", "ny", "gae", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def THUMB(image, nx=120, ny=120, gae=False, name='thumb'):\n if image:\n if not gae:\n request = current.request\n from PIL import Image\n import os\n img = Image.open(os.path.join(request.folder,'uploads',image))\n img.thumbnail((nx, ny), Image.ANTIALIAS)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:If_L49_C4", "label": "if", "type": "if", "loc": [49, 61], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L48_C0", "vector": [4, 1, 0.9016, 0.2131, 1, 0.57, 0.0, 0, 2, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if image:\n if not gae:\n request = current.request\n from PIL import Image\n import os\n img = Image.open(os.path.join(request.folder,'uploads',image))\n img.thumbnail((nx, ny), Image.ANTIALIAS)\n root, ext = os.path.splitext(image)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "label": "if", "type": "if", "loc": [50, 61], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:If_L49_C4", "vector": [4, 2, 0.9098, 0.1967, 2, 0.39, 0.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not gae:\n request = current.request\n from PIL import Image\n import os\n img = Image.open(os.path.join(request.folder,'uploads',image))\n img.thumbnail((nx, ny), Image.ANTIALIAS)\n root, ext = os.path.splitext(image)\n thumb = '%s_%s%s' % (root, name, ext)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L51_C12", "label": "request =", "type": "assigned_variable", "loc": [51, 51], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "vector": [14, 3, 0.8361, 0.0164, 3, 0.67, 0.0, 50, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "request", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " request = current.request"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:ImportFrom_L52_C12", "label": "from PIL import Image", "type": "import", "loc": [52, 52], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "vector": [1, 3, 0.8525, 0.0164, 3, 0.67, 0.1111, 556, 0, 1, 0, 0, 556, 0, 0], "semantic": {"name": "PIL", "arg_names": [], "import_names": ["Image"], "rhs_call_name": "", "annotation": ""}, "snippet": " from PIL import Image"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Import_L53_C12", "label": "os import os", "type": "import", "loc": [53, 53], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "vector": [1, 3, 0.8689, 0.0164, 3, 0.67, 0.2222, 688, 0, 1, 0, 0, 688, 0, 0], "semantic": {"name": "os", "arg_names": [], "import_names": ["os"], "rhs_call_name": "", "annotation": ""}, "snippet": " import os"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L54_C12", "label": "img = open()", "type": "assigned_variable", "loc": [54, 54], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "vector": [14, 3, 0.8852, 0.0164, 3, 0.67, 0.3333, 200, 3, 1, 0, 0, 693, 10, 2], "semantic": {"name": "img", "arg_names": [], "import_names": [], "rhs_call_name": "open", "annotation": ""}, "snippet": " img = Image.open(os.path.join(request.folder,'uploads',image))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Expr_L55_C12", "label": "thumbnail()", "type": "expression", "loc": [55, 55], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "vector": [8, 3, 0.9016, 0.0164, 3, 0.67, 0.4444, 477, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "thumbnail", "arg_names": [], "import_names": [], "rhs_call_name": "thumbnail", "annotation": ""}, "snippet": " img.thumbnail((nx, ny), Image.ANTIALIAS)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L56_C12", "label": "root, ext = splitext()", "type": "assigned_variable", "loc": [56, 56], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "vector": [14, 3, 0.918, 0.0164, 3, 0.67, 0.5556, 724, 3, 1, 0, 0, 622, 10, 1], "semantic": {"name": "root, ext", "arg_names": [], "import_names": [], "rhs_call_name": "splitext", "annotation": ""}, "snippet": " root, ext = os.path.splitext(image)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L57_C12", "label": "thumb =", "type": "assigned_variable", "loc": [57, 57], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "vector": [14, 3, 0.9344, 0.0164, 3, 0.67, 0.6667, 225, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "thumb", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " thumb = '%s_%s%s' % (root, name, ext)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Expr_L58_C12", "label": "save()", "type": "expression", "loc": [58, 58], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "vector": [8, 3, 0.9508, 0.0164, 3, 0.67, 0.7778, 928, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "save", "arg_names": [], "import_names": [], "rhs_call_name": "save", "annotation": ""}, "snippet": " img.save(request.folder + 'uploads/' + thumb)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Return_L59_C12", "label": "return", "type": "return", "loc": [59, 59], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "vector": [13, 3, 0.9672, 0.0164, 3, 0.67, 0.8889, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return thumb"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_606:Return_L61_C12", "label": "return", "type": "return", "loc": [61, 61], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "vector": [13, 3, 1.0, 0.0164, 3, 0.67, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return image"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_606:ClassDef_L26_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L27_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L27_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L28_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:ClassDef_L26_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L30_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L30_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_606:If_L31_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:If_L31_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Return_L32_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L30_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_606:ImportFrom_L33_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L30_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Import_L34_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L30_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L36_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Expr_L37_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L38_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Expr_L39_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Expr_L40_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L41_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Return_L43_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:Try_L35_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Return_L45_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:FunctionDef_L48_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_606:If_L49_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:If_L49_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L51_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:ImportFrom_L52_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Import_L53_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L54_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Expr_L55_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L56_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Assign_L57_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Expr_L58_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Return_L59_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_606:If_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_606:Return_L61_C12"}]
# pyuca - Unicode Collation Algorithm # Version: 2012-06-21 # # James Tauber # http://jtauber.com/ # Copyright (c) 2006-2012 James Tauber and contributors # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell # copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in # all copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN # THE SOFTWARE. """ Preliminary implementation of the Unicode Collation Algorithm. This only implements the simple parts of the algorithm but I have successfully tested it using the Default Unicode Collation Element Table (DUCET) to collate Ancient Greek correctly. Usage example: from pyuca import Collator c = Collator("allkeys.txt") sorted_words = sorted(words, key=c.sort_key) allkeys.txt (1 MB) is available at http://www.unicode.org/Public/UCA/latest/allkeys.txt but you can always subset this for just the characters you are dealing with. """ class Node: def __init__(self): self.value = None self.children = {} class Trie: def __init__(self): self.root = Node() def add(self, key, value): curr_node = self.root for part in key: curr_node = curr_node.children.setdefault(part, Node()) curr_node.value = value def find_prefix(self, key): curr_node = self.root remainder = key for part in key: if part not in curr_node.children: break curr_node = curr_node.children[part] remainder = remainder[1:] return (curr_node.value, remainder) class Collator: def __init__(self, filename): self.table = Trie() self.load(filename) def load(self, filename): for line in open(filename): if line.startswith("#") or line.startswith("%"): continue if line.strip() == "": continue line = line[:line.find("#")] + "\n" line = line[:line.find("%")] + "\n" line = line.strip() if line.startswith("@"): pass else: semicolon = line.find(";") charList = line[:semicolon].strip().split() x = line[semicolon:] collElements = [] while True: begin = x.find("[") if begin == -1: break end = x[begin:].find("]") collElement = x[begin:begin+end+1] x = x[begin + 1:] alt = collElement[1] chars = collElement[2:-1].split(".") collElements.append((alt, chars)) integer_points = [int(ch, 16) for ch in charList] self.table.add(integer_points, collElements) def sort_key(self, string): collation_elements = [] lookup_key = [ord(ch) for ch in string] while lookup_key: value, lookup_key = self.table.find_prefix(lookup_key) if not value: # Calculate implicit weighting for CJK Ideographs # contributed by David Schneider 2009-07-27 # http://www.unicode.org/reports/tr10/#Implicit_Weights value = [] value.append((".", ["%X" % (0xFB40 + (lookup_key[0] >> 15)), "0020", "0002", "0001"])) value.append((".", ["%X" % ((lookup_key[0] & 0x7FFF) | 0x8000), "0000", "0000", "0000"])) lookup_key = lookup_key[1:] collation_elements.extend(value) sort_key = [] for level in range(4): if level: sort_key.append(0) # level separator for element in collation_elements: ce_l = int(element[1][level], 16) if ce_l: sort_key.append(ce_l) return tuple(sort_key)
ajibawa-2023/Python-Code-Large/train/row_608
68
144
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L28_C0", "label": "expression", "type": "expression", "loc": [28, 47], "level": 0, "parent": null, "vector": [8, 0, 0.2604, 0.1389, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nPreliminary implementation of the Unicode Collation Algorithm.\n\nThis only implements the simple parts of the algorithm but I have successfully\ntested it using the Default Unicode Collation Element Table (DUCET) to collate\nAncient Greek correctly.\n\nUsage example:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L50_C0", "label": "Node", "type": "class", "loc": [50, 54], "level": 0, "parent": null, "vector": [3, 0, 0.3611, 0.0347, 0, 0.66, 0.3333, 345, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "Node", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Node:\n \n def __init__(self):\n self.value = None\n self.children = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L52_C4", "label": "__init__", "type": "function", "loc": [52, 54], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L50_C0", "vector": [2, 1, 0.3681, 0.0208, 1, 0.36, 0.0, 555, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self):\n self.value = None\n self.children = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L53_C8", "label": "self.value =", "type": "assigned_variable", "loc": [53, 53], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L52_C4", "vector": [14, 2, 0.3681, 0.0069, 2, 0.41, 0.0, 966, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.value = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L54_C8", "label": "self.children =", "type": "assigned_variable", "loc": [54, 54], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L52_C4", "vector": [14, 2, 0.375, 0.0069, 2, 0.41, 1.0, 278, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.children", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.children = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L57_C0", "label": "Trie", "type": "class", "loc": [57, 76], "level": 0, "parent": null, "vector": [3, 0, 0.4618, 0.1389, 0, 0.66, 0.6667, 2, 0, 3, 0, 0, 0, 0, 3], "semantic": {"name": "Trie", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Trie:\n \n def __init__(self):\n self.root = Node()\n \n def add(self, key, value):\n curr_node = self.root\n for part in key:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L59_C4", "label": "__init__", "type": "function", "loc": [59, 60], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L57_C0", "vector": [2, 1, 0.4132, 0.0139, 1, 0.72, 0.0, 555, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self):\n self.root = Node()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L60_C8", "label": "self.root = Node()", "type": "assigned_variable", "loc": [60, 60], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L59_C4", "vector": [14, 2, 0.4167, 0.0069, 2, 0.72, 0.0, 81, 3, 0, 0, 0, 345, 10, 1], "semantic": {"name": "self.root", "arg_names": [], "import_names": [], "rhs_call_name": "Node", "annotation": ""}, "snippet": " self.root = Node()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L62_C4", "label": "add", "type": "function", "loc": [62, 66], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L57_C0", "vector": [2, 1, 0.4444, 0.0347, 1, 0.72, 0.5, 241, 0, 3, 0, 0, 0, 0, 2], "semantic": {"name": "add", "arg_names": ["self", "key", "value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def add(self, key, value):\n curr_node = self.root\n for part in key:\n curr_node = curr_node.children.setdefault(part, Node())\n curr_node.value = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L63_C8", "label": "curr_node =", "type": "assigned_variable", "loc": [63, 63], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L62_C4", "vector": [14, 2, 0.4375, 0.0069, 2, 0.86, 0.0, 206, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "curr_node", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " curr_node = self.root"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:For_L64_C8", "label": "for part", "type": "for", "loc": [64, 65], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L62_C4", "vector": [6, 2, 0.4479, 0.0139, 2, 0.86, 0.5, 374, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "part", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for part in key:\n curr_node = curr_node.children.setdefault(part, Node())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L65_C12", "label": "curr_node = setdefault()", "type": "assigned_variable", "loc": [65, 65], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L64_C8", "vector": [14, 3, 0.4514, 0.0069, 3, 0.82, 0.0, 206, 3, 2, 0, 0, 262, 10, 2], "semantic": {"name": "curr_node", "arg_names": [], "import_names": [], "rhs_call_name": "setdefault", "annotation": ""}, "snippet": " curr_node = curr_node.children.setdefault(part, Node())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L66_C8", "label": "curr_node.value =", "type": "assigned_variable", "loc": [66, 66], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L62_C4", "vector": [14, 2, 0.4583, 0.0069, 2, 0.86, 1.0, 907, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "curr_node.value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " curr_node.value = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L68_C4", "label": "find_prefix", "type": "function", "loc": [68, 76], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L57_C0", "vector": [2, 1, 0.5, 0.0625, 1, 0.72, 1.0, 802, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "find_prefix", "arg_names": ["self", "key"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def find_prefix(self, key):\n curr_node = self.root\n remainder = key\n for part in key:\n if part not in curr_node.children:\n break\n curr_node = curr_node.children[part]\n remainder = remainder[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L69_C8", "label": "curr_node =", "type": "assigned_variable", "loc": [69, 69], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L68_C4", "vector": [14, 2, 0.4792, 0.0069, 2, 0.16, 0.0, 206, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "curr_node", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " curr_node = self.root"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L70_C8", "label": "remainder =", "type": "assigned_variable", "loc": [70, 70], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L68_C4", "vector": [14, 2, 0.4861, 0.0069, 2, 0.16, 0.3333, 739, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "remainder", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " remainder = key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:For_L71_C8", "label": "for part", "type": "for", "loc": [71, 75], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L68_C4", "vector": [6, 2, 0.5069, 0.0347, 2, 0.16, 0.6667, 374, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "part", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for part in key:\n if part not in curr_node.children:\n break\n curr_node = curr_node.children[part]\n remainder = remainder[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:If_L72_C12", "label": "if", "type": "if", "loc": [72, 73], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L71_C8", "vector": [4, 3, 0.5035, 0.0139, 3, 0.93, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if part not in curr_node.children:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L74_C12", "label": "curr_node =", "type": "assigned_variable", "loc": [74, 74], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L71_C8", "vector": [14, 3, 0.5139, 0.0069, 3, 0.93, 0.5, 206, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "curr_node", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " curr_node = curr_node.children[part]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L75_C12", "label": "remainder =", "type": "assigned_variable", "loc": [75, 75], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L71_C8", "vector": [14, 3, 0.5208, 0.0069, 3, 0.93, 1.0, 739, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "remainder", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " remainder = remainder[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Return_L76_C8", "label": "return", "type": "return", "loc": [76, 76], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L68_C4", "vector": [13, 2, 0.5278, 0.0069, 2, 0.16, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (curr_node.value, remainder)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L79_C0", "label": "Collator", "type": "class", "loc": [79, 144], "level": 0, "parent": null, "vector": [3, 0, 0.7743, 0.4583, 0, 0.66, 1.0, 793, 0, 3, 0, 0, 0, 0, 29], "semantic": {"name": "Collator", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Collator:\n\n def __init__(self, filename):\n\n self.table = Trie()\n self.load(filename)\n\n def load(self, filename):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L81_C4", "label": "__init__", "type": "function", "loc": [81, 84], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L79_C0", "vector": [2, 1, 0.5729, 0.0278, 1, 0.37, 0.0, 555, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "filename"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, filename):\n\n self.table = Trie()\n self.load(filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L83_C8", "label": "self.table = Trie()", "type": "assigned_variable", "loc": [83, 83], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L81_C4", "vector": [14, 2, 0.5764, 0.0069, 2, 0.32, 0.0, 327, 3, 0, 0, 0, 2, 10, 1], "semantic": {"name": "self.table", "arg_names": [], "import_names": [], "rhs_call_name": "Trie", "annotation": ""}, "snippet": " self.table = Trie()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L84_C8", "label": "load()", "type": "expression", "loc": [84, 84], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L81_C4", "vector": [8, 2, 0.5833, 0.0069, 2, 0.32, 1.0, 37, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "load", "arg_names": [], "import_names": [], "rhs_call_name": "load", "annotation": ""}, "snippet": " self.load(filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L86_C4", "label": "load", "type": "function", "loc": [86, 116], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L79_C0", "vector": [2, 1, 0.7014, 0.2153, 1, 0.37, 0.5, 37, 0, 2, 0, 0, 0, 0, 17], "semantic": {"name": "load", "arg_names": ["self", "filename"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def load(self, filename):\n for line in open(filename):\n if line.startswith(\"#\") or line.startswith(\"%\"):\n continue\n if line.strip() == \"\":\n continue\n line = line[:line.find(\"#\")] + \"\\n\"\n line = line[:line.find(\"%\")] + \"\\n\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "label": "for line", "type": "for", "loc": [87, 116], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L86_C4", "vector": [6, 2, 0.7049, 0.2083, 2, 0.71, 0.0, 373, 3, 0, 0, 0, 0, 0, 17], "semantic": {"name": "line", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for line in open(filename):\n if line.startswith(\"#\") or line.startswith(\"%\"):\n continue\n if line.strip() == \"\":\n continue\n line = line[:line.find(\"#\")] + \"\\n\"\n line = line[:line.find(\"%\")] + \"\\n\"\n line = line.strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:If_L88_C12", "label": "if", "type": "if", "loc": [88, 89], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "vector": [4, 3, 0.6146, 0.0139, 3, 0.76, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if line.startswith(\"#\") or line.startswith(\"%\"):\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:If_L90_C12", "label": "if", "type": "if", "loc": [90, 91], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "vector": [4, 3, 0.6285, 0.0139, 3, 0.76, 0.2, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if line.strip() == \"\":\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L92_C12", "label": "line =", "type": "assigned_variable", "loc": [92, 92], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "vector": [14, 3, 0.6389, 0.0069, 3, 0.76, 0.4, 373, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "line", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " line = line[:line.find(\"#\")] + \"\\n\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L93_C12", "label": "line =", "type": "assigned_variable", "loc": [93, 93], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "vector": [14, 3, 0.6458, 0.0069, 3, 0.76, 0.6, 373, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "line", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " line = line[:line.find(\"%\")] + \"\\n\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L94_C12", "label": "line = strip()", "type": "assigned_variable", "loc": [94, 94], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "vector": [14, 3, 0.6528, 0.0069, 3, 0.76, 0.8, 373, 3, 0, 0, 0, 973, 10, 1], "semantic": {"name": "line", "arg_names": [], "import_names": [], "rhs_call_name": "strip", "annotation": ""}, "snippet": " line = line.strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "label": "if", "type": "if", "loc": [96, 116], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "vector": [4, 3, 0.7361, 0.1458, 3, 0.76, 1.0, 0, 3, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if line.startswith(\"@\"):\n pass\n else:\n semicolon = line.find(\";\")\n charList = line[:semicolon].strip().split()\n x = line[semicolon:]\n collElements = []\n while True:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L99_C16", "label": "semicolon = find()", "type": "assigned_variable", "loc": [99, 99], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "vector": [14, 4, 0.6875, 0.0069, 4, 0.56, 0.0, 917, 3, 1, 0, 0, 340, 10, 1], "semantic": {"name": "semicolon", "arg_names": [], "import_names": [], "rhs_call_name": "find", "annotation": ""}, "snippet": " semicolon = line.find(\";\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L100_C16", "label": "charList = split()", "type": "assigned_variable", "loc": [100, 100], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "vector": [14, 4, 0.6944, 0.0069, 4, 0.56, 0.1667, 721, 3, 0, 0, 0, 908, 10, 2], "semantic": {"name": "charList", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " charList = line[:semicolon].strip().split()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L101_C16", "label": "x =", "type": "assigned_variable", "loc": [101, 101], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "vector": [14, 4, 0.7014, 0.0069, 4, 0.56, 0.3333, 190, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "x", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " x = line[semicolon:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L102_C16", "label": "collElements =", "type": "assigned_variable", "loc": [102, 102], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "vector": [14, 4, 0.7083, 0.0069, 4, 0.56, 0.5, 482, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "collElements", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " collElements = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "label": "while", "type": "while", "loc": [103, 114], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "vector": [5, 4, 0.7535, 0.0833, 4, 0.56, 0.6667, 0, 1, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while True:\n begin = x.find(\"[\")\n if begin == -1:\n break \n end = x[begin:].find(\"]\")\n collElement = x[begin:begin+end+1]\n x = x[begin + 1:]\n "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L104_C20", "label": "begin = find()", "type": "assigned_variable", "loc": [104, 104], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "vector": [14, 5, 0.7222, 0.0069, 5, 0.42, 0.0, 969, 3, 1, 0, 0, 340, 10, 1], "semantic": {"name": "begin", "arg_names": [], "import_names": [], "rhs_call_name": "find", "annotation": ""}, "snippet": " begin = x.find(\"[\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:If_L105_C20", "label": "if", "type": "if", "loc": [105, 106], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "vector": [4, 5, 0.7326, 0.0139, 5, 0.42, 0.1429, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if begin == -1:\n break "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L107_C20", "label": "end = find()", "type": "assigned_variable", "loc": [107, 107], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "vector": [14, 5, 0.7431, 0.0069, 5, 0.42, 0.2857, 128, 3, 1, 0, 0, 340, 10, 1], "semantic": {"name": "end", "arg_names": [], "import_names": [], "rhs_call_name": "find", "annotation": ""}, "snippet": " end = x[begin:].find(\"]\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L108_C20", "label": "collElement =", "type": "assigned_variable", "loc": [108, 108], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "vector": [14, 5, 0.75, 0.0069, 5, 0.42, 0.4286, 779, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "collElement", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " collElement = x[begin:begin+end+1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L109_C20", "label": "x =", "type": "assigned_variable", "loc": [109, 109], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "vector": [14, 5, 0.7569, 0.0069, 5, 0.42, 0.5714, 190, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "x", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " x = x[begin + 1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L111_C20", "label": "alt =", "type": "assigned_variable", "loc": [111, 111], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "vector": [14, 5, 0.7708, 0.0069, 5, 0.42, 0.7143, 45, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "alt", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " alt = collElement[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L112_C20", "label": "chars = split()", "type": "assigned_variable", "loc": [112, 112], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "vector": [14, 5, 0.7778, 0.0069, 5, 0.42, 0.8571, 363, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "chars", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " chars = collElement[2:-1].split(\".\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L114_C20", "label": "append()", "type": "expression", "loc": [114, 114], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "vector": [8, 5, 0.7917, 0.0069, 5, 0.42, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " collElements.append((alt, chars))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L115_C16", "label": "integer_points =", "type": "assigned_variable", "loc": [115, 115], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "vector": [14, 4, 0.7986, 0.0069, 4, 0.56, 0.8333, 982, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "integer_points", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " integer_points = [int(ch, 16) for ch in charList]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L116_C16", "label": "add()", "type": "expression", "loc": [116, 116], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "vector": [8, 4, 0.8056, 0.0069, 4, 0.56, 1.0, 241, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "add", "arg_names": [], "import_names": [], "rhs_call_name": "add", "annotation": ""}, "snippet": " self.table.add(integer_points, collElements)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "label": "sort_key", "type": "function", "loc": [118, 144], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L79_C0", "vector": [2, 1, 0.9097, 0.1875, 1, 0.37, 1.0, 916, 0, 2, 1, 0, 0, 0, 10], "semantic": {"name": "sort_key", "arg_names": ["self", "string"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def sort_key(self, string):\n \n collation_elements = []\n \n lookup_key = [ord(ch) for ch in string]\n while lookup_key:\n value, lookup_key = self.table.find_prefix(lookup_key)\n if not value:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L120_C8", "label": "collation_elements =", "type": "assigned_variable", "loc": [120, 120], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "vector": [14, 2, 0.8333, 0.0069, 2, 0.64, 0.0, 255, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "collation_elements", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " collation_elements = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L122_C8", "label": "lookup_key =", "type": "assigned_variable", "loc": [122, 122], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "vector": [14, 2, 0.8472, 0.0069, 2, 0.64, 0.2, 271, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "lookup_key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lookup_key = [ord(ch) for ch in string]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:While_L123_C8", "label": "while", "type": "while", "loc": [123, 133], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "vector": [5, 2, 0.8889, 0.0764, 2, 0.64, 0.4, 0, 2, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while lookup_key:\n value, lookup_key = self.table.find_prefix(lookup_key)\n if not value:\n # Calculate implicit weighting for CJK Ideographs\n # contributed by David Schneider 2009-07-27\n # http://www.unicode.org/reports/tr10/#Implicit_Weights\n value = []\n value.append((\".\", [\"%X\" % (0xFB40 + (lookup_key[0] >> 15)), \"0020\", \"0002\", \"0001\"]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L124_C12", "label": "value, lookup_key = find_prefix()", "type": "assigned_variable", "loc": [124, 124], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:While_L123_C8", "vector": [14, 3, 0.8611, 0.0069, 3, 0.43, 0.0, 352, 3, 1, 0, 0, 802, 10, 1], "semantic": {"name": "value, lookup_key", "arg_names": [], "import_names": [], "rhs_call_name": "find_prefix", "annotation": ""}, "snippet": " value, lookup_key = self.table.find_prefix(lookup_key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:If_L125_C12", "label": "if", "type": "if", "loc": [125, 132], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:While_L123_C8", "vector": [4, 3, 0.8924, 0.0556, 3, 0.43, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not value:\n # Calculate implicit weighting for CJK Ideographs\n # contributed by David Schneider 2009-07-27\n # http://www.unicode.org/reports/tr10/#Implicit_Weights\n value = []\n value.append((\".\", [\"%X\" % (0xFB40 + (lookup_key[0] >> 15)), \"0020\", \"0002\", \"0001\"]))\n value.append((\".\", [\"%X\" % ((lookup_key[0] & 0x7FFF) | 0x8000), \"0000\", \"0000\", \"0000\"]))\n lookup_key = lookup_key[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L129_C16", "label": "value =", "type": "assigned_variable", "loc": [129, 129], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L125_C12", "vector": [14, 4, 0.8958, 0.0069, 4, 0.0, 0.0, 441, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L130_C16", "label": "append()", "type": "expression", "loc": [130, 130], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L125_C12", "vector": [8, 4, 0.9028, 0.0069, 4, 0.0, 0.3333, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " value.append((\".\", [\"%X\" % (0xFB40 + (lookup_key[0] >> 15)), \"0020\", \"0002\", \"0001\"]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L131_C16", "label": "append()", "type": "expression", "loc": [131, 131], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L125_C12", "vector": [8, 4, 0.9097, 0.0069, 4, 0.0, 0.6667, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " value.append((\".\", [\"%X\" % ((lookup_key[0] & 0x7FFF) | 0x8000), \"0000\", \"0000\", \"0000\"]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L132_C16", "label": "lookup_key =", "type": "assigned_variable", "loc": [132, 132], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L125_C12", "vector": [14, 4, 0.9167, 0.0069, 4, 0.0, 1.0, 271, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lookup_key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lookup_key = lookup_key[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L133_C12", "label": "extend()", "type": "expression", "loc": [133, 133], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:While_L123_C8", "vector": [8, 3, 0.9236, 0.0069, 3, 0.43, 1.0, 660, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "extend", "arg_names": [], "import_names": [], "rhs_call_name": "extend", "annotation": ""}, "snippet": " collation_elements.extend(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L134_C8", "label": "sort_key =", "type": "assigned_variable", "loc": [134, 134], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "vector": [14, 2, 0.9306, 0.0069, 2, 0.64, 0.6, 916, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "sort_key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sort_key = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:For_L136_C8", "label": "for level", "type": "for", "loc": [136, 142], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "vector": [6, 2, 0.9653, 0.0486, 2, 0.64, 0.8, 479, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "level", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for level in range(4):\n if level:\n sort_key.append(0) # level separator\n for element in collation_elements:\n ce_l = int(element[1][level], 16)\n if ce_l:\n sort_key.append(ce_l)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:If_L137_C12", "label": "if", "type": "if", "loc": [137, 138], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L136_C8", "vector": [4, 3, 0.9549, 0.0139, 3, 0.68, 0.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if level:\n sort_key.append(0) # level separator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L138_C16", "label": "append()", "type": "expression", "loc": [138, 138], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L137_C12", "vector": [8, 4, 0.9583, 0.0069, 4, 0.91, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " sort_key.append(0) # level separator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:For_L139_C12", "label": "for element", "type": "for", "loc": [139, 142], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L136_C8", "vector": [6, 3, 0.9757, 0.0278, 3, 0.68, 1.0, 736, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "element", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for element in collation_elements:\n ce_l = int(element[1][level], 16)\n if ce_l:\n sort_key.append(ce_l)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L140_C16", "label": "ce_l = int()", "type": "assigned_variable", "loc": [140, 140], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L139_C12", "vector": [14, 4, 0.9722, 0.0069, 4, 0.07, 0.0, 230, 3, 2, 0, 0, 901, 10, 1], "semantic": {"name": "ce_l", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " ce_l = int(element[1][level], 16)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:If_L141_C16", "label": "if", "type": "if", "loc": [141, 142], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:For_L139_C12", "vector": [4, 4, 0.9826, 0.0139, 4, 0.07, 1.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ce_l:\n sort_key.append(ce_l)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L142_C20", "label": "append()", "type": "expression", "loc": [142, 142], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:If_L141_C16", "vector": [8, 5, 0.9861, 0.0069, 5, 0.89, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " sort_key.append(ce_l)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_608:Return_L144_C8", "label": "return", "type": "return", "loc": [144, 144], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "vector": [13, 2, 1.0, 0.0069, 2, 0.64, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return tuple(sort_key)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L50_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L52_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L53_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L52_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L54_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L57_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L59_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L59_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L60_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L57_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L62_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L62_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L63_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L62_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:For_L64_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L64_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L65_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L62_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L66_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L57_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L68_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L68_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L69_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L68_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L70_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L68_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:For_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:If_L72_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L74_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L75_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L68_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Return_L76_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L79_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L81_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L81_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L83_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L81_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L84_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L79_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L86_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:If_L88_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:If_L90_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L92_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L93_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L94_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L87_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L99_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L100_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L101_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L102_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L104_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_608:If_L105_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L107_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L108_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L109_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L111_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L112_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:While_L103_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L114_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L115_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L96_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L116_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:ClassDef_L79_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L120_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L122_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:While_L123_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:While_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L124_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:While_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:If_L125_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L125_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L129_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L125_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L130_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L125_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L131_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L125_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L132_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:While_L123_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L133_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L134_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:For_L136_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L136_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:If_L137_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L137_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L138_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L136_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_608:For_L139_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L139_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Assign_L140_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:For_L139_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_608:If_L141_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:If_L141_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Expr_L142_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_608:FunctionDef_L118_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_608:Return_L144_C8"}]
import os import pyuca unicode_collator = None def set_unicode_collator(file): global unicode_collator unicode_collator = pyuca.Collator(file) set_unicode_collator(os.path.join(os.path.dirname(__file__), 'allkeys.txt'))
ajibawa-2023/Python-Code-Large/train/row_609
6
10
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_609:Import_L1_C0", "label": "os import os", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.1, 0.1, 0, 0.66, 0.0, 688, 0, 1, 0, 0, 688, 0, 0], "semantic": {"name": "os", "arg_names": [], "import_names": ["os"], "rhs_call_name": "", "annotation": ""}, "snippet": "import os"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_609:Import_L2_C0", "label": "pyuca import pyuca", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.2, 0.1, 0, 0.66, 0.25, 557, 0, 1, 0, 0, 557, 0, 0], "semantic": {"name": "pyuca", "arg_names": [], "import_names": ["pyuca"], "rhs_call_name": "", "annotation": ""}, "snippet": "import pyuca"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_609:Assign_L4_C0", "label": "unicode_collator =", "type": "assigned_variable", "loc": [4, 4], "level": 0, "parent": null, "vector": [14, 0, 0.4, 0.1, 0, 0.66, 0.5, 299, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "unicode_collator", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "unicode_collator = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_609:FunctionDef_L6_C0", "label": "set_unicode_collator", "type": "function", "loc": [6, 8], "level": 0, "parent": null, "vector": [2, 0, 0.7, 0.3, 0, 0.66, 0.75, 293, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "set_unicode_collator", "arg_names": ["file"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def set_unicode_collator(file):\n global unicode_collator\n unicode_collator = pyuca.Collator(file)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_609:Assign_L8_C4", "label": "unicode_collator = Collator()", "type": "assigned_variable", "loc": [8, 8], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_609:FunctionDef_L6_C0", "vector": [14, 1, 0.8, 0.1, 1, 0.85, 0.0, 299, 3, 1, 0, 0, 793, 10, 1], "semantic": {"name": "unicode_collator", "arg_names": [], "import_names": [], "rhs_call_name": "Collator", "annotation": ""}, "snippet": " unicode_collator = pyuca.Collator(file)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_609:Expr_L10_C0", "label": "set_unicode_collator()", "type": "expression", "loc": [10, 10], "level": 0, "parent": null, "vector": [8, 0, 1.0, 0.1, 0, 0.66, 1.0, 293, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "set_unicode_collator", "arg_names": [], "import_names": [], "rhs_call_name": "set_unicode_collator", "annotation": ""}, "snippet": "set_unicode_collator(os.path.join(os.path.dirname(__file__), 'allkeys.txt'))"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_609:FunctionDef_L6_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_609:Assign_L8_C4"}]
#!/usr/bin/python # # Copyright 2007 Google Inc. # Licensed to PSF under a Contributor Agreement. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or # implied. See the License for the specific language governing # permissions and limitations under the License. """A fast, lightweight IPv4/IPv6 manipulation library in Python. This library is used to create/poke/manipulate IPv4 and IPv6 addresses and networks. """ __version__ = 'branches/3144' import struct IPV4LENGTH = 32 IPV6LENGTH = 128 class AddressValueError(ValueError): """A Value Error related to the address.""" class NetmaskValueError(ValueError): """A Value Error related to the netmask.""" def ip_address(address, version=None): """Take an IP string/int and return an object of the correct type. Args: address: A string or integer, the IP address. Either IPv4 or IPv6 addresses may be supplied; integers less than 2**32 will be considered to be IPv4 by default. version: An Integer, 4 or 6. If set, don't try to automatically determine what the IP address type is. important for things like ip_address(1), which could be IPv4, '0.0.0.1', or IPv6, '::1'. Returns: An IPv4Address or IPv6Address object. Raises: ValueError: if the string passed isn't either a v4 or a v6 address. """ if version: if version == 4: return IPv4Address(address) elif version == 6: return IPv6Address(address) try: return IPv4Address(address) except (AddressValueError, NetmaskValueError): pass try: return IPv6Address(address) except (AddressValueError, NetmaskValueError): pass raise ValueError('%r does not appear to be an IPv4 or IPv6 address' % address) def ip_network(address, version=None): """Take an IP string/int and return an object of the correct type. Args: address: A string or integer, the IP network. Either IPv4 or IPv6 networks may be supplied; integers less than 2**32 will be considered to be IPv4 by default. version: An Integer, if set, don't try to automatically determine what the IP address type is. important for things like ip_network(1), which could be IPv4, '0.0.0.1/32', or IPv6, '::1/128'. Returns: An IPv4Network or IPv6Network object. Raises: ValueError: if the string passed isn't either a v4 or a v6 address. Or if the network has host bits set. """ if version: if version == 4: return IPv4Network(address) elif version == 6: return IPv6Network(address) try: return IPv4Network(address) except (AddressValueError, NetmaskValueError): pass try: return IPv6Network(address) except (AddressValueError, NetmaskValueError): pass raise ValueError('%r does not appear to be an IPv4 or IPv6 network' % address) def ip_interface(address, version=None): """Take an IP string/int and return an object of the correct type. Args: address: A string or integer, the IP address. Either IPv4 or IPv6 addresses may be supplied; integers less than 2**32 will be considered to be IPv4 by default. version: An Integer, if set, don't try to automatically determine what the IP address type is. important for things like ip_network(1), which could be IPv4, '0.0.0.1/32', or IPv6, '::1/128'. Returns: An IPv4Network or IPv6Network object. Raises: ValueError: if the string passed isn't either a v4 or a v6 address. Notes: The IPv?Interface classes describe an Address on a particular Network, so they're basically a combination of both the Address and Network classes. """ if version: if version == 4: return IPv4Interface(address) elif version == 6: return IPv6Interface(address) try: return IPv4Interface(address) except (AddressValueError, NetmaskValueError): pass try: return IPv6Interface(address) except (AddressValueError, NetmaskValueError): pass raise ValueError('%r does not appear to be an IPv4 or IPv6 network' % address) def v4_int_to_packed(address): """The binary representation of this address. Args: address: An integer representation of an IPv4 IP address. Returns: The binary representation of this address. Raises: ValueError: If the integer is too large to be an IPv4 IP address. """ if address > _BaseV4._ALL_ONES: raise ValueError('Address too large for IPv4') return struct.pack('!I', address) def v6_int_to_packed(address): """The binary representation of this address. Args: address: An integer representation of an IPv4 IP address. Returns: The binary representation of this address. """ return struct.pack('!QQ', address >> 64, address & (2**64 - 1)) def _find_address_range(addresses): """Find a sequence of addresses. Args: addresses: a list of IPv4 or IPv6 addresses. Returns: A tuple containing the first and last IP addresses in the sequence. """ first = last = addresses[0] for ip in addresses[1:]: if ip._ip == last._ip + 1: last = ip else: break return (first, last) def _get_prefix_length(number1, number2, bits): """Get the number of leading bits that are same for two numbers. Args: number1: an integer. number2: another integer. bits: the maximum number of bits to compare. Returns: The number of leading bits that are the same for two numbers. """ for i in range(bits): if number1 >> i == number2 >> i: return bits - i return 0 def _count_righthand_zero_bits(number, bits): """Count the number of zero bits on the right hand side. Args: number: an integer. bits: maximum number of bits to count. Returns: The number of zero bits on the right hand side of the number. """ if number == 0: return bits for i in range(bits): if (number >> i) % 2: return i def summarize_address_range(first, last): """Summarize a network range given the first and last IP addresses. Example: >>> summarize_address_range(IPv4Address('1.1.1.0'), IPv4Address('1.1.1.130')) [IPv4Network('1.1.1.0/25'), IPv4Network('1.1.1.128/31'), IPv4Network('1.1.1.130/32')] Args: first: the first IPv4Address or IPv6Address in the range. last: the last IPv4Address or IPv6Address in the range. Returns: The address range collapsed to a list of IPv4Network's or IPv6Network's. Raise: TypeError: If the first and last objects are not IP addresses. If the first and last objects are not the same version. ValueError: If the last object is not greater than the first. If the version is not 4 or 6. """ if not (isinstance(first, _BaseAddress) and isinstance(last, _BaseAddress)): raise TypeError('first and last must be IP addresses, not networks') if first.version != last.version: raise TypeError("%s and %s are not of the same version" % ( str(first), str(last))) if first > last: raise ValueError('last IP address must be greater than first') networks = [] if first.version == 4: ip = IPv4Network elif first.version == 6: ip = IPv6Network else: raise ValueError('unknown IP version') ip_bits = first._max_prefixlen first_int = first._ip last_int = last._ip while first_int <= last_int: nbits = _count_righthand_zero_bits(first_int, ip_bits) current = None while nbits >= 0: addend = 2**nbits - 1 current = first_int + addend nbits -= 1 if current <= last_int: break prefix = _get_prefix_length(first_int, current, ip_bits) net = ip('%s/%d' % (str(first), prefix)) networks.append(net) if current == ip._ALL_ONES: break first_int = current + 1 first = ip_address(first_int, version=first._version) return networks def _collapse_address_list_recursive(addresses): """Loops through the addresses, collapsing concurrent netblocks. Example: ip1 = IPv4Network('1.1.0.0/24') ip2 = IPv4Network('1.1.1.0/24') ip3 = IPv4Network('1.1.2.0/24') ip4 = IPv4Network('1.1.3.0/24') ip5 = IPv4Network('1.1.4.0/24') _collapse_address_list_recursive([ip1, ip2, ip3, ip4, ip5, ip6]) -> [IPv4Network('1.1.0.0/22'), IPv4Network('1.1.4.0/24')] This shouldn't be called directly; it is called via collapse_address_list([]). Args: addresses: A list of IPv4Network's or IPv6Network's Returns: A list of IPv4Network's or IPv6Network's depending on what we were passed. """ ret_array = [] optimized = False for cur_addr in addresses: if not ret_array: ret_array.append(cur_addr) continue if cur_addr in ret_array[-1]: optimized = True elif cur_addr == ret_array[-1].supernet().subnet()[1]: ret_array.append(ret_array.pop().supernet()) optimized = True else: ret_array.append(cur_addr) if optimized: return _collapse_address_list_recursive(ret_array) return ret_array def collapse_address_list(addresses): """Collapse a list of IP objects. Example: collapse_address_list([IPv4Network('1.1.0.0/24'), IPv4Network('1.1.1.0/24')]) -> [IPv4Network('1.1.0.0/23')] Args: addresses: A list of IPv4Network or IPv6Network objects. Returns: A list of IPv4Network or IPv6Network objects depending on what we were passed. Raises: TypeError: If passed a list of mixed version objects. """ i = 0 addrs = [] ips = [] nets = [] # split IP addresses and networks for ip in addresses: if isinstance(ip, _BaseAddress): if ips and ips[-1]._version != ip._version: raise TypeError("%s and %s are not of the same version" % ( str(ip), str(ips[-1]))) ips.append(ip) elif ip._prefixlen == ip._max_prefixlen: if ips and ips[-1]._version != ip._version: raise TypeError("%s and %s are not of the same version" % ( str(ip), str(ips[-1]))) try: ips.append(ip.ip) except AttributeError: ips.append(ip.network_address) else: if nets and nets[-1]._version != ip._version: raise TypeError("%s and %s are not of the same version" % ( str(ip), str(ips[-1]))) nets.append(ip) # sort and dedup ips = sorted(set(ips)) nets = sorted(set(nets)) while i < len(ips): (first, last) = _find_address_range(ips[i:]) i = ips.index(last) + 1 addrs.extend(summarize_address_range(first, last)) return _collapse_address_list_recursive(sorted( addrs + nets, key=_BaseInterface._get_networks_key)) # backwards compatibility CollapseAddrList = collapse_address_list # Test whether this Python implementation supports byte objects that # are not identical to str ones. # We need to exclude platforms where bytes == str so that we can # distinguish between packed representations and strings, for example # b'12::' (the IPv4 address 49.50.58.58) and '12::' (an IPv6 address). try: _compat_has_real_bytes = bytes is not str except NameError: # <Python2.6 _compat_has_real_bytes = False def get_mixed_type_key(obj): """Return a key suitable for sorting between networks and addresses. Address and Network objects are not sortable by default; they're fundamentally different so the expression IPv4Address('1.1.1.1') <= IPv4Network('1.1.1.1/24') doesn't make any sense. There are some times however, where you may wish to have ipaddr sort these for you anyway. If you need to do this, you can use this function as the key= argument to sorted(). Args: obj: either a Network or Address object. Returns: appropriate key. """ if isinstance(obj, _BaseInterface): return obj._get_networks_key() elif isinstance(obj, _BaseAddress): return obj._get_address_key() return NotImplemented class _IPAddrBase(object): """The mother class.""" def __index__(self): return self._ip def __int__(self): return self._ip def __hex__(self): return hex(self._ip) @property def exploded(self): """Return the longhand version of the IP address as a string.""" return self._explode_shorthand_ip_string() @property def compressed(self): """Return the shorthand version of the IP address as a string.""" return str(self) class _BaseAddress(_IPAddrBase): """A generic IP object. This IP class contains the version independent methods which are used by single IP addresses. """ def __init__(self, address): if (not (_compat_has_real_bytes and isinstance(address, bytes)) and '/' in str(address)): raise AddressValueError(address) def __eq__(self, other): try: return (self._ip == other._ip and self._version == other._version) except AttributeError: return NotImplemented def __ne__(self, other): eq = self.__eq__(other) if eq is NotImplemented: return NotImplemented return not eq def __le__(self, other): gt = self.__gt__(other) if gt is NotImplemented: return NotImplemented return not gt def __ge__(self, other): lt = self.__lt__(other) if lt is NotImplemented: return NotImplemented return not lt def __lt__(self, other): if self._version != other._version: raise TypeError('%s and %s are not of the same version' % ( str(self), str(other))) if not isinstance(other, _BaseAddress): raise TypeError('%s and %s are not of the same type' % ( str(self), str(other))) if self._ip != other._ip: return self._ip < other._ip return False def __gt__(self, other): if self._version != other._version: raise TypeError('%s and %s are not of the same version' % ( str(self), str(other))) if not isinstance(other, _BaseAddress): raise TypeError('%s and %s are not of the same type' % ( str(self), str(other))) if self._ip != other._ip: return self._ip > other._ip return False # Shorthand for Integer addition and subtraction. This is not # meant to ever support addition/subtraction of addresses. def __add__(self, other): if not isinstance(other, int): return NotImplemented return ip_address(int(self) + other, version=self._version) def __sub__(self, other): if not isinstance(other, int): return NotImplemented return ip_address(int(self) - other, version=self._version) def __repr__(self): return '%s(%r)' % (self.__class__.__name__, str(self)) def __str__(self): return '%s' % self._string_from_ip_int(self._ip) def __hash__(self): return hash(hex(long(self._ip))) def _get_address_key(self): return (self._version, self) @property def version(self): raise NotImplementedError('BaseIP has no version') class _BaseInterface(_IPAddrBase): """A generic IP object. This IP class contains the version independent methods which are used by networks. """ def __init__(self, address): self._cache = {} def __repr__(self): return '%s(%r)' % (self.__class__.__name__, str(self)) def iterhosts(self): """Generate Iterator over usable hosts in a network. This is like __iter__ except it doesn't return the network or broadcast addresses. """ cur = int(self.network_address) + 1 bcast = int(self.broadcast_address) - 1 while cur <= bcast: cur += 1 yield ip_address(cur - 1, version=self._version) def __iter__(self): cur = int(self.network_address) bcast = int(self.broadcast_address) while cur <= bcast: cur += 1 yield ip_address(cur - 1, version=self._version) def __getitem__(self, n): network = int(self.network_address) broadcast = int(self.broadcast_address) if n >= 0: if network + n > broadcast: raise IndexError return ip_address(network + n, version=self._version) else: n += 1 if broadcast + n < network: raise IndexError return ip_address(broadcast + n, version=self._version) def __lt__(self, other): if self._version != other._version: raise TypeError('%s and %s are not of the same version' % ( str(self), str(other))) if not isinstance(other, _BaseInterface): raise TypeError('%s and %s are not of the same type' % ( str(self), str(other))) if self.network_address != other.network_address: return self.network_address < other.network_address if self.netmask != other.netmask: return self.netmask < other.netmask return False def __gt__(self, other): if self._version != other._version: raise TypeError('%s and %s are not of the same version' % ( str(self), str(other))) if not isinstance(other, _BaseInterface): raise TypeError('%s and %s are not of the same type' % ( str(self), str(other))) if self.network_address != other.network_address: return self.network_address > other.network_address if self.netmask != other.netmask: return self.netmask > other.netmask return False def __le__(self, other): gt = self.__gt__(other) if gt is NotImplemented: return NotImplemented return not gt def __ge__(self, other): lt = self.__lt__(other) if lt is NotImplemented: return NotImplemented return not lt def __eq__(self, other): try: return (self._version == other._version and self.network_address == other.network_address and int(self.netmask) == int(other.netmask)) except AttributeError: if isinstance(other, _BaseAddress): return (self._version == other._version and self._ip == other._ip) def __ne__(self, other): eq = self.__eq__(other) if eq is NotImplemented: return NotImplemented return not eq def __str__(self): return '%s/%s' % (str(self.ip), str(self._prefixlen)) def __hash__(self): return hash(int(self.network_address) ^ int(self.netmask)) def __contains__(self, other): # always false if one is v4 and the other is v6. if self._version != other._version: return False # dealing with another network. if isinstance(other, _BaseInterface): return (self.network_address <= other.network_address and self.broadcast_address >= other.broadcast_address) # dealing with another address else: return (int(self.network_address) <= int(other._ip) <= int(self.broadcast_address)) def overlaps(self, other): """Tell if self is partly contained in other.""" return self.network_address in other or ( self.broadcast_address in other or ( other.network_address in self or ( other.broadcast_address in self))) @property def network_address(self): x = self._cache.get('network_address') if x is None: x = ip_address(self._ip & int(self.netmask), version=self._version) self._cache['network_address'] = x return x @property def broadcast_address(self): x = self._cache.get('broadcast_address') if x is None: x = ip_address(self._ip | int(self.hostmask), version=self._version) self._cache['broadcast_address'] = x return x @property def hostmask(self): x = self._cache.get('hostmask') if x is None: x = ip_address(int(self.netmask) ^ self._ALL_ONES, version=self._version) self._cache['hostmask'] = x return x @property def network(self): return ip_network('%s/%d' % (str(self.network_address), self.prefixlen)) @property def with_prefixlen(self): return '%s/%d' % (str(self.ip), self._prefixlen) @property def with_netmask(self): return '%s/%s' % (str(self.ip), str(self.netmask)) @property def with_hostmask(self): return '%s/%s' % (str(self.ip), str(self.hostmask)) @property def numhosts(self): """Number of hosts in the current subnet.""" return int(self.broadcast_address) - int(self.network_address) + 1 @property def version(self): raise NotImplementedError('BaseNet has no version') @property def prefixlen(self): return self._prefixlen def address_exclude(self, other): """Remove an address from a larger block. For example: addr1 = ip_network('10.1.1.0/24') addr2 = ip_network('10.1.1.0/26') addr1.address_exclude(addr2) = [ip_network('10.1.1.64/26'), ip_network('10.1.1.128/25')] or IPv6: addr1 = ip_network('::1/32') addr2 = ip_network('::1/128') addr1.address_exclude(addr2) = [ip_network('::0/128'), ip_network('::2/127'), ip_network('::4/126'), ip_network('::8/125'), ... ip_network('0:0:8000::/33')] Args: other: An IPvXNetwork object of the same type. Returns: A sorted list of IPvXNetwork objects addresses which is self minus other. Raises: TypeError: If self and other are of difffering address versions, or if other is not a network object. ValueError: If other is not completely contained by self. """ if not self._version == other._version: raise TypeError("%s and %s are not of the same version" % ( str(self), str(other))) if not isinstance(other, _BaseInterface): raise TypeError("%s is not a network object" % str(other)) if other not in self: raise ValueError('%s not contained in %s' % (str(other), str(self))) if other == self: return [] ret_addrs = [] # Make sure we're comparing the network of other. other = ip_network('%s/%s' % (str(other.network_address), str(other.prefixlen)), version=other._version) s1, s2 = self.subnet() while s1 != other and s2 != other: if other in s1: ret_addrs.append(s2) s1, s2 = s1.subnet() elif other in s2: ret_addrs.append(s1) s1, s2 = s2.subnet() else: # If we got here, there's a bug somewhere. assert True == False, ('Error performing exclusion: ' 's1: %s s2: %s other: %s' % (str(s1), str(s2), str(other))) if s1 == other: ret_addrs.append(s2) elif s2 == other: ret_addrs.append(s1) else: # If we got here, there's a bug somewhere. assert True == False, ('Error performing exclusion: ' 's1: %s s2: %s other: %s' % (str(s1), str(s2), str(other))) return sorted(ret_addrs, key=_BaseInterface._get_networks_key) def compare_networks(self, other): """Compare two IP objects. This is only concerned about the comparison of the integer representation of the network addresses. This means that the host bits aren't considered at all in this method. If you want to compare host bits, you can easily enough do a 'HostA._ip < HostB._ip' Args: other: An IP object. Returns: If the IP versions of self and other are the same, returns: -1 if self < other: eg: IPv4('1.1.1.0/24') < IPv4('1.1.2.0/24') IPv6('1080::200C:417A') < IPv6('1080::200B:417B') 0 if self == other eg: IPv4('1.1.1.1/24') == IPv4('1.1.1.2/24') IPv6('1080::200C:417A/96') == IPv6('1080::200C:417B/96') 1 if self > other eg: IPv4('1.1.1.0/24') > IPv4('1.1.0.0/24') IPv6('1080::1:200C:417A/112') > IPv6('1080::0:200C:417A/112') If the IP versions of self and other are different, returns: -1 if self._version < other._version eg: IPv4('10.0.0.1/24') < IPv6('::1/128') 1 if self._version > other._version eg: IPv6('::1/128') > IPv4('255.255.255.0/24') """ if self._version < other._version: return -1 if self._version > other._version: return 1 # self._version == other._version below here: if self.network_address < other.network_address: return -1 if self.network_address > other.network_address: return 1 # self.network_address == other.network_address below here: if self.netmask < other.netmask: return -1 if self.netmask > other.netmask: return 1 # self.network_address == other.network_address and # self.netmask == other.netmask return 0 def _get_networks_key(self): """Network-only key function. Returns an object that identifies this address' network and netmask. This function is a suitable "key" argument for sorted() and list.sort(). """ return (self._version, self.network_address, self.netmask) def _ip_int_from_prefix(self, prefixlen=None): """Turn the prefix length netmask into a int for comparison. Args: prefixlen: An integer, the prefix length. Returns: An integer. """ if not prefixlen and prefixlen != 0: prefixlen = self._prefixlen return self._ALL_ONES ^ (self._ALL_ONES >> prefixlen) def _prefix_from_ip_int(self, ip_int, mask=32): """Return prefix length from the decimal netmask. Args: ip_int: An integer, the IP address. mask: The netmask. Defaults to 32. Returns: An integer, the prefix length. """ while mask: if ip_int & 1 == 1: break ip_int >>= 1 mask -= 1 return mask def _ip_string_from_prefix(self, prefixlen=None): """Turn a prefix length into a dotted decimal string. Args: prefixlen: An integer, the netmask prefix length. Returns: A string, the dotted decimal netmask string. """ if not prefixlen: prefixlen = self._prefixlen return self._string_from_ip_int(self._ip_int_from_prefix(prefixlen)) def iter_subnets(self, prefixlen_diff=1, new_prefix=None): """The subnets which join to make the current subnet. In the case that self contains only one IP (self._prefixlen == 32 for IPv4 or self._prefixlen == 128 for IPv6), return a list with just ourself. Args: prefixlen_diff: An integer, the amount the prefix length should be increased by. This should not be set if new_prefix is also set. new_prefix: The desired new prefix length. This must be a larger number (smaller prefix) than the existing prefix. This should not be set if prefixlen_diff is also set. Returns: An iterator of IPv(4|6) objects. Raises: ValueError: The prefixlen_diff is too small or too large. OR prefixlen_diff and new_prefix are both set or new_prefix is a smaller number than the current prefix (smaller number means a larger network) """ if self._prefixlen == self._max_prefixlen: yield self return if new_prefix is not None: if new_prefix < self._prefixlen: raise ValueError('new prefix must be longer') if prefixlen_diff != 1: raise ValueError('cannot set prefixlen_diff and new_prefix') prefixlen_diff = new_prefix - self._prefixlen if prefixlen_diff < 0: raise ValueError('prefix length diff must be > 0') new_prefixlen = self._prefixlen + prefixlen_diff if not self._is_valid_netmask(str(new_prefixlen)): raise ValueError( 'prefix length diff %d is invalid for netblock %s' % ( new_prefixlen, str(self))) first = ip_network('%s/%s' % (str(self.network_address), str(self._prefixlen + prefixlen_diff)), version=self._version) yield first current = first while True: broadcast = current.broadcast_address if broadcast == self.broadcast_address: return new_addr = ip_address(int(broadcast) + 1, version=self._version) current = ip_network('%s/%s' % (str(new_addr), str(new_prefixlen)), version=self._version) yield current def masked(self): """Return the network object with the host bits masked out.""" return ip_network('%s/%d' % (self.network_address, self._prefixlen), version=self._version) def subnet(self, prefixlen_diff=1, new_prefix=None): """Return a list of subnets, rather than an iterator.""" return list(self.iter_subnets(prefixlen_diff, new_prefix)) def supernet(self, prefixlen_diff=1, new_prefix=None): """The supernet containing the current network. Args: prefixlen_diff: An integer, the amount the prefix length of the network should be decreased by. For example, given a /24 network and a prefixlen_diff of 3, a supernet with a /21 netmask is returned. Returns: An IPv4 network object. Raises: ValueError: If self.prefixlen - prefixlen_diff < 0. I.e., you have a negative prefix length. OR If prefixlen_diff and new_prefix are both set or new_prefix is a larger number than the current prefix (larger number means a smaller network) """ if self._prefixlen == 0: return self if new_prefix is not None: if new_prefix > self._prefixlen: raise ValueError('new prefix must be shorter') if prefixlen_diff != 1: raise ValueError('cannot set prefixlen_diff and new_prefix') prefixlen_diff = self._prefixlen - new_prefix if self.prefixlen - prefixlen_diff < 0: raise ValueError( 'current prefixlen is %d, cannot have a prefixlen_diff of %d' % (self.prefixlen, prefixlen_diff)) # TODO (pmoody): optimize this. t = ip_interface('%s/%d' % (str(self.network_address), self.prefixlen - prefixlen_diff), version=self._version) return ip_network('%s/%d' % (str(t.network_address), t.prefixlen), version=t._version) # backwards compatibility Subnet = subnet Supernet = supernet AddressExclude = address_exclude CompareNetworks = compare_networks Contains = __contains__ class _BaseV4(object): """Base IPv4 object. The following methods are used by IPv4 objects in both single IP addresses and networks. """ # Equivalent to 255.255.255.255 or 32 bits of 1's. _ALL_ONES = (2**IPV4LENGTH) - 1 _DECIMAL_DIGITS = frozenset('0123456789') def __init__(self, address): self._version = 4 self._max_prefixlen = IPV4LENGTH def _explode_shorthand_ip_string(self): return str(self) def _ip_int_from_string(self, ip_str): """Turn the given IP string into an integer for comparison. Args: ip_str: A string, the IP ip_str. Returns: The IP ip_str as an integer. Raises: AddressValueError: if ip_str isn't a valid IPv4 Address. """ octets = ip_str.split('.') if len(octets) != 4: raise AddressValueError(ip_str) packed_ip = 0 for oc in octets: try: packed_ip = (packed_ip << 8) | self._parse_octet(oc) except ValueError: raise AddressValueError(ip_str) return packed_ip def _parse_octet(self, octet_str): """Convert a decimal octet into an integer. Args: octet_str: A string, the number to parse. Returns: The octet as an integer. Raises: ValueError: if the octet isn't strictly a decimal from [0..255]. """ # Whitelist the characters, since int() allows a lot of bizarre stuff. if not self._DECIMAL_DIGITS.issuperset(octet_str): raise ValueError octet_int = int(octet_str, 10) # Disallow leading zeroes, because no clear standard exists on # whether these should be interpreted as decimal or octal. if octet_int > 255 or (octet_str[0] == '0' and len(octet_str) > 1): raise ValueError return octet_int def _string_from_ip_int(self, ip_int): """Turns a 32-bit integer into dotted decimal notation. Args: ip_int: An integer, the IP address. Returns: The IP address as a string in dotted decimal notation. """ octets = [] for _ in xrange(4): octets.insert(0, str(ip_int & 0xFF)) ip_int >>= 8 return '.'.join(octets) @property def max_prefixlen(self): return self._max_prefixlen @property def packed(self): """The binary representation of this address.""" return v4_int_to_packed(self._ip) @property def version(self): return self._version @property def is_reserved(self): """Test if the address is otherwise IETF reserved. Returns: A boolean, True if the address is within the reserved IPv4 Network range. """ return self in IPv4Network('240.0.0.0/4') @property def is_private(self): """Test if this address is allocated for private networks. Returns: A boolean, True if the address is reserved per RFC 1918. """ return (self in IPv4Network('10.0.0.0/8') or self in IPv4Network('172.16.0.0/12') or self in IPv4Network('192.168.0.0/16')) @property def is_multicast(self): """Test if the address is reserved for multicast use. Returns: A boolean, True if the address is multicast. See RFC 3171 for details. """ return self in IPv4Network('224.0.0.0/4') @property def is_unspecified(self): """Test if the address is unspecified. Returns: A boolean, True if this is the unspecified address as defined in RFC 5735 3. """ return self in IPv4Network('0.0.0.0') @property def is_loopback(self): """Test if the address is a loopback address. Returns: A boolean, True if the address is a loopback per RFC 3330. """ return self in IPv4Network('127.0.0.0/8') @property def is_link_local(self): """Test if the address is reserved for link-local. Returns: A boolean, True if the address is link-local per RFC 3927. """ return self in IPv4Network('169.254.0.0/16') class IPv4Address(_BaseV4, _BaseAddress): """Represent and manipulate single IPv4 Addresses.""" def __init__(self, address): """ Args: address: A string or integer representing the IP '192.168.1.1' Additionally, an integer can be passed, so IPv4Address('192.168.1.1') == IPv4Address(3232235777). or, more generally IPv4Address(int(IPv4Address('192.168.1.1'))) == IPv4Address('192.168.1.1') Raises: AddressValueError: If ipaddr isn't a valid IPv4 address. """ _BaseAddress.__init__(self, address) _BaseV4.__init__(self, address) # Efficient constructor from integer. if isinstance(address, (int, long)): self._ip = address if address < 0 or address > self._ALL_ONES: raise AddressValueError(address) return # Constructing from a packed address if _compat_has_real_bytes: if isinstance(address, bytes) and len(address) == 4: self._ip = struct.unpack('!I', address)[0] return # Assume input argument to be string or any object representation # which converts into a formatted IP string. addr_str = str(address) self._ip = self._ip_int_from_string(addr_str) class IPv4Interface(_BaseV4, _BaseInterface): """This class represents and manipulates 32-bit IPv4 network + addresses.. Attributes: [examples for IPv4Interface('1.2.3.4/27')] ._ip: 16909060 .ip: IPv4Address('1.2.3.4') .network_address: IPv4Address('1.2.3.0') .hostmask: IPv4Address('0.0.0.31') .broadcast_address: IPv4Address('1.2.3.31') .netmask: IPv4Address('255.255.255.224') .prefixlen: 27 """ # the valid octets for host and netmasks. only useful for IPv4. _valid_mask_octets = set((255, 254, 252, 248, 240, 224, 192, 128, 0)) def __init__(self, address): """Instantiate a new IPv4 network object. Args: address: A string or integer representing the IP [& network]. '192.168.1.1/24' '192.168.1.1/255.255.255.0' '192.168.1.1/0.0.0.255' are all functionally the same in IPv4. Similarly, '192.168.1.1' '192.168.1.1/255.255.255.255' '192.168.1.1/32' are also functionaly equivalent. That is to say, failing to provide a subnetmask will create an object with a mask of /32. If the mask (portion after the / in the argument) is given in dotted quad form, it is treated as a netmask if it starts with a non-zero field (e.g. /255.0.0.0 == /8) and as a hostmask if it starts with a zero field (e.g. 0.255.255.255 == /8), with the single exception of an all-zero mask which is treated as a netmask == /0. If no mask is given, a default of /32 is used. Additionally, an integer can be passed, so IPv4Interface('192.168.1.1') == IPv4Interface(3232235777). or, more generally IPv4Interface(int(IPv4Interface('192.168.1.1'))) == IPv4Interface('192.168.1.1') Raises: AddressValueError: If ipaddr isn't a valid IPv4 address. NetmaskValueError: If the netmask isn't valid for an IPv4 address. ValueError: If strict was True and a network address was not supplied. """ _BaseInterface.__init__(self, address) _BaseV4.__init__(self, address) # Efficient constructor from integer. if isinstance(address, (int, long)): self._ip = address self.ip = IPv4Address(self._ip) self._prefixlen = self._max_prefixlen self.netmask = IPv4Address(self._ALL_ONES) if address < 0 or address > self._ALL_ONES: raise AddressValueError(address) return # Constructing from a packed address if _compat_has_real_bytes: if isinstance(address, bytes) and len(address) == 4: self._ip = struct.unpack('!I', address)[0] self.ip = IPv4Address(self._ip) self._prefixlen = self._max_prefixlen self.netmask = IPv4Address(self._ALL_ONES) return # Assume input argument to be string or any object representation # which converts into a formatted IP prefix string. addr = str(address).split('/') if len(addr) > 2: raise AddressValueError(address) self._ip = self._ip_int_from_string(addr[0]) self.ip = IPv4Address(self._ip) if len(addr) == 2: mask = addr[1].split('.') if len(mask) == 4: # We have dotted decimal netmask. if self._is_valid_netmask(addr[1]): self.netmask = IPv4Address(self._ip_int_from_string( addr[1])) elif self._is_hostmask(addr[1]): self.netmask = IPv4Address( self._ip_int_from_string(addr[1]) ^ self._ALL_ONES) else: raise NetmaskValueError('%s is not a valid netmask' % addr[1]) self._prefixlen = self._prefix_from_ip_int(int(self.netmask)) else: # We have a netmask in prefix length form. if not self._is_valid_netmask(addr[1]): raise NetmaskValueError(addr[1]) self._prefixlen = int(addr[1]) self.netmask = IPv4Address(self._ip_int_from_prefix( self._prefixlen)) else: self._prefixlen = self._max_prefixlen self.netmask = IPv4Address(self._ip_int_from_prefix( self._prefixlen)) if self._prefixlen == (self._max_prefixlen - 1): self.iterhosts = self.__iter__ def _is_hostmask(self, ip_str): """Test if the IP string is a hostmask (rather than a netmask). Args: ip_str: A string, the potential hostmask. Returns: A boolean, True if the IP string is a hostmask. """ bits = ip_str.split('.') try: parts = [int(x) for x in bits if int(x) in self._valid_mask_octets] except ValueError: return False if len(parts) != len(bits): return False if parts[0] < parts[-1]: return True return False def _is_valid_netmask(self, netmask): """Verify that the netmask is valid. Args: netmask: A string, either a prefix or dotted decimal netmask. Returns: A boolean, True if the prefix represents a valid IPv4 netmask. """ mask = netmask.split('.') if len(mask) == 4: if [x for x in mask if int(x) not in self._valid_mask_octets]: return False if [y for idx, y in enumerate(mask) if idx > 0 and y > mask[idx - 1]]: return False return True try: netmask = int(netmask) except ValueError: return False return 0 <= netmask <= self._max_prefixlen # backwards compatibility IsRFC1918 = lambda self: self.is_private IsMulticast = lambda self: self.is_multicast IsLoopback = lambda self: self.is_loopback IsLinkLocal = lambda self: self.is_link_local class IPv4Network(IPv4Interface): def __init__(self, address): IPv4Interface.__init__(self, address) if self.ip != self.network_address: raise ValueError('%s has host bits set' % self.ip) del self.__dict__['ip'] def __str__(self): return '%s/%d' % (str(self.network_address), self.prefixlen) @property def with_prefixlen(self): return '%s/%d' % (str(self.network_address), self._prefixlen) @property def with_netmask(self): return '%s/%s' % (str(self.network_address), str(self.netmask)) @property def with_hostmask(self): return '%s/%s' % (str(self.network_address), str(self.hostmask)) class _BaseV6(object): """Base IPv6 object. The following methods are used by IPv6 objects in both single IP addresses and networks. """ _ALL_ONES = (2**IPV6LENGTH) - 1 _HEXTET_COUNT = 8 _HEX_DIGITS = frozenset('0123456789ABCDEFabcdef') def __init__(self, address): self._version = 6 self._max_prefixlen = IPV6LENGTH def _ip_int_from_string(self, ip_str): """Turn an IPv6 ip_str into an integer. Args: ip_str: A string, the IPv6 ip_str. Returns: A long, the IPv6 ip_str. Raises: AddressValueError: if ip_str isn't a valid IPv6 Address. """ parts = ip_str.split(':') # An IPv6 address needs at least 2 colons (3 parts). if len(parts) < 3: raise AddressValueError(ip_str) # If the address has an IPv4-style suffix, convert it to hexadecimal. if '.' in parts[-1]: ipv4_int = IPv4Address(parts.pop())._ip parts.append('%x' % ((ipv4_int >> 16) & 0xFFFF)) parts.append('%x' % (ipv4_int & 0xFFFF)) # An IPv6 address can't have more than 8 colons (9 parts). if len(parts) > self._HEXTET_COUNT + 1: raise AddressValueError(ip_str) # Disregarding the endpoints, find '::' with nothing in between. # This indicates that a run of zeroes has been skipped. try: skip_index, = ( [i for i in xrange(1, len(parts) - 1) if not parts[i]] or [None]) except ValueError: # Can't have more than one '::' raise AddressValueError(ip_str) # parts_hi is the number of parts to copy from above/before the '::' # parts_lo is the number of parts to copy from below/after the '::' if skip_index is not None: # If we found a '::', then check if it also covers the endpoints. parts_hi = skip_index parts_lo = len(parts) - skip_index - 1 if not parts[0]: parts_hi -= 1 if parts_hi: raise AddressValueError(ip_str) # ^: requires ^:: if not parts[-1]: parts_lo -= 1 if parts_lo: raise AddressValueError(ip_str) # :$ requires ::$ parts_skipped = self._HEXTET_COUNT - (parts_hi + parts_lo) if parts_skipped < 1: raise AddressValueError(ip_str) else: # Otherwise, allocate the entire address to parts_hi. The endpoints # could still be empty, but _parse_hextet() will check for that. if len(parts) != self._HEXTET_COUNT: raise AddressValueError(ip_str) parts_hi = len(parts) parts_lo = 0 parts_skipped = 0 try: # Now, parse the hextets into a 128-bit integer. ip_int = 0L for i in xrange(parts_hi): ip_int <<= 16 ip_int |= self._parse_hextet(parts[i]) ip_int <<= 16 * parts_skipped for i in xrange(-parts_lo, 0): ip_int <<= 16 ip_int |= self._parse_hextet(parts[i]) return ip_int except ValueError: raise AddressValueError(ip_str) def _parse_hextet(self, hextet_str): """Convert an IPv6 hextet string into an integer. Args: hextet_str: A string, the number to parse. Returns: The hextet as an integer. Raises: ValueError: if the input isn't strictly a hex number from [0..FFFF]. """ # Whitelist the characters, since int() allows a lot of bizarre stuff. if not self._HEX_DIGITS.issuperset(hextet_str): raise ValueError hextet_int = int(hextet_str, 16) if hextet_int > 0xFFFF: raise ValueError return hextet_int def _compress_hextets(self, hextets): """Compresses a list of hextets. Compresses a list of strings, replacing the longest continuous sequence of "0" in the list with "" and adding empty strings at the beginning or at the end of the string such that subsequently calling ":".join(hextets) will produce the compressed version of the IPv6 address. Args: hextets: A list of strings, the hextets to compress. Returns: A list of strings. """ best_doublecolon_start = -1 best_doublecolon_len = 0 doublecolon_start = -1 doublecolon_len = 0 for index in range(len(hextets)): if hextets[index] == '0': doublecolon_len += 1 if doublecolon_start == -1: # Start of a sequence of zeros. doublecolon_start = index if doublecolon_len > best_doublecolon_len: # This is the longest sequence of zeros so far. best_doublecolon_len = doublecolon_len best_doublecolon_start = doublecolon_start else: doublecolon_len = 0 doublecolon_start = -1 if best_doublecolon_len > 1: best_doublecolon_end = (best_doublecolon_start + best_doublecolon_len) # For zeros at the end of the address. if best_doublecolon_end == len(hextets): hextets += [''] hextets[best_doublecolon_start:best_doublecolon_end] = [''] # For zeros at the beginning of the address. if best_doublecolon_start == 0: hextets = [''] + hextets return hextets def _string_from_ip_int(self, ip_int=None): """Turns a 128-bit integer into hexadecimal notation. Args: ip_int: An integer, the IP address. Returns: A string, the hexadecimal representation of the address. Raises: ValueError: The address is bigger than 128 bits of all ones. """ if not ip_int and ip_int != 0: ip_int = int(self._ip) if ip_int > self._ALL_ONES: raise ValueError('IPv6 address is too large') hex_str = '%032x' % ip_int hextets = [] for x in range(0, 32, 4): hextets.append('%x' % int(hex_str[x:x+4], 16)) hextets = self._compress_hextets(hextets) return ':'.join(hextets) def _explode_shorthand_ip_string(self): """Expand a shortened IPv6 address. Args: ip_str: A string, the IPv6 address. Returns: A string, the expanded IPv6 address. """ if isinstance(self, IPv6Network): ip_str = str(self.network_address) elif isinstance(self, _BaseAddress): ip_str = str(self) else: # _BaseInterface ip_str = str(self.ip) ip_int = self._ip_int_from_string(ip_str) parts = [] for i in xrange(self._HEXTET_COUNT): parts.append('%04x' % (ip_int & 0xFFFF)) ip_int >>= 16 parts.reverse() if isinstance(self, _BaseInterface): return '%s/%d' % (':'.join(parts), self.prefixlen) return ':'.join(parts) @property def max_prefixlen(self): return self._max_prefixlen @property def packed(self): """The binary representation of this address.""" return v6_int_to_packed(self._ip) @property def version(self): return self._version @property def is_multicast(self): """Test if the address is reserved for multicast use. Returns: A boolean, True if the address is a multicast address. See RFC 2373 2.7 for details. """ return self in IPv6Network('ff00::/8') @property def is_reserved(self): """Test if the address is otherwise IETF reserved. Returns: A boolean, True if the address is within one of the reserved IPv6 Network ranges. """ return (self in IPv6Network('::/8') or self in IPv6Network('100::/8') or self in IPv6Network('200::/7') or self in IPv6Network('400::/6') or self in IPv6Network('800::/5') or self in IPv6Network('1000::/4') or self in IPv6Network('4000::/3') or self in IPv6Network('6000::/3') or self in IPv6Network('8000::/3') or self in IPv6Network('A000::/3') or self in IPv6Network('C000::/3') or self in IPv6Network('E000::/4') or self in IPv6Network('F000::/5') or self in IPv6Network('F800::/6') or self in IPv6Network('FE00::/9')) @property def is_unspecified(self): """Test if the address is unspecified. Returns: A boolean, True if this is the unspecified address as defined in RFC 2373 2.5.2. """ return self._ip == 0 and getattr(self, '_prefixlen', 128) == 128 @property def is_loopback(self): """Test if the address is a loopback address. Returns: A boolean, True if the address is a loopback address as defined in RFC 2373 2.5.3. """ return self._ip == 1 and getattr(self, '_prefixlen', 128) == 128 @property def is_link_local(self): """Test if the address is reserved for link-local. Returns: A boolean, True if the address is reserved per RFC 4291. """ return self in IPv6Network('fe80::/10') @property def is_site_local(self): """Test if the address is reserved for site-local. Note that the site-local address space has been deprecated by RFC 3879. Use is_private to test if this address is in the space of unique local addresses as defined by RFC 4193. Returns: A boolean, True if the address is reserved per RFC 3513 2.5.6. """ return self in IPv6Network('fec0::/10') @property def is_private(self): """Test if this address is allocated for private networks. Returns: A boolean, True if the address is reserved per RFC 4193. """ return self in IPv6Network('fc00::/7') @property def ipv4_mapped(self): """Return the IPv4 mapped address. Returns: If the IPv6 address is a v4 mapped address, return the IPv4 mapped address. Return None otherwise. """ if (self._ip >> 32) != 0xFFFF: return None return IPv4Address(self._ip & 0xFFFFFFFF) @property def teredo(self): """Tuple of embedded teredo IPs. Returns: Tuple of the (server, client) IPs or None if the address doesn't appear to be a teredo address (doesn't start with 2001::/32) """ if (self._ip >> 96) != 0x20010000: return None return (IPv4Address((self._ip >> 64) & 0xFFFFFFFF), IPv4Address(~self._ip & 0xFFFFFFFF)) @property def sixtofour(self): """Return the IPv4 6to4 embedded address. Returns: The IPv4 6to4-embedded address if present or None if the address doesn't appear to contain a 6to4 embedded address. """ if (self._ip >> 112) != 0x2002: return None return IPv4Address((self._ip >> 80) & 0xFFFFFFFF) class IPv6Address(_BaseV6, _BaseAddress): """Represent and manipulate single IPv6 Addresses. """ def __init__(self, address): """Instantiate a new IPv6 address object. Args: address: A string or integer representing the IP Additionally, an integer can be passed, so IPv6Address('2001:4860::') == IPv6Address(42541956101370907050197289607612071936L). or, more generally IPv6Address(IPv6Address('2001:4860::')._ip) == IPv6Address('2001:4860::') Raises: AddressValueError: If address isn't a valid IPv6 address. """ _BaseAddress.__init__(self, address) _BaseV6.__init__(self, address) # Efficient constructor from integer. if isinstance(address, (int, long)): self._ip = address if address < 0 or address > self._ALL_ONES: raise AddressValueError(address) return # Constructing from a packed address if _compat_has_real_bytes: if isinstance(address, bytes) and len(address) == 16: tmp = struct.unpack('!QQ', address) self._ip = (tmp[0] << 64) | tmp[1] return # Assume input argument to be string or any object representation # which converts into a formatted IP string. addr_str = str(address) if not addr_str: raise AddressValueError('') self._ip = self._ip_int_from_string(addr_str) class IPv6Interface(_BaseV6, _BaseInterface): """This class represents and manipulates 128-bit IPv6 networks. Attributes: [examples for IPv6('2001:658:22A:CAFE:200::1/64')] .ip: IPv6Address('2001:658:22a:cafe:200::1') .network_address: IPv6Address('2001:658:22a:cafe::') .hostmask: IPv6Address('::ffff:ffff:ffff:ffff') .broadcast_address: IPv6Address('2001:658:22a:cafe:ffff:ffff:ffff:ffff') .netmask: IPv6Address('ffff:ffff:ffff:ffff::') .prefixlen: 64 """ def __init__(self, address): """Instantiate a new IPv6 Network object. Args: address: A string or integer representing the IPv6 network or the IP and prefix/netmask. '2001:4860::/128' '2001:4860:0000:0000:0000:0000:0000:0000/128' '2001:4860::' are all functionally the same in IPv6. That is to say, failing to provide a subnetmask will create an object with a mask of /128. Additionally, an integer can be passed, so IPv6Network('2001:4860::') == IPv6Network(42541956101370907050197289607612071936L). or, more generally IPv6Network(IPv6Network('2001:4860::')._ip) == IPv6Network('2001:4860::') strict: A boolean. If true, ensure that we have been passed A true network address, eg, 192.168.1.0/24 and not an IP address on a network, eg, 192.168.1.1/24. Raises: AddressValueError: If address isn't a valid IPv6 address. NetmaskValueError: If the netmask isn't valid for an IPv6 address. ValueError: If strict was True and a network address was not supplied. """ _BaseInterface.__init__(self, address) _BaseV6.__init__(self, address) # Efficient constructor from integer. if isinstance(address, (int, long)): self._ip = address self.ip = IPv6Address(self._ip) self._prefixlen = self._max_prefixlen self.netmask = IPv6Address(self._ALL_ONES) if address < 0 or address > self._ALL_ONES: raise AddressValueError(address) return # Constructing from a packed address if _compat_has_real_bytes: if isinstance(address, bytes) and len(address) == 16: tmp = struct.unpack('!QQ', address) self._ip = (tmp[0] << 64) | tmp[1] self.ip = IPv6Address(self._ip) self._prefixlen = self._max_prefixlen self.netmask = IPv6Address(self._ALL_ONES) return # Assume input argument to be string or any object representation # which converts into a formatted IP prefix string. addr = str(address).split('/') if len(addr) > 2: raise AddressValueError(address) self._ip = self._ip_int_from_string(addr[0]) self.ip = IPv6Address(self._ip) if len(addr) == 2: if self._is_valid_netmask(addr[1]): self._prefixlen = int(addr[1]) else: raise NetmaskValueError(addr[1]) else: self._prefixlen = self._max_prefixlen self.netmask = IPv6Address(self._ip_int_from_prefix(self._prefixlen)) if self._prefixlen == (self._max_prefixlen - 1): self.iterhosts = self.__iter__ def _is_valid_netmask(self, prefixlen): """Verify that the netmask/prefixlen is valid. Args: prefixlen: A string, the netmask in prefix length format. Returns: A boolean, True if the prefix represents a valid IPv6 netmask. """ try: prefixlen = int(prefixlen) except ValueError: return False return 0 <= prefixlen <= self._max_prefixlen @property def with_netmask(self): return self.with_prefixlen class IPv6Network(IPv6Interface): def __init__(self, address): IPv6Interface.__init__(self, address) if self.ip != self.network_address: raise ValueError('%s has host bits set' % self.ip) del self.__dict__['ip'] def __str__(self): return '%s/%d' % (str(self.network_address), self.prefixlen) @property def with_prefixlen(self): return '%s/%d' % (str(self.network_address), self._prefixlen) @property def with_netmask(self): return '%s/%s' % (str(self.network_address), str(self.netmask)) @property def with_hostmask(self): return '%s/%s' % (str(self.network_address), str(self.hostmask))
ajibawa-2023/Python-Code-Large/train/row_610
772
2,011
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L18_C0", "label": "expression", "type": "expression", "loc": [18, 23], "level": 0, "parent": null, "vector": [8, 0, 0.0102, 0.003, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"A fast, lightweight IPv4/IPv6 manipulation library in Python.\n\nThis library is used to create/poke/manipulate IPv4 and IPv6 addresses\nand networks.\n\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L25_C0", "label": "__version__ =", "type": "assigned_variable", "loc": [25, 25], "level": 0, "parent": null, "vector": [14, 0, 0.0124, 0.0005, 0, 0.66, 0.0323, 162, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "__version__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__version__ = 'branches/3144'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Import_L27_C0", "label": "struct import struct", "type": "import", "loc": [27, 27], "level": 0, "parent": null, "vector": [1, 0, 0.0134, 0.0005, 0, 0.66, 0.0645, 399, 0, 1, 0, 0, 399, 0, 0], "semantic": {"name": "struct", "arg_names": [], "import_names": ["struct"], "rhs_call_name": "", "annotation": ""}, "snippet": "import struct"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L29_C0", "label": "IPV4LENGTH =", "type": "assigned_variable", "loc": [29, 29], "level": 0, "parent": null, "vector": [14, 0, 0.0144, 0.0005, 0, 0.66, 0.0968, 300, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "IPV4LENGTH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "IPV4LENGTH = 32"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L30_C0", "label": "IPV6LENGTH =", "type": "assigned_variable", "loc": [30, 30], "level": 0, "parent": null, "vector": [14, 0, 0.0149, 0.0005, 0, 0.66, 0.129, 815, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "IPV6LENGTH", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "IPV6LENGTH = 128"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L33_C0", "label": "AddressValueError", "type": "class", "loc": [33, 34], "level": 0, "parent": null, "vector": [3, 0, 0.0167, 0.001, 0, 0.66, 0.1613, 511, 0, 0, 0, 0, 690, 0, 0], "semantic": {"name": "AddressValueError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class AddressValueError(ValueError):\n \"\"\"A Value Error related to the address.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L34_C4", "label": "expression", "type": "expression", "loc": [34, 34], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L33_C0", "vector": [8, 1, 0.0169, 0.0005, 1, 0.78, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"A Value Error related to the address.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L37_C0", "label": "NetmaskValueError", "type": "class", "loc": [37, 38], "level": 0, "parent": null, "vector": [3, 0, 0.0186, 0.001, 0, 0.66, 0.1935, 127, 0, 0, 0, 0, 690, 0, 0], "semantic": {"name": "NetmaskValueError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class NetmaskValueError(ValueError):\n \"\"\"A Value Error related to the netmask.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L38_C4", "label": "expression", "type": "expression", "loc": [38, 38], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L37_C0", "vector": [8, 1, 0.0189, 0.0005, 1, 0.48, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"A Value Error related to the netmask.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L41_C0", "label": "ip_address", "type": "function", "loc": [41, 78], "level": 0, "parent": null, "vector": [2, 0, 0.0296, 0.0189, 0, 0.66, 0.2258, 30, 0, 2, 1, 0, 0, 0, 5], "semantic": {"name": "ip_address", "arg_names": ["address", "version"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def ip_address(address, version=None):\n \"\"\"Take an IP string/int and return an object of the correct type.\n\n Args:\n address: A string or integer, the IP address. Either IPv4 or\n IPv6 addresses may be supplied; integers less than 2**32 will\n be considered to be IPv4 by default.\n version: An Integer, 4 or 6. If set, don't try to automatically"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L42_C4", "label": "expression", "type": "expression", "loc": [42, 60], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L41_C0", "vector": [8, 1, 0.0254, 0.0094, 1, 0.59, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Take an IP string/int and return an object of the correct type.\n\n Args:\n address: A string or integer, the IP address. Either IPv4 or\n IPv6 addresses may be supplied; integers less than 2**32 will\n be considered to be IPv4 by default.\n version: An Integer, 4 or 6. If set, don't try to automatically\n determine what the IP address type is. important for things"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L61_C4", "label": "if", "type": "if", "loc": [61, 65], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L41_C0", "vector": [4, 1, 0.0313, 0.0025, 1, 0.59, 0.3333, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if version:\n if version == 4:\n return IPv4Address(address)\n elif version == 6:\n return IPv6Address(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L62_C8", "label": "if", "type": "if", "loc": [62, 65], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L61_C4", "vector": [4, 2, 0.0316, 0.002, 2, 0.25, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if version == 4:\n return IPv4Address(address)\n elif version == 6:\n return IPv6Address(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L63_C12", "label": "return", "type": "return", "loc": [63, 63], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L62_C8", "vector": [13, 3, 0.0313, 0.0005, 3, 0.56, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv4Address(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L64_C8", "label": "if", "type": "if", "loc": [64, 65], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L62_C8", "vector": [4, 3, 0.0321, 0.001, 3, 0.56, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif version == 6:\n return IPv6Address(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L65_C12", "label": "return", "type": "return", "loc": [65, 65], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L64_C8", "vector": [13, 4, 0.0323, 0.0005, 4, 0.26, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv6Address(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L67_C4", "label": "try", "type": "try", "loc": [67, 70], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L41_C0", "vector": [7, 1, 0.0341, 0.002, 1, 0.59, 0.6667, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return IPv4Address(address)\n except (AddressValueError, NetmaskValueError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L68_C8", "label": "return", "type": "return", "loc": [68, 68], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L67_C4", "vector": [13, 2, 0.0338, 0.0005, 2, 0.45, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv4Address(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L72_C4", "label": "try", "type": "try", "loc": [72, 75], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L41_C0", "vector": [7, 1, 0.0365, 0.002, 1, 0.59, 1.0, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return IPv6Address(address)\n except (AddressValueError, NetmaskValueError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L73_C8", "label": "return", "type": "return", "loc": [73, 73], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L72_C4", "vector": [13, 2, 0.0363, 0.0005, 2, 0.04, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv6Address(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L81_C0", "label": "ip_network", "type": "function", "loc": [81, 118], "level": 0, "parent": null, "vector": [2, 0, 0.0495, 0.0189, 0, 0.66, 0.2581, 527, 0, 2, 1, 0, 0, 0, 5], "semantic": {"name": "ip_network", "arg_names": ["address", "version"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def ip_network(address, version=None):\n \"\"\"Take an IP string/int and return an object of the correct type.\n\n Args:\n address: A string or integer, the IP network. Either IPv4 or\n IPv6 networks may be supplied; integers less than 2**32 will\n be considered to be IPv4 by default.\n version: An Integer, if set, don't try to automatically"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L82_C4", "label": "expression", "type": "expression", "loc": [82, 100], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L81_C0", "vector": [8, 1, 0.0453, 0.0094, 1, 0.83, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Take an IP string/int and return an object of the correct type.\n\n Args:\n address: A string or integer, the IP network. Either IPv4 or\n IPv6 networks may be supplied; integers less than 2**32 will\n be considered to be IPv4 by default.\n version: An Integer, if set, don't try to automatically\n determine what the IP address type is. important for things"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L101_C4", "label": "if", "type": "if", "loc": [101, 105], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L81_C0", "vector": [4, 1, 0.0512, 0.0025, 1, 0.83, 0.3333, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if version:\n if version == 4:\n return IPv4Network(address)\n elif version == 6:\n return IPv6Network(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L102_C8", "label": "if", "type": "if", "loc": [102, 105], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L101_C4", "vector": [4, 2, 0.0515, 0.002, 2, 0.39, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if version == 4:\n return IPv4Network(address)\n elif version == 6:\n return IPv6Network(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L103_C12", "label": "return", "type": "return", "loc": [103, 103], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L102_C8", "vector": [13, 3, 0.0512, 0.0005, 3, 0.44, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv4Network(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L104_C8", "label": "if", "type": "if", "loc": [104, 105], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L102_C8", "vector": [4, 3, 0.052, 0.001, 3, 0.44, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif version == 6:\n return IPv6Network(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L105_C12", "label": "return", "type": "return", "loc": [105, 105], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L104_C8", "vector": [13, 4, 0.0522, 0.0005, 4, 0.62, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv6Network(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L107_C4", "label": "try", "type": "try", "loc": [107, 110], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L81_C0", "vector": [7, 1, 0.054, 0.002, 1, 0.83, 0.6667, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return IPv4Network(address)\n except (AddressValueError, NetmaskValueError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L108_C8", "label": "return", "type": "return", "loc": [108, 108], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L107_C4", "vector": [13, 2, 0.0537, 0.0005, 2, 0.91, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv4Network(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L112_C4", "label": "try", "type": "try", "loc": [112, 115], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L81_C0", "vector": [7, 1, 0.0564, 0.002, 1, 0.83, 1.0, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return IPv6Network(address)\n except (AddressValueError, NetmaskValueError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L113_C8", "label": "return", "type": "return", "loc": [113, 113], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L112_C4", "vector": [13, 2, 0.0562, 0.0005, 2, 0.45, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv6Network(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L121_C0", "label": "ip_interface", "type": "function", "loc": [121, 162], "level": 0, "parent": null, "vector": [2, 0, 0.0704, 0.0209, 0, 0.66, 0.2903, 673, 0, 2, 1, 0, 0, 0, 5], "semantic": {"name": "ip_interface", "arg_names": ["address", "version"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def ip_interface(address, version=None):\n \"\"\"Take an IP string/int and return an object of the correct type.\n\n Args:\n address: A string or integer, the IP address. Either IPv4 or\n IPv6 addresses may be supplied; integers less than 2**32 will\n be considered to be IPv4 by default.\n version: An Integer, if set, don't try to automatically"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L122_C4", "label": "expression", "type": "expression", "loc": [122, 144], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L121_C0", "vector": [8, 1, 0.0661, 0.0114, 1, 0.84, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Take an IP string/int and return an object of the correct type.\n\n Args:\n address: A string or integer, the IP address. Either IPv4 or\n IPv6 addresses may be supplied; integers less than 2**32 will\n be considered to be IPv4 by default.\n version: An Integer, if set, don't try to automatically\n determine what the IP address type is. important for things"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L145_C4", "label": "if", "type": "if", "loc": [145, 149], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L121_C0", "vector": [4, 1, 0.0731, 0.0025, 1, 0.84, 0.3333, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if version:\n if version == 4:\n return IPv4Interface(address)\n elif version == 6:\n return IPv6Interface(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L146_C8", "label": "if", "type": "if", "loc": [146, 149], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L145_C4", "vector": [4, 2, 0.0733, 0.002, 2, 0.94, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if version == 4:\n return IPv4Interface(address)\n elif version == 6:\n return IPv6Interface(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L147_C12", "label": "return", "type": "return", "loc": [147, 147], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L146_C8", "vector": [13, 3, 0.0731, 0.0005, 3, 0.79, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv4Interface(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L148_C8", "label": "if", "type": "if", "loc": [148, 149], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L146_C8", "vector": [4, 3, 0.0738, 0.001, 3, 0.79, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif version == 6:\n return IPv6Interface(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L149_C12", "label": "return", "type": "return", "loc": [149, 149], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L148_C8", "vector": [13, 4, 0.0741, 0.0005, 4, 0.29, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv6Interface(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L151_C4", "label": "try", "type": "try", "loc": [151, 154], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L121_C0", "vector": [7, 1, 0.0758, 0.002, 1, 0.84, 0.6667, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return IPv4Interface(address)\n except (AddressValueError, NetmaskValueError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L152_C8", "label": "return", "type": "return", "loc": [152, 152], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L151_C4", "vector": [13, 2, 0.0756, 0.0005, 2, 0.75, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv4Interface(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L156_C4", "label": "try", "type": "try", "loc": [156, 159], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L121_C0", "vector": [7, 1, 0.0783, 0.002, 1, 0.84, 1.0, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return IPv6Interface(address)\n except (AddressValueError, NetmaskValueError):\n pass"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L157_C8", "label": "return", "type": "return", "loc": [157, 157], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L156_C4", "vector": [13, 2, 0.0781, 0.0005, 2, 0.87, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv6Interface(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L165_C0", "label": "v4_int_to_packed", "type": "function", "loc": [165, 180], "level": 0, "parent": null, "vector": [2, 0, 0.0858, 0.008, 0, 0.66, 0.3226, 390, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "v4_int_to_packed", "arg_names": ["address"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def v4_int_to_packed(address):\n \"\"\"The binary representation of this address.\n\n Args:\n address: An integer representation of an IPv4 IP address.\n\n Returns:\n The binary representation of this address."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L166_C4", "label": "expression", "type": "expression", "loc": [166, 177], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L165_C0", "vector": [8, 1, 0.0853, 0.006, 1, 0.97, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"The binary representation of this address.\n\n Args:\n address: An integer representation of an IPv4 IP address.\n\n Returns:\n The binary representation of this address.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L178_C4", "label": "if", "type": "if", "loc": [178, 179], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L165_C0", "vector": [4, 1, 0.0888, 0.001, 1, 0.97, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if address > _BaseV4._ALL_ONES:\n raise ValueError('Address too large for IPv4')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L180_C4", "label": "return", "type": "return", "loc": [180, 180], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L165_C0", "vector": [13, 1, 0.0895, 0.0005, 1, 0.97, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.pack('!I', address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L183_C0", "label": "v6_int_to_packed", "type": "function", "loc": [183, 192], "level": 0, "parent": null, "vector": [2, 0, 0.0932, 0.005, 0, 0.66, 0.3548, 581, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "v6_int_to_packed", "arg_names": ["address"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def v6_int_to_packed(address):\n \"\"\"The binary representation of this address.\n\n Args:\n address: An integer representation of an IPv4 IP address.\n\n Returns:\n The binary representation of this address."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L184_C4", "label": "expression", "type": "expression", "loc": [184, 191], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L183_C0", "vector": [8, 1, 0.0932, 0.004, 1, 0.93, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"The binary representation of this address.\n\n Args:\n address: An integer representation of an IPv4 IP address.\n\n Returns:\n The binary representation of this address.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L192_C4", "label": "return", "type": "return", "loc": [192, 192], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L183_C0", "vector": [13, 1, 0.0955, 0.0005, 1, 0.93, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return struct.pack('!QQ', address >> 64, address & (2**64 - 1))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L195_C0", "label": "_find_address_range", "type": "function", "loc": [195, 211], "level": 0, "parent": null, "vector": [2, 0, 0.1009, 0.0085, 0, 0.66, 0.3871, 855, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "_find_address_range", "arg_names": ["addresses"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _find_address_range(addresses):\n \"\"\"Find a sequence of addresses.\n\n Args:\n addresses: a list of IPv4 or IPv6 addresses.\n\n Returns:\n A tuple containing the first and last IP addresses in the sequence."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L196_C4", "label": "expression", "type": "expression", "loc": [196, 204], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L195_C0", "vector": [8, 1, 0.0995, 0.0045, 1, 0.89, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Find a sequence of addresses.\n\n Args:\n addresses: a list of IPv4 or IPv6 addresses.\n\n Returns:\n A tuple containing the first and last IP addresses in the sequence.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L205_C4", "label": "first =", "type": "assigned_variable", "loc": [205, 205], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L195_C0", "vector": [14, 1, 0.1019, 0.0005, 1, 0.89, 0.3333, 199, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "first", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " first = last = addresses[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:For_L206_C4", "label": "for ip", "type": "for", "loc": [206, 210], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L195_C0", "vector": [6, 1, 0.1034, 0.0025, 1, 0.89, 0.6667, 583, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for ip in addresses[1:]:\n if ip._ip == last._ip + 1:\n last = ip\n else:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L207_C8", "label": "if", "type": "if", "loc": [207, 210], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:For_L206_C4", "vector": [4, 2, 0.1037, 0.002, 2, 0.62, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ip._ip == last._ip + 1:\n last = ip\n else:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L208_C12", "label": "last =", "type": "assigned_variable", "loc": [208, 208], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L207_C8", "vector": [14, 3, 0.1034, 0.0005, 3, 0.43, 0.0, 95, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "last", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " last = ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L211_C4", "label": "return", "type": "return", "loc": [211, 211], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L195_C0", "vector": [13, 1, 0.1049, 0.0005, 1, 0.89, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (first, last)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L213_C0", "label": "_get_prefix_length", "type": "function", "loc": [213, 228], "level": 0, "parent": null, "vector": [2, 0, 0.1096, 0.008, 0, 0.66, 0.4194, 642, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "_get_prefix_length", "arg_names": ["number1", "number2", "bits"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _get_prefix_length(number1, number2, bits):\n \"\"\"Get the number of leading bits that are same for two numbers.\n\n Args:\n number1: an integer.\n number2: another integer.\n bits: the maximum number of bits to compare.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L214_C4", "label": "expression", "type": "expression", "loc": [214, 224], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L213_C0", "vector": [8, 1, 0.1089, 0.0055, 1, 0.28, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Get the number of leading bits that are same for two numbers.\n\n Args:\n number1: an integer.\n number2: another integer.\n bits: the maximum number of bits to compare.\n\n Returns:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:For_L225_C4", "label": "for i", "type": "for", "loc": [225, 227], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L213_C0", "vector": [6, 1, 0.1124, 0.0015, 1, 0.28, 0.5, 826, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(bits):\n if number1 >> i == number2 >> i:\n return bits - i"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L226_C8", "label": "if", "type": "if", "loc": [226, 227], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:For_L225_C4", "vector": [4, 2, 0.1126, 0.001, 2, 0.15, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if number1 >> i == number2 >> i:\n return bits - i"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L227_C12", "label": "return", "type": "return", "loc": [227, 227], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L226_C8", "vector": [13, 3, 0.1129, 0.0005, 3, 0.32, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return bits - i"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L228_C4", "label": "return", "type": "return", "loc": [228, 228], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L213_C0", "vector": [13, 1, 0.1134, 0.0005, 1, 0.28, 1.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L230_C0", "label": "_count_righthand_zero_bits", "type": "function", "loc": [230, 245], "level": 0, "parent": null, "vector": [2, 0, 0.1181, 0.008, 0, 0.66, 0.4516, 163, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "_count_righthand_zero_bits", "arg_names": ["number", "bits"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _count_righthand_zero_bits(number, bits):\n \"\"\"Count the number of zero bits on the right hand side.\n\n Args:\n number: an integer.\n bits: maximum number of bits to count.\n\n Returns:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L231_C4", "label": "expression", "type": "expression", "loc": [231, 240], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L230_C0", "vector": [8, 1, 0.1171, 0.005, 1, 0.98, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Count the number of zero bits on the right hand side.\n\n Args:\n number: an integer.\n bits: maximum number of bits to count.\n\n Returns:\n The number of zero bits on the right hand side of the number."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L241_C4", "label": "if", "type": "if", "loc": [241, 242], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L230_C0", "vector": [4, 1, 0.1201, 0.001, 1, 0.98, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if number == 0:\n return bits"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L242_C8", "label": "return", "type": "return", "loc": [242, 242], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L241_C4", "vector": [13, 2, 0.1203, 0.0005, 2, 0.53, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return bits"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:For_L243_C4", "label": "for i", "type": "for", "loc": [243, 245], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L230_C0", "vector": [6, 1, 0.1213, 0.0015, 1, 0.98, 1.0, 826, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(bits):\n if (number >> i) % 2:\n return i"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L244_C8", "label": "if", "type": "if", "loc": [244, 245], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:For_L243_C4", "vector": [4, 2, 0.1216, 0.001, 2, 0.21, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (number >> i) % 2:\n return i"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L245_C12", "label": "return", "type": "return", "loc": [245, 245], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L244_C8", "vector": [13, 3, 0.1218, 0.0005, 3, 0.7, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return i"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "label": "summarize_address_range", "type": "function", "loc": [247, 309], "level": 0, "parent": null, "vector": [2, 0, 0.1382, 0.0313, 0, 0.66, 0.4839, 931, 0, 2, 1, 0, 0, 0, 14], "semantic": {"name": "summarize_address_range", "arg_names": ["first", "last"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def summarize_address_range(first, last):\n \"\"\"Summarize a network range given the first and last IP addresses.\n\n Example:\n >>> summarize_address_range(IPv4Address('1.1.1.0'),\n IPv4Address('1.1.1.130'))\n [IPv4Network('1.1.1.0/25'), IPv4Network('1.1.1.128/31'),\n IPv4Network('1.1.1.130/32')]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L248_C4", "label": "expression", "type": "expression", "loc": [248, 272], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "vector": [8, 1, 0.1293, 0.0124, 1, 0.25, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Summarize a network range given the first and last IP addresses.\n\n Example:\n >>> summarize_address_range(IPv4Address('1.1.1.0'),\n IPv4Address('1.1.1.130'))\n [IPv4Network('1.1.1.0/25'), IPv4Network('1.1.1.128/31'),\n IPv4Network('1.1.1.130/32')]\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L273_C4", "label": "if", "type": "if", "loc": [273, 274], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "vector": [4, 1, 0.136, 0.001, 1, 0.25, 0.1, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not (isinstance(first, _BaseAddress) and isinstance(last, _BaseAddress)):\n raise TypeError('first and last must be IP addresses, not networks')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L275_C4", "label": "if", "type": "if", "loc": [275, 277], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "vector": [4, 1, 0.1372, 0.0015, 1, 0.25, 0.2, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if first.version != last.version:\n raise TypeError(\"%s and %s are not of the same version\" % (\n str(first), str(last)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L278_C4", "label": "if", "type": "if", "loc": [278, 279], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "vector": [4, 1, 0.1385, 0.001, 1, 0.25, 0.3, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if first > last:\n raise ValueError('last IP address must be greater than first')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L281_C4", "label": "networks =", "type": "assigned_variable", "loc": [281, 281], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "vector": [14, 1, 0.1397, 0.0005, 1, 0.25, 0.4, 215, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "networks", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " networks = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L283_C4", "label": "if", "type": "if", "loc": [283, 288], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "vector": [4, 1, 0.142, 0.003, 1, 0.25, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if first.version == 4:\n ip = IPv4Network\n elif first.version == 6:\n ip = IPv6Network\n else:\n raise ValueError('unknown IP version')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L284_C8", "label": "ip =", "type": "assigned_variable", "loc": [284, 284], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L283_C4", "vector": [14, 2, 0.1412, 0.0005, 2, 0.79, 0.0, 583, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ip = IPv4Network"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L285_C4", "label": "if", "type": "if", "loc": [285, 288], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L283_C4", "vector": [4, 2, 0.1425, 0.002, 2, 0.79, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif first.version == 6:\n ip = IPv6Network\n else:\n raise ValueError('unknown IP version')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L286_C8", "label": "ip =", "type": "assigned_variable", "loc": [286, 286], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L285_C4", "vector": [14, 3, 0.1422, 0.0005, 3, 0.3, 0.0, 583, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ip = IPv6Network"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L290_C4", "label": "ip_bits =", "type": "assigned_variable", "loc": [290, 290], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "vector": [14, 1, 0.1442, 0.0005, 1, 0.25, 0.6, 911, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ip_bits", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ip_bits = first._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L291_C4", "label": "first_int =", "type": "assigned_variable", "loc": [291, 291], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "vector": [14, 1, 0.1447, 0.0005, 1, 0.25, 0.7, 424, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "first_int", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " first_int = first._ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L292_C4", "label": "last_int =", "type": "assigned_variable", "loc": [292, 292], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "vector": [14, 1, 0.1452, 0.0005, 1, 0.25, 0.8, 944, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "last_int", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " last_int = last._ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "label": "while", "type": "while", "loc": [293, 308], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "vector": [5, 1, 0.1494, 0.008, 1, 0.25, 0.9, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while first_int <= last_int:\n nbits = _count_righthand_zero_bits(first_int, ip_bits)\n current = None\n while nbits >= 0:\n addend = 2**nbits - 1\n current = first_int + addend\n nbits -= 1\n if current <= last_int:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L294_C8", "label": "nbits = _count_righthand_zero_bits()", "type": "assigned_variable", "loc": [294, 294], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "vector": [14, 2, 0.1462, 0.0005, 2, 0.12, 0.0, 764, 3, 2, 0, 0, 163, 10, 1], "semantic": {"name": "nbits", "arg_names": [], "import_names": [], "rhs_call_name": "_count_righthand_zero_bits", "annotation": ""}, "snippet": " nbits = _count_righthand_zero_bits(first_int, ip_bits)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L295_C8", "label": "current =", "type": "assigned_variable", "loc": [295, 295], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "vector": [14, 2, 0.1467, 0.0005, 2, 0.12, 0.125, 32, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "current", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " current = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:While_L296_C8", "label": "while", "type": "while", "loc": [296, 301], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "vector": [5, 2, 0.1484, 0.003, 2, 0.12, 0.25, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while nbits >= 0:\n addend = 2**nbits - 1\n current = first_int + addend\n nbits -= 1\n if current <= last_int:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L297_C12", "label": "addend =", "type": "assigned_variable", "loc": [297, 297], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L296_C8", "vector": [14, 3, 0.1477, 0.0005, 3, 0.26, 0.0, 775, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "addend", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " addend = 2**nbits - 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L298_C12", "label": "current =", "type": "assigned_variable", "loc": [298, 298], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L296_C8", "vector": [14, 3, 0.1482, 0.0005, 3, 0.26, 0.5, 32, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "current", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " current = first_int + addend"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L300_C12", "label": "if", "type": "if", "loc": [300, 301], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L296_C8", "vector": [4, 3, 0.1494, 0.001, 3, 0.26, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if current <= last_int:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L302_C8", "label": "prefix = _get_prefix_length()", "type": "assigned_variable", "loc": [302, 302], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "vector": [14, 2, 0.1502, 0.0005, 2, 0.12, 0.375, 284, 3, 3, 0, 0, 642, 10, 1], "semantic": {"name": "prefix", "arg_names": [], "import_names": [], "rhs_call_name": "_get_prefix_length", "annotation": ""}, "snippet": " prefix = _get_prefix_length(first_int, current, ip_bits)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L303_C8", "label": "net = ip()", "type": "assigned_variable", "loc": [303, 303], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "vector": [14, 2, 0.1507, 0.0005, 2, 0.12, 0.5, 227, 3, 1, 0, 0, 583, 10, 2], "semantic": {"name": "net", "arg_names": [], "import_names": [], "rhs_call_name": "ip", "annotation": ""}, "snippet": " net = ip('%s/%d' % (str(first), prefix))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L304_C8", "label": "append()", "type": "expression", "loc": [304, 304], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "vector": [8, 2, 0.1512, 0.0005, 2, 0.12, 0.625, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " networks.append(net)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L305_C8", "label": "if", "type": "if", "loc": [305, 306], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "vector": [4, 2, 0.1519, 0.001, 2, 0.12, 0.75, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if current == ip._ALL_ONES:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L307_C8", "label": "first_int =", "type": "assigned_variable", "loc": [307, 307], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "vector": [14, 2, 0.1527, 0.0005, 2, 0.12, 0.875, 424, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "first_int", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " first_int = current + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L308_C8", "label": "first = ip_address()", "type": "assigned_variable", "loc": [308, 308], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "vector": [14, 2, 0.1532, 0.0005, 2, 0.12, 1.0, 199, 3, 2, 0, 0, 30, 10, 1], "semantic": {"name": "first", "arg_names": [], "import_names": [], "rhs_call_name": "ip_address", "annotation": ""}, "snippet": " first = ip_address(first_int, version=first._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L309_C4", "label": "return", "type": "return", "loc": [309, 309], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "vector": [13, 1, 0.1537, 0.0005, 1, 0.25, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return networks"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "label": "_collapse_address_list_recursive", "type": "function", "loc": [311, 354], "level": 0, "parent": null, "vector": [2, 0, 0.1653, 0.0219, 0, 0.66, 0.5161, 867, 0, 1, 1, 0, 0, 0, 8], "semantic": {"name": "_collapse_address_list_recursive", "arg_names": ["addresses"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def _collapse_address_list_recursive(addresses):\n \"\"\"Loops through the addresses, collapsing concurrent netblocks.\n\n Example:\n\n ip1 = IPv4Network('1.1.0.0/24')\n ip2 = IPv4Network('1.1.1.0/24')\n ip3 = IPv4Network('1.1.2.0/24')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L312_C4", "label": "expression", "type": "expression", "loc": [312, 335], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "vector": [8, 1, 0.1609, 0.0119, 1, 0.64, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Loops through the addresses, collapsing concurrent netblocks.\n\n Example:\n\n ip1 = IPv4Network('1.1.0.0/24')\n ip2 = IPv4Network('1.1.1.0/24')\n ip3 = IPv4Network('1.1.2.0/24')\n ip4 = IPv4Network('1.1.3.0/24')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L336_C4", "label": "ret_array =", "type": "assigned_variable", "loc": [336, 336], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "vector": [14, 1, 0.1671, 0.0005, 1, 0.64, 0.2, 776, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "ret_array", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ret_array = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L337_C4", "label": "optimized =", "type": "assigned_variable", "loc": [337, 337], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "vector": [14, 1, 0.1676, 0.0005, 1, 0.64, 0.4, 172, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "optimized", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " optimized = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:For_L339_C4", "label": "for cur_addr", "type": "for", "loc": [339, 349], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "vector": [6, 1, 0.1711, 0.0055, 1, 0.64, 0.6, 445, 2, 0, 0, 0, 0, 0, 7], "semantic": {"name": "cur_addr", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for cur_addr in addresses:\n if not ret_array:\n ret_array.append(cur_addr)\n continue\n if cur_addr in ret_array[-1]:\n optimized = True\n elif cur_addr == ret_array[-1].supernet().subnet()[1]:\n ret_array.append(ret_array.pop().supernet())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L340_C8", "label": "if", "type": "if", "loc": [340, 342], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:For_L339_C4", "vector": [4, 2, 0.1696, 0.0015, 2, 0.63, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not ret_array:\n ret_array.append(cur_addr)\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L341_C12", "label": "append()", "type": "expression", "loc": [341, 341], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L340_C8", "vector": [8, 3, 0.1696, 0.0005, 3, 0.52, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " ret_array.append(cur_addr)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L343_C8", "label": "if", "type": "if", "loc": [343, 349], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:For_L339_C4", "vector": [4, 2, 0.1721, 0.0035, 2, 0.63, 1.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if cur_addr in ret_array[-1]:\n optimized = True\n elif cur_addr == ret_array[-1].supernet().subnet()[1]:\n ret_array.append(ret_array.pop().supernet())\n optimized = True\n else:\n ret_array.append(cur_addr)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L344_C12", "label": "optimized =", "type": "assigned_variable", "loc": [344, 344], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L343_C8", "vector": [14, 3, 0.1711, 0.0005, 3, 0.12, 0.0, 172, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "optimized", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " optimized = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L345_C8", "label": "if", "type": "if", "loc": [345, 349], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L343_C8", "vector": [4, 3, 0.1726, 0.0025, 3, 0.12, 1.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif cur_addr == ret_array[-1].supernet().subnet()[1]:\n ret_array.append(ret_array.pop().supernet())\n optimized = True\n else:\n ret_array.append(cur_addr)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L346_C12", "label": "append()", "type": "expression", "loc": [346, 346], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L345_C8", "vector": [8, 4, 0.1721, 0.0005, 4, 0.49, 0.0, 243, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " ret_array.append(ret_array.pop().supernet())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L347_C12", "label": "optimized =", "type": "assigned_variable", "loc": [347, 347], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L345_C8", "vector": [14, 4, 0.1726, 0.0005, 4, 0.49, 0.5, 172, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "optimized", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " optimized = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L349_C12", "label": "append()", "type": "expression", "loc": [349, 349], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L345_C8", "vector": [8, 4, 0.1735, 0.0005, 4, 0.49, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " ret_array.append(cur_addr)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L351_C4", "label": "if", "type": "if", "loc": [351, 352], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "vector": [4, 1, 0.1748, 0.001, 1, 0.64, 0.8, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if optimized:\n return _collapse_address_list_recursive(ret_array)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L352_C8", "label": "return", "type": "return", "loc": [352, 352], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L351_C4", "vector": [13, 2, 0.175, 0.0005, 2, 0.33, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _collapse_address_list_recursive(ret_array)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L354_C4", "label": "return", "type": "return", "loc": [354, 354], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "vector": [13, 1, 0.176, 0.0005, 1, 0.64, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ret_array"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "label": "collapse_address_list", "type": "function", "loc": [357, 412], "level": 0, "parent": null, "vector": [2, 0, 0.1912, 0.0278, 0, 0.66, 0.5484, 588, 0, 1, 1, 0, 0, 0, 25], "semantic": {"name": "collapse_address_list", "arg_names": ["addresses"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def collapse_address_list(addresses):\n \"\"\"Collapse a list of IP objects.\n\n Example:\n collapse_address_list([IPv4Network('1.1.0.0/24'),\n IPv4Network('1.1.1.0/24')]) ->\n [IPv4Network('1.1.0.0/23')]\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L358_C4", "label": "expression", "type": "expression", "loc": [358, 375], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "vector": [8, 1, 0.1822, 0.009, 1, 0.68, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Collapse a list of IP objects.\n\n Example:\n collapse_address_list([IPv4Network('1.1.0.0/24'),\n IPv4Network('1.1.1.0/24')]) ->\n [IPv4Network('1.1.0.0/23')]\n\n Args:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L376_C4", "label": "i =", "type": "assigned_variable", "loc": [376, 376], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "vector": [14, 1, 0.187, 0.0005, 1, 0.68, 0.1111, 826, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " i = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L377_C4", "label": "addrs =", "type": "assigned_variable", "loc": [377, 377], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "vector": [14, 1, 0.1875, 0.0005, 1, 0.68, 0.2222, 422, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "addrs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " addrs = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L378_C4", "label": "ips =", "type": "assigned_variable", "loc": [378, 378], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "vector": [14, 1, 0.188, 0.0005, 1, 0.68, 0.3333, 214, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "ips", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ips = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L379_C4", "label": "nets =", "type": "assigned_variable", "loc": [379, 379], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "vector": [14, 1, 0.1885, 0.0005, 1, 0.68, 0.4444, 703, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "nets", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " nets = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:For_L382_C4", "label": "for ip", "type": "for", "loc": [382, 400], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "vector": [6, 1, 0.1944, 0.0094, 1, 0.68, 0.5556, 583, 2, 0, 0, 0, 0, 0, 14], "semantic": {"name": "ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for ip in addresses:\n if isinstance(ip, _BaseAddress):\n if ips and ips[-1]._version != ip._version:\n raise TypeError(\"%s and %s are not of the same version\" % (\n str(ip), str(ips[-1])))\n ips.append(ip)\n elif ip._prefixlen == ip._max_prefixlen:\n if ips and ips[-1]._version != ip._version:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L383_C8", "label": "if", "type": "if", "loc": [383, 400], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:For_L382_C4", "vector": [4, 2, 0.1947, 0.009, 2, 0.45, 0.0, 0, 3, 0, 0, 0, 0, 0, 14], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(ip, _BaseAddress):\n if ips and ips[-1]._version != ip._version:\n raise TypeError(\"%s and %s are not of the same version\" % (\n str(ip), str(ips[-1])))\n ips.append(ip)\n elif ip._prefixlen == ip._max_prefixlen:\n if ips and ips[-1]._version != ip._version:\n raise TypeError(\"%s and %s are not of the same version\" % ("}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L384_C12", "label": "if", "type": "if", "loc": [384, 386], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L383_C8", "vector": [4, 3, 0.1914, 0.0015, 3, 0.67, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ips and ips[-1]._version != ip._version:\n raise TypeError(\"%s and %s are not of the same version\" % (\n str(ip), str(ips[-1])))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L387_C12", "label": "append()", "type": "expression", "loc": [387, 387], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L383_C8", "vector": [8, 3, 0.1924, 0.0005, 3, 0.67, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " ips.append(ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L388_C8", "label": "if", "type": "if", "loc": [388, 400], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L383_C8", "vector": [4, 3, 0.1959, 0.0065, 3, 0.67, 1.0, 0, 0, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif ip._prefixlen == ip._max_prefixlen:\n if ips and ips[-1]._version != ip._version:\n raise TypeError(\"%s and %s are not of the same version\" % (\n str(ip), str(ips[-1])))\n try:\n ips.append(ip.ip)\n except AttributeError:\n ips.append(ip.network_address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L389_C12", "label": "if", "type": "if", "loc": [389, 391], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L388_C8", "vector": [4, 4, 0.1939, 0.0015, 4, 0.54, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ips and ips[-1]._version != ip._version:\n raise TypeError(\"%s and %s are not of the same version\" % (\n str(ip), str(ips[-1])))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L392_C12", "label": "try", "type": "try", "loc": [392, 395], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L388_C8", "vector": [7, 4, 0.1957, 0.002, 4, 0.54, 0.3333, 0, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n ips.append(ip.ip)\n except AttributeError:\n ips.append(ip.network_address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L393_C16", "label": "append()", "type": "expression", "loc": [393, 393], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L392_C12", "vector": [8, 5, 0.1954, 0.0005, 5, 0.71, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " ips.append(ip.ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L395_C16", "label": "append()", "type": "expression", "loc": [395, 395], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L392_C12", "vector": [8, 5, 0.1964, 0.0005, 5, 0.71, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " ips.append(ip.network_address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L397_C12", "label": "if", "type": "if", "loc": [397, 399], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L388_C8", "vector": [4, 4, 0.1979, 0.0015, 4, 0.54, 0.6667, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if nets and nets[-1]._version != ip._version:\n raise TypeError(\"%s and %s are not of the same version\" % (\n str(ip), str(ips[-1])))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L400_C12", "label": "append()", "type": "expression", "loc": [400, 400], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L388_C8", "vector": [8, 4, 0.1989, 0.0005, 4, 0.54, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " nets.append(ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L403_C4", "label": "ips = sorted()", "type": "assigned_variable", "loc": [403, 403], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "vector": [14, 1, 0.2004, 0.0005, 1, 0.68, 0.6667, 214, 3, 1, 0, 0, 134, 10, 2], "semantic": {"name": "ips", "arg_names": [], "import_names": [], "rhs_call_name": "sorted", "annotation": ""}, "snippet": " ips = sorted(set(ips))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L404_C4", "label": "nets = sorted()", "type": "assigned_variable", "loc": [404, 404], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "vector": [14, 1, 0.2009, 0.0005, 1, 0.68, 0.7778, 703, 3, 1, 0, 0, 134, 10, 2], "semantic": {"name": "nets", "arg_names": [], "import_names": [], "rhs_call_name": "sorted", "annotation": ""}, "snippet": " nets = sorted(set(nets))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:While_L406_C4", "label": "while", "type": "while", "loc": [406, 409], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "vector": [5, 1, 0.2026, 0.002, 1, 0.68, 0.8889, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while i < len(ips):\n (first, last) = _find_address_range(ips[i:])\n i = ips.index(last) + 1\n addrs.extend(summarize_address_range(first, last))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L407_C8", "label": "first, last = _find_address_range()", "type": "assigned_variable", "loc": [407, 407], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L406_C4", "vector": [14, 2, 0.2024, 0.0005, 2, 0.43, 0.0, 502, 3, 1, 0, 0, 855, 10, 1], "semantic": {"name": "first, last", "arg_names": [], "import_names": [], "rhs_call_name": "_find_address_range", "annotation": ""}, "snippet": " (first, last) = _find_address_range(ips[i:])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L408_C8", "label": "i =", "type": "assigned_variable", "loc": [408, 408], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L406_C4", "vector": [14, 2, 0.2029, 0.0005, 2, 0.43, 0.5, 826, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " i = ips.index(last) + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L409_C8", "label": "extend()", "type": "expression", "loc": [409, 409], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L406_C4", "vector": [8, 2, 0.2034, 0.0005, 2, 0.43, 1.0, 660, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "extend", "arg_names": [], "import_names": [], "rhs_call_name": "extend", "annotation": ""}, "snippet": " addrs.extend(summarize_address_range(first, last))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L411_C4", "label": "return", "type": "return", "loc": [411, 412], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "vector": [13, 1, 0.2046, 0.001, 1, 0.68, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return _collapse_address_list_recursive(sorted(\n addrs + nets, key=_BaseInterface._get_networks_key))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L415_C0", "label": "CollapseAddrList =", "type": "assigned_variable", "loc": [415, 415], "level": 0, "parent": null, "vector": [14, 0, 0.2064, 0.0005, 0, 0.66, 0.5806, 86, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "CollapseAddrList", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "CollapseAddrList = collapse_address_list"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L422_C0", "label": "try", "type": "try", "loc": [422, 425], "level": 0, "parent": null, "vector": [7, 0, 0.2106, 0.002, 0, 0.66, 0.6129, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n _compat_has_real_bytes = bytes is not str\nexcept NameError: # <Python2.6\n _compat_has_real_bytes = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L423_C4", "label": "_compat_has_real_bytes =", "type": "assigned_variable", "loc": [423, 423], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L422_C0", "vector": [14, 1, 0.2103, 0.0005, 1, 0.64, 0.0, 417, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "_compat_has_real_bytes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _compat_has_real_bytes = bytes is not str"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L425_C4", "label": "_compat_has_real_bytes =", "type": "assigned_variable", "loc": [425, 425], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L422_C0", "vector": [14, 1, 0.2113, 0.0005, 1, 0.64, 0.0, 417, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "_compat_has_real_bytes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _compat_has_real_bytes = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L427_C0", "label": "get_mixed_type_key", "type": "function", "loc": [427, 449], "level": 0, "parent": null, "vector": [2, 0, 0.2178, 0.0114, 0, 0.66, 0.6452, 841, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "get_mixed_type_key", "arg_names": ["obj"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def get_mixed_type_key(obj):\n \"\"\"Return a key suitable for sorting between networks and addresses.\n\n Address and Network objects are not sortable by default; they're\n fundamentally different so the expression\n\n IPv4Address('1.1.1.1') <= IPv4Network('1.1.1.1/24')\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L428_C4", "label": "expression", "type": "expression", "loc": [428, 444], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L427_C0", "vector": [8, 1, 0.2168, 0.0085, 1, 0.44, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return a key suitable for sorting between networks and addresses.\n\n Address and Network objects are not sortable by default; they're\n fundamentally different so the expression\n\n IPv4Address('1.1.1.1') <= IPv4Network('1.1.1.1/24')\n\n doesn't make any sense. There are some times however, where you may wish"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L445_C4", "label": "if", "type": "if", "loc": [445, 448], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L427_C0", "vector": [4, 1, 0.222, 0.002, 1, 0.44, 0.5, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(obj, _BaseInterface):\n return obj._get_networks_key()\n elif isinstance(obj, _BaseAddress):\n return obj._get_address_key()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L446_C8", "label": "return", "type": "return", "loc": [446, 446], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L445_C4", "vector": [13, 2, 0.2218, 0.0005, 2, 0.41, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return obj._get_networks_key()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L447_C4", "label": "if", "type": "if", "loc": [447, 448], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L445_C4", "vector": [4, 2, 0.2225, 0.001, 2, 0.41, 1.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(obj, _BaseAddress):\n return obj._get_address_key()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L448_C8", "label": "return", "type": "return", "loc": [448, 448], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L447_C4", "vector": [13, 3, 0.2228, 0.0005, 3, 0.25, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return obj._get_address_key()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L449_C4", "label": "return", "type": "return", "loc": [449, 449], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L427_C0", "vector": [13, 1, 0.2233, 0.0005, 1, 0.44, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "label": "_IPAddrBase", "type": "class", "loc": [451, 472], "level": 0, "parent": null, "vector": [3, 0, 0.2295, 0.0109, 0, 0.66, 0.6774, 325, 0, 5, 0, 0, 186, 0, 3], "semantic": {"name": "_IPAddrBase", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class _IPAddrBase(object):\n\n \"\"\"The mother class.\"\"\"\n\n def __index__(self):\n return self._ip\n\n def __int__(self):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L453_C4", "label": "expression", "type": "expression", "loc": [453, 453], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "vector": [8, 1, 0.2253, 0.0005, 1, 0.99, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"The mother class.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L455_C4", "label": "__index__", "type": "function", "loc": [455, 456], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "vector": [2, 1, 0.2265, 0.001, 1, 0.99, 0.2, 507, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__index__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __index__(self):\n return self._ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L456_C8", "label": "return", "type": "return", "loc": [456, 456], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L455_C4", "vector": [13, 2, 0.2268, 0.0005, 2, 0.86, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L458_C4", "label": "__int__", "type": "function", "loc": [458, 459], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "vector": [2, 1, 0.228, 0.001, 1, 0.99, 0.4, 440, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "__int__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __int__(self):\n return self._ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L459_C8", "label": "return", "type": "return", "loc": [459, 459], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L458_C4", "vector": [13, 2, 0.2282, 0.0005, 2, 0.11, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L461_C4", "label": "__hex__", "type": "function", "loc": [461, 462], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "vector": [2, 1, 0.2295, 0.001, 1, 0.99, 0.6, 636, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "__hex__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __hex__(self):\n return hex(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L462_C8", "label": "return", "type": "return", "loc": [462, 462], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L461_C4", "vector": [13, 2, 0.2297, 0.0005, 2, 0.87, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return hex(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L465_C4", "label": "exploded", "type": "function", "loc": [465, 467], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "vector": [2, 1, 0.2317, 0.0015, 1, 0.99, 0.8, 681, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "exploded", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def exploded(self):\n \"\"\"Return the longhand version of the IP address as a string.\"\"\"\n return self._explode_shorthand_ip_string()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L466_C8", "label": "expression", "type": "expression", "loc": [466, 466], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L465_C4", "vector": [8, 2, 0.2317, 0.0005, 2, 0.36, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return the longhand version of the IP address as a string.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L467_C8", "label": "return", "type": "return", "loc": [467, 467], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L465_C4", "vector": [13, 2, 0.2322, 0.0005, 2, 0.36, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._explode_shorthand_ip_string()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L470_C4", "label": "compressed", "type": "function", "loc": [470, 472], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "vector": [2, 1, 0.2342, 0.0015, 1, 0.99, 1.0, 709, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "compressed", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def compressed(self):\n \"\"\"Return the shorthand version of the IP address as a string.\"\"\"\n return str(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L471_C8", "label": "expression", "type": "expression", "loc": [471, 471], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L470_C4", "vector": [8, 2, 0.2342, 0.0005, 2, 0.23, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return the shorthand version of the IP address as a string.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L472_C8", "label": "return", "type": "return", "loc": [472, 472], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L470_C4", "vector": [13, 2, 0.2347, 0.0005, 2, 0.23, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "label": "_BaseAddress", "type": "class", "loc": [475, 562], "level": 0, "parent": null, "vector": [3, 0, 0.2578, 0.0438, 0, 0.66, 0.7097, 935, 0, 14, 0, 0, 325, 0, 32], "semantic": {"name": "_BaseAddress", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class _BaseAddress(_IPAddrBase):\n\n \"\"\"A generic IP object.\n\n This IP class contains the version independent methods which are\n used by single IP addresses.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L477_C4", "label": "expression", "type": "expression", "loc": [477, 482], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [8, 1, 0.2384, 0.003, 1, 0.89, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"A generic IP object.\n\n This IP class contains the version independent methods which are\n used by single IP addresses.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L484_C4", "label": "__init__", "type": "function", "loc": [484, 487], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2414, 0.002, 1, 0.89, 0.0714, 555, 0, 2, 0, 0, 0, 0, 3], "semantic": {"name": "__init__", "arg_names": ["self", "address"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, address):\n if (not (_compat_has_real_bytes and isinstance(address, bytes))\n and '/' in str(address)):\n raise AddressValueError(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L485_C8", "label": "if", "type": "if", "loc": [485, 487], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L484_C4", "vector": [4, 2, 0.2417, 0.0015, 2, 0.51, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (not (_compat_has_real_bytes and isinstance(address, bytes))\n and '/' in str(address)):\n raise AddressValueError(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L489_C4", "label": "__eq__", "type": "function", "loc": [489, 494], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2444, 0.003, 1, 0.89, 0.1429, 763, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "__eq__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __eq__(self, other):\n try:\n return (self._ip == other._ip\n and self._version == other._version)\n except AttributeError:\n return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L490_C8", "label": "try", "type": "try", "loc": [490, 494], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L489_C4", "vector": [7, 2, 0.2447, 0.0025, 2, 0.44, 0.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return (self._ip == other._ip\n and self._version == other._version)\n except AttributeError:\n return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L491_C12", "label": "return", "type": "return", "loc": [491, 492], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L490_C8", "vector": [13, 3, 0.2444, 0.001, 3, 0.26, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (self._ip == other._ip\n and self._version == other._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L494_C12", "label": "return", "type": "return", "loc": [494, 494], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L490_C8", "vector": [13, 3, 0.2456, 0.0005, 3, 0.26, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L496_C4", "label": "__ne__", "type": "function", "loc": [496, 500], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2476, 0.0025, 1, 0.89, 0.2143, 254, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__ne__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __ne__(self, other):\n eq = self.__eq__(other)\n if eq is NotImplemented:\n return NotImplemented\n return not eq"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L497_C8", "label": "eq = __eq__()", "type": "assigned_variable", "loc": [497, 497], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L496_C4", "vector": [14, 2, 0.2471, 0.0005, 2, 0.76, 0.0, 500, 3, 1, 0, 0, 763, 10, 1], "semantic": {"name": "eq", "arg_names": [], "import_names": [], "rhs_call_name": "__eq__", "annotation": ""}, "snippet": " eq = self.__eq__(other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L498_C8", "label": "if", "type": "if", "loc": [498, 499], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L496_C4", "vector": [4, 2, 0.2479, 0.001, 2, 0.76, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if eq is NotImplemented:\n return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L499_C12", "label": "return", "type": "return", "loc": [499, 499], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L498_C8", "vector": [13, 3, 0.2481, 0.0005, 3, 0.62, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L500_C8", "label": "return", "type": "return", "loc": [500, 500], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L496_C4", "vector": [13, 2, 0.2486, 0.0005, 2, 0.76, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return not eq"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L502_C4", "label": "__le__", "type": "function", "loc": [502, 506], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2506, 0.0025, 1, 0.89, 0.2857, 308, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__le__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __le__(self, other):\n gt = self.__gt__(other)\n if gt is NotImplemented:\n return NotImplemented\n return not gt"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L503_C8", "label": "gt = __gt__()", "type": "assigned_variable", "loc": [503, 503], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L502_C4", "vector": [14, 2, 0.2501, 0.0005, 2, 0.52, 0.0, 694, 3, 1, 0, 0, 974, 10, 1], "semantic": {"name": "gt", "arg_names": [], "import_names": [], "rhs_call_name": "__gt__", "annotation": ""}, "snippet": " gt = self.__gt__(other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L504_C8", "label": "if", "type": "if", "loc": [504, 505], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L502_C4", "vector": [4, 2, 0.2509, 0.001, 2, 0.52, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if gt is NotImplemented:\n return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L505_C12", "label": "return", "type": "return", "loc": [505, 505], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L504_C8", "vector": [13, 3, 0.2511, 0.0005, 3, 0.32, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L506_C8", "label": "return", "type": "return", "loc": [506, 506], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L502_C4", "vector": [13, 2, 0.2516, 0.0005, 2, 0.52, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return not gt"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L508_C4", "label": "__ge__", "type": "function", "loc": [508, 512], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2536, 0.0025, 1, 0.89, 0.3571, 518, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__ge__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __ge__(self, other):\n lt = self.__lt__(other)\n if lt is NotImplemented:\n return NotImplemented\n return not lt"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L509_C8", "label": "lt = __lt__()", "type": "assigned_variable", "loc": [509, 509], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L508_C4", "vector": [14, 2, 0.2531, 0.0005, 2, 0.82, 0.0, 525, 3, 1, 0, 0, 217, 10, 1], "semantic": {"name": "lt", "arg_names": [], "import_names": [], "rhs_call_name": "__lt__", "annotation": ""}, "snippet": " lt = self.__lt__(other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L510_C8", "label": "if", "type": "if", "loc": [510, 511], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L508_C4", "vector": [4, 2, 0.2539, 0.001, 2, 0.82, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lt is NotImplemented:\n return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L511_C12", "label": "return", "type": "return", "loc": [511, 511], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L510_C8", "vector": [13, 3, 0.2541, 0.0005, 3, 0.54, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L512_C8", "label": "return", "type": "return", "loc": [512, 512], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L508_C4", "vector": [13, 2, 0.2546, 0.0005, 2, 0.82, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return not lt"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L514_C4", "label": "__lt__", "type": "function", "loc": [514, 523], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2578, 0.005, 1, 0.89, 0.4286, 217, 0, 2, 1, 0, 0, 0, 7], "semantic": {"name": "__lt__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __lt__(self, other):\n if self._version != other._version:\n raise TypeError('%s and %s are not of the same version' % (\n str(self), str(other)))\n if not isinstance(other, _BaseAddress):\n raise TypeError('%s and %s are not of the same type' % (\n str(self), str(other)))\n if self._ip != other._ip:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L515_C8", "label": "if", "type": "if", "loc": [515, 517], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L514_C4", "vector": [4, 2, 0.2566, 0.0015, 2, 0.08, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._version != other._version:\n raise TypeError('%s and %s are not of the same version' % (\n str(self), str(other)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L518_C8", "label": "if", "type": "if", "loc": [518, 520], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L514_C4", "vector": [4, 2, 0.2581, 0.0015, 2, 0.08, 0.3333, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(other, _BaseAddress):\n raise TypeError('%s and %s are not of the same type' % (\n str(self), str(other)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L521_C8", "label": "if", "type": "if", "loc": [521, 522], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L514_C4", "vector": [4, 2, 0.2593, 0.001, 2, 0.08, 0.6667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._ip != other._ip:\n return self._ip < other._ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L522_C12", "label": "return", "type": "return", "loc": [522, 522], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L521_C8", "vector": [13, 3, 0.2596, 0.0005, 3, 0.66, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._ip < other._ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L523_C8", "label": "return", "type": "return", "loc": [523, 523], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L514_C4", "vector": [13, 2, 0.2601, 0.0005, 2, 0.08, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L525_C4", "label": "__gt__", "type": "function", "loc": [525, 534], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2633, 0.005, 1, 0.89, 0.5, 974, 0, 2, 1, 0, 0, 0, 7], "semantic": {"name": "__gt__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __gt__(self, other):\n if self._version != other._version:\n raise TypeError('%s and %s are not of the same version' % (\n str(self), str(other)))\n if not isinstance(other, _BaseAddress):\n raise TypeError('%s and %s are not of the same type' % (\n str(self), str(other)))\n if self._ip != other._ip:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L526_C8", "label": "if", "type": "if", "loc": [526, 528], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L525_C4", "vector": [4, 2, 0.2621, 0.0015, 2, 0.2, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._version != other._version:\n raise TypeError('%s and %s are not of the same version' % (\n str(self), str(other)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L529_C8", "label": "if", "type": "if", "loc": [529, 531], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L525_C4", "vector": [4, 2, 0.2636, 0.0015, 2, 0.2, 0.3333, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(other, _BaseAddress):\n raise TypeError('%s and %s are not of the same type' % (\n str(self), str(other)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L532_C8", "label": "if", "type": "if", "loc": [532, 533], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L525_C4", "vector": [4, 2, 0.2648, 0.001, 2, 0.2, 0.6667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._ip != other._ip:\n return self._ip > other._ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L533_C12", "label": "return", "type": "return", "loc": [533, 533], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L532_C8", "vector": [13, 3, 0.265, 0.0005, 3, 0.73, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._ip > other._ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L534_C8", "label": "return", "type": "return", "loc": [534, 534], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L525_C4", "vector": [13, 2, 0.2655, 0.0005, 2, 0.2, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L538_C4", "label": "__add__", "type": "function", "loc": [538, 541], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2683, 0.002, 1, 0.89, 0.5714, 899, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "__add__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __add__(self, other):\n if not isinstance(other, int):\n return NotImplemented\n return ip_address(int(self) + other, version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L539_C8", "label": "if", "type": "if", "loc": [539, 540], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L538_C4", "vector": [4, 2, 0.2683, 0.001, 2, 0.82, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(other, int):\n return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L540_C12", "label": "return", "type": "return", "loc": [540, 540], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L539_C8", "vector": [13, 3, 0.2685, 0.0005, 3, 0.96, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L541_C8", "label": "return", "type": "return", "loc": [541, 541], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L538_C4", "vector": [13, 2, 0.269, 0.0005, 2, 0.82, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ip_address(int(self) + other, version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L543_C4", "label": "__sub__", "type": "function", "loc": [543, 546], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2708, 0.002, 1, 0.89, 0.6429, 555, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "__sub__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __sub__(self, other):\n if not isinstance(other, int):\n return NotImplemented\n return ip_address(int(self) - other, version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L544_C8", "label": "if", "type": "if", "loc": [544, 545], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L543_C4", "vector": [4, 2, 0.2708, 0.001, 2, 0.96, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(other, int):\n return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L545_C12", "label": "return", "type": "return", "loc": [545, 545], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L544_C8", "vector": [13, 3, 0.271, 0.0005, 3, 0.21, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L546_C8", "label": "return", "type": "return", "loc": [546, 546], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L543_C4", "vector": [13, 2, 0.2715, 0.0005, 2, 0.96, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ip_address(int(self) - other, version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L548_C4", "label": "__repr__", "type": "function", "loc": [548, 549], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2727, 0.001, 1, 0.89, 0.7143, 204, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return '%s(%r)' % (self.__class__.__name__, str(self))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L549_C8", "label": "return", "type": "return", "loc": [549, 549], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L548_C4", "vector": [13, 2, 0.273, 0.0005, 2, 0.34, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s(%r)' % (self.__class__.__name__, str(self))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L551_C4", "label": "__str__", "type": "function", "loc": [551, 552], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2742, 0.001, 1, 0.89, 0.7857, 527, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "__str__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __str__(self):\n return '%s' % self._string_from_ip_int(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L552_C8", "label": "return", "type": "return", "loc": [552, 552], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L551_C4", "vector": [13, 2, 0.2745, 0.0005, 2, 0.27, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s' % self._string_from_ip_int(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L554_C4", "label": "__hash__", "type": "function", "loc": [554, 555], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2757, 0.001, 1, 0.89, 0.8571, 49, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "__hash__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __hash__(self):\n return hash(hex(long(self._ip)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L555_C8", "label": "return", "type": "return", "loc": [555, 555], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L554_C4", "vector": [13, 2, 0.276, 0.0005, 2, 0.66, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return hash(hex(long(self._ip)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L557_C4", "label": "_get_address_key", "type": "function", "loc": [557, 558], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2772, 0.001, 1, 0.89, 0.9286, 388, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "_get_address_key", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _get_address_key(self):\n return (self._version, self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L558_C8", "label": "return", "type": "return", "loc": [558, 558], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L557_C4", "vector": [13, 2, 0.2775, 0.0005, 2, 0.1, 0.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (self._version, self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L561_C4", "label": "version", "type": "function", "loc": [561, 562], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "vector": [2, 1, 0.2792, 0.001, 1, 0.89, 1.0, 623, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "version", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def version(self):\n raise NotImplementedError('BaseIP has no version')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "label": "_BaseInterface", "type": "class", "loc": [565, 1056], "level": 0, "parent": null, "vector": [3, 0, 0.403, 0.2447, 0, 0.66, 0.7419, 169, 0, 35, 0, 0, 325, 0, 99], "semantic": {"name": "_BaseInterface", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class _BaseInterface(_IPAddrBase):\n\n \"\"\"A generic IP object.\n\n This IP class contains the version independent methods which are\n used by networks.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L567_C4", "label": "expression", "type": "expression", "loc": [567, 572], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [8, 1, 0.2832, 0.003, 1, 0.8, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"A generic IP object.\n\n This IP class contains the version independent methods which are\n used by networks.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L574_C4", "label": "__init__", "type": "function", "loc": [574, 575], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.2857, 0.001, 1, 0.8, 0.025, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "address"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, address):\n self._cache = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L575_C8", "label": "self._cache =", "type": "assigned_variable", "loc": [575, 575], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L574_C4", "vector": [14, 2, 0.2859, 0.0005, 2, 0.55, 0.0, 723, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self._cache", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._cache = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L577_C4", "label": "__repr__", "type": "function", "loc": [577, 578], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.2872, 0.001, 1, 0.8, 0.05, 204, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return '%s(%r)' % (self.__class__.__name__, str(self))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L578_C8", "label": "return", "type": "return", "loc": [578, 578], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L577_C4", "vector": [13, 2, 0.2874, 0.0005, 2, 0.6, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s(%r)' % (self.__class__.__name__, str(self))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L580_C4", "label": "iterhosts", "type": "function", "loc": [580, 591], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.2911, 0.006, 1, 0.8, 0.075, 256, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "iterhosts", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def iterhosts(self):\n \"\"\"Generate Iterator over usable hosts in a network.\n\n This is like __iter__ except it doesn't return the network\n or broadcast addresses.\n\n \"\"\"\n cur = int(self.network_address) + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L581_C8", "label": "expression", "type": "expression", "loc": [581, 586], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L580_C4", "vector": [8, 2, 0.2902, 0.003, 2, 0.61, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Generate Iterator over usable hosts in a network.\n\n This is like __iter__ except it doesn't return the network\n or broadcast addresses.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L587_C8", "label": "cur =", "type": "assigned_variable", "loc": [587, 587], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L580_C4", "vector": [14, 2, 0.2919, 0.0005, 2, 0.61, 0.3333, 834, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "cur", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " cur = int(self.network_address) + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L588_C8", "label": "bcast =", "type": "assigned_variable", "loc": [588, 588], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L580_C4", "vector": [14, 2, 0.2924, 0.0005, 2, 0.61, 0.6667, 350, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "bcast", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " bcast = int(self.broadcast_address) - 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:While_L589_C8", "label": "while", "type": "while", "loc": [589, 591], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L580_C4", "vector": [5, 2, 0.2934, 0.0015, 2, 0.61, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while cur <= bcast:\n cur += 1\n yield ip_address(cur - 1, version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L591_C12", "label": "expression", "type": "expression", "loc": [591, 591], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L589_C8", "vector": [8, 3, 0.2939, 0.0005, 3, 0.44, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield ip_address(cur - 1, version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L593_C4", "label": "__iter__", "type": "function", "loc": [593, 598], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.2961, 0.003, 1, 0.8, 0.1, 891, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "__iter__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __iter__(self):\n cur = int(self.network_address)\n bcast = int(self.broadcast_address)\n while cur <= bcast:\n cur += 1\n yield ip_address(cur - 1, version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L594_C8", "label": "cur = int()", "type": "assigned_variable", "loc": [594, 594], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L593_C4", "vector": [14, 2, 0.2954, 0.0005, 2, 0.09, 0.0, 834, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "cur", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " cur = int(self.network_address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L595_C8", "label": "bcast = int()", "type": "assigned_variable", "loc": [595, 595], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L593_C4", "vector": [14, 2, 0.2959, 0.0005, 2, 0.09, 0.5, 350, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "bcast", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " bcast = int(self.broadcast_address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:While_L596_C8", "label": "while", "type": "while", "loc": [596, 598], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L593_C4", "vector": [5, 2, 0.2969, 0.0015, 2, 0.09, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while cur <= bcast:\n cur += 1\n yield ip_address(cur - 1, version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L598_C12", "label": "expression", "type": "expression", "loc": [598, 598], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L596_C8", "vector": [8, 3, 0.2974, 0.0005, 3, 0.89, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield ip_address(cur - 1, version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L600_C4", "label": "__getitem__", "type": "function", "loc": [600, 611], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3011, 0.006, 1, 0.8, 0.125, 698, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "__getitem__", "arg_names": ["self", "n"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __getitem__(self, n):\n network = int(self.network_address)\n broadcast = int(self.broadcast_address)\n if n >= 0:\n if network + n > broadcast:\n raise IndexError\n return ip_address(network + n, version=self._version)\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L601_C8", "label": "network = int()", "type": "assigned_variable", "loc": [601, 601], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L600_C4", "vector": [14, 2, 0.2989, 0.0005, 2, 0.23, 0.0, 108, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "network", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " network = int(self.network_address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L602_C8", "label": "broadcast = int()", "type": "assigned_variable", "loc": [602, 602], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L600_C4", "vector": [14, 2, 0.2994, 0.0005, 2, 0.23, 0.5, 803, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "broadcast", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " broadcast = int(self.broadcast_address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L603_C8", "label": "if", "type": "if", "loc": [603, 611], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L600_C4", "vector": [4, 2, 0.3018, 0.0045, 2, 0.23, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if n >= 0:\n if network + n > broadcast:\n raise IndexError\n return ip_address(network + n, version=self._version)\n else:\n n += 1\n if broadcast + n < network:\n raise IndexError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L604_C12", "label": "if", "type": "if", "loc": [604, 605], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L603_C8", "vector": [4, 3, 0.3006, 0.001, 3, 0.79, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if network + n > broadcast:\n raise IndexError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L606_C12", "label": "return", "type": "return", "loc": [606, 606], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L603_C8", "vector": [13, 3, 0.3013, 0.0005, 3, 0.79, 0.3333, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ip_address(network + n, version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L609_C12", "label": "if", "type": "if", "loc": [609, 610], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L603_C8", "vector": [4, 3, 0.3031, 0.001, 3, 0.79, 0.6667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if broadcast + n < network:\n raise IndexError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L611_C12", "label": "return", "type": "return", "loc": [611, 611], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L603_C8", "vector": [13, 3, 0.3038, 0.0005, 3, 0.79, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ip_address(broadcast + n, version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L613_C4", "label": "__lt__", "type": "function", "loc": [613, 624], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3076, 0.006, 1, 0.8, 0.15, 217, 0, 2, 1, 0, 0, 0, 7], "semantic": {"name": "__lt__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __lt__(self, other):\n if self._version != other._version:\n raise TypeError('%s and %s are not of the same version' % (\n str(self), str(other)))\n if not isinstance(other, _BaseInterface):\n raise TypeError('%s and %s are not of the same type' % (\n str(self), str(other)))\n if self.network_address != other.network_address:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L614_C8", "label": "if", "type": "if", "loc": [614, 616], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L613_C4", "vector": [4, 2, 0.3058, 0.0015, 2, 0.45, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._version != other._version:\n raise TypeError('%s and %s are not of the same version' % (\n str(self), str(other)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L617_C8", "label": "if", "type": "if", "loc": [617, 619], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L613_C4", "vector": [4, 2, 0.3073, 0.0015, 2, 0.45, 0.25, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(other, _BaseInterface):\n raise TypeError('%s and %s are not of the same type' % (\n str(self), str(other)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L620_C8", "label": "if", "type": "if", "loc": [620, 621], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L613_C4", "vector": [4, 2, 0.3086, 0.001, 2, 0.45, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.network_address != other.network_address:\n return self.network_address < other.network_address"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L621_C12", "label": "return", "type": "return", "loc": [621, 621], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L620_C8", "vector": [13, 3, 0.3088, 0.0005, 3, 0.51, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.network_address < other.network_address"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L622_C8", "label": "if", "type": "if", "loc": [622, 623], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L613_C4", "vector": [4, 2, 0.3095, 0.001, 2, 0.45, 0.75, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.netmask != other.netmask:\n return self.netmask < other.netmask"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L623_C12", "label": "return", "type": "return", "loc": [623, 623], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L622_C8", "vector": [13, 3, 0.3098, 0.0005, 3, 0.61, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.netmask < other.netmask"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L624_C8", "label": "return", "type": "return", "loc": [624, 624], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L613_C4", "vector": [13, 2, 0.3103, 0.0005, 2, 0.45, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L626_C4", "label": "__gt__", "type": "function", "loc": [626, 637], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.314, 0.006, 1, 0.8, 0.175, 974, 0, 2, 1, 0, 0, 0, 7], "semantic": {"name": "__gt__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __gt__(self, other):\n if self._version != other._version:\n raise TypeError('%s and %s are not of the same version' % (\n str(self), str(other)))\n if not isinstance(other, _BaseInterface):\n raise TypeError('%s and %s are not of the same type' % (\n str(self), str(other)))\n if self.network_address != other.network_address:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L627_C8", "label": "if", "type": "if", "loc": [627, 629], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L626_C4", "vector": [4, 2, 0.3123, 0.0015, 2, 0.5, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._version != other._version:\n raise TypeError('%s and %s are not of the same version' % (\n str(self), str(other)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L630_C8", "label": "if", "type": "if", "loc": [630, 632], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L626_C4", "vector": [4, 2, 0.3138, 0.0015, 2, 0.5, 0.25, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(other, _BaseInterface):\n raise TypeError('%s and %s are not of the same type' % (\n str(self), str(other)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L633_C8", "label": "if", "type": "if", "loc": [633, 634], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L626_C4", "vector": [4, 2, 0.315, 0.001, 2, 0.5, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.network_address != other.network_address:\n return self.network_address > other.network_address"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L634_C12", "label": "return", "type": "return", "loc": [634, 634], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L633_C8", "vector": [13, 3, 0.3153, 0.0005, 3, 0.53, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.network_address > other.network_address"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L635_C8", "label": "if", "type": "if", "loc": [635, 636], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L626_C4", "vector": [4, 2, 0.316, 0.001, 2, 0.5, 0.75, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.netmask != other.netmask:\n return self.netmask > other.netmask"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L636_C12", "label": "return", "type": "return", "loc": [636, 636], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L635_C8", "vector": [13, 3, 0.3163, 0.0005, 3, 0.66, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.netmask > other.netmask"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L637_C8", "label": "return", "type": "return", "loc": [637, 637], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L626_C4", "vector": [13, 2, 0.3168, 0.0005, 2, 0.5, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L639_C4", "label": "__le__", "type": "function", "loc": [639, 643], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3187, 0.0025, 1, 0.8, 0.2, 308, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__le__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __le__(self, other):\n gt = self.__gt__(other)\n if gt is NotImplemented:\n return NotImplemented\n return not gt"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L640_C8", "label": "gt = __gt__()", "type": "assigned_variable", "loc": [640, 640], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L639_C4", "vector": [14, 2, 0.3182, 0.0005, 2, 0.19, 0.0, 694, 3, 1, 0, 0, 974, 10, 1], "semantic": {"name": "gt", "arg_names": [], "import_names": [], "rhs_call_name": "__gt__", "annotation": ""}, "snippet": " gt = self.__gt__(other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L641_C8", "label": "if", "type": "if", "loc": [641, 642], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L639_C4", "vector": [4, 2, 0.319, 0.001, 2, 0.19, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if gt is NotImplemented:\n return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L642_C12", "label": "return", "type": "return", "loc": [642, 642], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L641_C8", "vector": [13, 3, 0.3192, 0.0005, 3, 0.66, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L643_C8", "label": "return", "type": "return", "loc": [643, 643], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L639_C4", "vector": [13, 2, 0.3197, 0.0005, 2, 0.19, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return not gt"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L645_C4", "label": "__ge__", "type": "function", "loc": [645, 649], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3217, 0.0025, 1, 0.8, 0.225, 518, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__ge__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __ge__(self, other):\n lt = self.__lt__(other)\n if lt is NotImplemented:\n return NotImplemented\n return not lt"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L646_C8", "label": "lt = __lt__()", "type": "assigned_variable", "loc": [646, 646], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L645_C4", "vector": [14, 2, 0.3212, 0.0005, 2, 0.67, 0.0, 525, 3, 1, 0, 0, 217, 10, 1], "semantic": {"name": "lt", "arg_names": [], "import_names": [], "rhs_call_name": "__lt__", "annotation": ""}, "snippet": " lt = self.__lt__(other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L647_C8", "label": "if", "type": "if", "loc": [647, 648], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L645_C4", "vector": [4, 2, 0.322, 0.001, 2, 0.67, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lt is NotImplemented:\n return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L648_C12", "label": "return", "type": "return", "loc": [648, 648], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L647_C8", "vector": [13, 3, 0.3222, 0.0005, 3, 0.6, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L649_C8", "label": "return", "type": "return", "loc": [649, 649], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L645_C4", "vector": [13, 2, 0.3227, 0.0005, 2, 0.67, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return not lt"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L651_C4", "label": "__eq__", "type": "function", "loc": [651, 659], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3257, 0.0045, 1, 0.8, 0.25, 763, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "__eq__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __eq__(self, other):\n try:\n return (self._version == other._version\n and self.network_address == other.network_address\n and int(self.netmask) == int(other.netmask))\n except AttributeError:\n if isinstance(other, _BaseAddress):\n return (self._version == other._version"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L652_C8", "label": "try", "type": "try", "loc": [652, 659], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L651_C4", "vector": [7, 2, 0.326, 0.004, 2, 0.84, 0.0, 0, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return (self._version == other._version\n and self.network_address == other.network_address\n and int(self.netmask) == int(other.netmask))\n except AttributeError:\n if isinstance(other, _BaseAddress):\n return (self._version == other._version\n and self._ip == other._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L653_C12", "label": "return", "type": "return", "loc": [653, 655], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L652_C8", "vector": [13, 3, 0.3252, 0.0015, 3, 0.6, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (self._version == other._version\n and self.network_address == other.network_address\n and int(self.netmask) == int(other.netmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L657_C12", "label": "if", "type": "if", "loc": [657, 659], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L652_C8", "vector": [4, 3, 0.3272, 0.0015, 3, 0.6, 0.0, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(other, _BaseAddress):\n return (self._version == other._version\n and self._ip == other._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L658_C16", "label": "return", "type": "return", "loc": [658, 659], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L657_C12", "vector": [13, 4, 0.3274, 0.001, 4, 0.67, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (self._version == other._version\n and self._ip == other._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L661_C4", "label": "__ne__", "type": "function", "loc": [661, 665], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3297, 0.0025, 1, 0.8, 0.275, 254, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__ne__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __ne__(self, other):\n eq = self.__eq__(other)\n if eq is NotImplemented:\n return NotImplemented\n return not eq"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L662_C8", "label": "eq = __eq__()", "type": "assigned_variable", "loc": [662, 662], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L661_C4", "vector": [14, 2, 0.3292, 0.0005, 2, 0.28, 0.0, 500, 3, 1, 0, 0, 763, 10, 1], "semantic": {"name": "eq", "arg_names": [], "import_names": [], "rhs_call_name": "__eq__", "annotation": ""}, "snippet": " eq = self.__eq__(other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L663_C8", "label": "if", "type": "if", "loc": [663, 664], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L661_C4", "vector": [4, 2, 0.3299, 0.001, 2, 0.28, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if eq is NotImplemented:\n return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L664_C12", "label": "return", "type": "return", "loc": [664, 664], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L663_C8", "vector": [13, 3, 0.3302, 0.0005, 3, 0.48, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return NotImplemented"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L665_C8", "label": "return", "type": "return", "loc": [665, 665], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L661_C4", "vector": [13, 2, 0.3307, 0.0005, 2, 0.28, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return not eq"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L667_C4", "label": "__str__", "type": "function", "loc": [667, 669], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3322, 0.0015, 1, 0.8, 0.3, 527, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "__str__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __str__(self):\n return '%s/%s' % (str(self.ip),\n str(self._prefixlen))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L668_C8", "label": "return", "type": "return", "loc": [668, 669], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L667_C4", "vector": [13, 2, 0.3324, 0.001, 2, 0.17, 0.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%s' % (str(self.ip),\n str(self._prefixlen))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L671_C4", "label": "__hash__", "type": "function", "loc": [671, 672], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3339, 0.001, 1, 0.8, 0.325, 49, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "__hash__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __hash__(self):\n return hash(int(self.network_address) ^ int(self.netmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L672_C8", "label": "return", "type": "return", "loc": [672, 672], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L671_C4", "vector": [13, 2, 0.3342, 0.0005, 2, 0.45, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return hash(int(self.network_address) ^ int(self.netmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L674_C4", "label": "__contains__", "type": "function", "loc": [674, 685], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3379, 0.006, 1, 0.8, 0.35, 456, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "__contains__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __contains__(self, other):\n # always false if one is v4 and the other is v6.\n if self._version != other._version:\n return False\n # dealing with another network.\n if isinstance(other, _BaseInterface):\n return (self.network_address <= other.network_address and\n self.broadcast_address >= other.broadcast_address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L676_C8", "label": "if", "type": "if", "loc": [676, 677], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L674_C4", "vector": [4, 2, 0.3364, 0.001, 2, 0.07, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._version != other._version:\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L677_C10", "label": "return", "type": "return", "loc": [677, 677], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L676_C8", "vector": [13, 3, 0.3366, 0.0005, 3, 0.17, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L679_C8", "label": "if", "type": "if", "loc": [679, 685], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L674_C4", "vector": [4, 2, 0.3391, 0.0035, 2, 0.07, 1.0, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(other, _BaseInterface):\n return (self.network_address <= other.network_address and\n self.broadcast_address >= other.broadcast_address)\n # dealing with another address\n else:\n return (int(self.network_address) <= int(other._ip) <=\n int(self.broadcast_address))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L680_C12", "label": "return", "type": "return", "loc": [680, 681], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L679_C8", "vector": [13, 3, 0.3384, 0.001, 3, 0.77, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (self.network_address <= other.network_address and\n self.broadcast_address >= other.broadcast_address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L684_C12", "label": "return", "type": "return", "loc": [684, 685], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L679_C8", "vector": [13, 3, 0.3404, 0.001, 3, 0.77, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (int(self.network_address) <= int(other._ip) <=\n int(self.broadcast_address))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L687_C4", "label": "overlaps", "type": "function", "loc": [687, 692], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3429, 0.003, 1, 0.8, 0.375, 458, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "overlaps", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def overlaps(self, other):\n \"\"\"Tell if self is partly contained in other.\"\"\"\n return self.network_address in other or (\n self.broadcast_address in other or (\n other.network_address in self or (\n other.broadcast_address in self)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L688_C8", "label": "expression", "type": "expression", "loc": [688, 688], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L687_C4", "vector": [8, 2, 0.3421, 0.0005, 2, 0.35, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Tell if self is partly contained in other.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L689_C8", "label": "return", "type": "return", "loc": [689, 692], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L687_C4", "vector": [13, 2, 0.3434, 0.002, 2, 0.35, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.network_address in other or (\n self.broadcast_address in other or (\n other.network_address in self or (\n other.broadcast_address in self)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L695_C4", "label": "network_address", "type": "function", "loc": [695, 700], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3468, 0.003, 1, 0.8, 0.4, 779, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "network_address", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def network_address(self):\n x = self._cache.get('network_address')\n if x is None:\n x = ip_address(self._ip & int(self.netmask), version=self._version)\n self._cache['network_address'] = x\n return x"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L696_C8", "label": "x = get()", "type": "assigned_variable", "loc": [696, 696], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L695_C4", "vector": [14, 2, 0.3461, 0.0005, 2, 0.52, 0.0, 190, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "x", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " x = self._cache.get('network_address')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L697_C8", "label": "if", "type": "if", "loc": [697, 699], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L695_C4", "vector": [4, 2, 0.3471, 0.0015, 2, 0.52, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if x is None:\n x = ip_address(self._ip & int(self.netmask), version=self._version)\n self._cache['network_address'] = x"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L698_C12", "label": "x = ip_address()", "type": "assigned_variable", "loc": [698, 698], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L697_C8", "vector": [14, 3, 0.3471, 0.0005, 3, 0.38, 0.0, 190, 3, 2, 0, 0, 30, 10, 2], "semantic": {"name": "x", "arg_names": [], "import_names": [], "rhs_call_name": "ip_address", "annotation": ""}, "snippet": " x = ip_address(self._ip & int(self.netmask), version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L699_C12", "label": "assign", "type": "assigned_variable", "loc": [699, 699], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L697_C8", "vector": [14, 3, 0.3476, 0.0005, 3, 0.38, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._cache['network_address'] = x"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L700_C8", "label": "return", "type": "return", "loc": [700, 700], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L695_C4", "vector": [13, 2, 0.3481, 0.0005, 2, 0.52, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return x"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L703_C4", "label": "broadcast_address", "type": "function", "loc": [703, 708], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3508, 0.003, 1, 0.8, 0.425, 498, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "broadcast_address", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def broadcast_address(self):\n x = self._cache.get('broadcast_address')\n if x is None:\n x = ip_address(self._ip | int(self.hostmask), version=self._version)\n self._cache['broadcast_address'] = x\n return x"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L704_C8", "label": "x = get()", "type": "assigned_variable", "loc": [704, 704], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L703_C4", "vector": [14, 2, 0.3501, 0.0005, 2, 0.59, 0.0, 190, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "x", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " x = self._cache.get('broadcast_address')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L705_C8", "label": "if", "type": "if", "loc": [705, 707], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L703_C4", "vector": [4, 2, 0.3511, 0.0015, 2, 0.59, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if x is None:\n x = ip_address(self._ip | int(self.hostmask), version=self._version)\n self._cache['broadcast_address'] = x"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L706_C12", "label": "x = ip_address()", "type": "assigned_variable", "loc": [706, 706], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L705_C8", "vector": [14, 3, 0.3511, 0.0005, 3, 0.25, 0.0, 190, 3, 2, 0, 0, 30, 10, 2], "semantic": {"name": "x", "arg_names": [], "import_names": [], "rhs_call_name": "ip_address", "annotation": ""}, "snippet": " x = ip_address(self._ip | int(self.hostmask), version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L707_C12", "label": "assign", "type": "assigned_variable", "loc": [707, 707], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L705_C8", "vector": [14, 3, 0.3516, 0.0005, 3, 0.25, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._cache['broadcast_address'] = x"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L708_C8", "label": "return", "type": "return", "loc": [708, 708], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L703_C4", "vector": [13, 2, 0.3521, 0.0005, 2, 0.59, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return x"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L711_C4", "label": "hostmask", "type": "function", "loc": [711, 717], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.355, 0.0035, 1, 0.8, 0.45, 834, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "hostmask", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def hostmask(self):\n x = self._cache.get('hostmask')\n if x is None:\n x = ip_address(int(self.netmask) ^ self._ALL_ONES,\n version=self._version)\n self._cache['hostmask'] = x\n return x"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L712_C8", "label": "x = get()", "type": "assigned_variable", "loc": [712, 712], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L711_C4", "vector": [14, 2, 0.3541, 0.0005, 2, 0.54, 0.0, 190, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "x", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " x = self._cache.get('hostmask')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L713_C8", "label": "if", "type": "if", "loc": [713, 716], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L711_C4", "vector": [4, 2, 0.3553, 0.002, 2, 0.54, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if x is None:\n x = ip_address(int(self.netmask) ^ self._ALL_ONES,\n version=self._version)\n self._cache['hostmask'] = x"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L714_C12", "label": "x = ip_address()", "type": "assigned_variable", "loc": [714, 715], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L713_C8", "vector": [14, 3, 0.3553, 0.001, 3, 0.74, 0.0, 190, 3, 2, 0, 0, 30, 10, 2], "semantic": {"name": "x", "arg_names": [], "import_names": [], "rhs_call_name": "ip_address", "annotation": ""}, "snippet": " x = ip_address(int(self.netmask) ^ self._ALL_ONES,\n version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L716_C12", "label": "assign", "type": "assigned_variable", "loc": [716, 716], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L713_C8", "vector": [14, 3, 0.356, 0.0005, 3, 0.74, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._cache['hostmask'] = x"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L717_C8", "label": "return", "type": "return", "loc": [717, 717], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L711_C4", "vector": [13, 2, 0.3565, 0.0005, 2, 0.54, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return x"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L720_C4", "label": "network", "type": "function", "loc": [720, 722], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3585, 0.0015, 1, 0.8, 0.475, 108, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "network", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def network(self):\n return ip_network('%s/%d' % (str(self.network_address),\n self.prefixlen))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L721_C8", "label": "return", "type": "return", "loc": [721, 722], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L720_C4", "vector": [13, 2, 0.3588, 0.001, 2, 0.14, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ip_network('%s/%d' % (str(self.network_address),\n self.prefixlen))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L725_C4", "label": "with_prefixlen", "type": "function", "loc": [725, 726], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3608, 0.001, 1, 0.8, 0.5, 569, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "with_prefixlen", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def with_prefixlen(self):\n return '%s/%d' % (str(self.ip), self._prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L726_C8", "label": "return", "type": "return", "loc": [726, 726], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L725_C4", "vector": [13, 2, 0.361, 0.0005, 2, 0.22, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%d' % (str(self.ip), self._prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L729_C4", "label": "with_netmask", "type": "function", "loc": [729, 730], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3628, 0.001, 1, 0.8, 0.525, 303, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "with_netmask", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def with_netmask(self):\n return '%s/%s' % (str(self.ip), str(self.netmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L730_C8", "label": "return", "type": "return", "loc": [730, 730], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L729_C4", "vector": [13, 2, 0.363, 0.0005, 2, 0.78, 0.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%s' % (str(self.ip), str(self.netmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L733_C4", "label": "with_hostmask", "type": "function", "loc": [733, 734], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3647, 0.001, 1, 0.8, 0.55, 74, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "with_hostmask", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def with_hostmask(self):\n return '%s/%s' % (str(self.ip), str(self.hostmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L734_C8", "label": "return", "type": "return", "loc": [734, 734], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L733_C4", "vector": [13, 2, 0.365, 0.0005, 2, 0.23, 0.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%s' % (str(self.ip), str(self.hostmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L737_C4", "label": "numhosts", "type": "function", "loc": [737, 739], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.367, 0.0015, 1, 0.8, 0.575, 174, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "numhosts", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def numhosts(self):\n \"\"\"Number of hosts in the current subnet.\"\"\"\n return int(self.broadcast_address) - int(self.network_address) + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L738_C8", "label": "expression", "type": "expression", "loc": [738, 738], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L737_C4", "vector": [8, 2, 0.367, 0.0005, 2, 0.83, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Number of hosts in the current subnet.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L739_C8", "label": "return", "type": "return", "loc": [739, 739], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L737_C4", "vector": [13, 2, 0.3675, 0.0005, 2, 0.83, 1.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return int(self.broadcast_address) - int(self.network_address) + 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L742_C4", "label": "version", "type": "function", "loc": [742, 743], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3692, 0.001, 1, 0.8, 0.6, 623, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "version", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def version(self):\n raise NotImplementedError('BaseNet has no version')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L746_C4", "label": "prefixlen", "type": "function", "loc": [746, 747], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3712, 0.001, 1, 0.8, 0.625, 922, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "prefixlen", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def prefixlen(self):\n return self._prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L747_C8", "label": "return", "type": "return", "loc": [747, 747], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L746_C4", "vector": [13, 2, 0.3715, 0.0005, 2, 0.62, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "label": "address_exclude", "type": "function", "loc": [749, 826], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.3916, 0.0388, 1, 0.8, 0.65, 38, 0, 2, 1, 0, 0, 0, 26], "semantic": {"name": "address_exclude", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def address_exclude(self, other):\n \"\"\"Remove an address from a larger block.\n\n For example:\n\n addr1 = ip_network('10.1.1.0/24')\n addr2 = ip_network('10.1.1.0/26')\n addr1.address_exclude(addr2) ="}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L750_C8", "label": "expression", "type": "expression", "loc": [750, 782], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "vector": [8, 2, 0.3809, 0.0164, 2, 0.16, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Remove an address from a larger block.\n\n For example:\n\n addr1 = ip_network('10.1.1.0/24')\n addr2 = ip_network('10.1.1.0/26')\n addr1.address_exclude(addr2) =\n [ip_network('10.1.1.64/26'), ip_network('10.1.1.128/25')]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L783_C8", "label": "if", "type": "if", "loc": [783, 785], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "vector": [4, 2, 0.3899, 0.0015, 2, 0.16, 0.1, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self._version == other._version:\n raise TypeError(\"%s and %s are not of the same version\" % (\n str(self), str(other)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L787_C8", "label": "if", "type": "if", "loc": [787, 788], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "vector": [4, 2, 0.3916, 0.001, 2, 0.16, 0.2, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(other, _BaseInterface):\n raise TypeError(\"%s is not a network object\" % str(other))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L790_C8", "label": "if", "type": "if", "loc": [790, 792], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "vector": [4, 2, 0.3933, 0.0015, 2, 0.16, 0.3, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if other not in self:\n raise ValueError('%s not contained in %s' % (str(other),\n str(self)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L793_C8", "label": "if", "type": "if", "loc": [793, 794], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "vector": [4, 2, 0.3946, 0.001, 2, 0.16, 0.4, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if other == self:\n return []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L794_C12", "label": "return", "type": "return", "loc": [794, 794], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L793_C8", "vector": [13, 3, 0.3948, 0.0005, 3, 0.31, 0.0, 0, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L796_C8", "label": "ret_addrs =", "type": "assigned_variable", "loc": [796, 796], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "vector": [14, 2, 0.3958, 0.0005, 2, 0.16, 0.5, 503, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "ret_addrs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ret_addrs = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L799_C8", "label": "other = ip_network()", "type": "assigned_variable", "loc": [799, 801], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "vector": [14, 2, 0.3978, 0.0015, 2, 0.16, 0.6, 341, 3, 2, 0, 0, 527, 10, 3], "semantic": {"name": "other", "arg_names": [], "import_names": [], "rhs_call_name": "ip_network", "annotation": ""}, "snippet": " other = ip_network('%s/%s' % (str(other.network_address),\n str(other.prefixlen)),\n version=other._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L803_C8", "label": "s1, s2 = subnet()", "type": "assigned_variable", "loc": [803, 803], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "vector": [14, 2, 0.3993, 0.0005, 2, 0.16, 0.7, 819, 3, 0, 0, 0, 581, 10, 1], "semantic": {"name": "s1, s2", "arg_names": [], "import_names": [], "rhs_call_name": "subnet", "annotation": ""}, "snippet": " s1, s2 = self.subnet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:While_L804_C8", "label": "while", "type": "while", "loc": [804, 815], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "vector": [5, 2, 0.4025, 0.006, 2, 0.16, 0.8, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while s1 != other and s2 != other:\n if other in s1:\n ret_addrs.append(s2)\n s1, s2 = s1.subnet()\n elif other in s2:\n ret_addrs.append(s1)\n s1, s2 = s2.subnet()\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L805_C12", "label": "if", "type": "if", "loc": [805, 815], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L804_C8", "vector": [4, 3, 0.4028, 0.0055, 3, 0.63, 0.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if other in s1:\n ret_addrs.append(s2)\n s1, s2 = s1.subnet()\n elif other in s2:\n ret_addrs.append(s1)\n s1, s2 = s2.subnet()\n else:\n # If we got here, there's a bug somewhere."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L806_C16", "label": "append()", "type": "expression", "loc": [806, 806], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L805_C12", "vector": [8, 4, 0.4008, 0.0005, 4, 0.06, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " ret_addrs.append(s2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L807_C16", "label": "s1, s2 = subnet()", "type": "assigned_variable", "loc": [807, 807], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L805_C12", "vector": [14, 4, 0.4013, 0.0005, 4, 0.06, 0.5, 819, 3, 0, 0, 0, 581, 10, 1], "semantic": {"name": "s1, s2", "arg_names": [], "import_names": [], "rhs_call_name": "subnet", "annotation": ""}, "snippet": " s1, s2 = s1.subnet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L808_C12", "label": "if", "type": "if", "loc": [808, 815], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L805_C12", "vector": [4, 4, 0.4035, 0.004, 4, 0.06, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif other in s2:\n ret_addrs.append(s1)\n s1, s2 = s2.subnet()\n else:\n # If we got here, there's a bug somewhere.\n assert True == False, ('Error performing exclusion: '\n 's1: %s s2: %s other: %s' %\n (str(s1), str(s2), str(other)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L809_C16", "label": "append()", "type": "expression", "loc": [809, 809], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L808_C12", "vector": [8, 5, 0.4023, 0.0005, 5, 0.51, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " ret_addrs.append(s1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L810_C16", "label": "s1, s2 = subnet()", "type": "assigned_variable", "loc": [810, 810], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L808_C12", "vector": [14, 5, 0.4028, 0.0005, 5, 0.51, 1.0, 819, 3, 0, 0, 0, 581, 10, 1], "semantic": {"name": "s1, s2", "arg_names": [], "import_names": [], "rhs_call_name": "subnet", "annotation": ""}, "snippet": " s1, s2 = s2.subnet()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L816_C8", "label": "if", "type": "if", "loc": [816, 824], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "vector": [4, 2, 0.4078, 0.0045, 2, 0.16, 0.9, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if s1 == other:\n ret_addrs.append(s2)\n elif s2 == other:\n ret_addrs.append(s1)\n else:\n # If we got here, there's a bug somewhere.\n assert True == False, ('Error performing exclusion: '\n 's1: %s s2: %s other: %s' %"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L817_C12", "label": "append()", "type": "expression", "loc": [817, 817], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L816_C8", "vector": [8, 3, 0.4063, 0.0005, 3, 0.36, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " ret_addrs.append(s2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L818_C8", "label": "if", "type": "if", "loc": [818, 824], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L816_C8", "vector": [4, 3, 0.4083, 0.0035, 3, 0.36, 1.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif s2 == other:\n ret_addrs.append(s1)\n else:\n # If we got here, there's a bug somewhere.\n assert True == False, ('Error performing exclusion: '\n 's1: %s s2: %s other: %s' %\n (str(s1), str(s2), str(other)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L819_C12", "label": "append()", "type": "expression", "loc": [819, 819], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L818_C8", "vector": [8, 4, 0.4073, 0.0005, 4, 0.03, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " ret_addrs.append(s1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L826_C8", "label": "return", "type": "return", "loc": [826, 826], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "vector": [13, 2, 0.4107, 0.0005, 2, 0.16, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return sorted(ret_addrs, key=_BaseInterface._get_networks_key)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "label": "compare_networks", "type": "function", "loc": [828, 878], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.4242, 0.0254, 1, 0.8, 0.675, 181, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "compare_networks", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def compare_networks(self, other):\n \"\"\"Compare two IP objects.\n\n This is only concerned about the comparison of the integer\n representation of the network addresses. This means that the\n host bits aren't considered at all in this method. If you want\n to compare host bits, you can easily enough do a\n 'HostA._ip < HostB._ip'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L829_C8", "label": "expression", "type": "expression", "loc": [829, 861], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "vector": [8, 2, 0.4202, 0.0164, 2, 0.77, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Compare two IP objects.\n\n This is only concerned about the comparison of the integer\n representation of the network addresses. This means that the\n host bits aren't considered at all in this method. If you want\n to compare host bits, you can easily enough do a\n 'HostA._ip < HostB._ip'\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L862_C8", "label": "if", "type": "if", "loc": [862, 863], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "vector": [4, 2, 0.4289, 0.001, 2, 0.77, 0.1429, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._version < other._version:\n return -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L863_C12", "label": "return", "type": "return", "loc": [863, 863], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L862_C8", "vector": [13, 3, 0.4291, 0.0005, 3, 0.31, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L864_C8", "label": "if", "type": "if", "loc": [864, 865], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "vector": [4, 2, 0.4299, 0.001, 2, 0.77, 0.2857, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._version > other._version:\n return 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L865_C12", "label": "return", "type": "return", "loc": [865, 865], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L864_C8", "vector": [13, 3, 0.4301, 0.0005, 3, 0.86, 0.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L867_C8", "label": "if", "type": "if", "loc": [867, 868], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "vector": [4, 2, 0.4314, 0.001, 2, 0.77, 0.4286, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.network_address < other.network_address:\n return -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L868_C12", "label": "return", "type": "return", "loc": [868, 868], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L867_C8", "vector": [13, 3, 0.4316, 0.0005, 3, 0.63, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L869_C8", "label": "if", "type": "if", "loc": [869, 870], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "vector": [4, 2, 0.4324, 0.001, 2, 0.77, 0.5714, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.network_address > other.network_address:\n return 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L870_C12", "label": "return", "type": "return", "loc": [870, 870], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L869_C8", "vector": [13, 3, 0.4326, 0.0005, 3, 0.7, 0.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L872_C8", "label": "if", "type": "if", "loc": [872, 873], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "vector": [4, 2, 0.4339, 0.001, 2, 0.77, 0.7143, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.netmask < other.netmask:\n return -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L873_C12", "label": "return", "type": "return", "loc": [873, 873], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L872_C8", "vector": [13, 3, 0.4341, 0.0005, 3, 0.02, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L874_C8", "label": "if", "type": "if", "loc": [874, 875], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "vector": [4, 2, 0.4349, 0.001, 2, 0.77, 0.8571, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.netmask > other.netmask:\n return 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L875_C12", "label": "return", "type": "return", "loc": [875, 875], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L874_C8", "vector": [13, 3, 0.4351, 0.0005, 3, 0.41, 0.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L878_C8", "label": "return", "type": "return", "loc": [878, 878], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "vector": [13, 2, 0.4366, 0.0005, 2, 0.77, 1.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L880_C4", "label": "_get_networks_key", "type": "function", "loc": [880, 888], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.4396, 0.0045, 1, 0.8, 0.7, 232, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "_get_networks_key", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _get_networks_key(self):\n \"\"\"Network-only key function.\n\n Returns an object that identifies this address' network and\n netmask. This function is a suitable \"key\" argument for sorted()\n and list.sort().\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L881_C8", "label": "expression", "type": "expression", "loc": [881, 887], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L880_C4", "vector": [8, 2, 0.4396, 0.0035, 2, 0.12, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Network-only key function.\n\n Returns an object that identifies this address' network and\n netmask. This function is a suitable \"key\" argument for sorted()\n and list.sort().\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L888_C8", "label": "return", "type": "return", "loc": [888, 888], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L880_C4", "vector": [13, 2, 0.4416, 0.0005, 2, 0.12, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (self._version, self.network_address, self.netmask)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L890_C4", "label": "_ip_int_from_prefix", "type": "function", "loc": [890, 902], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.4455, 0.0065, 1, 0.8, 0.725, 782, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "_ip_int_from_prefix", "arg_names": ["self", "prefixlen"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _ip_int_from_prefix(self, prefixlen=None):\n \"\"\"Turn the prefix length netmask into a int for comparison.\n\n Args:\n prefixlen: An integer, the prefix length.\n\n Returns:\n An integer."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L891_C8", "label": "expression", "type": "expression", "loc": [891, 899], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L890_C4", "vector": [8, 2, 0.4451, 0.0045, 2, 0.27, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Turn the prefix length netmask into a int for comparison.\n\n Args:\n prefixlen: An integer, the prefix length.\n\n Returns:\n An integer.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L900_C8", "label": "if", "type": "if", "loc": [900, 901], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L890_C4", "vector": [4, 2, 0.4478, 0.001, 2, 0.27, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not prefixlen and prefixlen != 0:\n prefixlen = self._prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L901_C12", "label": "prefixlen =", "type": "assigned_variable", "loc": [901, 901], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L900_C8", "vector": [14, 3, 0.448, 0.0005, 3, 0.0, 0.0, 922, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prefixlen = self._prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L902_C8", "label": "return", "type": "return", "loc": [902, 902], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L890_C4", "vector": [13, 2, 0.4485, 0.0005, 2, 0.27, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._ALL_ONES ^ (self._ALL_ONES >> prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L904_C4", "label": "_prefix_from_ip_int", "type": "function", "loc": [904, 921], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.4538, 0.009, 1, 0.8, 0.75, 27, 0, 3, 1, 0, 0, 0, 0], "semantic": {"name": "_prefix_from_ip_int", "arg_names": ["self", "ip_int", "mask"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _prefix_from_ip_int(self, ip_int, mask=32):\n \"\"\"Return prefix length from the decimal netmask.\n\n Args:\n ip_int: An integer, the IP address.\n mask: The netmask. Defaults to 32.\n\n Returns:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L905_C8", "label": "expression", "type": "expression", "loc": [905, 914], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L904_C4", "vector": [8, 2, 0.4523, 0.005, 2, 0.95, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return prefix length from the decimal netmask.\n\n Args:\n ip_int: An integer, the IP address.\n mask: The netmask. Defaults to 32.\n\n Returns:\n An integer, the prefix length."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:While_L915_C8", "label": "while", "type": "while", "loc": [915, 919], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L904_C4", "vector": [5, 2, 0.456, 0.0025, 2, 0.95, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while mask:\n if ip_int & 1 == 1:\n break\n ip_int >>= 1\n mask -= 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L916_C12", "label": "if", "type": "if", "loc": [916, 917], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L915_C8", "vector": [4, 3, 0.4557, 0.001, 3, 0.79, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ip_int & 1 == 1:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L921_C8", "label": "return", "type": "return", "loc": [921, 921], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L904_C4", "vector": [13, 2, 0.458, 0.0005, 2, 0.95, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return mask"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L923_C4", "label": "_ip_string_from_prefix", "type": "function", "loc": [923, 935], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.462, 0.0065, 1, 0.8, 0.775, 213, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "_ip_string_from_prefix", "arg_names": ["self", "prefixlen"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _ip_string_from_prefix(self, prefixlen=None):\n \"\"\"Turn a prefix length into a dotted decimal string.\n\n Args:\n prefixlen: An integer, the netmask prefix length.\n\n Returns:\n A string, the dotted decimal netmask string."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L924_C8", "label": "expression", "type": "expression", "loc": [924, 932], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L923_C4", "vector": [8, 2, 0.4615, 0.0045, 2, 0.05, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Turn a prefix length into a dotted decimal string.\n\n Args:\n prefixlen: An integer, the netmask prefix length.\n\n Returns:\n A string, the dotted decimal netmask string.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L933_C8", "label": "if", "type": "if", "loc": [933, 934], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L923_C4", "vector": [4, 2, 0.4642, 0.001, 2, 0.05, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not prefixlen:\n prefixlen = self._prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L934_C12", "label": "prefixlen =", "type": "assigned_variable", "loc": [934, 934], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L933_C8", "vector": [14, 3, 0.4644, 0.0005, 3, 0.67, 0.0, 922, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prefixlen = self._prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L935_C8", "label": "return", "type": "return", "loc": [935, 935], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L923_C4", "vector": [13, 2, 0.4649, 0.0005, 2, 0.05, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._string_from_ip_int(self._ip_int_from_prefix(prefixlen))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "label": "iter_subnets", "type": "function", "loc": [937, 997], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.4809, 0.0303, 1, 0.8, 0.8, 570, 0, 3, 0, 0, 0, 0, 15], "semantic": {"name": "iter_subnets", "arg_names": ["self", "prefixlen_diff", "new_prefix"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def iter_subnets(self, prefixlen_diff=1, new_prefix=None):\n \"\"\"The subnets which join to make the current subnet.\n\n In the case that self contains only one IP\n (self._prefixlen == 32 for IPv4 or self._prefixlen == 128\n for IPv6), return a list with just ourself.\n\n Args:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L938_C8", "label": "expression", "type": "expression", "loc": [938, 962], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "vector": [8, 2, 0.4724, 0.0124, 2, 0.84, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"The subnets which join to make the current subnet.\n\n In the case that self contains only one IP\n (self._prefixlen == 32 for IPv4 or self._prefixlen == 128\n for IPv6), return a list with just ourself.\n\n Args:\n prefixlen_diff: An integer, the amount the prefix length"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L963_C8", "label": "if", "type": "if", "loc": [963, 965], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "vector": [4, 2, 0.4794, 0.0015, 2, 0.84, 0.1111, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._prefixlen == self._max_prefixlen:\n yield self\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L964_C12", "label": "expression", "type": "expression", "loc": [964, 964], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L963_C8", "vector": [8, 3, 0.4794, 0.0005, 3, 0.08, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L965_C12", "label": "return", "type": "return", "loc": [965, 965], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L963_C8", "vector": [13, 3, 0.4799, 0.0005, 3, 0.08, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L967_C8", "label": "if", "type": "if", "loc": [967, 972], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "vector": [4, 2, 0.4821, 0.003, 2, 0.84, 0.2222, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if new_prefix is not None:\n if new_prefix < self._prefixlen:\n raise ValueError('new prefix must be longer')\n if prefixlen_diff != 1:\n raise ValueError('cannot set prefixlen_diff and new_prefix')\n prefixlen_diff = new_prefix - self._prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L968_C12", "label": "if", "type": "if", "loc": [968, 969], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L967_C8", "vector": [4, 3, 0.4816, 0.001, 3, 0.17, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if new_prefix < self._prefixlen:\n raise ValueError('new prefix must be longer')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L970_C12", "label": "if", "type": "if", "loc": [970, 971], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L967_C8", "vector": [4, 3, 0.4826, 0.001, 3, 0.17, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if prefixlen_diff != 1:\n raise ValueError('cannot set prefixlen_diff and new_prefix')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L972_C12", "label": "prefixlen_diff =", "type": "assigned_variable", "loc": [972, 972], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L967_C8", "vector": [14, 3, 0.4833, 0.0005, 3, 0.17, 1.0, 324, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prefixlen_diff", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prefixlen_diff = new_prefix - self._prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L974_C8", "label": "if", "type": "if", "loc": [974, 975], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "vector": [4, 2, 0.4846, 0.001, 2, 0.84, 0.3333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if prefixlen_diff < 0:\n raise ValueError('prefix length diff must be > 0')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L976_C8", "label": "new_prefixlen =", "type": "assigned_variable", "loc": [976, 976], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "vector": [14, 2, 0.4853, 0.0005, 2, 0.84, 0.4444, 433, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "new_prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " new_prefixlen = self._prefixlen + prefixlen_diff"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L978_C8", "label": "if", "type": "if", "loc": [978, 981], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "vector": [4, 2, 0.4871, 0.002, 2, 0.84, 0.5556, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self._is_valid_netmask(str(new_prefixlen)):\n raise ValueError(\n 'prefix length diff %d is invalid for netblock %s' % (\n new_prefixlen, str(self)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L983_C8", "label": "first = ip_network()", "type": "assigned_variable", "loc": [983, 985], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "vector": [14, 2, 0.4893, 0.0015, 2, 0.84, 0.6667, 199, 3, 2, 0, 0, 527, 10, 3], "semantic": {"name": "first", "arg_names": [], "import_names": [], "rhs_call_name": "ip_network", "annotation": ""}, "snippet": " first = ip_network('%s/%s' % (str(self.network_address),\n str(self._prefixlen + prefixlen_diff)),\n version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L987_C8", "label": "expression", "type": "expression", "loc": [987, 987], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "vector": [8, 2, 0.4908, 0.0005, 2, 0.84, 0.7778, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield first"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L988_C8", "label": "current =", "type": "assigned_variable", "loc": [988, 988], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "vector": [14, 2, 0.4913, 0.0005, 2, 0.84, 0.8889, 32, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "current", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " current = first"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:While_L989_C8", "label": "while", "type": "while", "loc": [989, 997], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "vector": [5, 2, 0.4938, 0.0045, 2, 0.84, 1.0, 0, 1, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while True:\n broadcast = current.broadcast_address\n if broadcast == self.broadcast_address:\n return\n new_addr = ip_address(int(broadcast) + 1, version=self._version)\n current = ip_network('%s/%s' % (str(new_addr), str(new_prefixlen)),\n version=self._version)\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L990_C12", "label": "broadcast =", "type": "assigned_variable", "loc": [990, 990], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L989_C8", "vector": [14, 3, 0.4923, 0.0005, 3, 0.42, 0.0, 803, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "broadcast", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " broadcast = current.broadcast_address"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L991_C12", "label": "if", "type": "if", "loc": [991, 992], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L989_C8", "vector": [4, 3, 0.493, 0.001, 3, 0.42, 0.25, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if broadcast == self.broadcast_address:\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L992_C16", "label": "return", "type": "return", "loc": [992, 992], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L991_C12", "vector": [13, 4, 0.4933, 0.0005, 4, 0.44, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L993_C12", "label": "new_addr = ip_address()", "type": "assigned_variable", "loc": [993, 993], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L989_C8", "vector": [14, 3, 0.4938, 0.0005, 3, 0.42, 0.5, 367, 3, 2, 0, 0, 30, 10, 2], "semantic": {"name": "new_addr", "arg_names": [], "import_names": [], "rhs_call_name": "ip_address", "annotation": ""}, "snippet": " new_addr = ip_address(int(broadcast) + 1, version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L994_C12", "label": "current = ip_network()", "type": "assigned_variable", "loc": [994, 995], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L989_C8", "vector": [14, 3, 0.4945, 0.001, 3, 0.42, 0.75, 32, 3, 2, 0, 0, 527, 10, 3], "semantic": {"name": "current", "arg_names": [], "import_names": [], "rhs_call_name": "ip_network", "annotation": ""}, "snippet": " current = ip_network('%s/%s' % (str(new_addr), str(new_prefixlen)),\n version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L997_C12", "label": "expression", "type": "expression", "loc": [997, 997], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:While_L989_C8", "vector": [8, 3, 0.4958, 0.0005, 3, 0.42, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield current"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L999_C4", "label": "masked", "type": "function", "loc": [999, 1002], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.4975, 0.002, 1, 0.8, 0.825, 868, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "masked", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def masked(self):\n \"\"\"Return the network object with the host bits masked out.\"\"\"\n return ip_network('%s/%d' % (self.network_address, self._prefixlen),\n version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1000_C8", "label": "expression", "type": "expression", "loc": [1000, 1000], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L999_C4", "vector": [8, 2, 0.4973, 0.0005, 2, 0.15, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return the network object with the host bits masked out.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1001_C8", "label": "return", "type": "return", "loc": [1001, 1002], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L999_C4", "vector": [13, 2, 0.498, 0.001, 2, 0.15, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ip_network('%s/%d' % (self.network_address, self._prefixlen),\n version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1004_C4", "label": "subnet", "type": "function", "loc": [1004, 1006], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.4998, 0.0015, 1, 0.8, 0.85, 581, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "subnet", "arg_names": ["self", "prefixlen_diff", "new_prefix"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def subnet(self, prefixlen_diff=1, new_prefix=None):\n \"\"\"Return a list of subnets, rather than an iterator.\"\"\"\n return list(self.iter_subnets(prefixlen_diff, new_prefix))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1005_C8", "label": "expression", "type": "expression", "loc": [1005, 1005], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1004_C4", "vector": [8, 2, 0.4998, 0.0005, 2, 0.17, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return a list of subnets, rather than an iterator.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1006_C8", "label": "return", "type": "return", "loc": [1006, 1006], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1004_C4", "vector": [13, 2, 0.5002, 0.0005, 2, 0.17, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return list(self.iter_subnets(prefixlen_diff, new_prefix))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "label": "supernet", "type": "function", "loc": [1008, 1049], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [2, 1, 0.5114, 0.0209, 1, 0.8, 0.875, 345, 0, 3, 1, 0, 0, 0, 7], "semantic": {"name": "supernet", "arg_names": ["self", "prefixlen_diff", "new_prefix"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def supernet(self, prefixlen_diff=1, new_prefix=None):\n \"\"\"The supernet containing the current network.\n\n Args:\n prefixlen_diff: An integer, the amount the prefix length of\n the network should be decreased by. For example, given a\n /24 network and a prefixlen_diff of 3, a supernet with a\n /21 netmask is returned."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1009_C8", "label": "expression", "type": "expression", "loc": [1009, 1028], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "vector": [8, 2, 0.5065, 0.0099, 2, 0.8, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"The supernet containing the current network.\n\n Args:\n prefixlen_diff: An integer, the amount the prefix length of\n the network should be decreased by. For example, given a\n /24 network and a prefixlen_diff of 3, a supernet with a\n /21 netmask is returned.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1029_C8", "label": "if", "type": "if", "loc": [1029, 1030], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "vector": [4, 2, 0.5119, 0.001, 2, 0.8, 0.2, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._prefixlen == 0:\n return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1030_C12", "label": "return", "type": "return", "loc": [1030, 1030], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1029_C8", "vector": [13, 3, 0.5122, 0.0005, 3, 0.2, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1032_C8", "label": "if", "type": "if", "loc": [1032, 1037], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "vector": [4, 2, 0.5144, 0.003, 2, 0.8, 0.4, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if new_prefix is not None:\n if new_prefix > self._prefixlen:\n raise ValueError('new prefix must be shorter')\n if prefixlen_diff != 1:\n raise ValueError('cannot set prefixlen_diff and new_prefix')\n prefixlen_diff = self._prefixlen - new_prefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1033_C12", "label": "if", "type": "if", "loc": [1033, 1034], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1032_C8", "vector": [4, 3, 0.5139, 0.001, 3, 0.18, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if new_prefix > self._prefixlen:\n raise ValueError('new prefix must be shorter')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1035_C12", "label": "if", "type": "if", "loc": [1035, 1036], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1032_C8", "vector": [4, 3, 0.5149, 0.001, 3, 0.18, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if prefixlen_diff != 1:\n raise ValueError('cannot set prefixlen_diff and new_prefix')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1037_C12", "label": "prefixlen_diff =", "type": "assigned_variable", "loc": [1037, 1037], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1032_C8", "vector": [14, 3, 0.5157, 0.0005, 3, 0.18, 1.0, 324, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prefixlen_diff", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prefixlen_diff = self._prefixlen - new_prefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1040_C8", "label": "if", "type": "if", "loc": [1040, 1043], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "vector": [4, 2, 0.5179, 0.002, 2, 0.8, 0.6, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.prefixlen - prefixlen_diff < 0:\n raise ValueError(\n 'current prefixlen is %d, cannot have a prefixlen_diff of %d' %\n (self.prefixlen, prefixlen_diff))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1045_C8", "label": "t = ip_interface()", "type": "assigned_variable", "loc": [1045, 1047], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "vector": [14, 2, 0.5201, 0.0015, 2, 0.8, 0.8, 15, 3, 2, 0, 0, 673, 10, 2], "semantic": {"name": "t", "arg_names": [], "import_names": [], "rhs_call_name": "ip_interface", "annotation": ""}, "snippet": " t = ip_interface('%s/%d' % (str(self.network_address),\n self.prefixlen - prefixlen_diff),\n version=self._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1048_C8", "label": "return", "type": "return", "loc": [1048, 1049], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "vector": [13, 2, 0.5214, 0.001, 2, 0.8, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ip_network('%s/%d' % (str(t.network_address), t.prefixlen),\n version=t._version)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1052_C4", "label": "Subnet =", "type": "assigned_variable", "loc": [1052, 1052], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [14, 1, 0.5231, 0.0005, 1, 0.8, 0.9, 842, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "Subnet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Subnet = subnet"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1053_C4", "label": "Supernet =", "type": "assigned_variable", "loc": [1053, 1053], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [14, 1, 0.5236, 0.0005, 1, 0.8, 0.925, 416, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "Supernet", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Supernet = supernet"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1054_C4", "label": "AddressExclude =", "type": "assigned_variable", "loc": [1054, 1054], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [14, 1, 0.5241, 0.0005, 1, 0.8, 0.95, 874, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "AddressExclude", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " AddressExclude = address_exclude"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1055_C4", "label": "CompareNetworks =", "type": "assigned_variable", "loc": [1055, 1055], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [14, 1, 0.5246, 0.0005, 1, 0.8, 0.975, 179, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "CompareNetworks", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " CompareNetworks = compare_networks"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1056_C4", "label": "Contains =", "type": "assigned_variable", "loc": [1056, 1056], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "vector": [14, 1, 0.5251, 0.0005, 1, 0.8, 1.0, 332, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "Contains", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " Contains = __contains__"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "label": "_BaseV4", "type": "class", "loc": [1059, 1219], "level": 0, "parent": null, "vector": [3, 0, 0.5664, 0.0801, 0, 0.66, 0.7742, 736, 0, 14, 0, 0, 186, 0, 23], "semantic": {"name": "_BaseV4", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class _BaseV4(object):\n\n \"\"\"Base IPv4 object.\n\n The following methods are used by IPv4 objects in both single IP\n addresses and networks.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1061_C4", "label": "expression", "type": "expression", "loc": [1061, 1066], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [8, 1, 0.5288, 0.003, 1, 0.93, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Base IPv4 object.\n\n The following methods are used by IPv4 objects in both single IP\n addresses and networks.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1069_C4", "label": "_ALL_ONES =", "type": "assigned_variable", "loc": [1069, 1069], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [14, 1, 0.5316, 0.0005, 1, 0.93, 0.0625, 218, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "_ALL_ONES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _ALL_ONES = (2**IPV4LENGTH) - 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1070_C4", "label": "_DECIMAL_DIGITS = frozenset()", "type": "assigned_variable", "loc": [1070, 1070], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [14, 1, 0.5321, 0.0005, 1, 0.93, 0.125, 475, 3, 1, 0, 0, 80, 10, 1], "semantic": {"name": "_DECIMAL_DIGITS", "arg_names": [], "import_names": [], "rhs_call_name": "frozenset", "annotation": ""}, "snippet": " _DECIMAL_DIGITS = frozenset('0123456789')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1072_C4", "label": "__init__", "type": "function", "loc": [1072, 1074], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.5336, 0.0015, 1, 0.93, 0.1875, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "address"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, address):\n self._version = 4\n self._max_prefixlen = IPV4LENGTH"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1073_C8", "label": "self._version =", "type": "assigned_variable", "loc": [1073, 1073], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1072_C4", "vector": [14, 2, 0.5336, 0.0005, 2, 0.13, 0.0, 711, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self._version", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._version = 4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1074_C8", "label": "self._max_prefixlen =", "type": "assigned_variable", "loc": [1074, 1074], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1072_C4", "vector": [14, 2, 0.5341, 0.0005, 2, 0.13, 1.0, 655, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._max_prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._max_prefixlen = IPV4LENGTH"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1076_C4", "label": "_explode_shorthand_ip_string", "type": "function", "loc": [1076, 1077], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.5353, 0.001, 1, 0.93, 0.25, 423, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "_explode_shorthand_ip_string", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _explode_shorthand_ip_string(self):\n return str(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1077_C8", "label": "return", "type": "return", "loc": [1077, 1077], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1076_C4", "vector": [13, 2, 0.5356, 0.0005, 2, 0.04, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "label": "_ip_int_from_string", "type": "function", "loc": [1079, 1102], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.5423, 0.0119, 1, 0.93, 0.3125, 858, 0, 2, 1, 0, 0, 0, 5], "semantic": {"name": "_ip_int_from_string", "arg_names": ["self", "ip_str"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _ip_int_from_string(self, ip_str):\n \"\"\"Turn the given IP string into an integer for comparison.\n\n Args:\n ip_str: A string, the IP ip_str.\n\n Returns:\n The IP ip_str as an integer."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1080_C8", "label": "expression", "type": "expression", "loc": [1080, 1091], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "vector": [8, 2, 0.5398, 0.006, 2, 0.53, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Turn the given IP string into an integer for comparison.\n\n Args:\n ip_str: A string, the IP ip_str.\n\n Returns:\n The IP ip_str as an integer.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1092_C8", "label": "octets = split()", "type": "assigned_variable", "loc": [1092, 1092], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "vector": [14, 2, 0.543, 0.0005, 2, 0.53, 0.2, 324, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "octets", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " octets = ip_str.split('.')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1093_C8", "label": "if", "type": "if", "loc": [1093, 1094], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "vector": [4, 2, 0.5438, 0.001, 2, 0.53, 0.4, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(octets) != 4:\n raise AddressValueError(ip_str)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1096_C8", "label": "packed_ip =", "type": "assigned_variable", "loc": [1096, 1096], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "vector": [14, 2, 0.545, 0.0005, 2, 0.53, 0.6, 821, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "packed_ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " packed_ip = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1097_C8", "label": "for oc", "type": "for", "loc": [1097, 1101], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "vector": [6, 2, 0.5465, 0.0025, 2, 0.53, 0.8, 309, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "oc", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for oc in octets:\n try:\n packed_ip = (packed_ip << 8) | self._parse_octet(oc)\n except ValueError:\n raise AddressValueError(ip_str)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1098_C12", "label": "try", "type": "try", "loc": [1098, 1101], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1097_C8", "vector": [7, 3, 0.5467, 0.002, 3, 0.37, 0.0, 0, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n packed_ip = (packed_ip << 8) | self._parse_octet(oc)\n except ValueError:\n raise AddressValueError(ip_str)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1099_C16", "label": "packed_ip =", "type": "assigned_variable", "loc": [1099, 1099], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1098_C12", "vector": [14, 4, 0.5465, 0.0005, 4, 0.52, 0.0, 821, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "packed_ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " packed_ip = (packed_ip << 8) | self._parse_octet(oc)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1102_C8", "label": "return", "type": "return", "loc": [1102, 1102], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "vector": [13, 2, 0.548, 0.0005, 2, 0.53, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return packed_ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1104_C4", "label": "_parse_octet", "type": "function", "loc": [1104, 1125], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.5542, 0.0109, 1, 0.93, 0.375, 231, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "_parse_octet", "arg_names": ["self", "octet_str"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _parse_octet(self, octet_str):\n \"\"\"Convert a decimal octet into an integer.\n\n Args:\n octet_str: A string, the number to parse.\n\n Returns:\n The octet as an integer."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1105_C8", "label": "expression", "type": "expression", "loc": [1105, 1116], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1104_C4", "vector": [8, 2, 0.5522, 0.006, 2, 0.67, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Convert a decimal octet into an integer.\n\n Args:\n octet_str: A string, the number to parse.\n\n Returns:\n The octet as an integer.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1118_C8", "label": "if", "type": "if", "loc": [1118, 1119], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1104_C4", "vector": [4, 2, 0.5562, 0.001, 2, 0.67, 0.25, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self._DECIMAL_DIGITS.issuperset(octet_str):\n raise ValueError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1120_C8", "label": "octet_int = int()", "type": "assigned_variable", "loc": [1120, 1120], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1104_C4", "vector": [14, 2, 0.5569, 0.0005, 2, 0.67, 0.5, 610, 3, 2, 0, 0, 901, 10, 1], "semantic": {"name": "octet_int", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " octet_int = int(octet_str, 10)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1123_C8", "label": "if", "type": "if", "loc": [1123, 1124], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1104_C4", "vector": [4, 2, 0.5587, 0.001, 2, 0.67, 0.75, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if octet_int > 255 or (octet_str[0] == '0' and len(octet_str) > 1):\n raise ValueError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1125_C8", "label": "return", "type": "return", "loc": [1125, 1125], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1104_C4", "vector": [13, 2, 0.5594, 0.0005, 2, 0.67, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return octet_int"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1127_C4", "label": "_string_from_ip_int", "type": "function", "loc": [1127, 1141], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.5639, 0.0075, 1, 0.93, 0.4375, 904, 0, 2, 1, 0, 0, 0, 4], "semantic": {"name": "_string_from_ip_int", "arg_names": ["self", "ip_int"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _string_from_ip_int(self, ip_int):\n \"\"\"Turns a 32-bit integer into dotted decimal notation.\n\n Args:\n ip_int: An integer, the IP address.\n\n Returns:\n The IP address as a string in dotted decimal notation."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1128_C8", "label": "expression", "type": "expression", "loc": [1128, 1136], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1127_C4", "vector": [8, 2, 0.5629, 0.0045, 2, 0.9, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Turns a 32-bit integer into dotted decimal notation.\n\n Args:\n ip_int: An integer, the IP address.\n\n Returns:\n The IP address as a string in dotted decimal notation.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1137_C8", "label": "octets =", "type": "assigned_variable", "loc": [1137, 1137], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1127_C4", "vector": [14, 2, 0.5654, 0.0005, 2, 0.9, 0.3333, 324, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "octets", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " octets = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1138_C8", "label": "for _", "type": "for", "loc": [1138, 1140], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1127_C4", "vector": [6, 2, 0.5664, 0.0015, 2, 0.9, 0.6667, 660, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "_", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for _ in xrange(4):\n octets.insert(0, str(ip_int & 0xFF))\n ip_int >>= 8"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1139_C12", "label": "insert()", "type": "expression", "loc": [1139, 1139], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1138_C8", "vector": [8, 3, 0.5664, 0.0005, 3, 0.29, 0.0, 368, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "insert", "arg_names": [], "import_names": [], "rhs_call_name": "insert", "annotation": ""}, "snippet": " octets.insert(0, str(ip_int & 0xFF))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1141_C8", "label": "return", "type": "return", "loc": [1141, 1141], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1127_C4", "vector": [13, 2, 0.5674, 0.0005, 2, 0.9, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '.'.join(octets)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1144_C4", "label": "max_prefixlen", "type": "function", "loc": [1144, 1145], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.5691, 0.001, 1, 0.93, 0.5, 385, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "max_prefixlen", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def max_prefixlen(self):\n return self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1145_C8", "label": "return", "type": "return", "loc": [1145, 1145], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1144_C4", "vector": [13, 2, 0.5694, 0.0005, 2, 0.57, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1148_C4", "label": "packed", "type": "function", "loc": [1148, 1150], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.5714, 0.0015, 1, 0.93, 0.5625, 321, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "packed", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def packed(self):\n \"\"\"The binary representation of this address.\"\"\"\n return v4_int_to_packed(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1149_C8", "label": "expression", "type": "expression", "loc": [1149, 1149], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1148_C4", "vector": [8, 2, 0.5714, 0.0005, 2, 0.59, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"The binary representation of this address.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1150_C8", "label": "return", "type": "return", "loc": [1150, 1150], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1148_C4", "vector": [13, 2, 0.5719, 0.0005, 2, 0.59, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return v4_int_to_packed(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1153_C4", "label": "version", "type": "function", "loc": [1153, 1154], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.5736, 0.001, 1, 0.93, 0.625, 623, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "version", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def version(self):\n return self._version"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1154_C8", "label": "return", "type": "return", "loc": [1154, 1154], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1153_C4", "vector": [13, 2, 0.5738, 0.0005, 2, 0.97, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._version"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1157_C4", "label": "is_reserved", "type": "function", "loc": [1157, 1165], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.5773, 0.0045, 1, 0.93, 0.6875, 988, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "is_reserved", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_reserved(self):\n \"\"\"Test if the address is otherwise IETF reserved.\n\n Returns:\n A boolean, True if the address is within the\n reserved IPv4 Network range.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1158_C7", "label": "expression", "type": "expression", "loc": [1158, 1164], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1157_C4", "vector": [8, 2, 0.5773, 0.0035, 2, 0.8, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if the address is otherwise IETF reserved.\n\n Returns:\n A boolean, True if the address is within the\n reserved IPv4 Network range.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1165_C7", "label": "return", "type": "return", "loc": [1165, 1165], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1157_C4", "vector": [13, 2, 0.5793, 0.0005, 2, 0.8, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self in IPv4Network('240.0.0.0/4')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1168_C4", "label": "is_private", "type": "function", "loc": [1168, 1177], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.583, 0.005, 1, 0.93, 0.75, 903, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "is_private", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_private(self):\n \"\"\"Test if this address is allocated for private networks.\n\n Returns:\n A boolean, True if the address is reserved per RFC 1918.\n\n \"\"\"\n return (self in IPv4Network('10.0.0.0/8') or"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1169_C8", "label": "expression", "type": "expression", "loc": [1169, 1174], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1168_C4", "vector": [8, 2, 0.5825, 0.003, 2, 0.72, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if this address is allocated for private networks.\n\n Returns:\n A boolean, True if the address is reserved per RFC 1918.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1175_C8", "label": "return", "type": "return", "loc": [1175, 1177], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1168_C4", "vector": [13, 2, 0.5848, 0.0015, 2, 0.72, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (self in IPv4Network('10.0.0.0/8') or\n self in IPv4Network('172.16.0.0/12') or\n self in IPv4Network('192.168.0.0/16'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1180_C4", "label": "is_multicast", "type": "function", "loc": [1180, 1188], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.5888, 0.0045, 1, 0.93, 0.8125, 382, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "is_multicast", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_multicast(self):\n \"\"\"Test if the address is reserved for multicast use.\n\n Returns:\n A boolean, True if the address is multicast.\n See RFC 3171 for details.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1181_C8", "label": "expression", "type": "expression", "loc": [1181, 1187], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1180_C4", "vector": [8, 2, 0.5888, 0.0035, 2, 0.12, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if the address is reserved for multicast use.\n\n Returns:\n A boolean, True if the address is multicast.\n See RFC 3171 for details.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1188_C8", "label": "return", "type": "return", "loc": [1188, 1188], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1180_C4", "vector": [13, 2, 0.5908, 0.0005, 2, 0.12, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self in IPv4Network('224.0.0.0/4')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1191_C4", "label": "is_unspecified", "type": "function", "loc": [1191, 1199], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.5942, 0.0045, 1, 0.93, 0.875, 435, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "is_unspecified", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_unspecified(self):\n \"\"\"Test if the address is unspecified.\n\n Returns:\n A boolean, True if this is the unspecified address as defined in\n RFC 5735 3.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1192_C8", "label": "expression", "type": "expression", "loc": [1192, 1198], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1191_C4", "vector": [8, 2, 0.5942, 0.0035, 2, 0.13, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if the address is unspecified.\n\n Returns:\n A boolean, True if this is the unspecified address as defined in\n RFC 5735 3.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1199_C8", "label": "return", "type": "return", "loc": [1199, 1199], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1191_C4", "vector": [13, 2, 0.5962, 0.0005, 2, 0.13, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self in IPv4Network('0.0.0.0')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1202_C4", "label": "is_loopback", "type": "function", "loc": [1202, 1209], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.5995, 0.004, 1, 0.93, 0.9375, 506, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "is_loopback", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_loopback(self):\n \"\"\"Test if the address is a loopback address.\n\n Returns:\n A boolean, True if the address is a loopback per RFC 3330.\n\n \"\"\"\n return self in IPv4Network('127.0.0.0/8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1203_C8", "label": "expression", "type": "expression", "loc": [1203, 1208], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1202_C4", "vector": [8, 2, 0.5995, 0.003, 2, 0.63, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if the address is a loopback address.\n\n Returns:\n A boolean, True if the address is a loopback per RFC 3330.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1209_C8", "label": "return", "type": "return", "loc": [1209, 1209], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1202_C4", "vector": [13, 2, 0.6012, 0.0005, 2, 0.63, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self in IPv4Network('127.0.0.0/8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1212_C4", "label": "is_link_local", "type": "function", "loc": [1212, 1219], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "vector": [2, 1, 0.6044, 0.004, 1, 0.93, 1.0, 649, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "is_link_local", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_link_local(self):\n \"\"\"Test if the address is reserved for link-local.\n\n Returns:\n A boolean, True if the address is link-local per RFC 3927.\n\n \"\"\"\n return self in IPv4Network('169.254.0.0/16')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1213_C8", "label": "expression", "type": "expression", "loc": [1213, 1218], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1212_C4", "vector": [8, 2, 0.6044, 0.003, 2, 0.46, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if the address is reserved for link-local.\n\n Returns:\n A boolean, True if the address is link-local per RFC 3927.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1219_C8", "label": "return", "type": "return", "loc": [1219, 1219], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1212_C4", "vector": [13, 2, 0.6062, 0.0005, 2, 0.46, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self in IPv4Network('169.254.0.0/16')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1222_C0", "label": "IPv4Address", "type": "class", "loc": [1222, 1262], "level": 0, "parent": null, "vector": [3, 0, 0.6176, 0.0204, 0, 0.66, 0.8065, 960, 0, 1, 0, 0, 736, 0, 9], "semantic": {"name": "IPv4Address", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class IPv4Address(_BaseV4, _BaseAddress):\n\n \"\"\"Represent and manipulate single IPv4 Addresses.\"\"\"\n\n def __init__(self, address):\n\n \"\"\"\n Args:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1224_C4", "label": "expression", "type": "expression", "loc": [1224, 1224], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1222_C0", "vector": [8, 1, 0.6087, 0.0005, 1, 0.93, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Represent and manipulate single IPv4 Addresses.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "label": "__init__", "type": "function", "loc": [1226, 1262], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1222_C0", "vector": [2, 1, 0.6186, 0.0184, 1, 0.93, 1.0, 555, 0, 2, 0, 0, 0, 0, 9], "semantic": {"name": "__init__", "arg_names": ["self", "address"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, address):\n\n \"\"\"\n Args:\n address: A string or integer representing the IP\n '192.168.1.1'\n\n Additionally, an integer can be passed, so"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1228_C8", "label": "expression", "type": "expression", "loc": [1228, 1242], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "vector": [8, 2, 0.6141, 0.0075, 2, 0.01, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Args:\n address: A string or integer representing the IP\n '192.168.1.1'\n\n Additionally, an integer can be passed, so\n IPv4Address('192.168.1.1') == IPv4Address(3232235777).\n or, more generally"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1243_C8", "label": "__init__()", "type": "expression", "loc": [1243, 1243], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "vector": [8, 2, 0.6181, 0.0005, 2, 0.01, 0.1667, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " _BaseAddress.__init__(self, address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1244_C8", "label": "__init__()", "type": "expression", "loc": [1244, 1244], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "vector": [8, 2, 0.6186, 0.0005, 2, 0.01, 0.3333, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " _BaseV4.__init__(self, address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1247_C8", "label": "if", "type": "if", "loc": [1247, 1251], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "vector": [4, 2, 0.6211, 0.0025, 2, 0.01, 0.5, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(address, (int, long)):\n self._ip = address\n if address < 0 or address > self._ALL_ONES:\n raise AddressValueError(address)\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1248_C12", "label": "self._ip =", "type": "assigned_variable", "loc": [1248, 1248], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1247_C8", "vector": [14, 3, 0.6206, 0.0005, 3, 0.92, 0.0, 991, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._ip = address"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1249_C12", "label": "if", "type": "if", "loc": [1249, 1250], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1247_C8", "vector": [4, 3, 0.6213, 0.001, 3, 0.92, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if address < 0 or address > self._ALL_ONES:\n raise AddressValueError(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1251_C12", "label": "return", "type": "return", "loc": [1251, 1251], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1247_C8", "vector": [13, 3, 0.6221, 0.0005, 3, 0.92, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1254_C8", "label": "if", "type": "if", "loc": [1254, 1257], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "vector": [4, 2, 0.6243, 0.002, 2, 0.01, 0.6667, 0, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if _compat_has_real_bytes:\n if isinstance(address, bytes) and len(address) == 4:\n self._ip = struct.unpack('!I', address)[0]\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1255_C12", "label": "if", "type": "if", "loc": [1255, 1257], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1254_C8", "vector": [4, 3, 0.6246, 0.0015, 3, 0.29, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(address, bytes) and len(address) == 4:\n self._ip = struct.unpack('!I', address)[0]\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1256_C16", "label": "self._ip =", "type": "assigned_variable", "loc": [1256, 1256], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1255_C12", "vector": [14, 4, 0.6246, 0.0005, 4, 0.85, 0.0, 991, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self._ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._ip = struct.unpack('!I', address)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1257_C16", "label": "return", "type": "return", "loc": [1257, 1257], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1255_C12", "vector": [13, 4, 0.6251, 0.0005, 4, 0.85, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1261_C8", "label": "addr_str = str()", "type": "assigned_variable", "loc": [1261, 1261], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "vector": [14, 2, 0.6271, 0.0005, 2, 0.01, 0.8333, 777, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "addr_str", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " addr_str = str(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1262_C8", "label": "self._ip = _ip_int_from_string()", "type": "assigned_variable", "loc": [1262, 1262], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "vector": [14, 2, 0.6275, 0.0005, 2, 0.01, 1.0, 991, 3, 1, 0, 0, 858, 10, 1], "semantic": {"name": "self._ip", "arg_names": [], "import_names": [], "rhs_call_name": "_ip_int_from_string", "annotation": ""}, "snippet": " self._ip = self._ip_int_from_string(addr_str)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "label": "IPv4Interface", "type": "class", "loc": [1265, 1431], "level": 0, "parent": null, "vector": [3, 0, 0.6703, 0.083, 0, 0.66, 0.8387, 570, 0, 3, 0, 0, 736, 0, 47], "semantic": {"name": "IPv4Interface", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class IPv4Interface(_BaseV4, _BaseInterface):\n\n \"\"\"This class represents and manipulates 32-bit IPv4 network + addresses..\n\n Attributes: [examples for IPv4Interface('1.2.3.4/27')]\n ._ip: 16909060\n .ip: IPv4Address('1.2.3.4')\n .network_address: IPv4Address('1.2.3.0')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1267_C4", "label": "expression", "type": "expression", "loc": [1267, 1278], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "vector": [8, 1, 0.6328, 0.006, 1, 0.55, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"This class represents and manipulates 32-bit IPv4 network + addresses..\n\n Attributes: [examples for IPv4Interface('1.2.3.4/27')]\n ._ip: 16909060\n .ip: IPv4Address('1.2.3.4')\n .network_address: IPv4Address('1.2.3.0')\n .hostmask: IPv4Address('0.0.0.31')\n .broadcast_address: IPv4Address('1.2.3.31')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1281_C4", "label": "_valid_mask_octets = set()", "type": "assigned_variable", "loc": [1281, 1281], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "vector": [14, 1, 0.637, 0.0005, 1, 0.55, 0.125, 629, 3, 1, 0, 0, 21, 10, 1], "semantic": {"name": "_valid_mask_octets", "arg_names": [], "import_names": [], "rhs_call_name": "set", "annotation": ""}, "snippet": " _valid_mask_octets = set((255, 254, 252, 248, 240, 224, 192, 128, 0))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "label": "__init__", "type": "function", "loc": [1283, 1378], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "vector": [2, 1, 0.6616, 0.0477, 1, 0.55, 0.25, 555, 0, 2, 0, 0, 0, 0, 36], "semantic": {"name": "__init__", "arg_names": ["self", "address"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, address):\n \"\"\"Instantiate a new IPv4 network object.\n\n Args:\n address: A string or integer representing the IP [& network].\n '192.168.1.1/24'\n '192.168.1.1/255.255.255.0'\n '192.168.1.1/0.0.0.255'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1284_C8", "label": "expression", "type": "expression", "loc": [1284, 1318], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "vector": [8, 2, 0.6469, 0.0174, 2, 0.7, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Instantiate a new IPv4 network object.\n\n Args:\n address: A string or integer representing the IP [& network].\n '192.168.1.1/24'\n '192.168.1.1/255.255.255.0'\n '192.168.1.1/0.0.0.255'\n are all functionally the same in IPv4. Similarly,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1319_C8", "label": "__init__()", "type": "expression", "loc": [1319, 1319], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "vector": [8, 2, 0.6559, 0.0005, 2, 0.7, 0.1, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " _BaseInterface.__init__(self, address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1320_C8", "label": "__init__()", "type": "expression", "loc": [1320, 1320], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "vector": [8, 2, 0.6564, 0.0005, 2, 0.7, 0.2, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " _BaseV4.__init__(self, address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "label": "if", "type": "if", "loc": [1323, 1330], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "vector": [4, 2, 0.6596, 0.004, 2, 0.7, 0.3, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(address, (int, long)):\n self._ip = address\n self.ip = IPv4Address(self._ip)\n self._prefixlen = self._max_prefixlen\n self.netmask = IPv4Address(self._ALL_ONES)\n if address < 0 or address > self._ALL_ONES:\n raise AddressValueError(address)\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1324_C12", "label": "self._ip =", "type": "assigned_variable", "loc": [1324, 1324], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "vector": [14, 3, 0.6584, 0.0005, 3, 0.83, 0.0, 991, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._ip = address"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1325_C12", "label": "self.ip = IPv4Address()", "type": "assigned_variable", "loc": [1325, 1325], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "vector": [14, 3, 0.6589, 0.0005, 3, 0.83, 0.2, 225, 3, 1, 0, 0, 960, 10, 1], "semantic": {"name": "self.ip", "arg_names": [], "import_names": [], "rhs_call_name": "IPv4Address", "annotation": ""}, "snippet": " self.ip = IPv4Address(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1326_C12", "label": "self._prefixlen =", "type": "assigned_variable", "loc": [1326, 1326], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "vector": [14, 3, 0.6594, 0.0005, 3, 0.83, 0.4, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._prefixlen = self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1327_C12", "label": "self.netmask = IPv4Address()", "type": "assigned_variable", "loc": [1327, 1327], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "vector": [14, 3, 0.6599, 0.0005, 3, 0.83, 0.6, 317, 3, 1, 0, 0, 960, 10, 1], "semantic": {"name": "self.netmask", "arg_names": [], "import_names": [], "rhs_call_name": "IPv4Address", "annotation": ""}, "snippet": " self.netmask = IPv4Address(self._ALL_ONES)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1328_C12", "label": "if", "type": "if", "loc": [1328, 1329], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "vector": [4, 3, 0.6606, 0.001, 3, 0.83, 0.8, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if address < 0 or address > self._ALL_ONES:\n raise AddressValueError(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1330_C12", "label": "return", "type": "return", "loc": [1330, 1330], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "vector": [13, 3, 0.6614, 0.0005, 3, 0.83, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1333_C8", "label": "if", "type": "if", "loc": [1333, 1339], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "vector": [4, 2, 0.6643, 0.0035, 2, 0.7, 0.4, 0, 2, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if _compat_has_real_bytes:\n if isinstance(address, bytes) and len(address) == 4:\n self._ip = struct.unpack('!I', address)[0]\n self.ip = IPv4Address(self._ip)\n self._prefixlen = self._max_prefixlen\n self.netmask = IPv4Address(self._ALL_ONES)\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1334_C12", "label": "if", "type": "if", "loc": [1334, 1339], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1333_C8", "vector": [4, 3, 0.6646, 0.003, 3, 0.86, 0.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(address, bytes) and len(address) == 4:\n self._ip = struct.unpack('!I', address)[0]\n self.ip = IPv4Address(self._ip)\n self._prefixlen = self._max_prefixlen\n self.netmask = IPv4Address(self._ALL_ONES)\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1335_C16", "label": "self._ip =", "type": "assigned_variable", "loc": [1335, 1335], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1334_C12", "vector": [14, 4, 0.6638, 0.0005, 4, 0.75, 0.0, 991, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "self._ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._ip = struct.unpack('!I', address)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1336_C16", "label": "self.ip = IPv4Address()", "type": "assigned_variable", "loc": [1336, 1336], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1334_C12", "vector": [14, 4, 0.6643, 0.0005, 4, 0.75, 0.25, 225, 3, 1, 0, 0, 960, 10, 1], "semantic": {"name": "self.ip", "arg_names": [], "import_names": [], "rhs_call_name": "IPv4Address", "annotation": ""}, "snippet": " self.ip = IPv4Address(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1337_C16", "label": "self._prefixlen =", "type": "assigned_variable", "loc": [1337, 1337], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1334_C12", "vector": [14, 4, 0.6648, 0.0005, 4, 0.75, 0.5, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._prefixlen = self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1338_C16", "label": "self.netmask = IPv4Address()", "type": "assigned_variable", "loc": [1338, 1338], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1334_C12", "vector": [14, 4, 0.6653, 0.0005, 4, 0.75, 0.75, 317, 3, 1, 0, 0, 960, 10, 1], "semantic": {"name": "self.netmask", "arg_names": [], "import_names": [], "rhs_call_name": "IPv4Address", "annotation": ""}, "snippet": " self.netmask = IPv4Address(self._ALL_ONES)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1339_C16", "label": "return", "type": "return", "loc": [1339, 1339], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1334_C12", "vector": [13, 4, 0.6658, 0.0005, 4, 0.75, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1343_C8", "label": "addr = split()", "type": "assigned_variable", "loc": [1343, 1343], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "vector": [14, 2, 0.6678, 0.0005, 2, 0.7, 0.5, 526, 3, 1, 0, 0, 908, 10, 2], "semantic": {"name": "addr", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " addr = str(address).split('/')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1345_C8", "label": "if", "type": "if", "loc": [1345, 1346], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "vector": [4, 2, 0.6691, 0.001, 2, 0.7, 0.6, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(addr) > 2:\n raise AddressValueError(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1348_C8", "label": "self._ip = _ip_int_from_string()", "type": "assigned_variable", "loc": [1348, 1348], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "vector": [14, 2, 0.6703, 0.0005, 2, 0.7, 0.7, 991, 3, 1, 0, 0, 858, 10, 1], "semantic": {"name": "self._ip", "arg_names": [], "import_names": [], "rhs_call_name": "_ip_int_from_string", "annotation": ""}, "snippet": " self._ip = self._ip_int_from_string(addr[0])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1349_C8", "label": "self.ip = IPv4Address()", "type": "assigned_variable", "loc": [1349, 1349], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "vector": [14, 2, 0.6708, 0.0005, 2, 0.7, 0.8, 225, 3, 1, 0, 0, 960, 10, 1], "semantic": {"name": "self.ip", "arg_names": [], "import_names": [], "rhs_call_name": "IPv4Address", "annotation": ""}, "snippet": " self.ip = IPv4Address(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1351_C8", "label": "if", "type": "if", "loc": [1351, 1376], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "vector": [4, 2, 0.678, 0.0129, 2, 0.7, 0.9, 0, 0, 0, 0, 0, 0, 0, 19], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(addr) == 2:\n mask = addr[1].split('.')\n if len(mask) == 4:\n # We have dotted decimal netmask.\n if self._is_valid_netmask(addr[1]):\n self.netmask = IPv4Address(self._ip_int_from_string(\n addr[1]))\n elif self._is_hostmask(addr[1]):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1352_C12", "label": "mask = split()", "type": "assigned_variable", "loc": [1352, 1352], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1351_C8", "vector": [14, 3, 0.6723, 0.0005, 3, 0.12, 0.0, 904, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "mask", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " mask = addr[1].split('.')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1353_C12", "label": "if", "type": "if", "loc": [1353, 1372], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1351_C8", "vector": [4, 3, 0.6775, 0.0099, 3, 0.12, 0.3333, 0, 0, 0, 0, 0, 0, 0, 15], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(mask) == 4:\n # We have dotted decimal netmask.\n if self._is_valid_netmask(addr[1]):\n self.netmask = IPv4Address(self._ip_int_from_string(\n addr[1]))\n elif self._is_hostmask(addr[1]):\n self.netmask = IPv4Address(\n self._ip_int_from_string(addr[1]) ^ self._ALL_ONES)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1355_C16", "label": "if", "type": "if", "loc": [1355, 1363], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1353_C12", "vector": [4, 4, 0.6758, 0.0045, 4, 0.1, 0.0, 0, 3, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._is_valid_netmask(addr[1]):\n self.netmask = IPv4Address(self._ip_int_from_string(\n addr[1]))\n elif self._is_hostmask(addr[1]):\n self.netmask = IPv4Address(\n self._ip_int_from_string(addr[1]) ^ self._ALL_ONES)\n else:\n raise NetmaskValueError('%s is not a valid netmask'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1356_C20", "label": "self.netmask = IPv4Address()", "type": "assigned_variable", "loc": [1356, 1357], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1355_C16", "vector": [14, 5, 0.6745, 0.001, 5, 0.93, 0.0, 317, 3, 1, 0, 0, 960, 10, 2], "semantic": {"name": "self.netmask", "arg_names": [], "import_names": [], "rhs_call_name": "IPv4Address", "annotation": ""}, "snippet": " self.netmask = IPv4Address(self._ip_int_from_string(\n addr[1]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1358_C16", "label": "if", "type": "if", "loc": [1358, 1363], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1355_C16", "vector": [4, 5, 0.6765, 0.003, 5, 0.93, 1.0, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif self._is_hostmask(addr[1]):\n self.netmask = IPv4Address(\n self._ip_int_from_string(addr[1]) ^ self._ALL_ONES)\n else:\n raise NetmaskValueError('%s is not a valid netmask'\n % addr[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1359_C20", "label": "self.netmask = IPv4Address()", "type": "assigned_variable", "loc": [1359, 1360], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1358_C16", "vector": [14, 6, 0.676, 0.001, 6, 0.58, 0.0, 317, 3, 1, 0, 0, 960, 10, 2], "semantic": {"name": "self.netmask", "arg_names": [], "import_names": [], "rhs_call_name": "IPv4Address", "annotation": ""}, "snippet": " self.netmask = IPv4Address(\n self._ip_int_from_string(addr[1]) ^ self._ALL_ONES)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1365_C16", "label": "self._prefixlen = _prefix_from_ip_int()", "type": "assigned_variable", "loc": [1365, 1365], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1353_C12", "vector": [14, 4, 0.6788, 0.0005, 4, 0.1, 0.25, 0, 3, 1, 0, 0, 27, 10, 2], "semantic": {"name": "self._prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "_prefix_from_ip_int", "annotation": ""}, "snippet": " self._prefixlen = self._prefix_from_ip_int(int(self.netmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1368_C16", "label": "if", "type": "if", "loc": [1368, 1369], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1353_C12", "vector": [4, 4, 0.6805, 0.001, 4, 0.1, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self._is_valid_netmask(addr[1]):\n raise NetmaskValueError(addr[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1370_C16", "label": "self._prefixlen = int()", "type": "assigned_variable", "loc": [1370, 1370], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1353_C12", "vector": [14, 4, 0.6813, 0.0005, 4, 0.1, 0.75, 0, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "self._prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " self._prefixlen = int(addr[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1371_C16", "label": "self.netmask = IPv4Address()", "type": "assigned_variable", "loc": [1371, 1372], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1353_C12", "vector": [14, 4, 0.682, 0.001, 4, 0.1, 1.0, 317, 3, 1, 0, 0, 960, 10, 2], "semantic": {"name": "self.netmask", "arg_names": [], "import_names": [], "rhs_call_name": "IPv4Address", "annotation": ""}, "snippet": " self.netmask = IPv4Address(self._ip_int_from_prefix(\n self._prefixlen))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1374_C12", "label": "self._prefixlen =", "type": "assigned_variable", "loc": [1374, 1374], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1351_C8", "vector": [14, 3, 0.6832, 0.0005, 3, 0.12, 0.6667, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._prefixlen = self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1375_C12", "label": "self.netmask = IPv4Address()", "type": "assigned_variable", "loc": [1375, 1376], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1351_C8", "vector": [14, 3, 0.684, 0.001, 3, 0.12, 1.0, 317, 3, 1, 0, 0, 960, 10, 2], "semantic": {"name": "self.netmask", "arg_names": [], "import_names": [], "rhs_call_name": "IPv4Address", "annotation": ""}, "snippet": " self.netmask = IPv4Address(self._ip_int_from_prefix(\n self._prefixlen))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1377_C8", "label": "if", "type": "if", "loc": [1377, 1378], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "vector": [4, 2, 0.685, 0.001, 2, 0.7, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._prefixlen == (self._max_prefixlen - 1):\n self.iterhosts = self.__iter__"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1378_C12", "label": "self.iterhosts =", "type": "assigned_variable", "loc": [1378, 1378], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1377_C8", "vector": [14, 3, 0.6852, 0.0005, 3, 0.85, 0.0, 851, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.iterhosts", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.iterhosts = self.__iter__"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "label": "_is_hostmask", "type": "function", "loc": [1380, 1399], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "vector": [2, 1, 0.6909, 0.0099, 1, 0.55, 0.375, 701, 0, 2, 1, 0, 0, 0, 5], "semantic": {"name": "_is_hostmask", "arg_names": ["self", "ip_str"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _is_hostmask(self, ip_str):\n \"\"\"Test if the IP string is a hostmask (rather than a netmask).\n\n Args:\n ip_str: A string, the potential hostmask.\n\n Returns:\n A boolean, True if the IP string is a hostmask."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1381_C8", "label": "expression", "type": "expression", "loc": [1381, 1389], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "vector": [8, 2, 0.6887, 0.0045, 2, 0.45, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if the IP string is a hostmask (rather than a netmask).\n\n Args:\n ip_str: A string, the potential hostmask.\n\n Returns:\n A boolean, True if the IP string is a hostmask.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1390_C8", "label": "bits = split()", "type": "assigned_variable", "loc": [1390, 1390], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "vector": [14, 2, 0.6912, 0.0005, 2, 0.45, 0.2, 593, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "bits", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " bits = ip_str.split('.')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1391_C8", "label": "try", "type": "try", "loc": [1391, 1394], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "vector": [7, 2, 0.6924, 0.002, 2, 0.45, 0.4, 0, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n parts = [int(x) for x in bits if int(x) in self._valid_mask_octets]\n except ValueError:\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1392_C12", "label": "parts =", "type": "assigned_variable", "loc": [1392, 1392], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1391_C8", "vector": [14, 3, 0.6922, 0.0005, 3, 0.26, 0.0, 13, 5, 0, 0, 0, 0, 0, 2], "semantic": {"name": "parts", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parts = [int(x) for x in bits if int(x) in self._valid_mask_octets]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1394_C12", "label": "return", "type": "return", "loc": [1394, 1394], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1391_C8", "vector": [13, 3, 0.6932, 0.0005, 3, 0.26, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1395_C8", "label": "if", "type": "if", "loc": [1395, 1396], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "vector": [4, 2, 0.6939, 0.001, 2, 0.45, 0.6, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(parts) != len(bits):\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1396_C12", "label": "return", "type": "return", "loc": [1396, 1396], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1395_C8", "vector": [13, 3, 0.6942, 0.0005, 3, 0.21, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1397_C8", "label": "if", "type": "if", "loc": [1397, 1398], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "vector": [4, 2, 0.6949, 0.001, 2, 0.45, 0.8, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if parts[0] < parts[-1]:\n return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1398_C12", "label": "return", "type": "return", "loc": [1398, 1398], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1397_C8", "vector": [13, 3, 0.6952, 0.0005, 3, 0.23, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1399_C8", "label": "return", "type": "return", "loc": [1399, 1399], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "vector": [13, 2, 0.6957, 0.0005, 2, 0.45, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1401_C4", "label": "_is_valid_netmask", "type": "function", "loc": [1401, 1425], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "vector": [2, 1, 0.7026, 0.0124, 1, 0.55, 0.5, 529, 0, 2, 1, 0, 0, 0, 5], "semantic": {"name": "_is_valid_netmask", "arg_names": ["self", "netmask"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _is_valid_netmask(self, netmask):\n \"\"\"Verify that the netmask is valid.\n\n Args:\n netmask: A string, either a prefix or dotted decimal\n netmask.\n\n Returns:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1402_C8", "label": "expression", "type": "expression", "loc": [1402, 1412], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1401_C4", "vector": [8, 2, 0.6997, 0.0055, 2, 0.75, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Verify that the netmask is valid.\n\n Args:\n netmask: A string, either a prefix or dotted decimal\n netmask.\n\n Returns:\n A boolean, True if the prefix represents a valid IPv4"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1413_C8", "label": "mask = split()", "type": "assigned_variable", "loc": [1413, 1413], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1401_C4", "vector": [14, 2, 0.7026, 0.0005, 2, 0.75, 0.25, 904, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "mask", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " mask = netmask.split('.')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1414_C8", "label": "if", "type": "if", "loc": [1414, 1420], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1401_C4", "vector": [4, 2, 0.7046, 0.0035, 2, 0.75, 0.5, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(mask) == 4:\n if [x for x in mask if int(x) not in self._valid_mask_octets]:\n return False\n if [y for idx, y in enumerate(mask) if idx > 0 and\n y > mask[idx - 1]]:\n return False\n return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1415_C12", "label": "if", "type": "if", "loc": [1415, 1416], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1414_C8", "vector": [4, 3, 0.7039, 0.001, 3, 0.28, 0.0, 0, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if [x for x in mask if int(x) not in self._valid_mask_octets]:\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1416_C16", "label": "return", "type": "return", "loc": [1416, 1416], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1415_C12", "vector": [13, 4, 0.7041, 0.0005, 4, 0.01, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1417_C12", "label": "if", "type": "if", "loc": [1417, 1419], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1414_C8", "vector": [4, 3, 0.7051, 0.0015, 3, 0.28, 0.5, 0, 5, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if [y for idx, y in enumerate(mask) if idx > 0 and\n y > mask[idx - 1]]:\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1419_C16", "label": "return", "type": "return", "loc": [1419, 1419], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1417_C12", "vector": [13, 4, 0.7056, 0.0005, 4, 0.48, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1420_C12", "label": "return", "type": "return", "loc": [1420, 1420], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1414_C8", "vector": [13, 3, 0.7061, 0.0005, 3, 0.28, 1.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1421_C8", "label": "try", "type": "try", "loc": [1421, 1424], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1401_C4", "vector": [7, 2, 0.7074, 0.002, 2, 0.75, 0.75, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n netmask = int(netmask)\n except ValueError:\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1422_C12", "label": "netmask = int()", "type": "assigned_variable", "loc": [1422, 1422], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1421_C8", "vector": [14, 3, 0.7071, 0.0005, 3, 0.6, 0.0, 657, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "netmask", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " netmask = int(netmask)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1424_C12", "label": "return", "type": "return", "loc": [1424, 1424], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1421_C8", "vector": [13, 3, 0.7081, 0.0005, 3, 0.6, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1425_C8", "label": "return", "type": "return", "loc": [1425, 1425], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1401_C4", "vector": [13, 2, 0.7086, 0.0005, 2, 0.75, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 0 <= netmask <= self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1428_C4", "label": "IsRFC1918 =", "type": "assigned_variable", "loc": [1428, 1428], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "vector": [14, 1, 0.7101, 0.0005, 1, 0.55, 0.625, 125, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "IsRFC1918", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " IsRFC1918 = lambda self: self.is_private"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1429_C4", "label": "IsMulticast =", "type": "assigned_variable", "loc": [1429, 1429], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "vector": [14, 1, 0.7106, 0.0005, 1, 0.55, 0.75, 480, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "IsMulticast", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " IsMulticast = lambda self: self.is_multicast"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1430_C4", "label": "IsLoopback =", "type": "assigned_variable", "loc": [1430, 1430], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "vector": [14, 1, 0.7111, 0.0005, 1, 0.55, 0.875, 186, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "IsLoopback", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " IsLoopback = lambda self: self.is_loopback"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1431_C4", "label": "IsLinkLocal =", "type": "assigned_variable", "loc": [1431, 1431], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "vector": [14, 1, 0.7116, 0.0005, 1, 0.55, 1.0, 163, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "IsLinkLocal", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " IsLinkLocal = lambda self: self.is_link_local"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1434_C0", "label": "IPv4Network", "type": "class", "loc": [1434, 1456], "level": 0, "parent": null, "vector": [3, 0, 0.7185, 0.0114, 0, 0.66, 0.871, 459, 0, 5, 0, 0, 570, 0, 8], "semantic": {"name": "IPv4Network", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class IPv4Network(IPv4Interface):\n def __init__(self, address):\n IPv4Interface.__init__(self, address)\n if self.ip != self.network_address:\n raise ValueError('%s has host bits set' %\n self.ip)\n del self.__dict__['ip']\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1435_C4", "label": "__init__", "type": "function", "loc": [1435, 1440], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1434_C0", "vector": [2, 1, 0.7148, 0.003, 1, 0.59, 0.0, 555, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "address"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, address):\n IPv4Interface.__init__(self, address)\n if self.ip != self.network_address:\n raise ValueError('%s has host bits set' %\n self.ip)\n del self.__dict__['ip']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1436_C8", "label": "__init__()", "type": "expression", "loc": [1436, 1436], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1435_C4", "vector": [8, 2, 0.7141, 0.0005, 2, 0.03, 0.0, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " IPv4Interface.__init__(self, address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1437_C8", "label": "if", "type": "if", "loc": [1437, 1439], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1435_C4", "vector": [4, 2, 0.7151, 0.0015, 2, 0.03, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.ip != self.network_address:\n raise ValueError('%s has host bits set' %\n self.ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1442_C4", "label": "__str__", "type": "function", "loc": [1442, 1444], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1434_C0", "vector": [2, 1, 0.7176, 0.0015, 1, 0.59, 0.25, 527, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "__str__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __str__(self):\n return '%s/%d' % (str(self.network_address),\n self.prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1443_C8", "label": "return", "type": "return", "loc": [1443, 1444], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1442_C4", "vector": [13, 2, 0.7178, 0.001, 2, 0.95, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%d' % (str(self.network_address),\n self.prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1447_C4", "label": "with_prefixlen", "type": "function", "loc": [1447, 1448], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1434_C0", "vector": [2, 1, 0.7198, 0.001, 1, 0.59, 0.5, 569, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "with_prefixlen", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def with_prefixlen(self):\n return '%s/%d' % (str(self.network_address), self._prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1448_C8", "label": "return", "type": "return", "loc": [1448, 1448], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1447_C4", "vector": [13, 2, 0.72, 0.0005, 2, 0.98, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%d' % (str(self.network_address), self._prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1451_C4", "label": "with_netmask", "type": "function", "loc": [1451, 1452], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1434_C0", "vector": [2, 1, 0.7218, 0.001, 1, 0.59, 0.75, 303, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "with_netmask", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def with_netmask(self):\n return '%s/%s' % (str(self.network_address), str(self.netmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1452_C8", "label": "return", "type": "return", "loc": [1452, 1452], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1451_C4", "vector": [13, 2, 0.722, 0.0005, 2, 0.51, 0.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%s' % (str(self.network_address), str(self.netmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1455_C4", "label": "with_hostmask", "type": "function", "loc": [1455, 1456], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1434_C0", "vector": [2, 1, 0.7238, 0.001, 1, 0.59, 1.0, 74, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "with_hostmask", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def with_hostmask(self):\n return '%s/%s' % (str(self.network_address), str(self.hostmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1456_C8", "label": "return", "type": "return", "loc": [1456, 1456], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1455_C4", "vector": [13, 2, 0.724, 0.0005, 2, 0.27, 0.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%s' % (str(self.network_address), str(self.hostmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "label": "_BaseV6", "type": "class", "loc": [1459, 1821], "level": 0, "parent": null, "vector": [3, 0, 0.8155, 0.1805, 0, 0.66, 0.9032, 85, 0, 19, 0, 0, 186, 0, 75], "semantic": {"name": "_BaseV6", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class _BaseV6(object):\n\n \"\"\"Base IPv6 object.\n\n The following methods are used by IPv6 objects in both single IP\n addresses and networks.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1461_C4", "label": "expression", "type": "expression", "loc": [1461, 1466], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [8, 1, 0.7277, 0.003, 1, 0.05, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Base IPv6 object.\n\n The following methods are used by IPv6 objects in both single IP\n addresses and networks.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1468_C4", "label": "_ALL_ONES =", "type": "assigned_variable", "loc": [1468, 1468], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [14, 1, 0.73, 0.0005, 1, 0.05, 0.0455, 218, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "_ALL_ONES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _ALL_ONES = (2**IPV6LENGTH) - 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1469_C4", "label": "_HEXTET_COUNT =", "type": "assigned_variable", "loc": [1469, 1469], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [14, 1, 0.7305, 0.0005, 1, 0.05, 0.0909, 1, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "_HEXTET_COUNT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " _HEXTET_COUNT = 8"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1470_C4", "label": "_HEX_DIGITS = frozenset()", "type": "assigned_variable", "loc": [1470, 1470], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [14, 1, 0.731, 0.0005, 1, 0.05, 0.1364, 457, 3, 1, 0, 0, 80, 10, 1], "semantic": {"name": "_HEX_DIGITS", "arg_names": [], "import_names": [], "rhs_call_name": "frozenset", "annotation": ""}, "snippet": " _HEX_DIGITS = frozenset('0123456789ABCDEFabcdef')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1472_C4", "label": "__init__", "type": "function", "loc": [1472, 1474], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.7325, 0.0015, 1, 0.05, 0.1818, 555, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self", "address"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, address):\n self._version = 6\n self._max_prefixlen = IPV6LENGTH"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1473_C8", "label": "self._version =", "type": "assigned_variable", "loc": [1473, 1473], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1472_C4", "vector": [14, 2, 0.7325, 0.0005, 2, 0.09, 0.0, 711, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "self._version", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._version = 6"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1474_C8", "label": "self._max_prefixlen =", "type": "assigned_variable", "loc": [1474, 1474], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1472_C4", "vector": [14, 2, 0.733, 0.0005, 2, 0.09, 1.0, 655, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._max_prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._max_prefixlen = IPV6LENGTH"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "label": "_ip_int_from_string", "type": "function", "loc": [1476, 1552], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.7529, 0.0383, 1, 0.05, 0.2273, 858, 0, 2, 1, 0, 0, 0, 24], "semantic": {"name": "_ip_int_from_string", "arg_names": ["self", "ip_str"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _ip_int_from_string(self, ip_str):\n \"\"\"Turn an IPv6 ip_str into an integer.\n\n Args:\n ip_str: A string, the IPv6 ip_str.\n\n Returns:\n A long, the IPv6 ip_str."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1477_C8", "label": "expression", "type": "expression", "loc": [1477, 1488], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "vector": [8, 2, 0.7372, 0.006, 2, 0.11, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Turn an IPv6 ip_str into an integer.\n\n Args:\n ip_str: A string, the IPv6 ip_str.\n\n Returns:\n A long, the IPv6 ip_str.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1489_C8", "label": "parts = split()", "type": "assigned_variable", "loc": [1489, 1489], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "vector": [14, 2, 0.7404, 0.0005, 2, 0.11, 0.1429, 13, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "parts", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " parts = ip_str.split(':')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1492_C8", "label": "if", "type": "if", "loc": [1492, 1493], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "vector": [4, 2, 0.7422, 0.001, 2, 0.11, 0.2857, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(parts) < 3:\n raise AddressValueError(ip_str)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1496_C8", "label": "if", "type": "if", "loc": [1496, 1499], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "vector": [4, 2, 0.7447, 0.002, 2, 0.11, 0.4286, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if '.' in parts[-1]:\n ipv4_int = IPv4Address(parts.pop())._ip\n parts.append('%x' % ((ipv4_int >> 16) & 0xFFFF))\n parts.append('%x' % (ipv4_int & 0xFFFF))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1497_C12", "label": "ipv4_int =", "type": "assigned_variable", "loc": [1497, 1497], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1496_C8", "vector": [14, 3, 0.7444, 0.0005, 3, 0.68, 0.0, 315, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "ipv4_int", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ipv4_int = IPv4Address(parts.pop())._ip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1498_C12", "label": "append()", "type": "expression", "loc": [1498, 1498], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1496_C8", "vector": [8, 3, 0.7449, 0.0005, 3, 0.68, 0.5, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " parts.append('%x' % ((ipv4_int >> 16) & 0xFFFF))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1499_C12", "label": "append()", "type": "expression", "loc": [1499, 1499], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1496_C8", "vector": [8, 3, 0.7454, 0.0005, 3, 0.68, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " parts.append('%x' % (ipv4_int & 0xFFFF))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1502_C8", "label": "if", "type": "if", "loc": [1502, 1503], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "vector": [4, 2, 0.7471, 0.001, 2, 0.11, 0.5714, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(parts) > self._HEXTET_COUNT + 1:\n raise AddressValueError(ip_str)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1507_C8", "label": "try", "type": "try", "loc": [1507, 1513], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "vector": [7, 2, 0.7509, 0.0035, 2, 0.11, 0.7143, 0, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n skip_index, = (\n [i for i in xrange(1, len(parts) - 1) if not parts[i]] or\n [None])\n except ValueError:\n # Can't have more than one '::'\n raise AddressValueError(ip_str)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1508_C12", "label": "skip_index =", "type": "assigned_variable", "loc": [1508, 1510], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1507_C8", "vector": [14, 3, 0.7504, 0.0015, 3, 0.99, 0.0, 562, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "skip_index", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " skip_index, = (\n [i for i in xrange(1, len(parts) - 1) if not parts[i]] or\n [None])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "label": "if", "type": "if", "loc": [1517, 1539], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "vector": [4, 2, 0.7598, 0.0114, 2, 0.11, 0.8571, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if skip_index is not None:\n # If we found a '::', then check if it also covers the endpoints.\n parts_hi = skip_index\n parts_lo = len(parts) - skip_index - 1\n if not parts[0]:\n parts_hi -= 1\n if parts_hi:\n raise AddressValueError(ip_str) # ^: requires ^::"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1519_C12", "label": "parts_hi =", "type": "assigned_variable", "loc": [1519, 1519], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "vector": [14, 3, 0.7553, 0.0005, 3, 0.13, 0.0, 823, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "parts_hi", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parts_hi = skip_index"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1520_C12", "label": "parts_lo =", "type": "assigned_variable", "loc": [1520, 1520], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "vector": [14, 3, 0.7558, 0.0005, 3, 0.13, 0.1111, 853, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "parts_lo", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parts_lo = len(parts) - skip_index - 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1521_C12", "label": "if", "type": "if", "loc": [1521, 1524], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "vector": [4, 3, 0.7571, 0.002, 3, 0.13, 0.2222, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not parts[0]:\n parts_hi -= 1\n if parts_hi:\n raise AddressValueError(ip_str) # ^: requires ^::"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1523_C16", "label": "if", "type": "if", "loc": [1523, 1524], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1521_C12", "vector": [4, 4, 0.7576, 0.001, 4, 0.65, 0.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if parts_hi:\n raise AddressValueError(ip_str) # ^: requires ^::"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1525_C12", "label": "if", "type": "if", "loc": [1525, 1528], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "vector": [4, 3, 0.7591, 0.002, 3, 0.13, 0.3333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not parts[-1]:\n parts_lo -= 1\n if parts_lo:\n raise AddressValueError(ip_str) # :$ requires ::$"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1527_C16", "label": "if", "type": "if", "loc": [1527, 1528], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1525_C12", "vector": [4, 4, 0.7596, 0.001, 4, 0.43, 0.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if parts_lo:\n raise AddressValueError(ip_str) # :$ requires ::$"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1529_C12", "label": "parts_skipped =", "type": "assigned_variable", "loc": [1529, 1529], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "vector": [14, 3, 0.7603, 0.0005, 3, 0.13, 0.4444, 441, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "parts_skipped", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parts_skipped = self._HEXTET_COUNT - (parts_hi + parts_lo)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1530_C12", "label": "if", "type": "if", "loc": [1530, 1531], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "vector": [4, 3, 0.7611, 0.001, 3, 0.13, 0.5556, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if parts_skipped < 1:\n raise AddressValueError(ip_str)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1535_C12", "label": "if", "type": "if", "loc": [1535, 1536], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "vector": [4, 3, 0.7636, 0.001, 3, 0.13, 0.6667, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(parts) != self._HEXTET_COUNT:\n raise AddressValueError(ip_str)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1537_C12", "label": "parts_hi = len()", "type": "assigned_variable", "loc": [1537, 1537], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "vector": [14, 3, 0.7643, 0.0005, 3, 0.13, 0.7778, 823, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "parts_hi", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " parts_hi = len(parts)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1538_C12", "label": "parts_lo =", "type": "assigned_variable", "loc": [1538, 1538], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "vector": [14, 3, 0.7648, 0.0005, 3, 0.13, 0.8889, 853, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "parts_lo", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parts_lo = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1539_C12", "label": "parts_skipped =", "type": "assigned_variable", "loc": [1539, 1539], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "vector": [14, 3, 0.7653, 0.0005, 3, 0.13, 1.0, 441, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "parts_skipped", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parts_skipped = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1541_C8", "label": "try", "type": "try", "loc": [1541, 1552], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "vector": [7, 2, 0.769, 0.006, 2, 0.11, 1.0, 0, 0, 1, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n # Now, parse the hextets into a 128-bit integer.\n for i in xrange(parts_hi):\n ip_int <<= 16\n ip_int |= self._parse_hextet(parts[i])\n ip_int <<= 16 * parts_skipped\n for i in xrange(-parts_lo, 0):\n ip_int <<= 16"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1543_C12", "label": "for i", "type": "for", "loc": [1543, 1545], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1541_C8", "vector": [6, 3, 0.7678, 0.0015, 3, 0.72, 0.0, 826, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in xrange(parts_hi):\n ip_int <<= 16\n ip_int |= self._parse_hextet(parts[i])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1547_C12", "label": "for i", "type": "for", "loc": [1547, 1549], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1541_C8", "vector": [6, 3, 0.7698, 0.0015, 3, 0.72, 0.5, 826, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in xrange(-parts_lo, 0):\n ip_int <<= 16\n ip_int |= self._parse_hextet(parts[i])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1550_C12", "label": "return", "type": "return", "loc": [1550, 1550], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1541_C8", "vector": [13, 3, 0.7708, 0.0005, 3, 0.72, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ip_int"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1554_C4", "label": "_parse_hextet", "type": "function", "loc": [1554, 1573], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.7775, 0.0099, 1, 0.05, 0.2727, 650, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "_parse_hextet", "arg_names": ["self", "hextet_str"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _parse_hextet(self, hextet_str):\n \"\"\"Convert an IPv6 hextet string into an integer.\n\n Args:\n hextet_str: A string, the number to parse.\n\n Returns:\n The hextet as an integer."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1555_C8", "label": "expression", "type": "expression", "loc": [1555, 1566], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1554_C4", "vector": [8, 2, 0.776, 0.006, 2, 0.37, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Convert an IPv6 hextet string into an integer.\n\n Args:\n hextet_str: A string, the number to parse.\n\n Returns:\n The hextet as an integer.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1568_C8", "label": "if", "type": "if", "loc": [1568, 1569], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1554_C4", "vector": [4, 2, 0.78, 0.001, 2, 0.37, 0.25, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self._HEX_DIGITS.issuperset(hextet_str):\n raise ValueError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1570_C8", "label": "hextet_int = int()", "type": "assigned_variable", "loc": [1570, 1570], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1554_C4", "vector": [14, 2, 0.7807, 0.0005, 2, 0.37, 0.5, 384, 3, 2, 0, 0, 901, 10, 1], "semantic": {"name": "hextet_int", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " hextet_int = int(hextet_str, 16)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1571_C8", "label": "if", "type": "if", "loc": [1571, 1572], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1554_C4", "vector": [4, 2, 0.7815, 0.001, 2, 0.37, 0.75, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if hextet_int > 0xFFFF:\n raise ValueError"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1573_C8", "label": "return", "type": "return", "loc": [1573, 1573], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1554_C4", "vector": [13, 2, 0.7822, 0.0005, 2, 0.37, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return hextet_int"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "label": "_compress_hextets", "type": "function", "loc": [1575, 1620], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.7944, 0.0229, 1, 0.05, 0.3182, 547, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "_compress_hextets", "arg_names": ["self", "hextets"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _compress_hextets(self, hextets):\n \"\"\"Compresses a list of hextets.\n\n Compresses a list of strings, replacing the longest continuous\n sequence of \"0\" in the list with \"\" and adding empty strings at\n the beginning or at the end of the string such that subsequently\n calling \":\".join(hextets) will produce the compressed version of\n the IPv6 address."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1576_C8", "label": "expression", "type": "expression", "loc": [1576, 1590], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "vector": [8, 2, 0.7872, 0.0075, 2, 0.26, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Compresses a list of hextets.\n\n Compresses a list of strings, replacing the longest continuous\n sequence of \"0\" in the list with \"\" and adding empty strings at\n the beginning or at the end of the string such that subsequently\n calling \":\".join(hextets) will produce the compressed version of\n the IPv6 address.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1591_C8", "label": "best_doublecolon_start =", "type": "assigned_variable", "loc": [1591, 1591], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "vector": [14, 2, 0.7911, 0.0005, 2, 0.26, 0.1429, 951, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "best_doublecolon_start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " best_doublecolon_start = -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1592_C8", "label": "best_doublecolon_len =", "type": "assigned_variable", "loc": [1592, 1592], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "vector": [14, 2, 0.7916, 0.0005, 2, 0.26, 0.2857, 318, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "best_doublecolon_len", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " best_doublecolon_len = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1593_C8", "label": "doublecolon_start =", "type": "assigned_variable", "loc": [1593, 1593], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "vector": [14, 2, 0.7921, 0.0005, 2, 0.26, 0.4286, 703, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "doublecolon_start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " doublecolon_start = -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1594_C8", "label": "doublecolon_len =", "type": "assigned_variable", "loc": [1594, 1594], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "vector": [14, 2, 0.7926, 0.0005, 2, 0.26, 0.5714, 273, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "doublecolon_len", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " doublecolon_len = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1595_C8", "label": "for index", "type": "for", "loc": [1595, 1607], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "vector": [6, 2, 0.7961, 0.0065, 2, 0.26, 0.7143, 780, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "index", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for index in range(len(hextets)):\n if hextets[index] == '0':\n doublecolon_len += 1\n if doublecolon_start == -1:\n # Start of a sequence of zeros.\n doublecolon_start = index\n if doublecolon_len > best_doublecolon_len:\n # This is the longest sequence of zeros so far."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1596_C12", "label": "if", "type": "if", "loc": [1596, 1607], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1595_C8", "vector": [4, 3, 0.7964, 0.006, 3, 0.32, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if hextets[index] == '0':\n doublecolon_len += 1\n if doublecolon_start == -1:\n # Start of a sequence of zeros.\n doublecolon_start = index\n if doublecolon_len > best_doublecolon_len:\n # This is the longest sequence of zeros so far.\n best_doublecolon_len = doublecolon_len"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1598_C16", "label": "if", "type": "if", "loc": [1598, 1600], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1596_C12", "vector": [4, 4, 0.7951, 0.0015, 4, 0.64, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if doublecolon_start == -1:\n # Start of a sequence of zeros.\n doublecolon_start = index"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1600_C20", "label": "doublecolon_start =", "type": "assigned_variable", "loc": [1600, 1600], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1598_C16", "vector": [14, 5, 0.7956, 0.0005, 5, 0.38, 0.0, 703, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "doublecolon_start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " doublecolon_start = index"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1601_C16", "label": "if", "type": "if", "loc": [1601, 1604], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1596_C12", "vector": [4, 4, 0.7969, 0.002, 4, 0.64, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if doublecolon_len > best_doublecolon_len:\n # This is the longest sequence of zeros so far.\n best_doublecolon_len = doublecolon_len\n best_doublecolon_start = doublecolon_start"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1603_C20", "label": "best_doublecolon_len =", "type": "assigned_variable", "loc": [1603, 1603], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1601_C16", "vector": [14, 5, 0.7971, 0.0005, 5, 0.31, 0.0, 318, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "best_doublecolon_len", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " best_doublecolon_len = doublecolon_len"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1604_C20", "label": "best_doublecolon_start =", "type": "assigned_variable", "loc": [1604, 1604], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1601_C16", "vector": [14, 5, 0.7976, 0.0005, 5, 0.31, 1.0, 951, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "best_doublecolon_start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " best_doublecolon_start = doublecolon_start"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1606_C16", "label": "doublecolon_len =", "type": "assigned_variable", "loc": [1606, 1606], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1596_C12", "vector": [14, 4, 0.7986, 0.0005, 4, 0.64, 0.6667, 273, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "doublecolon_len", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " doublecolon_len = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1607_C16", "label": "doublecolon_start =", "type": "assigned_variable", "loc": [1607, 1607], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1596_C12", "vector": [14, 4, 0.7991, 0.0005, 4, 0.64, 1.0, 703, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "doublecolon_start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " doublecolon_start = -1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1609_C8", "label": "if", "type": "if", "loc": [1609, 1618], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "vector": [4, 2, 0.8023, 0.005, 2, 0.26, 0.8571, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if best_doublecolon_len > 1:\n best_doublecolon_end = (best_doublecolon_start +\n best_doublecolon_len)\n # For zeros at the end of the address.\n if best_doublecolon_end == len(hextets):\n hextets += ['']\n hextets[best_doublecolon_start:best_doublecolon_end] = ['']\n # For zeros at the beginning of the address."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1610_C12", "label": "best_doublecolon_end =", "type": "assigned_variable", "loc": [1610, 1611], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1609_C8", "vector": [14, 3, 0.8008, 0.001, 3, 0.06, 0.0, 667, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "best_doublecolon_end", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " best_doublecolon_end = (best_doublecolon_start +\n best_doublecolon_len)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1613_C12", "label": "if", "type": "if", "loc": [1613, 1614], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1609_C8", "vector": [4, 3, 0.8023, 0.001, 3, 0.06, 0.3333, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if best_doublecolon_end == len(hextets):\n hextets += ['']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1615_C12", "label": "assign", "type": "assigned_variable", "loc": [1615, 1615], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1609_C8", "vector": [14, 3, 0.8031, 0.0005, 3, 0.06, 0.6667, 0, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " hextets[best_doublecolon_start:best_doublecolon_end] = ['']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1617_C12", "label": "if", "type": "if", "loc": [1617, 1618], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1609_C8", "vector": [4, 3, 0.8043, 0.001, 3, 0.06, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if best_doublecolon_start == 0:\n hextets = [''] + hextets"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1618_C16", "label": "hextets =", "type": "assigned_variable", "loc": [1618, 1618], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1617_C12", "vector": [14, 4, 0.8046, 0.0005, 4, 0.12, 0.0, 360, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "hextets", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " hextets = [''] + hextets"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1620_C8", "label": "return", "type": "return", "loc": [1620, 1620], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "vector": [13, 2, 0.8056, 0.0005, 2, 0.26, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return hextets"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "label": "_string_from_ip_int", "type": "function", "loc": [1622, 1647], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8128, 0.0129, 1, 0.05, 0.3636, 904, 0, 2, 1, 0, 0, 0, 7], "semantic": {"name": "_string_from_ip_int", "arg_names": ["self", "ip_int"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _string_from_ip_int(self, ip_int=None):\n \"\"\"Turns a 128-bit integer into hexadecimal notation.\n\n Args:\n ip_int: An integer, the IP address.\n\n Returns:\n A string, the hexadecimal representation of the address."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1623_C8", "label": "expression", "type": "expression", "loc": [1623, 1634], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "vector": [8, 2, 0.8098, 0.006, 2, 0.11, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Turns a 128-bit integer into hexadecimal notation.\n\n Args:\n ip_int: An integer, the IP address.\n\n Returns:\n A string, the hexadecimal representation of the address.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1635_C8", "label": "if", "type": "if", "loc": [1635, 1636], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "vector": [4, 2, 0.8133, 0.001, 2, 0.11, 0.1429, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not ip_int and ip_int != 0:\n ip_int = int(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1636_C12", "label": "ip_int = int()", "type": "assigned_variable", "loc": [1636, 1636], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1635_C8", "vector": [14, 3, 0.8135, 0.0005, 3, 0.54, 0.0, 782, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "ip_int", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " ip_int = int(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1638_C8", "label": "if", "type": "if", "loc": [1638, 1639], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "vector": [4, 2, 0.8148, 0.001, 2, 0.11, 0.2857, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if ip_int > self._ALL_ONES:\n raise ValueError('IPv6 address is too large')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1641_C8", "label": "hex_str =", "type": "assigned_variable", "loc": [1641, 1641], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "vector": [14, 2, 0.816, 0.0005, 2, 0.11, 0.4286, 375, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "hex_str", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " hex_str = '%032x' % ip_int"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1642_C8", "label": "hextets =", "type": "assigned_variable", "loc": [1642, 1642], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "vector": [14, 2, 0.8165, 0.0005, 2, 0.11, 0.5714, 360, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "hextets", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " hextets = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1643_C8", "label": "for x", "type": "for", "loc": [1643, 1644], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "vector": [6, 2, 0.8173, 0.001, 2, 0.11, 0.7143, 190, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "x", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for x in range(0, 32, 4):\n hextets.append('%x' % int(hex_str[x:x+4], 16))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1644_C12", "label": "append()", "type": "expression", "loc": [1644, 1644], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1643_C8", "vector": [8, 3, 0.8175, 0.0005, 3, 0.05, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " hextets.append('%x' % int(hex_str[x:x+4], 16))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1646_C8", "label": "hextets = _compress_hextets()", "type": "assigned_variable", "loc": [1646, 1646], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "vector": [14, 2, 0.8185, 0.0005, 2, 0.11, 0.8571, 360, 3, 1, 0, 0, 547, 10, 1], "semantic": {"name": "hextets", "arg_names": [], "import_names": [], "rhs_call_name": "_compress_hextets", "annotation": ""}, "snippet": " hextets = self._compress_hextets(hextets)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1647_C8", "label": "return", "type": "return", "loc": [1647, 1647], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "vector": [13, 2, 0.819, 0.0005, 2, 0.11, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ':'.join(hextets)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "label": "_explode_shorthand_ip_string", "type": "function", "loc": [1649, 1675], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8265, 0.0134, 1, 0.05, 0.4091, 423, 0, 1, 1, 0, 0, 0, 12], "semantic": {"name": "_explode_shorthand_ip_string", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _explode_shorthand_ip_string(self):\n \"\"\"Expand a shortened IPv6 address.\n\n Args:\n ip_str: A string, the IPv6 address.\n\n Returns:\n A string, the expanded IPv6 address."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1650_C8", "label": "expression", "type": "expression", "loc": [1650, 1658], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "vector": [8, 2, 0.8225, 0.0045, 2, 0.69, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Expand a shortened IPv6 address.\n\n Args:\n ip_str: A string, the IPv6 address.\n\n Returns:\n A string, the expanded IPv6 address.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1659_C8", "label": "if", "type": "if", "loc": [1659, 1665], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "vector": [4, 2, 0.8265, 0.0035, 2, 0.69, 0.1429, 0, 3, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(self, IPv6Network):\n ip_str = str(self.network_address)\n elif isinstance(self, _BaseAddress):\n ip_str = str(self)\n else:\n # _BaseInterface\n ip_str = str(self.ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1660_C12", "label": "ip_str = str()", "type": "assigned_variable", "loc": [1660, 1660], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1659_C8", "vector": [14, 3, 0.8255, 0.0005, 3, 0.1, 0.0, 304, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "ip_str", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " ip_str = str(self.network_address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1661_C8", "label": "if", "type": "if", "loc": [1661, 1665], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1659_C8", "vector": [4, 3, 0.827, 0.0025, 3, 0.1, 1.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(self, _BaseAddress):\n ip_str = str(self)\n else:\n # _BaseInterface\n ip_str = str(self.ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1662_C12", "label": "ip_str = str()", "type": "assigned_variable", "loc": [1662, 1662], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1661_C8", "vector": [14, 4, 0.8265, 0.0005, 4, 0.37, 0.0, 304, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "ip_str", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " ip_str = str(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1665_C12", "label": "ip_str = str()", "type": "assigned_variable", "loc": [1665, 1665], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1661_C8", "vector": [14, 4, 0.8279, 0.0005, 4, 0.37, 1.0, 304, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "ip_str", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " ip_str = str(self.ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1667_C8", "label": "ip_int = _ip_int_from_string()", "type": "assigned_variable", "loc": [1667, 1667], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "vector": [14, 2, 0.8289, 0.0005, 2, 0.69, 0.2857, 782, 3, 1, 0, 0, 858, 10, 1], "semantic": {"name": "ip_int", "arg_names": [], "import_names": [], "rhs_call_name": "_ip_int_from_string", "annotation": ""}, "snippet": " ip_int = self._ip_int_from_string(ip_str)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1668_C8", "label": "parts =", "type": "assigned_variable", "loc": [1668, 1668], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "vector": [14, 2, 0.8294, 0.0005, 2, 0.69, 0.4286, 13, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "parts", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " parts = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1669_C8", "label": "for i", "type": "for", "loc": [1669, 1671], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "vector": [6, 2, 0.8304, 0.0015, 2, 0.69, 0.5714, 826, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in xrange(self._HEXTET_COUNT):\n parts.append('%04x' % (ip_int & 0xFFFF))\n ip_int >>= 16"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1670_C12", "label": "append()", "type": "expression", "loc": [1670, 1670], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1669_C8", "vector": [8, 3, 0.8304, 0.0005, 3, 0.81, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " parts.append('%04x' % (ip_int & 0xFFFF))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1672_C8", "label": "reverse()", "type": "expression", "loc": [1672, 1672], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "vector": [8, 2, 0.8314, 0.0005, 2, 0.69, 0.7143, 109, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "reverse", "arg_names": [], "import_names": [], "rhs_call_name": "reverse", "annotation": ""}, "snippet": " parts.reverse()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1673_C8", "label": "if", "type": "if", "loc": [1673, 1674], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "vector": [4, 2, 0.8322, 0.001, 2, 0.69, 0.8571, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(self, _BaseInterface):\n return '%s/%d' % (':'.join(parts), self.prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1674_C12", "label": "return", "type": "return", "loc": [1674, 1674], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1673_C8", "vector": [13, 3, 0.8324, 0.0005, 3, 0.31, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%d' % (':'.join(parts), self.prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1675_C8", "label": "return", "type": "return", "loc": [1675, 1675], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "vector": [13, 2, 0.8329, 0.0005, 2, 0.69, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ':'.join(parts)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1678_C4", "label": "max_prefixlen", "type": "function", "loc": [1678, 1679], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8347, 0.001, 1, 0.05, 0.4545, 385, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "max_prefixlen", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def max_prefixlen(self):\n return self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1679_C8", "label": "return", "type": "return", "loc": [1679, 1679], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1678_C4", "vector": [13, 2, 0.8349, 0.0005, 2, 0.87, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1682_C4", "label": "packed", "type": "function", "loc": [1682, 1684], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8369, 0.0015, 1, 0.05, 0.5, 321, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "packed", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def packed(self):\n \"\"\"The binary representation of this address.\"\"\"\n return v6_int_to_packed(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1683_C8", "label": "expression", "type": "expression", "loc": [1683, 1683], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1682_C4", "vector": [8, 2, 0.8369, 0.0005, 2, 0.58, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"The binary representation of this address.\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1684_C8", "label": "return", "type": "return", "loc": [1684, 1684], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1682_C4", "vector": [13, 2, 0.8374, 0.0005, 2, 0.58, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return v6_int_to_packed(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1687_C4", "label": "version", "type": "function", "loc": [1687, 1688], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8391, 0.001, 1, 0.05, 0.5455, 623, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "version", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def version(self):\n return self._version"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1688_C8", "label": "return", "type": "return", "loc": [1688, 1688], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1687_C4", "vector": [13, 2, 0.8394, 0.0005, 2, 0.07, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._version"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1691_C4", "label": "is_multicast", "type": "function", "loc": [1691, 1699], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8429, 0.0045, 1, 0.05, 0.5909, 382, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "is_multicast", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_multicast(self):\n \"\"\"Test if the address is reserved for multicast use.\n\n Returns:\n A boolean, True if the address is a multicast address.\n See RFC 2373 2.7 for details.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1692_C8", "label": "expression", "type": "expression", "loc": [1692, 1698], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1691_C4", "vector": [8, 2, 0.8429, 0.0035, 2, 0.47, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if the address is reserved for multicast use.\n\n Returns:\n A boolean, True if the address is a multicast address.\n See RFC 2373 2.7 for details.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1699_C8", "label": "return", "type": "return", "loc": [1699, 1699], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1691_C4", "vector": [13, 2, 0.8449, 0.0005, 2, 0.47, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self in IPv6Network('ff00::/8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1702_C4", "label": "is_reserved", "type": "function", "loc": [1702, 1724], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8518, 0.0114, 1, 0.05, 0.6364, 988, 0, 1, 1, 0, 0, 0, 15], "semantic": {"name": "is_reserved", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_reserved(self):\n \"\"\"Test if the address is otherwise IETF reserved.\n\n Returns:\n A boolean, True if the address is within one of the\n reserved IPv6 Network ranges.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1703_C8", "label": "expression", "type": "expression", "loc": [1703, 1709], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1702_C4", "vector": [8, 2, 0.8483, 0.0035, 2, 0.55, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if the address is otherwise IETF reserved.\n\n Returns:\n A boolean, True if the address is within one of the\n reserved IPv6 Network ranges.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1710_C8", "label": "return", "type": "return", "loc": [1710, 1724], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1702_C4", "vector": [13, 2, 0.8538, 0.0075, 2, 0.55, 1.0, 0, 0, 0, 0, 0, 0, 0, 15], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (self in IPv6Network('::/8') or\n self in IPv6Network('100::/8') or\n self in IPv6Network('200::/7') or\n self in IPv6Network('400::/6') or\n self in IPv6Network('800::/5') or\n self in IPv6Network('1000::/4') or\n self in IPv6Network('4000::/3') or\n self in IPv6Network('6000::/3') or"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1727_C4", "label": "is_unspecified", "type": "function", "loc": [1727, 1735], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8608, 0.0045, 1, 0.05, 0.6818, 435, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "is_unspecified", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_unspecified(self):\n \"\"\"Test if the address is unspecified.\n\n Returns:\n A boolean, True if this is the unspecified address as defined in\n RFC 2373 2.5.2.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1728_C8", "label": "expression", "type": "expression", "loc": [1728, 1734], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1727_C4", "vector": [8, 2, 0.8608, 0.0035, 2, 0.56, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if the address is unspecified.\n\n Returns:\n A boolean, True if this is the unspecified address as defined in\n RFC 2373 2.5.2.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1735_C8", "label": "return", "type": "return", "loc": [1735, 1735], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1727_C4", "vector": [13, 2, 0.8628, 0.0005, 2, 0.56, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._ip == 0 and getattr(self, '_prefixlen', 128) == 128"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1738_C4", "label": "is_loopback", "type": "function", "loc": [1738, 1746], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8662, 0.0045, 1, 0.05, 0.7273, 506, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "is_loopback", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_loopback(self):\n \"\"\"Test if the address is a loopback address.\n\n Returns:\n A boolean, True if the address is a loopback address as defined in\n RFC 2373 2.5.3.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1739_C8", "label": "expression", "type": "expression", "loc": [1739, 1745], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1738_C4", "vector": [8, 2, 0.8662, 0.0035, 2, 0.72, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if the address is a loopback address.\n\n Returns:\n A boolean, True if the address is a loopback address as defined in\n RFC 2373 2.5.3.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1746_C8", "label": "return", "type": "return", "loc": [1746, 1746], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1738_C4", "vector": [13, 2, 0.8682, 0.0005, 2, 0.72, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self._ip == 1 and getattr(self, '_prefixlen', 128) == 128"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1749_C4", "label": "is_link_local", "type": "function", "loc": [1749, 1756], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8715, 0.004, 1, 0.05, 0.7727, 649, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "is_link_local", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_link_local(self):\n \"\"\"Test if the address is reserved for link-local.\n\n Returns:\n A boolean, True if the address is reserved per RFC 4291.\n\n \"\"\"\n return self in IPv6Network('fe80::/10')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1750_C8", "label": "expression", "type": "expression", "loc": [1750, 1755], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1749_C4", "vector": [8, 2, 0.8715, 0.003, 2, 0.98, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if the address is reserved for link-local.\n\n Returns:\n A boolean, True if the address is reserved per RFC 4291.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1756_C8", "label": "return", "type": "return", "loc": [1756, 1756], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1749_C4", "vector": [13, 2, 0.8732, 0.0005, 2, 0.98, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self in IPv6Network('fe80::/10')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1759_C4", "label": "is_site_local", "type": "function", "loc": [1759, 1770], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8774, 0.006, 1, 0.05, 0.8182, 46, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "is_site_local", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_site_local(self):\n \"\"\"Test if the address is reserved for site-local.\n\n Note that the site-local address space has been deprecated by RFC 3879.\n Use is_private to test if this address is in the space of unique local\n addresses as defined by RFC 4193.\n\n Returns:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1760_C8", "label": "expression", "type": "expression", "loc": [1760, 1769], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1759_C4", "vector": [8, 2, 0.8774, 0.005, 2, 0.52, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if the address is reserved for site-local.\n\n Note that the site-local address space has been deprecated by RFC 3879.\n Use is_private to test if this address is in the space of unique local\n addresses as defined by RFC 4193.\n\n Returns:\n A boolean, True if the address is reserved per RFC 3513 2.5.6."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1770_C8", "label": "return", "type": "return", "loc": [1770, 1770], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1759_C4", "vector": [13, 2, 0.8802, 0.0005, 2, 0.52, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self in IPv6Network('fec0::/10')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1773_C4", "label": "is_private", "type": "function", "loc": [1773, 1780], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8834, 0.004, 1, 0.05, 0.8636, 903, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "is_private", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def is_private(self):\n \"\"\"Test if this address is allocated for private networks.\n\n Returns:\n A boolean, True if the address is reserved per RFC 4193.\n\n \"\"\"\n return self in IPv6Network('fc00::/7')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1774_C8", "label": "expression", "type": "expression", "loc": [1774, 1779], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1773_C4", "vector": [8, 2, 0.8834, 0.003, 2, 0.48, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Test if this address is allocated for private networks.\n\n Returns:\n A boolean, True if the address is reserved per RFC 4193.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1780_C8", "label": "return", "type": "return", "loc": [1780, 1780], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1773_C4", "vector": [13, 2, 0.8851, 0.0005, 2, 0.48, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self in IPv6Network('fc00::/7')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1783_C4", "label": "ipv4_mapped", "type": "function", "loc": [1783, 1793], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8891, 0.0055, 1, 0.05, 0.9091, 92, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "ipv4_mapped", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def ipv4_mapped(self):\n \"\"\"Return the IPv4 mapped address.\n\n Returns:\n If the IPv6 address is a v4 mapped address, return the\n IPv4 mapped address. Return None otherwise.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1784_C8", "label": "expression", "type": "expression", "loc": [1784, 1790], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1783_C4", "vector": [8, 2, 0.8886, 0.0035, 2, 0.9, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return the IPv4 mapped address.\n\n Returns:\n If the IPv6 address is a v4 mapped address, return the\n IPv4 mapped address. Return None otherwise.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1791_C8", "label": "if", "type": "if", "loc": [1791, 1792], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1783_C4", "vector": [4, 2, 0.8909, 0.001, 2, 0.9, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (self._ip >> 32) != 0xFFFF:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1792_C12", "label": "return", "type": "return", "loc": [1792, 1792], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1791_C8", "vector": [13, 3, 0.8911, 0.0005, 3, 0.06, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1793_C8", "label": "return", "type": "return", "loc": [1793, 1793], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1783_C4", "vector": [13, 2, 0.8916, 0.0005, 2, 0.9, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv4Address(self._ip & 0xFFFFFFFF)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1796_C4", "label": "teredo", "type": "function", "loc": [1796, 1808], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.8961, 0.0065, 1, 0.05, 0.9545, 895, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "teredo", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def teredo(self):\n \"\"\"Tuple of embedded teredo IPs.\n\n Returns:\n Tuple of the (server, client) IPs or None if the address\n doesn't appear to be a teredo address (doesn't start with\n 2001::/32)\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1797_C8", "label": "expression", "type": "expression", "loc": [1797, 1804], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1796_C4", "vector": [8, 2, 0.8953, 0.004, 2, 0.18, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Tuple of embedded teredo IPs.\n\n Returns:\n Tuple of the (server, client) IPs or None if the address\n doesn't appear to be a teredo address (doesn't start with\n 2001::/32)\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1805_C8", "label": "if", "type": "if", "loc": [1805, 1806], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1796_C4", "vector": [4, 2, 0.8978, 0.001, 2, 0.18, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (self._ip >> 96) != 0x20010000:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1806_C12", "label": "return", "type": "return", "loc": [1806, 1806], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1805_C8", "vector": [13, 3, 0.8981, 0.0005, 3, 0.84, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1807_C8", "label": "return", "type": "return", "loc": [1807, 1808], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1796_C4", "vector": [13, 2, 0.8988, 0.001, 2, 0.18, 1.0, 0, 0, 0, 0, 0, 0, 8, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (IPv4Address((self._ip >> 64) & 0xFFFFFFFF),\n IPv4Address(~self._ip & 0xFFFFFFFF))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1811_C4", "label": "sixtofour", "type": "function", "loc": [1811, 1821], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "vector": [2, 1, 0.903, 0.0055, 1, 0.05, 1.0, 923, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "sixtofour", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def sixtofour(self):\n \"\"\"Return the IPv4 6to4 embedded address.\n\n Returns:\n The IPv4 6to4-embedded address if present or None if the\n address doesn't appear to contain a 6to4 embedded address.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1812_C8", "label": "expression", "type": "expression", "loc": [1812, 1818], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1811_C4", "vector": [8, 2, 0.9025, 0.0035, 2, 0.47, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return the IPv4 6to4 embedded address.\n\n Returns:\n The IPv4 6to4-embedded address if present or None if the\n address doesn't appear to contain a 6to4 embedded address.\n\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1819_C8", "label": "if", "type": "if", "loc": [1819, 1820], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1811_C4", "vector": [4, 2, 0.9048, 0.001, 2, 0.47, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (self._ip >> 112) != 0x2002:\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1820_C12", "label": "return", "type": "return", "loc": [1820, 1820], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1819_C8", "vector": [13, 3, 0.905, 0.0005, 3, 0.58, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1821_C8", "label": "return", "type": "return", "loc": [1821, 1821], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1811_C4", "vector": [13, 2, 0.9055, 0.0005, 2, 0.47, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return IPv4Address((self._ip >> 80) & 0xFFFFFFFF)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1824_C0", "label": "IPv6Address", "type": "class", "loc": [1824, 1869], "level": 0, "parent": null, "vector": [3, 0, 0.9182, 0.0229, 0, 0.66, 0.9355, 215, 0, 1, 0, 0, 85, 0, 10], "semantic": {"name": "IPv6Address", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class IPv6Address(_BaseV6, _BaseAddress):\n\n \"\"\"Represent and manipulate single IPv6 Addresses.\n \"\"\"\n\n def __init__(self, address):\n \"\"\"Instantiate a new IPv6 address object.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1826_C4", "label": "expression", "type": "expression", "loc": [1826, 1827], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1824_C0", "vector": [8, 1, 0.9083, 0.001, 1, 0.48, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Represent and manipulate single IPv6 Addresses.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "label": "__init__", "type": "function", "loc": [1829, 1869], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1824_C0", "vector": [2, 1, 0.9194, 0.0204, 1, 0.48, 1.0, 555, 0, 2, 0, 0, 0, 0, 10], "semantic": {"name": "__init__", "arg_names": ["self", "address"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, address):\n \"\"\"Instantiate a new IPv6 address object.\n\n Args:\n address: A string or integer representing the IP\n\n Additionally, an integer can be passed, so\n IPv6Address('2001:4860::') =="}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1830_C8", "label": "expression", "type": "expression", "loc": [1830, 1845], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "vector": [8, 2, 0.9137, 0.008, 2, 0.07, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Instantiate a new IPv6 address object.\n\n Args:\n address: A string or integer representing the IP\n\n Additionally, an integer can be passed, so\n IPv6Address('2001:4860::') ==\n IPv6Address(42541956101370907050197289607612071936L)."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1846_C8", "label": "__init__()", "type": "expression", "loc": [1846, 1846], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "vector": [8, 2, 0.918, 0.0005, 2, 0.07, 0.1429, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " _BaseAddress.__init__(self, address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1847_C8", "label": "__init__()", "type": "expression", "loc": [1847, 1847], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "vector": [8, 2, 0.9184, 0.0005, 2, 0.07, 0.2857, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " _BaseV6.__init__(self, address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1850_C8", "label": "if", "type": "if", "loc": [1850, 1854], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "vector": [4, 2, 0.9209, 0.0025, 2, 0.07, 0.4286, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(address, (int, long)):\n self._ip = address\n if address < 0 or address > self._ALL_ONES:\n raise AddressValueError(address)\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1851_C12", "label": "self._ip =", "type": "assigned_variable", "loc": [1851, 1851], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1850_C8", "vector": [14, 3, 0.9204, 0.0005, 3, 0.26, 0.0, 991, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._ip = address"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1852_C12", "label": "if", "type": "if", "loc": [1852, 1853], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1850_C8", "vector": [4, 3, 0.9212, 0.001, 3, 0.26, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if address < 0 or address > self._ALL_ONES:\n raise AddressValueError(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1854_C12", "label": "return", "type": "return", "loc": [1854, 1854], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1850_C8", "vector": [13, 3, 0.9219, 0.0005, 3, 0.26, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1857_C8", "label": "if", "type": "if", "loc": [1857, 1861], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "vector": [4, 2, 0.9244, 0.0025, 2, 0.07, 0.5714, 0, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if _compat_has_real_bytes:\n if isinstance(address, bytes) and len(address) == 16:\n tmp = struct.unpack('!QQ', address)\n self._ip = (tmp[0] << 64) | tmp[1]\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1858_C12", "label": "if", "type": "if", "loc": [1858, 1861], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1857_C8", "vector": [4, 3, 0.9247, 0.002, 3, 0.09, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(address, bytes) and len(address) == 16:\n tmp = struct.unpack('!QQ', address)\n self._ip = (tmp[0] << 64) | tmp[1]\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1859_C16", "label": "tmp = unpack()", "type": "assigned_variable", "loc": [1859, 1859], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1858_C12", "vector": [14, 4, 0.9244, 0.0005, 4, 0.1, 0.0, 517, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "tmp", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " tmp = struct.unpack('!QQ', address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1860_C16", "label": "self._ip =", "type": "assigned_variable", "loc": [1860, 1860], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1858_C12", "vector": [14, 4, 0.9249, 0.0005, 4, 0.1, 0.5, 991, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._ip = (tmp[0] << 64) | tmp[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1861_C16", "label": "return", "type": "return", "loc": [1861, 1861], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1858_C12", "vector": [13, 4, 0.9254, 0.0005, 4, 0.1, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1865_C8", "label": "addr_str = str()", "type": "assigned_variable", "loc": [1865, 1865], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "vector": [14, 2, 0.9274, 0.0005, 2, 0.07, 0.7143, 777, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "addr_str", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " addr_str = str(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1866_C8", "label": "if", "type": "if", "loc": [1866, 1867], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "vector": [4, 2, 0.9281, 0.001, 2, 0.07, 0.8571, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not addr_str:\n raise AddressValueError('')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1869_C8", "label": "self._ip = _ip_int_from_string()", "type": "assigned_variable", "loc": [1869, 1869], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "vector": [14, 2, 0.9294, 0.0005, 2, 0.07, 1.0, 991, 3, 1, 0, 0, 858, 10, 1], "semantic": {"name": "self._ip", "arg_names": [], "import_names": [], "rhs_call_name": "_ip_int_from_string", "annotation": ""}, "snippet": " self._ip = self._ip_int_from_string(addr_str)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1872_C0", "label": "IPv6Interface", "type": "class", "loc": [1872, 1984], "level": 0, "parent": null, "vector": [3, 0, 0.9587, 0.0562, 0, 0.66, 0.9677, 796, 0, 3, 0, 0, 85, 0, 24], "semantic": {"name": "IPv6Interface", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class IPv6Interface(_BaseV6, _BaseInterface):\n\n \"\"\"This class represents and manipulates 128-bit IPv6 networks.\n\n Attributes: [examples for IPv6('2001:658:22A:CAFE:200::1/64')]\n .ip: IPv6Address('2001:658:22a:cafe:200::1')\n .network_address: IPv6Address('2001:658:22a:cafe::')\n .hostmask: IPv6Address('::ffff:ffff:ffff:ffff')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1874_C4", "label": "expression", "type": "expression", "loc": [1874, 1884], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1872_C0", "vector": [8, 1, 0.9344, 0.0055, 1, 0.17, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"This class represents and manipulates 128-bit IPv6 networks.\n\n Attributes: [examples for IPv6('2001:658:22A:CAFE:200::1/64')]\n .ip: IPv6Address('2001:658:22a:cafe:200::1')\n .network_address: IPv6Address('2001:658:22a:cafe::')\n .hostmask: IPv6Address('::ffff:ffff:ffff:ffff')\n .broadcast_address: IPv6Address('2001:658:22a:cafe:ffff:ffff:ffff:ffff')\n .netmask: IPv6Address('ffff:ffff:ffff:ffff::')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "label": "__init__", "type": "function", "loc": [1887, 1962], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1872_C0", "vector": [2, 1, 0.957, 0.0378, 1, 0.17, 0.3333, 555, 0, 2, 0, 0, 0, 0, 23], "semantic": {"name": "__init__", "arg_names": ["self", "address"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, address):\n \"\"\"Instantiate a new IPv6 Network object.\n\n Args:\n address: A string or integer representing the IPv6 network or the IP\n and prefix/netmask.\n '2001:4860::/128'\n '2001:4860:0000:0000:0000:0000:0000:0000/128'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1888_C8", "label": "expression", "type": "expression", "loc": [1888, 1918], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "vector": [8, 2, 0.9463, 0.0154, 2, 0.38, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Instantiate a new IPv6 Network object.\n\n Args:\n address: A string or integer representing the IPv6 network or the IP\n and prefix/netmask.\n '2001:4860::/128'\n '2001:4860:0000:0000:0000:0000:0000:0000/128'\n '2001:4860::'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1919_C8", "label": "__init__()", "type": "expression", "loc": [1919, 1919], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "vector": [8, 2, 0.9543, 0.0005, 2, 0.38, 0.0909, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " _BaseInterface.__init__(self, address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1920_C8", "label": "__init__()", "type": "expression", "loc": [1920, 1920], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "vector": [8, 2, 0.9547, 0.0005, 2, 0.38, 0.1818, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " _BaseV6.__init__(self, address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "label": "if", "type": "if", "loc": [1923, 1930], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "vector": [4, 2, 0.958, 0.004, 2, 0.38, 0.2727, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(address, (int, long)):\n self._ip = address\n self.ip = IPv6Address(self._ip)\n self._prefixlen = self._max_prefixlen\n self.netmask = IPv6Address(self._ALL_ONES)\n if address < 0 or address > self._ALL_ONES:\n raise AddressValueError(address)\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1924_C12", "label": "self._ip =", "type": "assigned_variable", "loc": [1924, 1924], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "vector": [14, 3, 0.9567, 0.0005, 3, 0.92, 0.0, 991, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._ip = address"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1925_C12", "label": "self.ip = IPv6Address()", "type": "assigned_variable", "loc": [1925, 1925], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "vector": [14, 3, 0.9572, 0.0005, 3, 0.92, 0.2, 225, 3, 1, 0, 0, 215, 10, 1], "semantic": {"name": "self.ip", "arg_names": [], "import_names": [], "rhs_call_name": "IPv6Address", "annotation": ""}, "snippet": " self.ip = IPv6Address(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1926_C12", "label": "self._prefixlen =", "type": "assigned_variable", "loc": [1926, 1926], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "vector": [14, 3, 0.9577, 0.0005, 3, 0.92, 0.4, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._prefixlen = self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1927_C12", "label": "self.netmask = IPv6Address()", "type": "assigned_variable", "loc": [1927, 1927], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "vector": [14, 3, 0.9582, 0.0005, 3, 0.92, 0.6, 317, 3, 1, 0, 0, 215, 10, 1], "semantic": {"name": "self.netmask", "arg_names": [], "import_names": [], "rhs_call_name": "IPv6Address", "annotation": ""}, "snippet": " self.netmask = IPv6Address(self._ALL_ONES)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1928_C12", "label": "if", "type": "if", "loc": [1928, 1929], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "vector": [4, 3, 0.959, 0.001, 3, 0.92, 0.8, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if address < 0 or address > self._ALL_ONES:\n raise AddressValueError(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1930_C12", "label": "return", "type": "return", "loc": [1930, 1930], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "vector": [13, 3, 0.9597, 0.0005, 3, 0.92, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1933_C8", "label": "if", "type": "if", "loc": [1933, 1940], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "vector": [4, 2, 0.963, 0.004, 2, 0.38, 0.3636, 0, 2, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if _compat_has_real_bytes:\n if isinstance(address, bytes) and len(address) == 16:\n tmp = struct.unpack('!QQ', address)\n self._ip = (tmp[0] << 64) | tmp[1]\n self.ip = IPv6Address(self._ip)\n self._prefixlen = self._max_prefixlen\n self.netmask = IPv6Address(self._ALL_ONES)\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "label": "if", "type": "if", "loc": [1934, 1940], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1933_C8", "vector": [4, 3, 0.9632, 0.0035, 3, 0.43, 0.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(address, bytes) and len(address) == 16:\n tmp = struct.unpack('!QQ', address)\n self._ip = (tmp[0] << 64) | tmp[1]\n self.ip = IPv6Address(self._ip)\n self._prefixlen = self._max_prefixlen\n self.netmask = IPv6Address(self._ALL_ONES)\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1935_C16", "label": "tmp = unpack()", "type": "assigned_variable", "loc": [1935, 1935], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "vector": [14, 4, 0.9622, 0.0005, 4, 0.27, 0.0, 517, 3, 2, 0, 0, 621, 10, 1], "semantic": {"name": "tmp", "arg_names": [], "import_names": [], "rhs_call_name": "unpack", "annotation": ""}, "snippet": " tmp = struct.unpack('!QQ', address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1936_C16", "label": "self._ip =", "type": "assigned_variable", "loc": [1936, 1936], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "vector": [14, 4, 0.9627, 0.0005, 4, 0.27, 0.2, 991, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._ip", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._ip = (tmp[0] << 64) | tmp[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1937_C16", "label": "self.ip = IPv6Address()", "type": "assigned_variable", "loc": [1937, 1937], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "vector": [14, 4, 0.9632, 0.0005, 4, 0.27, 0.4, 225, 3, 1, 0, 0, 215, 10, 1], "semantic": {"name": "self.ip", "arg_names": [], "import_names": [], "rhs_call_name": "IPv6Address", "annotation": ""}, "snippet": " self.ip = IPv6Address(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1938_C16", "label": "self._prefixlen =", "type": "assigned_variable", "loc": [1938, 1938], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "vector": [14, 4, 0.9637, 0.0005, 4, 0.27, 0.6, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._prefixlen = self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1939_C16", "label": "self.netmask = IPv6Address()", "type": "assigned_variable", "loc": [1939, 1939], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "vector": [14, 4, 0.9642, 0.0005, 4, 0.27, 0.8, 317, 3, 1, 0, 0, 215, 10, 1], "semantic": {"name": "self.netmask", "arg_names": [], "import_names": [], "rhs_call_name": "IPv6Address", "annotation": ""}, "snippet": " self.netmask = IPv6Address(self._ALL_ONES)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1940_C16", "label": "return", "type": "return", "loc": [1940, 1940], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "vector": [13, 4, 0.9647, 0.0005, 4, 0.27, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1944_C8", "label": "addr = split()", "type": "assigned_variable", "loc": [1944, 1944], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "vector": [14, 2, 0.9667, 0.0005, 2, 0.38, 0.4545, 526, 3, 1, 0, 0, 908, 10, 2], "semantic": {"name": "addr", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " addr = str(address).split('/')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1946_C8", "label": "if", "type": "if", "loc": [1946, 1947], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "vector": [4, 2, 0.9679, 0.001, 2, 0.38, 0.5455, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(addr) > 2:\n raise AddressValueError(address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1949_C8", "label": "self._ip = _ip_int_from_string()", "type": "assigned_variable", "loc": [1949, 1949], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "vector": [14, 2, 0.9692, 0.0005, 2, 0.38, 0.6364, 991, 3, 1, 0, 0, 858, 10, 1], "semantic": {"name": "self._ip", "arg_names": [], "import_names": [], "rhs_call_name": "_ip_int_from_string", "annotation": ""}, "snippet": " self._ip = self._ip_int_from_string(addr[0])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1950_C8", "label": "self.ip = IPv6Address()", "type": "assigned_variable", "loc": [1950, 1950], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "vector": [14, 2, 0.9697, 0.0005, 2, 0.38, 0.7273, 225, 3, 1, 0, 0, 215, 10, 1], "semantic": {"name": "self.ip", "arg_names": [], "import_names": [], "rhs_call_name": "IPv6Address", "annotation": ""}, "snippet": " self.ip = IPv6Address(self._ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1952_C8", "label": "if", "type": "if", "loc": [1952, 1958], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "vector": [4, 2, 0.9722, 0.0035, 2, 0.38, 0.8182, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(addr) == 2:\n if self._is_valid_netmask(addr[1]):\n self._prefixlen = int(addr[1])\n else:\n raise NetmaskValueError(addr[1])\n else:\n self._prefixlen = self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1953_C12", "label": "if", "type": "if", "loc": [1953, 1956], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1952_C8", "vector": [4, 3, 0.9719, 0.002, 3, 0.25, 0.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._is_valid_netmask(addr[1]):\n self._prefixlen = int(addr[1])\n else:\n raise NetmaskValueError(addr[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1954_C16", "label": "self._prefixlen = int()", "type": "assigned_variable", "loc": [1954, 1954], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1953_C12", "vector": [14, 4, 0.9717, 0.0005, 4, 0.9, 0.0, 0, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "self._prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " self._prefixlen = int(addr[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1958_C12", "label": "self._prefixlen =", "type": "assigned_variable", "loc": [1958, 1958], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1952_C8", "vector": [14, 3, 0.9736, 0.0005, 3, 0.25, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self._prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self._prefixlen = self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1960_C8", "label": "self.netmask = IPv6Address()", "type": "assigned_variable", "loc": [1960, 1960], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "vector": [14, 2, 0.9746, 0.0005, 2, 0.38, 0.9091, 317, 3, 1, 0, 0, 215, 10, 2], "semantic": {"name": "self.netmask", "arg_names": [], "import_names": [], "rhs_call_name": "IPv6Address", "annotation": ""}, "snippet": " self.netmask = IPv6Address(self._ip_int_from_prefix(self._prefixlen))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1961_C8", "label": "if", "type": "if", "loc": [1961, 1962], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "vector": [4, 2, 0.9754, 0.001, 2, 0.38, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self._prefixlen == (self._max_prefixlen - 1):\n self.iterhosts = self.__iter__"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1962_C12", "label": "self.iterhosts =", "type": "assigned_variable", "loc": [1962, 1962], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1961_C8", "vector": [14, 3, 0.9756, 0.0005, 3, 0.59, 0.0, 851, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.iterhosts", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.iterhosts = self.__iter__"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1965_C4", "label": "_is_valid_netmask", "type": "function", "loc": [1965, 1980], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1872_C0", "vector": [2, 1, 0.9809, 0.008, 1, 0.17, 0.6667, 529, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "_is_valid_netmask", "arg_names": ["self", "prefixlen"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _is_valid_netmask(self, prefixlen):\n \"\"\"Verify that the netmask/prefixlen is valid.\n\n Args:\n prefixlen: A string, the netmask in prefix length format.\n\n Returns:\n A boolean, True if the prefix represents a valid IPv6"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1966_C8", "label": "expression", "type": "expression", "loc": [1966, 1975], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1965_C4", "vector": [8, 2, 0.9799, 0.005, 2, 0.34, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Verify that the netmask/prefixlen is valid.\n\n Args:\n prefixlen: A string, the netmask in prefix length format.\n\n Returns:\n A boolean, True if the prefix represents a valid IPv6\n netmask."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1976_C8", "label": "try", "type": "try", "loc": [1976, 1979], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1965_C4", "vector": [7, 2, 0.9833, 0.002, 2, 0.34, 0.5, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n prefixlen = int(prefixlen)\n except ValueError:\n return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1977_C12", "label": "prefixlen = int()", "type": "assigned_variable", "loc": [1977, 1977], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1976_C8", "vector": [14, 3, 0.9831, 0.0005, 3, 0.82, 0.0, 922, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "prefixlen", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " prefixlen = int(prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1979_C12", "label": "return", "type": "return", "loc": [1979, 1979], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1976_C8", "vector": [13, 3, 0.9841, 0.0005, 3, 0.82, 0.0, 0, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1980_C8", "label": "return", "type": "return", "loc": [1980, 1980], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1965_C4", "vector": [13, 2, 0.9846, 0.0005, 2, 0.34, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 0 <= prefixlen <= self._max_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1983_C4", "label": "with_netmask", "type": "function", "loc": [1983, 1984], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1872_C0", "vector": [2, 1, 0.9863, 0.001, 1, 0.17, 1.0, 303, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "with_netmask", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def with_netmask(self):\n return self.with_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1984_C8", "label": "return", "type": "return", "loc": [1984, 1984], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1983_C4", "vector": [13, 2, 0.9866, 0.0005, 2, 0.84, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.with_prefixlen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1987_C0", "label": "IPv6Network", "type": "class", "loc": [1987, 2011], "level": 0, "parent": null, "vector": [3, 0, 0.994, 0.0124, 0, 0.66, 1.0, 65, 0, 5, 0, 0, 796, 0, 8], "semantic": {"name": "IPv6Network", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class IPv6Network(IPv6Interface):\n def __init__(self, address):\n IPv6Interface.__init__(self, address)\n\n if self.ip != self.network_address:\n raise ValueError('%s has host bits set' %\n self.ip)\n del self.__dict__['ip']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1988_C4", "label": "__init__", "type": "function", "loc": [1988, 1994], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1987_C0", "vector": [2, 1, 0.9901, 0.0035, 1, 0.28, 0.0, 555, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "address"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, address):\n IPv6Interface.__init__(self, address)\n\n if self.ip != self.network_address:\n raise ValueError('%s has host bits set' %\n self.ip)\n del self.__dict__['ip']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1989_C8", "label": "__init__()", "type": "expression", "loc": [1989, 1989], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1988_C4", "vector": [8, 2, 0.9891, 0.0005, 2, 0.46, 0.0, 555, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " IPv6Interface.__init__(self, address)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1991_C8", "label": "if", "type": "if", "loc": [1991, 1993], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1988_C4", "vector": [4, 2, 0.9906, 0.0015, 2, 0.46, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.ip != self.network_address:\n raise ValueError('%s has host bits set' %\n self.ip)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1997_C4", "label": "__str__", "type": "function", "loc": [1997, 1999], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1987_C0", "vector": [2, 1, 0.9935, 0.0015, 1, 0.28, 0.25, 527, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "__str__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __str__(self):\n return '%s/%d' % (str(self.network_address),\n self.prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1998_C8", "label": "return", "type": "return", "loc": [1998, 1999], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1997_C4", "vector": [13, 2, 0.9938, 0.001, 2, 0.62, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%d' % (str(self.network_address),\n self.prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L2002_C4", "label": "with_prefixlen", "type": "function", "loc": [2002, 2003], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1987_C0", "vector": [2, 1, 0.9958, 0.001, 1, 0.28, 0.5, 569, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "with_prefixlen", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def with_prefixlen(self):\n return '%s/%d' % (str(self.network_address), self._prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L2003_C8", "label": "return", "type": "return", "loc": [2003, 2003], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L2002_C4", "vector": [13, 2, 0.996, 0.0005, 2, 0.52, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%d' % (str(self.network_address), self._prefixlen)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L2006_C4", "label": "with_netmask", "type": "function", "loc": [2006, 2007], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1987_C0", "vector": [2, 1, 0.9978, 0.001, 1, 0.28, 0.75, 303, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "with_netmask", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def with_netmask(self):\n return '%s/%s' % (str(self.network_address), str(self.netmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L2007_C8", "label": "return", "type": "return", "loc": [2007, 2007], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L2006_C4", "vector": [13, 2, 0.998, 0.0005, 2, 0.34, 0.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%s' % (str(self.network_address), str(self.netmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L2010_C4", "label": "with_hostmask", "type": "function", "loc": [2010, 2011], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1987_C0", "vector": [2, 1, 0.9998, 0.001, 1, 0.28, 1.0, 74, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "with_hostmask", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def with_hostmask(self):\n return '%s/%s' % (str(self.network_address), str(self.hostmask))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L2011_C8", "label": "return", "type": "return", "loc": [2011, 2011], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L2010_C4", "vector": [13, 2, 1.0, 0.0005, 2, 0.15, 0.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s/%s' % (str(self.network_address), str(self.hostmask))"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L33_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L34_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L37_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L38_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L42_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L61_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L61_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L62_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L62_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L63_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L62_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L64_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L64_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L65_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L67_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L67_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L68_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L41_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L72_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L73_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L81_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L82_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L81_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L101_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L102_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L102_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L103_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L102_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L104_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L104_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L105_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L81_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L107_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L108_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L81_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L112_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L112_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L113_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L121_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L122_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L121_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L145_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L145_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L146_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L146_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L147_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L146_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L148_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L148_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L149_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L121_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L151_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L151_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L152_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L121_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L156_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L156_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L157_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L165_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L166_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L165_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L178_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L165_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L180_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L183_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L184_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L183_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L192_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L195_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L196_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L195_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L205_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L195_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:For_L206_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:For_L206_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L207_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L207_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L208_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L195_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L211_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L213_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L214_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L213_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:For_L225_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:For_L225_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L226_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L226_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L227_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L213_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L228_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L230_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L231_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L230_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L241_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L241_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L242_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L230_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:For_L243_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:For_L243_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L244_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L244_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L245_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L248_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L273_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L275_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L278_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L281_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L283_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L284_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L285_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L285_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L286_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L290_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L291_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L292_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L294_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L295_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:While_L296_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L296_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L297_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L296_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L298_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L296_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L300_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L302_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L303_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L304_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L305_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L307_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L293_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L308_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L247_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L309_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L312_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L336_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L337_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:For_L339_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:For_L339_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L340_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L340_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L341_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:For_L339_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L343_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L343_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L344_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L343_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L345_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L345_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L346_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L345_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L347_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L345_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L349_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L351_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L351_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L352_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L311_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L354_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L358_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L376_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L377_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L378_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L379_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:For_L382_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:For_L382_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L383_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L383_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L384_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L383_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L387_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L383_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L388_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L388_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L389_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L388_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L392_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L392_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L393_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L392_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L395_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L388_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L397_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L388_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L400_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L403_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L404_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:While_L406_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L406_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L407_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L406_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L408_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L406_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L409_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L357_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L411_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L422_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L423_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L422_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L425_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L428_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L445_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L445_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L446_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L445_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L447_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L447_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L448_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L449_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L453_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L455_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L455_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L456_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L458_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L458_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L459_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L461_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L461_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L462_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L465_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L465_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L466_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L465_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L467_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L451_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L470_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L470_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L471_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L470_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L472_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L477_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L484_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L484_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L485_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L489_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L489_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L490_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L490_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L491_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L490_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L494_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L496_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L496_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L497_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L496_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L498_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L498_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L499_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L496_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L500_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L502_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L502_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L503_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L502_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L504_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L504_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L505_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L502_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L506_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L508_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L508_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L509_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L508_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L510_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L510_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L511_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L508_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L512_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L514_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L514_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L515_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L514_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L518_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L514_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L521_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L521_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L522_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L514_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L523_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L525_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L525_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L526_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L525_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L529_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L525_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L532_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L532_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L533_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L525_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L534_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L538_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L538_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L539_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L539_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L540_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L538_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L541_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L543_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L543_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L544_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L544_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L545_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L543_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L546_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L548_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L548_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L549_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L551_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L551_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L552_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L554_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L554_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L555_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L557_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L557_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L558_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L475_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L561_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L567_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L574_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L574_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L575_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L577_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L577_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L578_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L580_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L580_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L581_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L580_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L587_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L580_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L588_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L580_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:While_L589_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L589_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L591_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L593_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L593_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L594_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L593_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L595_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L593_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:While_L596_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L596_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L598_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L600_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L600_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L601_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L600_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L602_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L600_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L603_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L603_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L604_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L603_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L606_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L603_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L609_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L603_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L611_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L613_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L613_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L614_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L613_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L617_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L613_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L620_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L620_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L621_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L613_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L622_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L622_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L623_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L613_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L624_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L626_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L626_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L627_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L626_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L630_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L626_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L633_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L633_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L634_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L626_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L635_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L635_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L636_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L626_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L637_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L639_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L639_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L640_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L639_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L641_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L641_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L642_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L639_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L643_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L645_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L645_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L646_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L645_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L647_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L647_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L648_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L645_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L649_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L651_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L651_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L652_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L652_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L653_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L652_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L657_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L657_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L658_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L661_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L661_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L662_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L661_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L663_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L663_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L664_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L661_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L665_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L667_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L667_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L668_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L671_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L671_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L672_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L674_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L674_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L676_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L676_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L677_C10"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L674_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L679_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L679_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L680_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L679_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L684_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L687_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L687_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L688_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L687_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L689_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L695_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L695_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L696_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L695_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L697_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L697_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L698_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L697_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L699_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L695_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L700_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L703_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L703_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L704_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L703_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L705_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L705_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L706_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L705_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L707_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L703_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L708_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L711_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L711_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L712_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L711_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L713_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L713_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L714_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L713_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L716_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L711_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L717_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L720_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L720_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L721_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L725_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L725_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L726_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L729_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L729_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L730_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L733_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L733_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L734_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L737_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L737_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L738_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L737_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L739_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L742_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L746_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L746_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L747_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L750_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L783_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L787_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L790_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L793_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L793_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L794_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L796_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L799_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L803_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:While_L804_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L804_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L805_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L805_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L806_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L805_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L807_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L805_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L808_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L808_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L809_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L808_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L810_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L816_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L816_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L817_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L816_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L818_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L818_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L819_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L826_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L829_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L862_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L862_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L863_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L864_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L864_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L865_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L867_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L867_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L868_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L869_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L869_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L870_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L872_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L872_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L873_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L874_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L874_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L875_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L828_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L878_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L880_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L880_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L881_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L880_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L888_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L890_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L890_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L891_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L890_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L900_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L900_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L901_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L890_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L902_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L904_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L904_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L905_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L904_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:While_L915_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L915_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L916_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L904_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L921_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L923_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L923_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L924_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L923_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L933_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L933_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L934_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L923_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L935_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L938_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L963_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L963_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L964_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L963_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L965_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L967_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L967_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L968_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L967_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L970_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L967_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L972_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L974_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L976_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L978_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L983_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L987_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L988_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L937_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:While_L989_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L989_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L990_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L989_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L991_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L991_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L992_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L989_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L993_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L989_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L994_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:While_L989_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L997_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L999_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L999_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1000_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L999_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1001_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1004_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1004_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1005_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1004_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1006_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1009_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1029_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1029_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1030_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1032_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1032_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1033_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1032_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1035_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1032_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1037_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1040_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1045_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1008_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1048_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1052_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1053_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1054_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1055_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L565_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1056_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1061_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1069_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1070_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1072_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1072_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1073_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1072_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1074_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1076_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1076_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1077_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1080_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1092_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1093_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1096_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1097_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1097_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1098_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1098_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1099_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1079_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1102_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1104_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1104_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1105_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1104_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1118_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1104_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1120_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1104_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1123_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1104_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1125_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1127_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1127_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1128_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1127_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1137_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1127_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1138_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1138_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1139_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1127_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1141_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1144_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1144_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1145_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1148_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1149_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1148_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1150_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1153_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1153_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1154_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1157_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1157_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1158_C7"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1157_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1165_C7"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1168_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1169_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1168_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1175_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1180_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1180_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1181_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1180_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1188_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1191_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1192_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1191_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1199_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1202_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1202_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1203_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1202_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1209_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1059_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1212_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1212_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1213_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1212_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1219_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1222_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1224_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1222_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1228_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1243_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1244_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1247_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1248_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1249_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1247_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1251_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1254_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1254_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1255_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1255_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1256_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1255_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1257_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1261_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1226_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1262_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1267_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1281_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1284_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1319_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1320_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1324_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1325_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1326_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1327_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1328_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1323_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1330_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1333_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1333_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1334_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1334_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1335_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1334_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1336_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1334_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1337_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1334_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1338_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1334_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1339_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1343_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1345_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1348_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1349_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1351_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1351_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1352_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1351_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1353_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1353_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1355_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1355_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1356_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1355_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1358_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1358_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1359_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1353_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1365_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1353_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1368_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1353_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1370_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1353_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1371_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1351_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1374_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1351_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1375_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1283_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1377_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1377_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1378_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1381_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1390_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1391_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1391_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1392_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1391_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1394_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1395_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1395_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1396_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1397_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1397_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1398_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1380_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1399_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1401_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1401_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1402_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1401_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1413_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1401_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1414_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1414_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1415_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1415_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1416_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1414_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1417_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1417_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1419_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1414_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1420_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1401_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1421_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1421_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1422_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1421_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1424_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1401_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1425_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1428_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1429_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1430_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1265_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1431_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1434_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1435_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1435_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1436_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1435_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1437_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1434_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1442_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1442_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1443_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1434_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1447_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1447_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1448_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1434_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1451_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1451_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1452_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1434_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1455_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1455_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1456_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1461_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1468_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1469_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1470_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1472_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1472_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1473_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1472_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1474_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1477_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1489_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1492_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1496_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1496_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1497_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1496_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1498_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1496_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1499_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1502_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1507_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1507_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1508_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1519_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1520_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1521_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1521_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1523_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1525_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1525_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1527_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1529_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1530_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1535_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1537_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1538_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1517_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1539_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1476_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1541_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1541_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1543_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1541_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1547_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1541_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1550_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1554_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1554_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1555_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1554_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1568_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1554_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1570_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1554_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1571_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1554_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1573_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1576_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1591_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1592_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1593_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1594_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1595_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1595_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1596_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1596_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1598_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1598_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1600_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1596_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1601_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1601_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1603_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1601_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1604_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1596_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1606_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1596_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1607_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1609_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1609_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1610_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1609_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1613_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1609_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1615_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1609_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1617_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1617_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1618_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1575_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1620_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1623_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1635_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1635_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1636_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1638_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1641_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1642_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1643_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1643_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1644_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1646_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1622_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1647_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1650_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1659_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1659_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1660_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1659_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1661_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1661_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1662_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1661_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1665_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1667_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1668_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1669_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:For_L1669_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1670_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1672_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1673_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1673_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1674_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1649_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1675_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1678_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1678_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1679_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1682_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1682_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1683_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1682_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1684_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1687_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1687_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1688_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1691_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1691_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1692_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1691_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1699_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1702_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1702_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1703_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1702_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1710_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1727_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1727_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1728_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1727_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1735_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1738_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1738_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1739_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1738_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1746_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1749_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1750_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1749_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1756_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1759_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1759_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1760_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1759_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1770_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1773_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1773_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1774_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1773_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1780_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1783_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1783_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1784_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1783_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1791_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1791_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1792_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1783_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1793_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1796_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1796_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1797_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1796_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1805_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1805_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1806_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1796_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1807_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1459_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1811_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1811_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1812_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1811_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1819_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1819_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1820_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1811_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1821_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1824_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1826_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1824_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1830_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1846_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1847_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1850_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1850_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1851_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1850_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1852_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1850_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1854_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1857_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1857_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1858_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1858_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1859_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1858_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1860_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1858_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1861_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1865_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1866_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1829_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1869_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1872_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1874_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1872_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1888_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1919_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1920_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1924_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1925_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1926_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1927_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1928_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1923_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1930_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1933_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1933_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1935_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1936_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1937_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1938_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1939_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1934_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1940_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1944_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1946_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1949_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1950_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1952_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1952_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1953_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1953_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1954_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1952_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1958_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1960_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1887_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1961_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1961_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1962_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1872_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1965_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1965_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1966_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1965_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1976_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1976_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Assign_L1977_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:Try_L1976_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1979_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1965_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1980_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1872_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1983_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1983_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1984_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1987_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1988_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1988_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Expr_L1989_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1988_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:If_L1991_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1987_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1997_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L1997_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L1998_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1987_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L2002_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L2002_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L2003_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1987_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L2006_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L2006_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L2007_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:ClassDef_L1987_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L2010_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_610:FunctionDef_L2010_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_610:Return_L2011_C8"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- "FPDF for python (a.k.a. pyfpdf)" # Read more about this http://code.google.com/p/pyfpdf # Please note that new package name is fpdf (to avoid some naming conflicts) # import fpdf into pyfpdf for backward compatibility (prior web2py 2.0): from fpdf import * # import warnings # warnings.warn("pyfpdf package name is deprecated, please use fpdf instead")
ajibawa-2023/Python-Code-Large/train/row_611
2
11
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_611:Expr_L4_C0", "label": "expression", "type": "expression", "loc": [4, 4], "level": 0, "parent": null, "vector": [8, 0, 0.3636, 0.0909, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"FPDF for python (a.k.a. pyfpdf)\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_611:ImportFrom_L8_C0", "label": "from fpdf import *", "type": "import", "loc": [8, 8], "level": 0, "parent": null, "vector": [1, 0, 0.7273, 0.0909, 0, 0.66, 1.0, 957, 0, 1, 0, 0, 957, 0, 0], "semantic": {"name": "fpdf", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from fpdf import *"}]
[]
import re import cPickle import random import datetime IUP = {'shoebill':{'a':1,'187':1},'trout-like':{'parr':1},'fig.':{'19':1},'mcintosh.':{'the':1,'illustration':1},'chiasmodon':{'niger':2},'yellow':{'and':4,'giant':1,'green':2,'red':1,'spots':1},'four':{'brightly':1,'hundred':1,'haunts':1,'feet':1,'solutions':2,'hours.':1,'things':1,'long':1,'.':2,'legs':1,'inches':4,'thousand':1,'million':1,'pairs':2,'hours':1,'satellites':1,'tufts':1,'great':1,'main':1,'of':1,'months':1,'days':1,'times':4,'volumes':1,'inches.':1,'frilled':2,'or':3},'snapping-blades':{'the':1},'aegir':{'on':4},'hanging':{'down':1,'on':2},'bird--evidences':{'of':1},'canes':{'venatici':1},'inheritance.':{'looking':1},'electricity':{'and':5,'belong':1,'is':4,'rotating':2,'held':1,'as':1,'sec':1,'in':1,'yet':1,'predominates':1,'from':1,'there':1,'.':9,'to':1,'which':4,';':4,'has':1,'we':1,'that':1,'here':1,'i.e':1,'like':1,'repel':1,'the':2,'or':1,'attracting':1},'similarity':{'of':3,'between':1},'sunlit':{'side':1},'superficially':{'indistinguishable':1,'like':1},'out-breeding':{'among':1,'when':1,'exogamy':1},'lord':{'popular':1,'kelvin':5,'avebury':1},'non-intelligent':{'experiments':1},'flicking':{'out':1},'meadows':{'and':2,'an':1},'sinking':{'down':2,'according':1,'in':1},'digit':{'of':1,'well':1},'co-operation':{'of':2},'oceans':{'lie':1,'of':1,'there':1,'are':1,'goes':1,'must':1},'pigment':{'and':1,'is':2,'.':1,'as':1,'which':1,';':1},'figs':{'.':1},'fingers.':{'but':1},'experimentally':{'on':1},'bringing':{'of':1,'about':1,'the':2},'elevations':{'and':1,'of':1},'meadow.':{'in':1},'internally':{'hot':1},'whitman':{'says':1,'took':1},'colour--the':{'result':2},'stars.':{'yet':1},'persisted':{'as':1,'until':1},'chameleons':{'the':1,'.':1},'intensification':{'of':1},'succession':{'giving':1,'of':5,'the':1,'has':1,'.':1},'tube--the':{'walls':1},'ultra-violet':{'and':1,'light':1,'waves--which':1,'or':1,'waves':1},'straight':{'ahead':1,'drop':1,'lines':1,'down':1,'through':1,'in':1,'path':2,'line':1,'legs':1,'along':1},'spiders':{'about':1,'were':1,'it':1,'.':1,'scorpions':1,'are':1,'have':1,'in':1},'specially':{'protected':1,'adapted':1},'symmetry.':{'illustration':1},'stiffens':{'.':1},'270':{'a':1,'silk':1,'reproduced':1},'271':{'electrical':1,'from':1},'second':{'and':5,'layer':1,'when':1,'year':1,'extinction':1,'yet':1,'any':1,'group':1,'would':3,'there':1,'question':2,'.':10,'to':1,'millennium':1,'which':1,';':1,'then':1,'we':1,'advantage':1,'that':1,'class':1,'screen.':1,'interglacial':1,'every':1,'longest':1,'not':1,'cousin':1,'copy':1,'opportunity':1,'by':1,'a':1,'great':1,'these':1,'of':1,'or':1,'preparation':1,'printing':1,'error':1,'position':1,'the':2,'chapter':1,'photograph':2},'attended':{'the':1,'by':2},'274':{'photo':1},'275':{'from':1},'278':{'hours':1,'photo':1},'279':{'rotating':1,'the':2},'inanimate':{'world':1},'dormancy':{'.':1},'errors':{'a':1,'in':1},'semicircular':{'canals':1},'phalangers':{'and':1,'flying':1},'thunder':{'and':1,'means':1},'nature.':{'the':1,'typical':1,'what':1,'illustration':1,'one':1},'contributed':{'every':1},'fingers':{'and':6,'to':1,';':1,'2':1,'knocking':1},'lowliness':{'.':1},'fossil':{'horses':1,'remains':2,'series':1,'forms':2,'scorpions':1,'of':2,'species':1},'increasing':{'control--a':1,'temperature':1,'facility':1,'intelligence':1,'complexity':2,'fullness':1,'the':1,'with':1,'day':1},'inducement':{'many':1},'surface--the':{'photosphere--is':1},'chins':{'and':1},'error':{'a':1,'we':1,'is':1,'here':1,'method':2,'to':1,';':1,'or':1,'must':1},'here':{'and':5,'says':1,'is':5,'within':1,'some':1,'it':1,'anticipating':1,'go':1,'seen':1,'again':4,'for':1,'also':1,'rather':1,'concerned':1,'since':1,'.':1,'to':3,'only':2,'cockchafers':1,'you':1,'was':2,'refer':1,'we':2,'let':1,'with':1,'nor':1,'a':1,'of':1,'spontaneously':1,'the':2,'stimulating':1,'are':1},'atoms':{'and':10,'being':1,'is':1,'an':1,'270':1,'whilst':1,'exist':1,'are':4,'have':1,'in':3,'seem':1,'seek':1,'containing':1,'indivisible':1,'from':1,'appear':1,'would':1,'with':1,'had':1,'.':5,'which':2,'got':1,';':2,'has':1,'was':1,'into':1,'do':2,'form':1,'were':4,'but':1,'atoms':2,'break':1,'most':1,'they':1,'put':1,'come':1,'themselves':1,'he':1,'for':1,'of':33,'enter':1,'the':2,'first':1,'at':1},'reported':{'to':1,'in':1,'that':1},'china':{'and':1},'evolutionist':{'s':1,'ideas':1,'suggestion':1},'fire.':{'chief':1,'saturn':1},'substance':{'in':1,'both':1,'from':2,'would':1,'is':1,'after':1,'glowing':1,'reaches':1,'.':3,'will':1,'to':1,'as':2,'but':1,'which':2,'were':1,'known':1,'has':1,'by':1},'contribute.':{'another':1},'k':{'.':1},'second--more':{'than':1},'reports':{'performances':1},'controversy':{'as':1},'forbes':{'observed':1,'tells':1,'history':1},'symmetrical':{'fishes.':1},'heidelbergensis':{'discovered':1},'appropriately':{'giants':1},'divide':{'a':1,'in':1},'owed':{'to':1},'explained':{'on':1,'because':1,'presently':1,'that':1,'later':1,'in':4,'by':1},'lengthen':{'the':1},'replace':{'the':4,'it':1},'brought':{'about':3,'to':3,'into':2,'up':1,'us':1,'their':1,'outside':1,'near':2,'through':1,'together':1,'in':1,'the':1,'its':1},'larger.':{'6':1},'female.':{'the':1},'obligation':{'works':1},'unit':{'body':1,'of':1,'for':1,'areas':1},'disproved--e.g':{'.':1},'spoke':{'of':3},'temperature.':{'if':1},'1892':{'.':1},'occupying':{'a':1},'vol':{'.':4},'untie':{'knots':1},'therefore':{'there':1,'is':2,'it':1,'one':2,'as':1,'are':2,'have':1,'even':1,'little':1,'since':1,'to':1,'survey':1,'means':1,'more':1,'form':1,'that':7,'imagine':1,'not':1,'conspicuous':1,'must':1,'a':2,'always':1,'so':1,'contain':1,'the':1,'called':1},'strike':{'a':1,'to':1,'the':2},'fossiliferous':{'beds':1},'until':{'comparatively':1,'some':1,'it':7,'one':1,'discovered':1,'at':3,'in':1,'its':2,'there':1,'when':1,'finally':1,'we':1,'recently':1,'that':1,'they':5,'such':1,'inconceivable':1,'a':3,'both':1,'i':1,'near':1,'the':3,'once':1},'skill.':{'illustration':1},'females':{'go':1,'the':1,'who':1,'use':1},'9.':{'instinctive':1},'successful':{'hunting':1,'accomplishment':2,'.':1,'notably':1,'race':1,'animal':1,'in':1,'performance':1,';':2,'class':1},'brings':{'about':1,'his':1,'this':1,'them':1,'us':1,'obvious':1,'the':1},'whirling':{'nebulae.':1,'gaseous':1,'streams':1,'motions':1,'electrons':1,'ring':1,'round':1},'glass':{'and':1,'on':1,'by':1,'blown':1,'wall':1,'of':1,'tube':1,'jar':1,'prism':3,'vulcanite':1,'.':2,'walls':1,'vibrate':1,'prism--a':1,'the':2,'tubes':1,'model':2},'inwards':{'each':1},'91':{'photo':1,'after':1,'pictorial':1},'90':{'photo':1,'from':1,'days':2,'per':1},'midst':{'of':1},'92':{'830':2,'as':1,'fossil':1},'95':{'photo':1,'from':1},'immature':{'sperm':1,'egg':1,'larval':1},'circumstances':{'and':1,'of':1,'it':1,'however':1,'indicate':1,'as':1},'locked':{'up':3},'mimickers':{'do':1,'live':1,'though':1,'survive--although':1},'pursue':{'further':1,'the':1},'accomplishment':{'of':2,'would':1},'plunged':{'in':1},'tell-tale':{'evidence':2},'temperatures':{'and':2,'as':1,'enormously':1,'but':1,';':1},'concepts':{'differ':1,'or':1},'plunges':{'into':1},'example':{'a':2,'passes':1,'of':5,'is':1,'three':1,'.':1,'the':1,'out':1},'type.':{'there':1,'steps':1,'it':1,'illustration':1},'encouragement.':{'evidences':1},'nitrates':{'which':1},'organized':{'under':1},'shore.':{'the':1},'dragons':{'and':1,'a':1,'for':1,'stalking':1,'which':1,'the':1,'or':1},'glued':{'to':1,'together':2},'caution':{'is':2,':':1,'in':2},'kingdoms':{'to':1},'want':{'to':1,'that':1},'oil-sheet':{'by':1},'absolute':{'cold':1,'calm':1,'zero':2},'disappearing.':{'thus':1},'travel':{'from':2,'for':1,'that':2,'fifteen':1,'is':1,'it':1,'.':2,'through':1,'at':3,'in':3,'rapidly':1,'with':1,'by':1,'round':1},'drying':{'up':1},'feature':{'of':2,'is':1,'in':2,'that':1},'machine':{'and':1,'readable':1,'which':1,'in':1},'how':{'beautiful':1,'this':2,'all':2,'useful':1,'striking':1,'vertebrates':1,'abundantly':1,'it':6,'long':4,'in':1,'curious':1,'your':1,'their':2,'thoroughly':1,'sunlight':1,'.':1,'to':9,'much':1,'--all':1,'he':1,'admirable':1,'is':1,'whipped':1,'noble':1,'we':4,'express':1,'do':4,'men':1,'but':1,'soon':1,'magnetism':1,'important':1,'infinite':1,'man':1,'a':1,'like':2,'these':2,'many':4,'could':2,'well':1,'swiftly':1,'did':1,'electrons':1,'can':1,'the':14,'professor':1,'are':2},'krait':{':':2,'should':1},'hop':{'.':1},'significance':{'of':3,'is':1,'.':1,'was':1,'that':1},'mueller':{'where':1},'uselessness':{'of':1},'utilise':{'their':1,'the':7,'atomic':1,'directly':1},'ptarmigan':{'very':1,'moults':1},'diagram':{'a':1,'and':1,'illustrating':3,'illustrates':2,'of':10,'showing':3,'.':4,'fig':2,'shows':2,'is':3,'constructed':1},'dinosaurs':{'and':1,'it':1,'which':1,'in':1},'wrong':{'and':1,'side':1,'though':1},'lattice-work':{'than':1,'but':1},'destined':{'to':3,'within':1},'twined':{'round':1},'pearl-bearing':{'river-mussels':1},'factor.':{'we':1},'types':{'and':2,'we':1,'like':2,'especially':1,'that':2,'of':10,'it':1,'.':2,'are':3,'which':3,'suited':1,'the':1,'has':1,'nearly':1},'calves':{'young':1},'effective':{'and':1,'substitutes':1,'ways':1,'camouflaging':1,'flying':1,'.':1,'action':1,';':1,'response':1},'endeavoured':{'instead':1},'attracts':{'every':1},'headquarters':{'of':1},'specks':{'faintly':1},'keeps':{'the':1,'as':1,'an':1},'back--till':{'we':1},'wing':{'and':1,'remains':1,'of':4,'is':3,'.':3,'while':1,'action':1,'has':1,'was':2},'wind':{'and':3,'tugs':1,'from':1,'around':1,'that':1,'pay':1,'.':1,'falls':1},'wine':{'decanter':1},'ovule':{'so':1},'restriction':{'attendant':1},'school.':{'as':1},'effect.':{'the':1,'illustration':1},'vary':{'a':1,'enormously':1,'.':1},'halfpennies':{'.':1},'microbe':{'or':1},'fore-limbs':{'and':3,'a':1,'emerging':1,'of':1},'elevated':{'into':1},'rewarded':{'the':2},'throne.':{'illustration':1},'wrought':{'on':1,'out':2,'in':1},'admirably':{'suited':1},'matures':{'or':1},'fit':{'and':2,'effected':1,'variations':1,'will':1,'to':2,'beautiful':1,'lasts':1,'the':1},'bodies--evolution':{'of':2},'heretofore':{'unimagined':1},'fix':{'dates':1,'after':1,'the':1},'occupations':{'and':1,'whether':1},'survivors':{'in':1},'woolly-haired':{'africans':1,'african':1},'anticipations':{'at':1},'fig':{'4':1,'.':36},'nobler':{'more':1},'hidden':{'disc':1,'from':1,'secrets.':1,'or':1},'alpine':{'heights':1},'admirable':{'indeed':1,'is':1,'adjustment':1,'in':1},'easier':{'to':4,'for':1},'bristle':{'.':1},'bolton.':{'the':3,'orang-utan':1,'chimpanzee':1,'cassowary':1},'f.r.s':{'.':1},'effects':{'and':1,'on':1,'from':1,'of':2,'due':1,'.':1,'are':1},'stars;':{'their':1},'coal-fields':{'is':1,'can':1},'devices.':{'vii':1,'illustration':1},'prize':{'is':1},'represents':{'a':2,'the':4,'an':1},'educable.':{'illustration':1},'humming-birds':{'we':1},'arrow':{'round':1,'shows':1},'obdurate':{'solid':1},'burial':{'customs':1},'financial':{'support':1},'telescope':{'and':1,'because':1,'show':1,'developed':1,'is':4,'it':1,'depends':1,'at':1,'in':1,'takes':1,'49':1,'remains':1,'.':3,':':1,'was':1,'brings':1,'construction':2,'with':1,'of':1,'mount':2,'weigh':1,'the':2},'garment':{'of':5,'by':1,'.':1},'spider':{'called':1,'203':1,'has':1,'that':1,'may':2,'dr':1,'ascends':1,'after':1,'reaches':1,'sunning':2,'jerks':1,'to':4,'s':1,'which':1,'--brushes':1,'with':1,'is':1,'ornithoscatoides':1},'parasites':{'a':1,'have':1,'may':1,'casual':1,'as':1,'are':2,'which':1,'or':1,'often':1},'armour--the':{'sea-urchin':1},'contracting':{'striped':1,'muscles':1,'mass':1,'the':1,'its':1},'depositing':{'eggs':1},'laboratory':{'cambridge':1,'would':1,'had':1,'but':1,'.':1,'at':1,'in':1,';':1,'or':1},'nerve-cell':{'s.c.':1,'m.c.':1,'a.c.':1},'message':{'travels':3,'is':2,'reaches':1},'borne':{'on':1,'just':1,'away':1,'in':1,'usually':1,'by':2,'out':1},'speed.':{'in':1},'excepting':{'the':1},'ice-sheets':{'retreated':1},'unrelated':{'types':1},'adapt':{'itself':1},'centauri':{'4.29':1,'estimated':1},'foundation':{'and':3,'web':1,'makes':1,'is':2,'as':1,'.':3,'project':1,'how':1,'s':3,'at':1,'in':1,'the':5,'was':1,'or':1,'are':1,'anyone':1},'stamping':{'a':1},'assured':{'that':1},'waddle':{'130':1},'strata':{'of':3,'is':1,'when':1,'contained':1,'have':1,';':1,'with':1},'solution':{'containing':1,'that':1,'may':1,'of':4,'within':1,'when':1,'has':1,'was':1},'sensory':{'nerve-fibre':2,'nerve-cell':1,'equipment':1,'nerve-cells':1,'stimulus':1,'fibres':1,'alertness':1},'born.':{'but':1},'crowned':{'with':1},'estimate':{'and':1,'obtained':1,'being':1,'how':1,'this':1,'of':2,'its':1,'these':1,'by':1},'universally':{'true':1},'enormous':{'distances':2,'energy':1,'number':1,'disc-like':1,'pressure--2-1':1,'size':1,'infantile':2,'vibration':1,'speed':1,'depths.':1,'amount':2,'increase':1,'pressures':1,'role':1,'store':1,'dilatable':1,'pressure':1,'jets':1,'velocities':1,'length':1,'activity':1,'velocity':1,'the':1},'bates':{'tells':1,'but':1},'exposing':{'it':1},'merychippus':{';':1,'miocene':1},'shelves':{'of':1},'hind-limbs':{'of':2},'perhaps.':{'moreover':1},'elements--we':{'have':1},'disturbed':{'development':1,'and':1,'.':2},'tempting':{'but':1,'one':1},'ineffectively':{'or':1},'speeds':{'to':1},'appreciable':{'atmosphere':1},'gas-bubbles':{'and':1,'in':1},'wasp':{'or':1,'beetle':2},'subtlety':{'in':1,'that':1},'maladies':{'to':1},'channels':{'or':1},'spinning':{'slowly':1,'threads':1,'round':1},'179':{'a':1,'photograph':1,'reproduced':1},'178':{'photo':1,'after':1},'likes.':{'illustration':1},'175':{'after':1},'174':{'after':1},'flagella':{'.':1},'172':{'000':1,'piltdown':1},'171':{'reproduced':1},'170':{'after':1,'from':1},'bitten':{'by':1},'service':{'to':1,'in':2,'abroad':1,'.':1},'similarly':{'for':1,'suggest':1,'when':1,'our':1,'the':3,'adapted':1,'out':1},'cooling':{'and':1,'white-hot':1,'of':3,'metal':1,'but':1,'down':3,'earth':1,'the':1},'needed':{'.':1,'for':1,'in':1},'master':{'of':1,'the':2,'different':1},'blossoms':{'.':1},'gilbert':{'white':1},'legs':{'and':4,'on':1,'free':1,'.':3,'to':1,'indents':1,'so':1,'are':1,'out':1},'genesis':{'of':1,'.':1},'treasure-house':{'of':1},'listen':{'it':1},'rewards':{'to':1},'fibrous':{'husk':1},'wisdom':{'of':1,'in':1},'egg-producer':{'.':1},'motionless':{'on':1,'at':1,'that':1},'predictable':{'and':1},'collaterals':{'hundreds':1,'.':1},'scarborough':{'and':2},'positively':{'say':2,'that':1,'into':1,'charged':1},'insect-visitors':{';':1},'surer':{'by':1},'showed':{'a':1,'on':1,'great':1,'for':1,'that':9,'is':1,'how':2,'simian':1,'the':1},'miniatures':{'of':1},'tree':{'and':2,'217':1,'notice':1,'of':5,'into':1,'struggles':1,'but':1,'.':2,'to':3,'near':1,'i.e':1,'with':1,'is':2,'before':1},'likely':{'to':5,'that':1,'unless':1,'it':1,'however':1},'idly':{'on':1,'why':1},'project':{'gutenberg-tm':56,'gutenberg':29,'gutenberg:':1,'gutenberg-tm.':1,'from':1},'fly-trap':{'77':1,'when':1,'one':1},'feeling':{'and':2,'of':1,'is':1,'.':1,'their':2,'things':1,'or':1},'acquisition':{'almost':1,'of':1,'made':1,'associated':1,'by':1},'life--the':{'first':2},'groaning':{'and':3},'objects':{'and':1,'do':1,'for':1,'very':1,'but':1,'.':2,'271':1,'take':1,'in':2},'similitude':{'of':2},'oxygen-capture':{';':1},'spectrum':{'and':2,'rays':1,'provides':1,'of':4,'is':2,'emitted':1,'analysis':2,'.':3,'will':1,'as':1,'are':1,'have':1,'the':2},'controversy.':{'in':1},'antagonistic':{'substances':1},'well.':{'illustration':1},'constricted':{'off':1},'oxygen-combustion':{'the':1},'dozen':{'eggs':1,'classes':1,'by':1,'years':1},'affairs':{'on':1,';':1,'would':1},'wholesome':{'superstitions':1},'yolk-forming':{'and':1},'person':{'often':1,'you':1,'or':3,'can':1},'eagerly':{'following':1},'metallic':{'vapours':1},'toothed':{'whales':1,'bird':2,'birds':1},'australia--all':{'sometimes':1},'absorbed':{'but':1,'so':1,'in':1,';':1,'with':1,'by':2},'doors':{'and':1,'of':1,'.':1,'depositing':1,'which':1,'were':1},'season':{'209':1,'it':1,'illustration':1},'concedes':{'the':1},'rhodesia':{'very':1,'178':1},'shall':{'be':2,'we':1,'deal':1,'give':1,'predict':1,'explain':2,'never':1,'content':1,'see':11,'have':1,'not':1,'see.':2,'find':2,'refer':1},'screwing':{'the':1,'it':1},'object':{'and':1,'we':1,'of':2,'.':1,'to':1,'too':1,'in':2,'drawn':1},'diminishing':{'in':1},'victoria':{'b':1,'british':2},'gill-cavity':{'and':1},'mouth':{'and':5,'of':1,'is':1,'there':2,'.':6,'allied':1,'are':1,'in':1,'the':1,'where':1,'into':1,'came':1},'long.':{'in':1},'letter':{'is':1,'there':1,'o':2},'drought':{'and':2,'is':1,'frost':1,'by':1,'extremes':1},'hide-and-seek':{'game':1},'difficulties.':{'illustration':1},'expound':{'their':1},'redistribution':{'is':1},'episode':{'in':1},'available.':{'many':1},'professor':{'holmes':2,'and':1,'thomas':2,'j':3,'tacchini':1,'rayleigh':1,'michael':1,'frederick':1,'chamberlin':1,'yerkes':3,'hickson':1,'starling':1,'lull':3,'church':2,'soddy':3,'eddington':4,'sir':8,'le':1,'royal':1,'young':1,'pickering':1,'soddy.':1,'john':1,'gamble':2,'soddy--as':1,'oscar':1,'perrin':1,'william':1,'flinders':1,'buller':1,'wood':1,'thorndike':3,'e':2,'whitman':1,'h':2,'later':1,'poulton':1,'l':2,'curie':1,'s':1,'r':6,'bayliss':1,'w':3,'of':3,'schuchert':2,'percival':2,'left':1,'schwalbe':1,'lloyd':2},'nineteenth':{'century.':2,'century':6},'mating':{'.':1},'incomplete':{'inaccurate':1,'.':1},'marvel':{'that':1},'hobhouse':{'has':1,'had':1},'insects':{'and':5,'belonging':1,'related':1,'extinct':1,'spring-tails':1,'pterodactyls':1,'whose':1,'by':2,'appear':1,'perhaps':1,'divided':1,'.':3,'to':1,'only':1,'which':1,'birds':1,'we':1,'that':2,'rest':1,'such':1,'with':1,'than':1,'on':1,'made':1,'like':1,'could':1,'carries':1,'can':1,'the':2,'where':1,'spend':1},'sea-snakes':{'such':1},'feather-stars':{'on':1},'apace':{'there':1},'touches':{'the':1,'some':1,'one':1},'flagellates--the':{'originators':1},'methods--one':{'using':1},'shuffling':{'a':1,'the':1},'quaint':{'insects':1,'lop-eared':1,'ways':1,'explorer':1,'creatures':2},'unrest.':{'many':1},'character':{'of':1,'set':1,'except':1},'bush':{'in':1},'touched':{'it.':1,'on':1,'by':1},'rich':{'repertory':1,'inheritance':1,'area':1,'seaweed':1,'in':4},'rice':{';':1},'plate':{'and':2,'reveals':1,'may':1,'of':3,'is':1,'there':1,'however':1,'.':4,'underneath':1,'to':1,'goes':1,';':1,'has':1,'holder':1},'well-advanced':{'stage':1},'wide':{'of':1,'range':2,'spread':1,'departures':1,'apart':1},'foremost':{'living':1},'pocket':{'and':1,'of':1,'is':1},'insect.':{'masking':1},'altogether':{'and':1,'we':1,'from':1,'obscure.':1,'there':1,'.':1,'lies':1,'inattentive.':1,'extinct':1,'the':1,'apart':1},'tips':{'of':1,'form':1},'transmissible.':{'given':1},'societies':{'.':1},'greens':{'and':1},'dipnoi':{'which':1},'patch':{'of':2,'which':1},'men.':{'we':1,'the':1},'fitly':{'use':1},'release':{'date':1,'harness':1},'them.':{'1':1,'we':1,'clodd':1},'hasten':{'matters':1,'however':1},'lesson.':{'we':1},'circling':{'eddies':1,'round':1},'protists':{'the':1,'which':1},'evolutionism':{'with':1},'traverse':{'matter':1,'we':1},'fair':{'to':1},'radium':{'and':6,'discharges':1,'270':1,'as':1,'sec':1,'in':1,'salts':1,'passes':2,'rays':8,'began':1,'that':1,'when':1,'.':2,'to':1,'rays.':1,'john':2,'was':2,'generates':1,'captivated':1,'may':1,'now':1,'a':1,'implied':1,'the':2,'or':2},'niche':{'of':2,'among':1},'radius':{'and':1},'result':{'we':1,'of':10,'is':1,'when':1,'.':1,'will':4,'as':1,'strange':1,'which':1,'in':1,'not':1,'was':2},'fail':{'to':4},'nocturnal':{'birds':1,'animal':1},'skulls':{'high':1,'of':1,'.':1},'best':{'methods':1,'for':1,'of':2,'explanation':1,'.':1,'to':1,'while':1,'suited':1,'thermometer':1,'illustrations':1,'i.e':1,'has':1,'dress':1,'conductors.':1},'oceanic':{'islands':1},'rings':{'and':1,'from':1,'of':1,'mighty':1,'are':1,'in':1,'the':1,'round':1},'frond-like':{'tassels':1,'tags':1},'stealthy':{';':1,'stalking':1},'pressures':{'the':1,'that':1},'score':{'of':1,'but':1,'which':1},'conceptual':{'as':1,'inference':1,'inference--or':1},'propagated':{';':1},'circulating':{'at':1,'the':1,'round':1,'as':1,'in':1},'glasgow':{'and':1},'magnesium':{';':1},'preserve':{'free':1},'claws':{'on':3,'especially':1,'.':1},'men':{'and':2,'indicated':1,'it':1,'as':1,'at':1,'have':1,'oftener':1,'still':1,'ancient':1,'.':5,'to':1,'that--':1,'who':4,'proving':1,'but':2,'arose':1,'with':1,'like':2,'of':19,'s':1,'so':1,'were':1,'the':1,'powers':1,'or':1},'extend':{'far':1,'our':1,'the':1,'towards':1,'outwards':1},'nature':{'and':3,'because':1,'less':1,'is':1,'some':1,'depends':1,'acts':1,'draws':1,'would':1,'there':1,'had':1,'.':5,'which':1,'messrs':2,'drawn':1,';':1,'has':2,'was':3,'more':1,'never':1,'but':1,'includes':1,'november':1,'the':1,'a':1,'about':1,'of':28,'s':8,'ninety-two':1,'messrs.':2,'or':1,'involves':2},'blood-containing':{'tufts':1},'twinkling':{'of':1},'cards':{'and':1,'with':1,'but':1,'.':1,'are':1,'come':1},'extent':{'and':1,'on':2,'what':1,'gauged':1,'of':1,'able':1,'intelligently':1,'by':1,'to':1,';':1,'permitted':1},'carbon':{'immersed':1,'compounds':4,'hydrogen':1,'until':1,'dioxide':1},'debt':{'repaid':1},'well-lighted':{'surface':1},'tyranny':{'of':3},'outcome':{'of':12,'is':2},'sacrificing':{'accuracy':1},'refinement':{'and':1},'country':{'then':1,'of':1,'to':1,'outside':1,'in':2,'nothing':1,'the':1},'conclusions':{'are':1,'which':1},'heating':{'process':1},'tree-toads':{'tree-snakes':1},'dents':{'or':1},'argue':{'fire':1},'adapted':{'for':14,'many':1,'.':1,'to':12,'itself':1,'so':1,'in':1},'asked':{'perhaps':1,'to':1,'what':1,'for':3},'exogamy':{'tending':1},'vain':{'and':1},'canyon':{'60':1,'many':1},'259':{'professor':1},'irresponsibly':{'they':1},'252':{'reproduced':1},'250':{'what':1,'000':2,'miles':1,'fathoms':2,'the':1,'inconceivable':1},'251':{'a':1},'grazing':{'mammals':1,'the':1,'herds':1,'bison':2,'in':1},'254':{'photo':1,'from':1,'reproduced':1},'255':{'reproduced':1},'101':{'after':1},'berenices':{'is':1,'.':1},'union':{'of':3,'with':1},'fro':{'about':1,'more':1},'.':{'secondly':1,'all':12,'three-toed':2,'sci':2,'skeleton':1,'chain':1,'holman':1,'mcintosh.':2,'four':1,'zinc':1,'foundations':1,'contributions':1,'magnifying':1,'certainly':1,'fahr.':1,'father':1,'young':2,'miall':1,'to':27,'finally':2,'romanes':1,'lord':1,'non-intelligent':1,'protective':1,'7':4,'very':5,'every':12,'dando':1,'radio-active':1,'well-finished':1,'f.r.s':1,'louis':1,'laying':1,'t.':1,'p':9,'hickson':1,'small':2,'indemnity':1,'round':1,'upper':1,'feathers':1,'yerkes':1,'electricians':1,'further':1,'langmuir':1,'blue':1,'what':24,'17.--a':1,'pariasaurus':1,'paintings':1,'section':1,'above':3,'dr.':1,'new':3,'movement':1,'cheetahs':1,'sci.':1,'men':1,'here':10,'hundreds':1,'anthropology':2,'let':7,'others':3,'along':3,'f.r.s.':1,'neville':1,'daughter':1,'dividing':1,'chalmers':1,'k':1,'compliance':1,'forbes':3,'usually':1,'adopting':1,'holmes':1,'saunders':3,'24.--the':1,'berridge':8,'newby':1,'cuttlefishes':1,'everybody':1,'from':21,'russell':3,'would':1,'remains':1,'positive':1,'two':5,'anatomical':1,'examination':1,'therefore':2,'6':6,'taken':2,'until':2,'on':19,'flying':3,'inclined':1,'berridge.':10,'chimpanzee':1,'lodge':1,'everywhere':1,'hilger':2,'baby':2,'bates':2,'ward':21,'huxley':3,'dando.':3,'none':2,'animals':2,'f':5,'this':102,'science':5,'when':39,'piltdown':1,'3--the':1,'making':1,'male':1,'history':3,'frogs':1,'high':1,'something':1,'story':1,'presently':1,'sir':2,'end':1,'starch':1,'astronomers':3,'how':7,'orang-utan':1,'occasionally':1,'s.':1,'intelligent':1,'side-view':2,'millikan':2,'information':3,'slipher':1,'perrin':1,'after':15,'deep-sea':1,'waves':1,'such':10,'man':4,'a':95,'forestier':3,'light':6,'clavius':1,'osborn':3,'so':24,'kippax':1,'iii.':1,'sc':1,'evolutionary':1,'barnard':2,'pelican':1,'indeed':4,'21.--typical':1,'murray':2,'thomson':7,'helena':1,'experiments':2,'still':2,'its':14,'soddy':1,'before':1,'25':1,'27':1,'21':1,'22':1,'28':1,'wilkinson.':2,'lowell':5,'23.--star':1,'fabre.':2,'26.--a':1,'estuaries':1,'they':99,'compound':1,'not':6,'olcott':1,'now':23,'nor':2,'nos':1,'6.--solar':1,'f.e.s.':1,'james':1,'radiant':1,'reid.':2,'scharff':1,'associative':1,'weighs':1,'everyone':2,'directly':1,'needless':2,'series':2,'fish':1,'journ':2,'macmillan':3,'12.--jupiter':1,'owing':1,'our':5,'hart':1,'special':2,'out':2,'living':4,'9.--the':1,'furthermore':1,'since':2,'may':1,'america.':3,'safety':1,'rational':1,'10.--solar':1,'sluggish':1,'red':1,'7.--the':1,'quite':1,'fourteen':1,'extraordinary':1,'experimenting':1,'besides':6,'put':3,'detecting':2,'keith':1,'ll.d':2,'organic':1,'g':1,'where':2,'hence':5,'first':3,'18.--a':1,'copper':1,'already':1,'plainly':1,'thereafter':1,'one':16,'another':9,'mercury':1,'given':2,'ancient':2,'limited':2,'similarly':4,'anyone':2,'their':13,'2':23,'caterpillars':1,'white':1,'speaking':2,'x-rays':2,'that':23,'19.--comet':1,'part':2,'somewhat':1,'gilbert':1,'11':1,'10':2,'13':2,'b':7,'15':1,'14':2,'17':1,'16':2,'second':2,'project':3,'matter':2,'r':3,'algol':1,'other':4,'are':1,'and':41,'clerk-maxwell':3,'ltd.':2,'pliocene':1,'ages':4,'lull':4,'sentences':1,'1':26,'apparently':1,'any':1,'viewed':1,'eels':1,'u.s':1,'mic':1,'gravity':1,'note':5,'also':1,'without':4,'take':1,'sirius':1,'even':16,'play':2,'unless':4,'wilson.':2,'though':1,'price':1,'who':2,'hincks':1,'most':6,'combustion':1,'nothing':1,'america':1,'nutritive':1,'constitution':1,'firelight':1,'22.--a':1,'dragon-flies':1,'professor':12,'later':2,'heat':2,'looked':1,'25--giant':1,'electrons':7,'prout':1,'normally':1,'laws':1,'stones':1,'hobhouse':1,'aquatic':1,'charles':2,'14.--the':1,'lloyd':1,'uranus':1,'earth':1,'hinkins':2,'copyright':1,'duncan':1,'only':4,'going':2,'molecules':2,'humdrum':1,'thompson':1,'8':5,'4.--the':1,'darwin':4,'thousands':1,'combe':1,'do':3,'his':1,'fossil':1,'meanwhile':2,'15.--mars':1,'there':106,'watch':1,'watson':1,'12':2,'nearly':2,'distinctly':1,'during':3,'silk':2,'dr':1,'crabs':1,'evolution':3,'h':27,'girdled':1,'twice':2,'discs':1,'20.--comet':1,'she':8,'gibson':1,'1922':1,'intelligence':1,'radium':2,'notice':3,'j.':2,'sec':1,'mud-nests':1,'mcgregor.':12,'5.--diagram':1,'tropisms':1,'federal':1,'artificial':1,'birds':1,'3':19,'between':5,'probably':2,'email':1,'crookes':2,'we':115,'tylor':1,'fox-bat':1,'however':5,'8.--the':1,'atoms':2,'both':7,'c':18,'wallace':1,'many':17,'taking':1,'according':6,'s':21,'1.--diagrams':1,'johnstone':1,'otherwise':1,'among':4,'goodrich':1,'simple':4,'had':1,'jeans':1,'whatever':3,'pycraft':1,'church':1,'moreover':9,'newbigin':1,'broadening':1,'marett':1,'geddes':1,'much':5,'sponges':1,'bragg':2,'life':3,'modern':1,'partly':1,'c.':1,'four-toed':1,'luther':1,'13.--saturn':1,'shepstone.':6,'races':1,'despite':1,'an':14,'161':1,'those':4,'sound':1,'adaptations':1,'unlike':1,'these':36,'lightner':1,'16.--the':1,'n':2,'while':2,'suppose':1,'viii':1,'2.--the':1,'fore-limb':2,'then':4,'vol':1,'vi':1,'is':4,'thus':48,'it':317,'iv':2,'ii':2,'middle':2,'in':152,'mcgregor':2,'if':76,'jenner':1,'headley':1,'perhaps':13,'things':1,'make':1,'sollas':1,'babies':1,'9':2,'several':1,'yucca':1,'higher':1,'ball':1,'see':4,'kelvin':1,'v.':1,'kinnaman':1,'moving':2,'lower':2,'i':3,'no':11,'mccabe':1,'contact':1,'furneaux':1,'comparisons':1,'the':569,'redistribution':1,'just':2,'being':1,'generally':1,'rest':1,'ideas':1,'disguise':1,'ritchie':2,'years':1,'paul':1,'yet':11,'like':1,'smith':1,'except':2,'potential':1,'4':15,'5':8,'putnam':2,'possibly':1,'boxes':1,'royalty':2,'five':1,'6.':1,'apart':4,'tail':1,'d':1,'lightning':1,'enregistered':1,'arthur':7,'donations':1,'t':1,'interbreeding':1,'webb':1,'old':1,'flattely':1,'triceratops':1,'some':37,'jupiter':2,'easygoing':1,'gradually':1,'for':44,'shall':1,'skeletons':1,'everything':2,'does':1,'subtlest':1,'newcomb':2,'11.--mars':1,'each':13,'illustration':2,'subconscious':1,'great':1,'although':4,'affording':1,'by':18,'macpherson.':1,'actual':1,'extending':1,'of':25,'o':1,'sea-horse':1,'whence':3,'larmor':1,'gregory':1,'consequently':1,'or':6,'naturalists':1,'serviss':1,'kapp':1,'reactions':1,'within':3,'chemists':1,'mic.':1,'mills.':2,'haddon':2,'protozoa':1,'swimmers':1,'nowadays':1,'theoretically':1,'technically':1,'doubtless':1,'linnaeus':1,'additional':1,'her':1,'placing':1,'brute':1,'long':1,'why':2,'moseley':3,'daniell':1,'stars':1,'duffus.':2,'energy':3,'naturally':1,'lowest':1,'gluten':1,'mammals':1,'but':138,'cloth':1,'curiously':1,'white.':1,'with':8,'he':39,'october':1,'whether':5,'j':40,'up':1,'idiosyncrasies':1,'stages':1,'similar':2,'sometimes':6,'taste':1,'certain':1,'metals':1,'general':2,'as':35,'ether':1,'at':22,'adams':2,'again':1,'compared':2,'curie':1,'9.':1,'c.:':1,'pickering':1,'electrical':1,'you':12,'picture':1,'energetic':1,'carpenter':1,'marshes':1,'fishes':2,'ramsay':1,'building':1,'e':5,'glass':1,'persistent':1,'together':1,'brocklehurst.':4,'mckready':1,'functionless':1,'keane':1,'once':1},'much':{'indebted':1,'harm':1,'smaller':2,'less':4,'wall':1,'intelligence':1,'subtlety':1,'alive':1,'parasites':1,'as':5,'disarranged':1,'right':1,'in':5,'sought':1,'beyond':1,'exhausted':1,'if':1,'nearer':2,'use':1,'cut':1,'from':1,'for':4,'.':2,'better':1,'to':10,'changed':1,'change':1,'progress':1,';':1,'has':1,'dreaded':1,'energy':2,'more':24,'scepticism':1,'used':2,'paperwork':1,'greater':5,'trace':1,'that':1,'importance':2,'gliding':1,'is':1,'controversy':1,'damaged':1,'denser':1,'speculation':1,'bigger':1,'simpler':1,'a':1,'on':1,'surer':1,'faster':1,'of':5,'larger':2,'stronger':1,'greater--a':1,'easier':1,'so':1,'truth':1,'light':1,'the':3,'movement':1},'pedigree--man':{'s':1},'104':{'after':1},'sponges':{'stinging':1,'zoophytes':1,'jellyfishes':1,'spongillidae':1,'are':1,'corals':1,'jellyfish':1},'smolts':{'and':1,'which':1},'fry':{'become':1,'about':2,'rises':1,'ltd.':2},'105':{'an':1},'exactness':{'with':1},'life':{'and':15,'among':1,'because':1,'although':1,'exists':1,'is':6,'it':1,'lies':1,'namely':1,'through':4,'are':3,'in':13,'palaeozoic':1,'best':1,'if':1,'depend':1,'for':1,'to':4,'remains':1,'began':1,'there':2,'had':1,'1914':1,'1':1,'.':17,'of':19,'whole':1,'which':3,';':4,'before':1,'was':2,'as':4,'than':1,'that':1,'after':1,'possible':1,'illustration':1,'but':4,'utterly':1,'during':1,'166':1,'continued':1,'by':1,'a':1,'on':18,'depends.':1,'has':4,'animals':1,'1921':2,'many':1,'depends':2,'will':1,'s':1,'can':1,'though':1,'each':1,'at':1,'taxed':1,'the':3,'history':1,'where':1,'or':1,'72':1},'latro':{'that':2},'retrospect':{'looking':1},'in-breeding':{'endogamy':1,'tended':1},'conifers':{'and':1,'ginkgos':1,'shall':1},'luther':{'the':1,'burbank':1},'shepstone.':{'light':1,'the':2,'modern':1,'100-inch':1,'lightning':1},'connaissance':{'du':1},'tree-mice':{'tree-porcupines':1},'child':{'of':4,'s':4,'does':1,'.':1,'that':1},'chili':{'where':1},'spin':{'round':1},'breast-pocket':{';':1},'control--a':{'promise':1},'adaptations':{'and':1,'of':1,'or':1,'to':5,'which':1,'such':1,'by':1},'heidelberg':{'man':5,':':2,'was':1,'sand-pit':1,'in':2},'contemp':{'.':1},'viii':{'foundations':1,'.':2},'flooding':{'space':1},'elaborate':{'burial':1},'picturing':{'a':1},'remembering':{'the':1,'that':1},'played':{'an':1},'equator':{'and':1,'of':1,'.':1,'seems':1,'i.e':1},'photographer.':{'as':1},'obeying':{'the':2},'player':{'is':1},'australia':{'perhaps':2,'is':1,'190':1,'it':1,'to':1,'neoceratodus':1,'which':1,'the':1,'95':1},'anticipating':{'the':1,'we':1},'south.':{'illustration':1},'plants.':{'sec':1,'illustration':1},'said.':{'illustration':1},'open-water':{'period':1,'turtles':1},'damaged':{'disk':1,'by':1},'feebler':{'and':1,'until':1},'things':{'and':6,'endowed':1,'is':1,'effectively':1,'as':1,'are':1,'in':2,'dr':1,'.':6,'to':1,'which':2,'wildly':1,';':1,'was':1,'horses':1,'do':1,'we':3,'that':5,'with':1,'you':1,'he':1,'on':1,'like':1,'e.g':1,'without':1,'mixed':1,'or':1},'format':{'other':1,'with':1,'used':1,'must':1},'killdeer':{'plover':1},'dissimilars':{'tends':1},'clucking':{'of':1},'gateways':{'to':1,'of':3},'double-breathers':{'dipnoi':1},'elliott':{'fry.':2,'fry':1},'emphatic':{'notice':1,'rejection':1},'european':{'fauna':1,'lynx':1},'increased.':{'electrons':1,'illustration':1},'fairly':{'what':1,'complicated':1,'mastered':1},'typhoid':{'fever':1},'georgics':{'to':1},'middle-aged':{'and':1},'effectively':{'to':1,'e.g':1,'conquered.':1,'.':1},'pioneers':{'men':1},'race-history':{'.':1},'tune':{'to':1},'registering':{'steps':1},'stupendous':{'energy':1,'collection':1,'.':1},'matters':{'little':1,'greatly':1},'erectus':{'found':1},'-mammal':{'and':1},'raindrops':{'and':1},'opinions':{'with':1},'boyhood':{'the':1},'sea-skimmers':{'halobatidae':1},'sleeps':{'upright':1},'golden':{'draperies':1,'plover':1,'age':5,'eagles.':1,';':1},'expensively':{'for':1},'distribute':{'a':1,'this':1,'copies':1,'it':1,'the':1,'or':2},'rotated':{'that':1},'beset':{'with':1},'disguise':{'and':1,'besides':1,'is':1,'.':3,'sec':1,'which':1,'differs':1,'the':1,'with':1,'or':1},'neanderthalers':{'and':1},'falcon':{'s':2},'glue-like':{'threads':1},'hen-pigeon':{'may':1},'rushing':{'torrent':1},'succeeding':{'ages':2},'lasso':{'minute':1},'99712':{'.':1},'spectacles':{'in':1},'seal':{'right':1},'old-fashioned':{'type':1,'way':1},'had':{'gone':2,'remained':1,'appeared':2,'dived':1,'some':1,'few':1,'increased':1,'brought':1,'wit':1,'at':1,'human':1,'seen':1,'swallowed':1,'enjoyed':1,'to':8,'really':1,'established':1,'given':1,'surmised':1,'proceeded':1,'rushed':1,'there':2,'been':18,'anatomical':1,'their':5,'only':1,'definitely':1,'emerged':1,'probably':1,'learned':2,'mainly':1,'claws':2,'his':1,'tried':1,'feathers':1,'gathered':1,'never':1,'extended':1,'anticipated':1,'its':4,'haunted':1,'no':4,'survived':1,'become':2,'not':6,'suspected':1,'disappeared':1,'undoubtedly':1,'a':10,'discovered':1,'great':2,'these':1,'many':1,'actually':1,'fish-like':1,'large':1,'passed':2,'teeth':2,'found':1,'the':1,'pulled':1,'waited':1,'something':1},'salmon--forming':{'new':1},'thickening':{'or':1},'saturn--the':{'moon--the':1},'collections':{'of':1},'easy':{'business':1,'for':1,'haunt':1,'.':4,'to':6,'times--glacial':1},'irresponsive':{'.':1},'botanists':{'that':1},'east':{'has':1,'when':1,'are':1,'which':1},'eocene':{'and':1,'n':1,'era':1,'n.':1,'period':1},'good-humoured':{'talkativeness':1},'up--a':{'clever':1},'elevation':{'and':1,'of':2},'survival':{'of':1,'with':1,'.':2},'semi-fluid':{'carbon':1},'possible':{'origin':1,'and':1,'instruments':1,'it':1,'according':1,'are':1,'in':1,'moreover':1,'yet':1,'enemies':1,'again':1,'evolution.':1,'for':4,'basis':1,'favouring':1,'.':1,'colours':1,'to':13,'that':6,'however':1,'but':1,'a':1,'kind':1,'outline':1,'when':1,'haunts':1,'seeds':1,'steps':1,'victory':1,'error':1,'or':1},'knife-blade-like':{'to':2,'larva':2},'firmer':{'though':1},'possibly':{'run':1,'show':1,'there':1,'outside':1,'attain':1,'have':1,'in':1},'indicative':{'not':1,'of':1},'birth':{'and':2,'of':2,'gestation':1,'.':3,'to':1,'the':1,'with':1},'shadow':{'and':1,'cast':2,'across':1,'on':1},'unique':{'and':1,'solution':1,'in':1,'property':1,'ensemble':1,'discovery':1},'12:30':{'p.m':1},'occurring':{'in':2},'desire':{'to':3,'that':1},'skull-walls':{'sir':1},'collection.':{'a':1,'lord':2,'charles':1,'sir':1,'j':1},'process--a':{'process':1,'building':1},'enregistered':{'reactions':1,'rhythms':1,'hereditarily':1,'it':1,'instinctive':2,'reactions.':1},'steps':{'followed':1,'of':1,'per':1,'which':1,'in':9,'by':1},'beneficial':{'partnerships':1,'partnership':1,'external':1,'.':1},'right':{'and':1,'into':1,'we':1,'as':1,'at':1,'in':1,'out':1,'indicate':1,'away':1,'to':2,'answer':1,'has':1,'146':1,'resting':1,'direction':1,'hand':1,'angles':4,'path':1,'with':1,'this':1,'of':4,'or':2},'old':{'quarters':1,'philosophical':1,'before':1,'terrestrial':1,'lady':1,'young':2,'.':1,'to':1,'going':1,'which':1,'entomologist':1,'editions':1,';':1,'red':2,'showing':1,'middle-aged':1,'they':1,'world':2,'with':2,'stone':4,'land':1,'word':1,'could':1,'haunts':1,'race':1,'so':1,'margin':1,'view':1},'creek':{'.':1},'crowd':{'of':1},'people':{'then':1,'would':1,'213':1,'just':1,'their':1,'arguing':1,'who':1,'.':1,'start':1,'s':1,'know':1,'have':3,'in':1,'fail':1,'wrongly':1},'predominance':{'of':1},'crown':{'of':3,'corona':1,'but':1},'deflection':{'of':3},'crows':{'but':1},'dragons--the':{'first':1},'animate':{'nature':5},'creep':{'slowly':1,'up':2},'enemies':{'a':1,'and':1,'for':1,'who':1,'except':1,'but':1,'.':5,'as':1,'which':1},'for':{'all':6,'aquatic':2,'untold':1,'unseen':1,'accurate':1,'seizing':4,'years':3,'egg-laying':1,'not':1,'existence.':2,'converting':1,'its':11,'negligence':1,'current':1,'rapid':1,'knowledge':1,'instance':25,'body-making.':1,'reasons':1,'believing':1,'capturing':1,'pursuing':1,'grasping':1,'weeks':1,'thousands':3,'over':3,'them':1,'good':1,'worse':1,'food':7,'gauging':1,'balancing':2,'existence--which':1,'every':3,'nearly':2,'they':8,'half':2,'mixing':4,'highly':1,'several':2,'identifying':3,'humming-birds':1,'this':8,'miles':1,'common':1,'activity':2,'speculation':1,'bone':2,'dexterity':1,'another':2,'intelligence':1,'radium':1,'some':4,'catching':4,'jupiter':1,'vocal':1,'existence':13,'our':4,'sport':2,'special':1,'blood-vessel':1,'crunching':1,'what':2,'three':1,'giving':1,'drifting':1,'brief':1,'increase':1,'new':3,'allowing':1,'receiving':1,'ever':4,'safety.':1,'measuring':1,'we':4,'reproduction':1,'parental':1,'example.':1,'terse':1,'of':1,'here':2,'water':2,'feeding':1,'nowhere':1,'although':3,'sedentary':1,'science':2,'dry':1,'comparison':1,'enormous':1,'actual':1,'respiration':1,'branch-gripping':1,'many':12,'violence':1,'adventures':1,'generations':1,'swimming':2,'nerve':1,'striking':1,'keenness':1,'obtaining':1,'seven':1,'one':1,'learning':1,'accepting':1,'.':1,'millions':14,'life--the':2,'man--the':1,'additional':1,'her':2,'their':2,'race-history':1,'there':8,'copies':2,'long':2,'by':1,'whom':1,'much':1,'motility':1,'themselves':1,'analysing':3,'fourteen':1,'hearing.':1,'more':6,'free':1,'exploring':1,'excavating':2,'himself':1,'north':1,'that':4,'ages':3,'releasing':1,'instance.':1,'about':1,'it':29,'carrying':1,'observations':1,'chasing':1,'coal--dissipation':1,'considerable':1,'it--radium.':1,'plants':1,'keeping':1,'animals':1,'thirty':1,'these':4,'us.':1,'access':1,'generating':1,'sifting':2,'life--water':1,'project':1,'while':1,'future':1,'midday':1,'thirty-five':1,'aesthetic':1,'life.':1,'example':6,'are':1,'and':1,'bearing':1,'amenity':1,'almost':1,'alongside':1,'mind':1,'life':6,'avoiding':1,'an':6,'as':2,'his':1,'evening':1,'something':2,'in':5,'counting':2,'any':5,'if':2,'utility':2,'us':3,'climate':1,'granted':1,'when':1,'offspring':1,'how':1,'damages':1,'holding':2,'so':1,'profiting':1,'higher':2,'supersaturated':1,'unpalatability':1,'centuries':1,'food.':1,'most':1,'moving':1,'two':1,'supposing':3,'such':1,'foothold':1,'sally':1,'man':8,'a':49,'muscle':1,'natural':1,'observation':1,'professor':2,'itself':2,'coal':2,'shore':1,'engulfing':1,'five':1,'fresh':1,'the':104,'crayfish':1,'playing':1},'bottom':{'may':1,'of':1,'and':1,'than':1,'.':2},'fox':{'all':2,'plays':1,'the':1,'or':1},'individuals':{'die':1,'who':1,'are':1,'each':1},'exposition':{'to':1},'landscape':{'effects':1},'invasions':{'of':1,'there':1},'surging':{'fire.':1},'man--body':{'and':1},'monkey-ape-man':{'.':1},'palatable':{'and':3,'butterflies':1,'flesh':1},'substitutes':{'for':2},'energy':{'and':7,'all':1,'force':1,'is':16,'it':2,'an':1,'produced':2,'as':4,'are':3,'in':6,'go':1,'if':1,'by':2,'or':1,'from':2,'would':2,'come':1,'since':1,'had':3,'expressed':1,'.':18,'to':3,'is.':1,'which':10,'tends':1,'streams':1,';':2,'has':1,'energy':1,'287':1,'greater.':1,'we':2,'that':4,'may':4,'sufficient':1,'derived':1,'but':1,'cannot':2,'let':1,'such':1,'originated':1,'than':1,'nor':1,'must':1,'a':1,'brought':1,':':1,'locked':2,'like':2,'this':1,'of':40,'into':1,'later':1,'equal':1,'across':1,'will':1,'so':1,'can':1,'ineffectively':1,'the':1,'disappears':1,'could':1,'came':1,'for':1},'dental':{'troubles.':1},'unfrozen':{'at':1},'life-or-death':{'quality':1},'substituted':{'for':1},'shifting':{'of':1},'losing':{'a':1,'the':1,'its':1},'memorable':{'because':1},'joule':{'who':1},'tide-producing':{'power':1},'emits':{'when':1,'rays--the':1},'shaken':{'.':1},'restlessness':{';':1,'an':1},'predisposition':{'to':1},'opossums':{'feigning':2,'are':2},'o':{'.':3,'as':1,'there':1,'in':1},'oneness':{'of':1},'wave-length':{'of':2,'is':1,'corresponds':1},'herring-gull':{'is':1},'slightly':{'from':1,'changed':1,'developed.':1,'simplified.':1},'lamprey':{'.':1},'raised':{'to':1,'higher':1,'from':1,'in':2,'many':1},'cloud-screen.':{'illustration':1},'statements':{'concerning':1,'that':1,'might':1,'.':1},'facility':{'of':2,'in':1},'non-protrusive':{'face':1},'son':{'of':1},'beings':{'on':1,'whose':1,'in':1},'raises':{'the':1},'sow':{'broadcast':1,'and':1,'again.':1},'spores':{'and':1,'of':1},'pairs':{'of':3},'shoots':{'and':1,'from':1},'polaris':{'76':1},'fields.':{'virgil':1},'fabric':{'of':1},'wonder-horse':{'with':1},'support':{'and':3,'a':1,'life':1,'of':1,'its':1,'to':1,'the':1,'has':1,';':1},'constantly':{'driven':1,'pouring':2,'rising':1,'splitting':1,'for':1},'width':{'.':1},'grasping':{'of':1,'the':1,'lifting':1},'physicists':{'and':3,'did':1,'of':4,'who':1,'but':1,'to':1},'greatness':{'and':1},'resulted':{'from':1,'in':2},'music':{'of':1,'had':1},'telegraph':{'and':1,'cables':1},'offer':{'serious':1,'rewards':1,'was':1,'no':1},'fascination':{'about':1},'forming':{'associations':2,'what':1,'good':1,'useful':1,'these':1,'of':1,'an':1,'part':1,'in':1,'vegetable':1,'new':1,'the':2,'ordinary':1},'shoot':{'out':3},'hemisphere':{'learned':1,'throughout':1},'thickness.':{'a':1},'survive':{'douching':1,'for':1,'being':1,'when':1,'prolonged':2,'but':1,'.':1,'high':1,'without':1,'the':2},'beech':{'a':1},'statement.':{'illustration':1},'otter':{'a':1,'is':1,'one':1,'239':1,'which':1,'or':1},'week':{'four':1,'or':2,'in':1},'death--procession':{'of':1},'inside':{'and':2,'a':2,'is':1,'are':1,'have':1,'the':3},'arrow-worms':{'in':1},'devices':{'it':1,'adaptations':1,'which':1,'.':1},'lays':{'stress':1,'her':2,'many':1,'an':1,'the':2,'its':1},'masterfulness':{'of':1},'soldering':{'of':1},'palm':{'and':2,'of':1},'procyon':{'10.5':1},'cormorants':{'and':1},'150':{'to':1,'000':5},'153':{'anatomical':1},'later':{'chapter':1,'on':2,'differ':1,'on.':1,'sir':1,'section':1,'there':1,'ages':1,'.':3,'discovered':1,'to':1,'stage':3,'which':1,'in':3,'the':2,'still':1,'than':1,'christened':1,'section.':1},'proved':{'what':1,'that':2,'very':1,'of':1,'equal':1,'but':1,'.':1,'to':2,'as':1,'too':1},'157':{'side-view':1,'photo':1,'the':1,'after':1},'156':{'photo':2},'158':{'darwin':1},'as-is':{'with':1},'palm;':{'and':1},'proves':{'fatal.':1},'exist':{'on':2,'all':1,'there':1,'would':1,'since':1,'.':2,'in':4,'between':1,'apart':1},'melan':{'dr':1},'sprouts':{'kale':1},'redolent':{'of':1},'stolidity':{'gives':1},'floor':{'of':7,'.':2},'glacier':{'that':1},'negatively-electrified':{'body':1,'ones':1},'uttered':{'until':1},'flood':{'of':4,'in':1},'nestling':{'bittern':1},'beginning--whatever':{'we':1},'deep-seated':{'connection':1,'difference':1},'entomologist':{'mr':1},'irresistible':{'.':1},'superfluous':{'length':1,'twig':1},'roll':{'themselves':1,'over':1},'friar-birds':{'of':1},'thoroughgoing':{'internal':1},'palms':{'and':1},'non-moulting':{'winged':1},'teats':{'injects':1},'mariner':{'s':1},'transported':{'in':1},'irs.':{'the':1},'scale':{'on':1,'we':1,'far':1,'of':4,'is':1,'in':2,'but':1,'to':1,'each':1,'the':4},'intent':{'efforts':1},'foot-print':{'of':1},'variable':{'monitor':2,'hare':2,'as':1,'stars':3,'in':1,'new':1,'before':1,'stock':1},'cleaver':{'of':1},'commensalism':{'with':1,'eating':1,'i.e.':1,'where':1},'fastened':{'to':1,'by':1,'up':1,'on':1},'microbes':{'such':1,'invading':1,'to':1},'packets':{'one':1},'coastlines':{'.':1},'ottawa':{'by':1},'time':{'and':11,'is':3,'it':2,'as':6,'in':5,'immemorial.':1,'thought':1,'rapidly':1,'for':1,'their':1,'with':3,'since':1,'when':5,'.':7,'to':5,'onwards':1,'swift':1,';':1,'until':1,'ahead.':1,'we':2,'energy':1,'that':5,'very':1,'than':1,'however':2,'much':1,'great':1,'a':1,'they':1,'during':1,'come':1,'by':1,'nor':1,'ago':1,'wide':1,'immemorial':1,'last':1,'like':2,'showed':1,'of':11,'required':1,'reminding':1,'appearing':1,'so':1,'she':1,'were':1,'about':1,'the':12,'or':1},'adult':{'and':1,'eel':1,'life':1,'by':1,'.':2},'peacock':{'and':1,'for':1},'irrigation':{'of':1},'chain':{'of':2,'instincts':1,'.':1},'perch':{'when':1},'colour-change':{'bony':1,'is':2,'sometimes':1,'expresses':1,':':2,'occurs':1},'lawlessly':{'they':1},'activated':{'by':1},'crocodile':{'pipes':1,'is':2,'would':1},'avalanche':{'.':1},'skate':{'and':1,'places':1},'93':{'000':2},'witmer.':{'peter':1},'ebooks.':{'':1},'hold':{'a':1,'all':1,'that':1,'of':2,'it':1,'their':2,'in':1,'the':1},'rottenness':{'eaters':1},'methodically':{'onwards':1},'94':{'photo':1,'from':1},'efficiencies':{'supply':1},'209':{'a':1,'homing':1},'chequered':{'by':1,'but':1},'walking-fish':{'or':2},'separated.':{'perhaps':1},'downloading':{'copying':1},'gisbert':{'electricity':1},'navigable':{'kingdom':1},'choice':{'of':1},'92.9':{'1.00':1},'gloomy':{'prognostications':1,'gorilla.':1},'bustle':{'of':1},'fullest':{'ears':1},'right-handed':{'and':1},'exact':{'and':1,'intensity':1,'it':1,'limits':1},'minute':{'and':2,'signs':1,'tag--but':1,'unicellular':1,'planets':1,'in':1,'diamond-like':1,'surfaces':1,'living':1,'rays':1,'organisms':2,'measurements':1,'.':1,'particles':1,'molecules':1,'6':1,'fragments':1,'that':1,'crustaceans':3,'after':1,'but':1,'hand':1,'waves':1,'satellites':1,'atoms':1,'transparent':2,'animals':2,'atom':1,'traces':1,'or':1},'tear':{'into':1,'asunder':1,'them':1,'are':1},'leave':{'me':1,'them':1,'this':1,'well':1,'atoms':1,'their':1,'the':4,'open':1,'him':1,'creatures':1},'solved':{'four':2,'there':1,'it':1},'settle':{'these':1,'on':1,'down':3},'team':{'at':2},'depository':{'of':2,'the':1,';':1,'he':1},'speculation':{'and':1,'about':1,'.':3,'is':2,'that':1},'unpaying':{'boarders':1},'prevent':{'you':1},'thinkers':{'the':1,'since':1,'have':2},'occurrence':{'of':5,'.':1},'chimpanzee--and':{'it':1},'insignificant':{'compared':1,'one':1},'trails':{'a':1},'milligram':{'of':1},'gnawed':{'the':1},'roof':{'of':3},'depressions':{'of':1},'mind--even':{'in':1},'parachuting':{'animals':1,'.':1},'educate':{'the':1},'leaf-butterfly':{'kallima':1},'axes':{'follow':1,'of':1},'melt':{'in':1},'current':{'rang':1,'is':6,'intellectual':1,'through':1,'275':1,'in':2,'279':1,'seems':1,'exhibits':1,'.':4,'to':1,'is.':1,'which':1,'instead':1,'was':2,'therefore':1,'donation':1,'not':1,'with':1,'the':2,'of':3,'passing':1,'where':1},'remembered':{'that':4},'looking':{'is':1,'backwards':6,'at':3,'extraordinarily':1},'period--its':{'length':1},'falling':{'and':1,'on':1,'stone':2,'into':1,'body':1,'water':2,'weights':1,'between':1,'particles':1},'ground':{'a':1,'on':2,'what':1,'his':1,'again.':1,'would':1,'though':1,'is':1,'or':2,'when':1,'by':1,'pushed':1,'as':1,'flapping':1,'in':1,'has':1,'the':2,'.':5,'was':1,'generate':1,'he':1},'coccyx':{'at':1},'climbs':{'on':2,'the':2,'up':1},'honour':{'of':1},'mauer.':{'d-e.':1},'understanding':{'and':1,'of':1},'exceptions':{'the':1,'as':1,'that':2},'magnetism':{'and':1,'we':1,'gravitation':1,'is':3,'supposes':1,'.':1,'differs':1,'he':1},'nemesis':{'of':2},'yards':{'and':1,'a':1,'off':1},'address':{'specified':1},'alone':{'is':2,'.':4,'swamp':1,'the':1,'has':1,'by':2},'along':{'a':3,'copper':1,'many':1,'lines':1,'two':1,'an':1,'its':1,'at':1,'which':3,'certain':2,'the':15,'with':9,'by':2},'dwindling':{'counterpart':1,'relic':1,'of':1,'structure--the':1,'race':1,'relics':1,'structures':1,'resources':1,'must':1},'anchoring':{'structures':1},'momentous':{'event':1,'step':1,'.':1,'except':1,'that':1},'testings':{'.':1},'neville':{'extinct':1},'brilliant':{'workers':1,'young':1,'or':1,'early':1,'experiment':1,'photosphere':1,'failures':1,'conquest':1,'coloration':1,'redness':1},'studied':{'a':1,'the':1,'was':1,'by':1},'wherever':{'the':2,'there':1},'commonly':{'found':1,'accepted':1},'brazilian':{'forest':1},'accomplished':{'in':1,'if':1},'ineffective':{'way':1,'movements':1},'vitiated':{'air':1},'studies':{'of':1},'unification.':{'we':1},'tasks':{'of':2},'love':{'as':1,'.':1,'hunger':1},'prefer':{'to':1},'relations.':{'when':1},'betraying':{'its':1},'deep-water':{'marine':1},'sky':{'means--light':1,'means':1,'no':1,'.':2,'will':1,'to':1,'overhead':2,'at':1,'in':1,'probably':1,'where':1},'engrain':{'capacities':1},'working':{'from':1,'of':2,'into':1,'methodically':1,'against':1,'powerfully':1,'which':1,'or':1,'out':1},'mankind--steps':{'in':1},'formulated':{'the':2},'positive':{'and':7,'knowledge':2,'electricity':6,'particles':1,'charge':1,'in':1,'the':1,';':1},'-fish':{'embryo':1},'anatomical':{'distinctions':1,'proof':2,'genius.':1,'structure':1,'evidence':1},'vigour':{'and':1,'of':1,'.':1},'down-breaking':{'disruptive':1},'opposed':{'to':1},'films':{'of':2},'scope':{'to':1},'theoretical':{'basis':1},'ten-miles-wide':{'moons':1},'perishes':{'for':1},'periophthalmus':{'of':1,'common':2},'chapters--the':{'feeding':1},'afford':{'food':1,'a':1,'to':2},'apparent':{'strokes':1,'suddenness':1,'.':1,'motion':1,'to':1,'stroke':1,'motions':1,'exceptions':1,'creeping':1},'assimilation':{'exceeding':1},'validity':{'there':1},'minnows':{'and':2,'learned':1,'were':1},'appendix':{'alone':1,'at':1,'which':1},'everywhere':{'forming':1,'there':1,'like':1,'in':1},'virtue':{'of':5,'as':1},'blood.':{'as':1},'disparagement':{'tentative':1},'easiest':{'of':1},'petrel':{'the':1,'or':2,'is':1},'logos':{'which':1,'.':1},'modernised':{'types':1},'originally':{'a':2,'derived':2,'intelligent':1,'supposed':1},'rutherford':{'and':2,'sir':1,'246':1,'one':2,'christened':1},'imagination.':{'the':1,'organic':1},'moulted':{'which':1,'in':1},'life--water':{'that':1},'believes':{'that':1},'printing':{'august':1,'april':4,'may':1,'june':4,'september':1,'sept':1},'values':{'most--control':1},'slowness':{'.':1},'stature':{'and':1,'than':1,'human':1},'believed':{'not':1,'to':1,'by':2,'that':2},'admired':{'the':1},'short-limbed':{'but':1},'frogs':{'and':3,'a':1,'show':1,'may':1,'sometimes':1,'herald':1,'jumping':1,'have':1,'meet':1,'along':1},'bulkiest':{'structure':1},'parachute':{'of':1,';':1,'wing':1,'before':1},'locks':{'.':1},'one--the':{'old':1},'238':{'photo':2,'whereas':1},'239':{'photo':1},'unveiled':{'in':1,'.':1},'allowed':{'to':1,'aliens':1,'for':1,'her':1,'of':1},'evidently':{'light':1,'puzzled':1},'232':{'photo':2},'233':{'photo':4},'winter':{'and':4,'by':2,'in':1,'of':1,'within':1,'freeze':1,'scene':2,'whiteness':1,'plumage':2,'.':1,'are':1,'sets':1,'nor':1,'the':1,'has':1,'dress':1,';':1,'retreat':1},'venation':{'of':1},'chromatophores':{'and':1,'in':1},'foul':{'waterholes':1,'with':1},'protozoon':{'and':1,'has':1,'or':1,'.':1},'s.':{'fairbanks':1,'illustration':1},'elephant':{'and':2,'rhinoceros':1,'a':1,'.':1,'helping':1,'at':1,'they':1,'was':1},'northwards':{'for':1},'divides':{'and':1,'into':2,'is':1},'edinburgh':{'the':1},'snaps':{'secure':1},'explores':{'a':1},'explorer':{'which':1},'motive-force':{'in':1},'spot':{'and':1,'on':2,'23':1,'though':1,'at':1,'where':1},'convincingly':{'the':1},'muellerian':{'after':1},'date':{'living':1,'from':1,'for':1,'on':1,'of':2,'contact':1,'at':1,':':1},'such':{'ingenious':1,'and':1,'remarkable':1,'publications':1,'constituents':1,'is':5,'metals':1,'well-known':2,'contrasts':1,'as':72,'diverse':1,'are':1,'planets':1,'in':1,'speed':1,'birds':1,'enemies':1,'dense':1,'things':1,'phrases':1,'unity':1,'wonderfully':1,'way':1,'instruments':2,'if':1,'conditions':1,'important':1,'movement':1,'that':3,'rock':1,'apparent':1,'furnaces':1,'depths':1,'wave-motions':1,'races':1,'fishes':1,'cases':2,'intelligent':1,'active':1,'stage':1,'a':19,'dangers':1,'changes':1,'occasions':1,'damage.':1,'betelgeux':1,'cells':1,'motion':1,'thing':4,'states':1,'hard-and-fast':1,'temperatures':2,'time':1,'similar':1,'order':1},'behaviour--experimenting':{'learning':1},'truly':{'wonderful':3},'data':{'transcription':1,'for':1},'codes':{'that':1},'lids':{'to':1,';':1},'waggons':{'at':1},'sy':{'1':1,'2':1},'forestier':{'of':3},'varieties':{'of':1,'which':1,'altogether':1},'conscious':{'guile':1,'agent':1,'imitation':1},'naturae':{'meaning':1,'the':1},'st':{'.':2},'inhabiting':{'this':1,'the':2},'castings':{'and':1},'remoter':{'part':1},'so':{'chicks':1,'they':2,'among':1,'fond':1,'subtle':1,'still':1,'generous':1,'slow':1,'young':1,'late':1,'to':3,'differently':1,'rich':1,'he':1,'clouded':1,'do':2,'good':1,'far':14,'safe':1,'apt':1,'closely':1,'vast':2,'easily':1,'like':2,'keenly':1,'shaped':1,'forth':3,'large':1,'stupid':1,'she':1,'small':2,'where':1,'simple.':1,'often':1,'attenuated':1,'are':1,'helpless':1,'pronounced':1,'for':1,'restricted':1,'below':1,'does':1,';':1,'numerous':1,'common':2,'we':6,'recently':1,'inextricably':1,'completely':1,'rapid':1,'strong':1,'by':1,'momentous':1,'gained':1,'on':16,'great':3,'many':7,'sensitive':1,'rudely':1,'striking':1,'powerful':1,'marked':2,'one':1,'long':3,'quickly':1,'readily':1,'fast':1,'from':1,'there':4,'sunlight':1,'.':3,'much':15,'clever':3,'that':43,'forming':1,'minute':1,'motionless':1,'mounted':1,'inconspicuous':1,'wide':1,'arranged':1,'this':1,'up':1,'will':1,'while':1,'obvious':1,'of':1,'similar':1,'bright--the':1,'is':3,'it':8,'an':1,'effectively':1,'as':6,'in':4,'clearly':1,'relatively':1,'proceeds':1,'very':3,'hot':1,'absorbed':1,'instead':1,'firmly':1,'watery':1,'may':1,'important':1,'conspicuous':1,'a':2,'short':1,'crowded':1,'clear':1,'well':1,'near':2,'deeply':1,'species':1,'fresh':1,'the':8},'sc':{'the':1},'mud-flats':{';':1},'pulled':{'.':1,'down':1,'twice':1,'at':1,'the':3,'by':4},'outflowing':{'network':2},'unsolicited':{'donations':1},'lighter':{'and':1,'materials':2,'in':1,'atomic':2,'.':1},'differences':{'separating':1,'of':3,'in':3,'between':2},'below.':{'1.f.':1,'illustration':2,'1.c':1},'copious':{'supply':1},'course':{'and':1,'associated':1,'is':1,'it':2,'an':1,'are':1,'in':1,'confirms':1,'her':1,'unknown':1,'there':2,'been':1,'to':2,'only':1,'5':1,'easy':1,'has':1,'be':2,'we':3,'cannot':1,'not':1,'with':1,'by':1,'he':2,'a':2,'for':3,'of':24,'the':2},'experiments':{'suggested':1,'towards':1,'proved':1,'chiefly':1,'showed':1,'that':1,'of':5,'in':4,'enabled':1,'.':4,'indicate':1,'without':1,'have':1,'which':1,'usually':1,'checked':1,'with':2},'frequents':{'two':1},'insurgence':{'and':2,'of':2},'tendency':{'to':11,'that':1,'among':1,'by':1,'of':2},'solitary':{'bit':1,'or':1},'limbs':{'is':1,'to':2,'at':1,';':1,'with':1,'or':1},'derive':{'their':1,'from':1},'yawning':{'in':2},'thumb':{'and':5,'th':1},'did.':{'looking':1},'hot':{'and':2,'gaseous':1,'for':1,'gas':1,'when':1,'but':1,'.':2,'as':1,'weather':1,'earth':1,'cinder':1,'or':1,'bodies':1},'decreases':{'.':1},'attraction':{'produces':1,'of':1,'is':1,'.':1,'can':1,'between':2},'creations':{'of':1,'.':1},'dwarfs':{'.':1},'constitutes':{'matter':2,'one':2},'instantly':{'fly':1},'conveying':{'it':1},'thereby':{'buoyed':1,'escapes':1},'earth--the':{'earth-knot':1},'youth.':{'sec':1},'experiment.':{'we':1},'indigenous':{'wild':2},'records':{'of':2,'the':1,'or':1,'.':1},'year.':{'in':1},'overpowering':{'and':1,'its':1},'water-shrew.':{'freshwater':1},'sorted':{'out':2},'twilight':{'by':1,'no':1},'runners':{'that':1},'one-seventh':{'and':1},'find.':{'fresh':1},'creation.':{'the':1},'establishing':{'itself':1,'or':1,'associations.':1},'veins':{'on':1,'of':1},'instability':{'and':1},'eighty-seven--and':{'that':1},'quarter':{'of':4,'days':2},'habitat-zones':{'and':1},'limb.':{'it':1},'turtle':{'found':1,'the':1,'that':1,'which':1,'of':1},'square':{'of':1,'.':1,'miles':2,'inch':2,'our':1,'the':1},'retrieve':{'its':1,'her':1},'receipt':{'of':1,'that':1},'parachutists--':{'flying':1},'prisms':{'the':1,'are':1},'woodcraft':{'the':1},'owing':{'to':4,'in':1},'entering':{'a':1,'the':4,'into':1},'beetle':{'running':1,'which':4},'instinct--the':{'mind':1},'neighbourhood':{'of':1},'crowding':{'there':1},'river-tortoises':{'which':1},'abide':{'by':1},'collisions':{'.':1},'contained':{'good':1,'meat':1,'in':4},'protections':{'against':1},'washington.':{'illustration':1},'suggesting':{'that':2},'granites':{'while':1},'ascendant':{'and':1},'soap-bubble':{'.':2},'siege':{'are':1},'million':{'millions':1,'square':1,'million':2,'stars.':1,'volts':1,'is':1,'trillion':1,'atoms':1,'meteorites':1,'miles':3,'electrons':1,'stars':1,'in':1,'horsepower':1,'250':1,'years':9,'.':1,'times':6},'envelop':{'the':1},'possibility':{'of':12,'is':1,'that':2,'in':1},'quite':{'uninterested':1,'certain':5,'direct':1,'comfortable':1,'as':1,'clever':1,'at':1,'impossible':1,'extinct':1,'indifferent':1,'readily':1,'different':5,'emancipated':1,'artificial':1,'difficult':1,'separated':1,'independent':1,'sure':2,'possible':2,'lively.':1,'invisible':1,'apart':3,'a':2,'easily':1,'novel':1,'clear':1,'so':3,'fundamental':1,'obscure':1,'away':1},'disintegrates':{'generates':1},'complicated':{'and':2,'elements':1,'than':1,'convolutions.':1,'atoms':1,'to':1,'atom':1,'cases':1,'wave':1,'by':1},'besides':{'even':1,'all':1,'his':1,'her':1,'turtles':1,'that':1,'this':1,'monkeys--in':1,'violent':1,'sunlight':1,'.':2,'these':1,'acting':1,'pulling':1,'struggle':1,'which':1,'instinctive':1,'the':4,'perceptual':1,'those':1},'remainder':{'of':1},'seventy':{'or':1},'vivum':{'e':1},'shores':{'and':1,'going':1,'which':1,'.':1},'training':{'given':1,'they':1,'nor':1,'.':1},'possum':{'lying':1},'tree-sloths':{'for':1,'tree-shrews':1},'undisguised':{'shore-animals':1},'ostrich':{'and':1,'with':1},'wanderers':{'.':1},'disguises':{'which':1},'massive':{'bulk':1,'jaws':1,'lower':1,'face':1},'routes':{'became':1,'round':1},'learning.':{'vi':1,'vii':1,'illustration':1,'animal':1},'puny':{'infant':1},'toads--it':{'serves':1},'emotion':{'as':1,'is':1},'saving':{'the':2,'clauses.':1},'symmetry':{'of':1,'is':1,'.':1,'well':1,'must':1},'serpent':{';':1},'spoken':{'of':1,'language':1},'one':{'over':1,'atom':3,'not':1,'mile':3,'whose':1,'cut':1,'group':1,'championed':1,'except':1,'should':3,'to':2,'primordial':2,'main':1,'might':2,'resting-place':1,'digit':1,'animal':1,'big':1,'colour--the':2,'answer':1,'year.':1,'cannot':1,'half':1,'foot':1,'rotation':2,'day':4,'three-hundredth':1,'reality--the':1,'name':1,'magnet':1,'fitness':1,'served':1,'side':5,'kernel':1,'revolution':1,'telescope':1,'second':1,'martian':1,'year':1,'close':1,'thinks':2,'living':1,'for':1,'disease':1,'time.':1,'discovers':1,'above':1,'example':1,'consisting':1,'body':6,'we':1,'state':1,'million':2,'here':1,'objects':1,'illustration':1,'key':1,'put':1,'sadly':1,'by':1,'momentous':1,'extreme':1,'on':4,'substance':1,'asks':1,'of':101,'local':1,'thing':3,'s':2,'place':3,'or':1,'comes':1,'family':1,'embodiment':2,'another':16,'comprises':1,'pulls':1,'cloud':1,'from':3,'would':3,'hundred-thousandth':1,'.':7,'water-shed':1,'crab':1,'half-hour':1,'was':2,'toe':1,'direction':1,'knows':2,'form':1,'that':3,'successful':1,'thousand':2,'but':1,'another.':1,'manifestation':1,'hopes':1,'line':1,'with':3,'must':1,'kind':3,'has':1,'type':1,'as':1,'will':1,'near':1,'obvious':1,'can':6,'country':1,'piece':1,'remembers':1,'and':8,'pound':3,'stream':2,'is':8,'hardly':1,'say':1,'way':2,'at':2,'in':3,'helium':1,'globe.':1,'end':6,'parish':1,'food-plant':1,'other':1,'which':3,'inch':1,'physical':1,'week':1,'snail':1,'may':1,'after':1,'molecule':1,'hand':2,'plane':3,'such':1,'class':2,'man':2,'planet':1,'owns':1,'colour':3,'electron':1,'element':1,'more':1,'time':5,'the':1,'lined':1,'egg':1,'order':1},'spanish':{'don.':1},'open':{'pipe':1,'sea':25,'jaws':1,'waters':2,'there':1,'up':1,'one':1,'water':1,'atlantic':1,'sea.':1,'doors':1,'sea--the':1,'the':1,'gateways':1},'city':{'ut':1,'like':1},'bite':{'of':1,'at':1},'indicate':{'a':2,'the':4,'that':1,'first':1,'an':1},'2':{'and':4,'among':1,'show':1,'gradual':1,'in':1,'it':1,'chromosomes.':3,'feet':1,'tons':1,'jupiter':2,'escape':1,'paternal':1,'egg':1,'nebulae':1,'factors':1,'physiological':1,'.':11,'0':1,'3':1,'holding':1,'newly':1,'500':3,'we':2,'maternal':1,'inches':2,'respectively':1,'instinctive':1,'canals':1,'with':1,'by':1,'a':1,'represents':1,'of':3,'the':13,'changes':1},'vapoury':{'tail':1},'stuffed':{'their':1},'bits':{'.':1},'lingering':{'influence':1,'here':1},'vapours':{'and':1,'that':1,'of':1,'whirling':1,'imaginable':1,'.':1,'above':1},'on.':{'we':1,'there':1,'illustration':1,'sec':1,'in':1,'the':3,'recent':1},'viviparous':{'the':1},'gently.':{'these':1},'proving':{'everything':1,'trying':1,'itself':1},'s.c.':{'on':1},'herds':{'extended':1},'absorbs':{'most':1,'the':2,'all':1},'photographic':{'emulsions':1,'plate':11,'negative':1},'structure.':{'differences':1,'in':1},'vapour.':{'millions':1},'meteors':{'and':2,'what':1,'showing':2,':':1,'approach':1,'or':2},'third':{'and':2,'case':1,'layer':1,'eyelid':2,'form':1,'of':3,'night':2,'rings':1,'digit':1,'haunt':1,'trial':1,'printing':1,'great':1,'have':1,'atom':1,'answer':1,'interglacial':3},'depressed':{'into':1},'himself.':{'when':1},'weapons--the':{'sea-anemone':1},'siding':{'we':1},'future':{'and':1,'for':1,'reproductive':1,'of':1,'holds':1,'.':6,'access':1,'cannot':1,'let':1,'need':1,'research':1,'generations.':1},'17-1':{'2':1},'trekking':{'to':1},'college':{'of':2,'observatory.':4},'wandering':{'about':1,'amoeboid':2,'.':1},'johnstone':{'j':1},'prospect':{'for':3,'.':1},'thousandths':{'of':1},'royalties':{'.':1,'under':1},'sac':{'beneath':1},'turned':{'towards':1,'from':1,'into':5,'round':1,'to':1,'sharply':1,'rapidly':2,'the':1,'its':1},'argument':{'supposes':1,'implies':1},'alley':{'at':1},'auroral':{'displays':1},'say':{'just':1,'is':1,'some':1,'it':2,'an':1,'brain':1,'as':1,'at':2,'in':1,'our':1,'its':1,'what':2,'for':1,'sodium':1,'much':2,'began':1,'there':3,'ignorabimus.':1,'.':2,'other':1,'therefore':1,':':1,'reflex':1,'more':4,'presently.':1,'we':2,'full':1,'that':26,'mammals':1,'here':1,'unification':1,'they':3,'half':1,'by':1,'a':1,'about':1,'like':1,'of':5,'enthusiastic':1,'according':1,'without':1,'ignoramus':1,'the':9},'buried':{'and':1,'eggs':1,'his':1,'egg':1,'alive':1},'horsepower':{'.':1},'1':{'and':3,'testing':1,'it':2,'an':1,'100th':1,'drawings':1,'in':1,'before':2,'67':2,'25':1,'giant':1,'for':1,'no':1,'sun':1,'except':1,'.':10,'1':1,'to':1,'340':1,'mars':1,'progress':1,'we':1,'300':1,'dam':1,'67000':1,'but':1,'000':2,'125':2,'367':1,'drought':1,'20417':1,'with':1,'by':1,'evolution':1,'1800':1,'of':4,'35':1,'1845':1,'the':12,'two':1},'sap':{'reminding':1,'and':1,'which':1},'saw':{'and':1,'a':1,'all':1,'that':1,'may':1,'is':1,'earlier':1,'about':2,'heard':1,'combine':1,'in':2,'the':1,'has':1,'was':1},'1903.':{'illustration':1},'law.':{'if':1},'unsuitable':{'and':1,'pools':1},'downwards':{'on':1,'along':1,'at':1},'aside':{'to':1,'conventional':1,'only':1},'zoo':{'with':1,'were':1},'note':{'that':1,'of':2,'is':2,'its':1,'how':2,'the':9,'still':1,'by':1},'take':{'frogs':1,'it':1,'an':3,'as':1,'in':1,'our':2,'its':1,'what':1,'from':1,'rather':1,'long':1,'1':1,'to':2,'much':1,'400':1,'place.':1,'photographs':1,'centuries':1,'advantage':1,'between':2,'about':1,'leaps':1,'one':1,'a':6,'great':2,'light':1,'up':1,'us':1,'place':1,'five':1,'the':10,'root':2,'50':1},'fruit-fly':{'drosophila':1},'wanting':{'of':1},'powers--man':{'still':2},'butterfly':{'kallima':2,'showed':1,'which':1,'an':1},'scents.':{'the':1},'hunt':{'insects':1,'from':1},'wilson.':{'peripatus':1,'rock':1},'opposite':{'pans':1,'direction':2,'electric':1,'ways':1,'of':1,'ends':1,'side':2,'picture.':1,'directions':3,'page':1},'knew':{'to':1,'what':1,'.':1,'but':1,'less':1},'molecule':{'of':4,'is':2,'contains':1,'as':1,'every':1,'therefore':1,':':1,'with':1},'talk':{'of':1},'detect':{'and':2,'a':2,'them':1,'less':1,'this':1,'as':2,'such':1,'the':2},'printed':{'cards':1,'on':2,';':1,'and':1,'editions':1},'remarks':{'of':1},'inserted':{'nuts':1},'pages':{'for':1},'adaptability':{'of':1},'average':{'distance':1,'would':1,'level':1,'of':1,'men':1,'molecule':1,'height':1,'depth':1,'5':1,'human':1,'estimate':1,'organism':1},'drive':{'electric':1},'crowd--we':{'cannot':1},'unabated':{'to':1},'messier':{'31':2},'atlantic':{'and':1,'cod-banks':1,'some':1,'.':1,'crowds':1,'overcome':1},'salt':{'and':1,'did':1,'of':1,'lake':2,'.':1,'water':2,'projects':1},'laws':{'and':1,'of':5,'alone':1,'regulating':1,'in':1},'walking':{'and':2,'on':1,'wood':1,'powers':2,'movements':1},'pencilled':{'above.':1},'definite':{'direction':2,'constant':1,'periodic':1,'positions':1,'function--we':1,'answers':1,'possibilities':1,'entities':1,'step':1,'race':1,'figures':1,'nervous':1,'learning':2,'mammals':2,'routes':1,'position':2,'concentric':1,'type':1,'order':1,'bronze':1},'imagines':{'when':1},'friction':{'and':1,'on':1,'.':1,'when':1,'of':1},'far-reaching':{'importance':1,'influences.':1,'with':1,'discoveries':1,'consequences':2},'bright':{'star':1,'globe':1,'lines':5,'central':1,'white':1,'cloudlets':1,'image':1},'fiord':{'estuary':1},'scarce':{'as':1,'multiplying':1},'imagined':{'the':1,'entity':1},'beetles':{'and':1},'slot':{'and':1,'of':1},'colony-making':{'protozoon':1},'slow':{'and':1,'like':1,'boiling':1,'one':1,'down':2,'to':3,'as':1,'vibrations':1,'although':1,'changes':1},'representation':{'of':6,'to-day':1},'gravers':{'and':1},'fox-terrier':{'turned':1},'liberation':{'and':1},'going':{'on':17,'appearing':1,'that':1,'back':5,'one':2,'to':4,'through':1,'farther':1,'on.':8,'beyond':1,'outward':1,'concern':1},'uppermost':{'portion':1,'layer':1},'helmholtz':{'lord':1},'dispute':{'as':1,'the':1},'evolution--but':{'even':1},'hindmost':{'pair':1},'guarded':{'against':1},'tail.':{'now':1,'it':1,'but':1,'man':1},'infallibly':{'between':1},'genera':{'and':1},'eel-fare':{'includes':1},'freezing':{'.':1,'point':1},'theory--had':{'a':1},'also--protection':{'for':1},'clearest':{'realities':1},'shallow-water':{'species':1},'keenly':{'aware':1},'parasitic':{'sporozoa':1,'death':1},'toads':{'newts':1,'and':2,'jump':1,'sometimes':1},'absurdly':{'small':1},'liable':{'to':3,'such':1},'where':{'and':1,'copper':1,'words':1,'it':10,'deep':1,'an':1,'sea':1,'any':1,'dense':1,'no':1,'there':5,'its':1,'their':1,'does':3,'routine':1,'you':1,'alertness':1,'we':3,'very':1,'they':2,'alone':1,'instinctive':1,'a':3,'this':2,'these':1,'each':1,'the':24},'sake--imitation--the':{'mind':1},'vision':{'and':1,'is':3,'holds':1,'than':1,'in':1},'press.':{'comparative':1},'proof--man':{'s':1},'attenuated':{'that':1},'electrons--and':{'the':1},'reign.':{'they':1},'silurian':{'and':1,'the':1,'when':1,'period':2,'rocks':1},'up':{'and':8,'individually':1,'intelligence':2,'into':14,'it':1,'general':1,'light-waves':1,'at':1,'questions':1,'in':10,'impressions':1,'rivulets':1,'the':26,'any':1,'living':1,'what':1,'from':2,'for':2,'how':1,'.':5,'to':8,'between':1,'estuaries':1,'new':1,'energy':1,'his':1,'an':1,'substances':1,'our':2,'nonproprietary':1,'trees':1,'but':1,'such':1,'one':1,'with':6,'by':10,'a':9,'on':5,'organic':1,'these':1,'light':1,'leaves':1,'carbon':3,'so':2,'of':9,'again':2,'everything':1,'photosynthesis':1,'or':4},'distended.':{'eventually':1},'impressions':{'go':1,'of':1,'.':1},'hastened':{'the':1},'830':{'000':2},'inequalities':{'of':1,'in':1},'compounds':{'to':1,'from':1,'activated':1,'like':1,'out':1},'representatives':{'of':3,'sometimes':1,'had':1,'except':1,'.':1},'under-skin':{'or':1,'.':1},'secondaries':{'are':1},'dormitory':{'instead':1},'--which':{'have':1},'moons':{'we':1,'of':4,'four':1,'to':1,'which':2,'certain':1,'round':1},'affecting':{'it':1,'nerve-cells':1},'man.':{'a':1,'on':1,'animals':1,'pariasaurus':1,'4':1,'triceratops':1,'it':1,'deperet':1,'according':1,'1':1,'illustration':1,'such':1,'eocene':1,'man':1},'volvox':{'a':1,'69':1,'the':1,'is':1,'.':1},'fir':{'cones':1},'spectroscopy':{'is':1},'vertical':{'line':1,'bars':1},'screen':{'and':1,'we':1,'for':1,'means':1,'where':1,'is':1,'.':4,'through':1,'which':1,'producing':1,'make':1,'glowed':1},'dome':{'like':1,'.':1},'ancestors--a':{'wolf':1},'big-brain':{'type':4},'proterozoic':{'ages':1,'eras':1,'era':1},'jets':{'of':2,'or':1},'engravings.':{'factors':1},'spark':{'on':1,'this':1,'.':1,'271':1,'274':1,'consists':1,'an':1,'or':1},'well-protected':{'pupa':1},'concentrated':{'upon':2},'circumference':{'so':1,'.':1},'many':{'insects':1,'instincts':1,'years':1,'bivalves':1,'experiments':2,'facts':1,'contributions':1,'birds':4,'young':2,'forms':4,'parts':2,'anticipations':1,'reptiles':2,'inventions':1,'thousands':2,'which':1,'tenses':1,'very':1,'crustaceans':1,'portions':1,'more.':1,'far-reaching':1,'minute':1,'fossils':1,'nerve-endings':1,'countries':1,'corners':1,'miles':2,'brownish':1,'small':4,'freshwater':1,'generations':1,'people':1,'animals':9,'fish':1,'parasites':1,'individual':1,'universes':2,'hundredfold':1,'creatures':2,'oceanic':1,'for':1,'ways':1,'migrations':1,'new':1,'open-sea':1,'levels--the':1,'we':1,'were':2,'hours':1,'broken':1,'directions.':1,'yards':1,'directions':3,'about':1,'brilliant':1,'of':23,'months':2,'haunts':1,'times':3,'shore-animals':2,'tree-loving':1,'already':1,'useful':1,'annelids':1,'another':1,'fees':1,'protozoa':2,'establish':1,'millions':5,'ancient':1,'would':1,'.':1,'tropical':1,'stars':2,'dangers':1,'more':1,'acquisitions':2,'that':2,'mammals':3,'regard':1,'sciences.':1,'amphibians':1,'cases':9,'an':1,'plants':1,'prehistoric':1,'unsegmented':1,'places':1,'apples':1,'planes':1,'drops':1,'similar':2,'and':2,'likewise':1,'days':3,'have':1,'domesticated':1,'occur':1,'different':5,'things':1,'shore':1,'astronomers':4,'other':9,'doors':1,'units':1,'mysteries':1,'kinds':1,'thoroughgoing':1,'eggs':1,'swiftly':1,'problems':1,'important':1,'waves':1,'fishes':1,'types':2,'a':3,'land':1,'minutes':1,'sometimes':1,'peculiarities':1,'electrons':1,'nuclei':1},'moon.':{'illustration':1},'estimates.':{'the':1},'thickly':{'peopled':2},'s':{'chicks':1,'atmosphere':3,'skeleton':1,'sentence':1,'stinging-cells':1,'instincts':1,'sheltering':1,'brain':3,'snapping-blades':1,'hairs--an':1,'skin':2,'chicken':2,'visceral':1,'principal':1,'web':3,'anvil':1,'interesting':1,'instruction':1,'monkeys':1,'hidden':1,'real':1,'beginnings.':1,'return':1,'orbit':1,'arboreal':3,'big':1,'theory--had':1,'famous':2,'shell--there':1,'sons':2,'moods':1,'saying':1,'hands':1,'press':7,'world':1,'rotation':4,'continued':1,'day':4,'runs':1,'establishment':1,'cry':1,'solution':1,'experiments':1,'activity':1,'sake--imitation--the':1,'ceaseless':1,'mental':2,'energy':2,'mongoose':1,'notice':1,'past':1,'affiliation':1,'books':1,'mighty':1,'year':1,'laboratory':1,'indirect':1,'ascent':2,'arm':1,'shining':1,'pedigree':2,'apparatus':2,'nebula':6,'crust':4,'finger':1,'rational':1,';':2,'eggs':1,'discovery':1,'body':8,'prerogative.':1,'theory':2,'leg':1,'beak-like':1,'men':4,'behaviour':1,'magnetism':2,'compass':1,'dwindling':1,'tide-producing':1,'intense':1,'advance':2,'great':2,'derivation':1,'side':1,'croaking-sacs':1,'patagium':1,'action':1,'history':2,'frequent':1,'skill':1,'point':4,'feelings':1,'inquisitive':1,'long':2,'beak':2,'theory.':1,'story':1,'sake':1,'initial':1,'frog':1,'.':26,'dropping':1,'pedigree--man':1,'structure':1,'danger-note':1,'white':1,'store':1,'mundane':1,'eyes':2,'hard':1,'flight':1,'relationship':4,'cluck':1,'training':1,'shard':1,'bulk':1,'heat':2,'surface':19,'ear':1,'food-canal':1,'essays':1,'he':1,'pull':2,'wise':1,'skull':3,'solid':2,'gravitational':1,'bill':12,'fly-trap':1,'light':4,'propeller':1,'head.':1,'earth.':1,'ein':1,'and':1,'words:':1,'discovery.':1,'ingenuity':1,'horns':1,'escape':1,'mind':3,'head':3,'apartness':1,'dog':1,'shell':1,'at':1,'cathedral':1,'wonderful':1,'clothing':1,'laws.':1,'movements':2,'cage':1,'rays':5,'maxim:':1,'diurnal':1,'inheritance':1,'heat.':1,'forceps':1,'blood-relationship':1,'food':1,'strange':1,'animal':1,'hedgehog-like':1,'predestined':1,'civilisation':1,'composition':1,'conclusion':1,'vestigial':1,'nest':1,'philosophy':1,'reach':1,'hand':1,'ancestors':4,'mouth':1,'device':1,'does;':1,'sand-grouse':1,'descent':3,'mysteries':2,'remote':1,'expert':1,'foot':1,'undeniable':1,'age':2,'handiness.':1,'coastlines':1,'star-book':1,'mass':1,'gill-plates.':1,'the':2,'wing':4,'goals':1},'mane':{'reaching':1},'expended':{'their':1},'flipper':{'of':3},'expression':{'of':6,'is':1,'as':1,'are':1,'familiar':1,'instinctive':1,'has':1},'moon;':{'it':1},'riddle':{'that':1},'stoats':{'hares':1},'ants':{'and':5,'beneath':1,'bees':3,'are':1,'hive':1},'air-breathing':{'insects':1,'arthropods':3,'amphibians':1,'invertebrates':1},'boar':{'and':1,'below':1,'coloured':1,'were':1},'extinct':{'and':2,'reptile':2,'apes':1,'animals':2,'volcanoes':1,'fish':1,'flying':3,'leaving':1,'monsters':1,'neanderthal':1,'reptiles':1,'types--':1,'race':1,'in':1,'not':1,'vegetarian':2,'type':1,'or':1,'pterodactyls':1,'flightless':2},'twig':{'and':1,'breaks':1,'for':1},'want.':{'illustration':1},'fitful':{'gleams':2},'collides':{'with':1},'cetaceans':{'some':1},'stretch':{'of':1,'vast':1},'mounting':{'of':1},'lettering':{'to':1},'diurnal':{'tint.':1,'variation':1},'collided':{'with':1},'combined':{'to':1,'operation':1},'finger-tip':{'they':1},'reflective':{'one':1},'covering':{'and':1,'many':1,'is':1,'of':2},'recaptures':{'it':1},'day--a':{'long':1},'enable':{'their':1,'the':1,'us':4},'gist':{'of':2},'lakelets':{'of':1},'thousand':{'and':1,'or':2,'trillion':2,'of':1,'cells':2,'million':2,'together':1,'years':10,'millions':1,'miles':3,'.':1,'steep':1,'thousand':1,'generations':1,'times':6},'formed':{'a':1,'then':1,'has':1,'from':3,'float':1,'young':1,'it':1,'solids':1,'at':1,'sandstones':1,'in':2,'the':4,'.':2,'by':2},'haunt':{'forever':1,'for':1,'of':8,'some':1,'stops':1,'includes':1,'so':1,'which':1,'has':1},'photos':{':':5},'indents':{'the':1},'observe':{'these':1,'and':1,'in':1},'infusorians':{'to':1,'like':1},'diffuse':{'and':1,'gas':1},'co-ordination':{'of':1},'prominence':{'to':1,'by':1,'would':1},'intimately':{'associated':1,'bound':1},'dints':{'impressed':1,'have':1},'confidently':{'say':1},'situation':{'.':5,'for':1,'in':1},'region':{'smaller':1,'of':5,'is':1,'when':1,'to':1,'at':1,'known':1,'the':4,'called':1,'south':2},'girth':{'.':1},'concatenation':{'of':1},'birth.':{'enough':1},'regularity':{'of':1},'rock-cod':{'requires':1},'ascii':{'start':1,'or':2},'adopted.':{'the':1},'binary':{'compressed':1},'beginning.':{'in':1},'shuts':{'on':1},'preparatory':{'to':1},'perpetually':{'giving':1},'coconuts':{'is':1},'emulsions':{'can':1},'way.':{'this':1,'bearing':1},'wires':{'as':1,'are':1,'in':1},'sickness':{'.':5},'edges':{'and':1,'of':4},'advertisement':{'impressing':2},'six':{'meant':1,'feet':1,'great':1,'main':1,'inches':1,'very':1,'thousand':1,'months':1,'quite':1,'colours':1,'to':2,'miles':1,'greatly':1,'years':1,'weeks':1,'stages':2},'volcanoes':{'.':1},'tentacle':{'touches':1},'know':{'and':2,'almost':1,'indeed':1,'is':1,'it':4,'not':1,'as':2,'are':1,'in':1,'if':1,'fire':1,'what':1,'from':1,'their':1,'when':3,'gases':1,'.':3,'to':2,'outside':1,';':1,'be':1,'that':17,'very':1,'but':1,'nothing':1,'now':2,'with':1,'a':1,'also':1,'about':1,'to-day':2,'whether':3,'of':4,'no':1,'definitely':2,'far':1,'life.':1,'the':5,'nothing.':1,'something':1},'peculiarities':{'and':1,'of':5,'.':1,'say':1,'in':2,'such':1},'costs':{'and':2},'engulfing':{'and':1,'large':1,'in':1},'unimagined':{'.':1},'persistently':{'used':1,'resorted':1},'216':{'photo':2},'summer':{'and':2,'full':1,'darkness':1,'of':1,'green-flies':1,'months':1,'scene':2,'day':1,'plumage':1,'s':1,'does':1,'at':1,'weather.':1,'than':1},'followed.':{'illustration':1},'manifold':{'significance.':1,'influence':1},'213':{'photo':2},'being':{'already':1,'closely':1,'swept':2,'blown':1,'unpalatable':1,'able':1,'moved':1,'investigated.':1,'an':3,'held':1,'as':1,'set':2,'dried':2,'human':1,'nonplussed':1,'swallowed':2,'any':1,'given':1,'built':1,'to':1,'washed':2,'due':1,'continually':1,'liberated':1,'outside':1,'incessantly':1,'deposited':1,'surveyed':1,'endowed':1,'polygamous':1,'more':2,'a':1,'affected':1,'evolved':1,'that':3,'very':1,'mammals':1,'formed':1,'what':1,'driven':1,'imperfectly':1,'nourished':1,'dissipated':1,'on':1,'than':1,'regrown':1,'thrown':1,'begins':2,'devoured':1,'indivisible':1,'embryos':1,'frozen':2,'consumed':1,'utilised':1,'replaced':1,'greatly':1,'hurled':1,'each':1,'quick':1,'the':3,'left':1,'reinforced':1},'drone-fly':{'is':1},'slime':{'from':1},'rest':{'and':1,'repair':1,'assured':1,'of':5,'is':1,'belong':1,'.':3,'till':1,'through':1,'in':1},'steamer':{'and':1},'crust.':{'on':1},'potentiality':{'of':1},'aspect.':{'illustration':1},'water-basins':{'or':1},'ligula':{'or':1},'weekly':{'nature':1},'occasional':{'light':1,'flash':1,'traces':1},'tactility':{'.':2},'geological':{'clock':1,'time-table':1,'estimates.':1,'tree':1,'middle':1,'periods':1,'time':1,'past.':1},'silver':{'on':1,'mirror':1},'instrument':{'and':1,'again':1,'used':2,'for':3,'that':1,'of':3,'however':1,'to':1,'which':2,'in':1,'the':2,'has':1,'ever':1,'gets':1},'formative':{'times':1},'continuation':{'of':2},'prominently':{'whenever':1,'displaying':1},'form-resemblance.':{'illustration':1},'skies':{'.':1},'aspects':{'of':3,'matter':1,'folk':1,'.':1},'around':{'sun':1,'the':8,'its':1,'us':1,'an':2},'decomposed':{'into':1},'dart':{'to':1},'dark':{'sprawling':1,'and':1,'absorbing':1,'spots--they':1,'in':1,'silent':1,'nebula':1,'moorland':1,'spots':1,'forms':1,'to':1,'only':1,'parts':1,'stars':1,';':1,'body':1,'bands':2,'water':1,'heat':1,'lines.':1,'markings':1,'areas':1,'varieties':1,'corners':1,'region':1,'fringe':1,'lines':3,'matter':1,'of':1},'bandage':{'which':1},'vacuum':{'tube--the':1,'tube':7,'tubes':1,'.':2},'world':{'and':2,'would':1,'new.':1,'throwing':1,'is':4,'within':1,'an':1,'as':1,'are':2,'in':2,'provokes':1,'if':1,'wondered':1,'internat':1,'when':1,'.':13,'without':1,'too':1,'which':2,';':2,'was':1,'over':1,'then':1,'knows':1,'means':1,'becomes':1,'who':1,'but':2,'than':2,'like':1,'a':1,'about':1,'for':2,'of':7,'professor':1,'monkeys':3,'will':1,'s':1,'became':1,'can':2,'always':1,'biological':1,'the':2,'entered':1,'settled':1,'came':1,'once':1},'breakage':{'plane':1},'vague':{'idea':1},'dare':{'not':1,'say':1,'one':1},'sensational':{'stories':1,'estimates':1,'discoveries':1},'60':{'spotted':1,'000':2,'reproduced':1,'days':1},'fossils':{'we':1,'e.g':1,'of':1,'when':1,'but':1,'coloured':1,'.':1,'in':1,'binding':1,'many':1,'by':1},'pole':{'to':2,';':1,'of':5,'was':1,'in':1},'claw':{'it':1},'stationary':{'.':1},'clap':{'of':1},'65':{'photo':1,'reproduced':1},'satisfactory':{'and':1,'fossils':1,'or':1,'way':1},'fives':{'or':1},'wattle':{'or':1},'law--senses':{'of':1},'lobster':{'swimming':1},'all-pervading':{'similitude':2},'diving':{'in':1,'flying':1,'capacity':1,'but':1,'suit':1},'racial':{'evolution':2,'profit.':1,'ventures':1,'strains':1,'vigour':1,'change':2,'qualities':1,'process':1,'qualities--notably':1},'armoured':{'fishes':1},'thinks':{'of':1,'the':1,'that':3,'less':1},'wrongly':{'call':1,'shows':1},'dissociated':{'and':1},'dimensions':{'11':1,'this':1,'.':2,'cannot':1,'in':1,'than':1},'cavity':{'the':2},'memories':{'and':1,'of':3},'noon':{'of':1},'tree-snake':{'is':1},'nook':{'of':1},'favourite':{'answer':1},'semotilus':{'atromaculatus':2},'918':{'miles':1},'happened':{'to':2,'over':1,'later':1,'in':2,'one':1},'levels--the':{'tendency':1},'transmutation':{'of':1,'brighten':1,'would':2},'refer':{'to':3,'throughout':1},'scientific':{'glories':1,'methods':1,'habit':2,'mind':2,'imagination':1,'caution':1,'weekly':1,'instruments.':1,'ideas':6,'way':1,'description':1,'description.':1,'american.':1,'men':2,'problems':1,'hypothesis':1,'statement.':1,'spirit':1,'man':1,'acquisitions':1,'definition':1,'study':1,'american':1,'way.':1,'spectator':1,'position':1},'power':{'used':1,'from':1,'stations':1,'of':37,'stations.':1,'that':1,'to':1,'enough':1,'in':1,'or':1,'is':2},'intimate':{'physiological':1,'part':1,'partnership':3,'physiology':1},'sprung':{'from':1},'precious.':{'illustration':1},'endogamy':{'tending':1},'five.':{'if':1},'lens':{'and':2,'weighs':1,'of':1,'is':1,'two':1,'.':3,'four':1,'near':1,'however':1,'at':2,'resolved':1,';':1,'called':1},'stone':{'implements':3,'and':1,'neolithic':1,'curlews':1,'generates':1,'hunting':1,'resting':1,'of':1,'age':3,'implements--knives':1,'until':1,'to':1,'running':1,'.':1,'into':1,'living':1,'the':2,'trying':1,'its':1,'or':1,'age.':3},'origins':{'are':1},'swarms':{'of':1},'industry':{'and':1},'slender':{'stream':1},'side':{'and':5,'for':1,'tells':1,'of':19,'actions':1,'.':8,'to':9,'below':1,'so':2,'are':1,'veins':1,';':1,'must':1,'was':2,'by':1,'view':1},'practicable':{'to':1},'act':{'though':1,'of':2,'was':1,'against':1,'as':2,'together':1,'experimentally':1,'instinctively':1,'with':1},'composed--':{'one':1},'johnston':{'in':1},'--brushes':{'off':1},'puzzle-box':{'at':1},'diversely':{'adapted':1},'fundraising':{'.':1},'burning':{'and':1,'coal':1,'wood':1,'of':1},'image':{'and':1,'of':2,'.':1},'electricity.':{'what':1,'4':1},'surinam':{'toad':4},'carey':{'s':2},'mic.':{'sci.':1},'sneering':{'curl':1},'wave-movements':{'on':1},'lively':{'cheerful':1,'and':1,'commotion':1,'.':1},'wade':{'cautiously':1},'excrementitious':{'material':1},'snakes':{'are':3,'.':1},'tropical':{'shores':1,'africa':2},'repertory.':{'from':1,'according':1},'her':{'and':1,'silken':1,'family':2,'supply':1,'almost':1,'advantage.':1,'hand.':1,'mind':1,'hindmost':1,'young':1,'chin':1,'in':1,'arm':1,'web':1,'ancestors':1,'two':1,'stealthy':1,'short':1,'to':2,'tail':1,'eggs':6,'body':2,'life':1,'maternal':1,'offer':1,'nest':1,'attention':1,'back':2,'behaviour':1,'nimble':1,'mouth-parts':1,'intent':1,'beak':1,'instinctive':1,'teacher':2,'clumps':1,'a':1,'perceptions':1,'cocoon':1,'limits':1,'performances':1,'except':1,'range':1,'race':1,'teeth':1,'mouth':1,'relation':1},'bristles':{'.':1},'reflectors':{'and':1,'.':1},'symbiosis':{'.':1},'secretion':{'such':1,'of':1},'hen':{'leave':1,'there':1,'which':1},'bubble':{'would':1,'of':3,'ascends':1,'coloured':1,'as':1,'are':1,'were':1,'the':1,'is':2},'survives':{'in':1},'journ':{'.':2},'continents':{'and':4,'are':1,'.':1},'secreted':{'strange':1,'from':2,'by':1},'semnopithecus':{'entellus':1},'mammals':{'and':9,'among':1,'there':2,'besides':1,'show':2,'enjoy':1,'it':1,'as':2,'including':1,'are':3,'have':2,'in':1,'ourselves':1,'whose':1,'by':2,'from':1,'hoofed':1,'did.':1,'burrowers':1,'.':13,'to':2,'master':1,'emerged':1,';':2,'save':1,'is':1,'we':2,'repeat':1,'which':1,'may':1,'but':1,'like':9,'arose':1,'they':2,'such':4,'flowering':1,'now':1,'adaptive':1,'possess':1,'off':1,'especially':1,'e.g':1,'these':1,'always':1,'will':1,'very':1,'the':2,'furnish':1},'nitrogenous':{'waste':2,'material':1},'foreheads':{'well-marked':1},'another.':{'investigation':1,'sec':1,'besides':1,'illustration':1},'survived':{'and':1},'elimination':{'of':3},'mice':{'learn':1},'with':{'all':8,'pointing':1,'less':1,'frontispiece.':1,'over':1,'particular':1,'worms':2,'yellow':1,'far-reaching':1,'hind-legs':1,'experiments':1,'human':1,'signs':1,'alternative':1,'its':12,'colour-associations':1,'one':4,'cave-bear':1,'remarkable':1,'decomposing':1,'much':5,'young':2,'reason--lays':1,'better':1,'insects':1,'neighbours':1,'internal':1,'microscopic':1,'4':3,'disgust':1,'gravel':1,'instincts':1,'awareness':2,'alternating':2,'them':3,'his':11,'increased':1,'permission':1,'arboreal':1,'capacities':1,'longish':1,'balancing':1,'negative':1,'words':2,'instinctive':1,'silk':1,'motor':1,'progressive':1,'sense-organs':1,'ageing':1,'large':4,'this':11,'coco-nut':1,'each':1,'perceptual':1,'traces':1,'engravings':1,'mental':1,'intelligence':2,'energy':2,'hard':1,'some':6,'plumage':1,'us':1,'our':3,'instinct--the':1,'rough':1,'folk':1,'planetesimal':1,'what':3,'definite':1,'fingers':2,'worship':1,'difficulties':1,'rational':1,'numerous':2,'public':1,'scientific':1,'zest':1,'cellulose':1,'seaweeds':1,'out-flowing':1,'extraordinary':1,'compressed':1,'tartan':1,'by':1,'universals.':1,'both':1,'great':7,'freshwater':2,'distinctness':1,'many':3,'parts':1,'motion':1,'benevolence':2,'grain':1,'greatly':1,'atoms.':1,'warning':1,'or':2,'embryo':1,'copper':1,'equally':1,'there':1,'peculiar':1,'sweet':1,'powerful':1,'marked':1,'hearing':1,'sympathy':2,'unicellular':1,'another':4,'such':3,'faraday':1,'.':1,'open':1,'your':1,'fossil-bearing':1,'startling':1,'little':1,'her':3,'shells':1,'positive':1,'flying':1,'two':1,'particulars':1,'anyone':1,'their':9,'2':2,'which':17,'reptiles':1,'vapours':1,'life':1,'only':1,'that':1,'becoming':1,'apparent':1,'flinty':1,'stone':1,'amphibians':1,'it':7,'offers':1,'determination':1,'external':1,'excellent':1,'prodigious':2,'an':11,'active':2,'considerable':2,'those':2,'animals':1,'adaptations':1,'glory':1,'these':4,'instinct':2,'sea-anemones':1,'project':2,'matter':2,'paragraph':2,'temperatures':1,'wicketed':1,'concepts':1,'wild':1,'about':1,'more':6,'beliefs':1,'something':2,'and':1,'associated':1,'protrusive':1,'almost':2,'certain':3,'universal':1,'suggestions':2,'few':1,'general':4,'as':1,'breathing':1,'numbers':1,'aristotle':1,'in':6,'partner':2,'mediocre':1,'agility':1,'any':2,'currents':1,'masterly':1,'astonishing':1,'different':2,'awkward':1,'no':2,'unsuitable':1,'ideas':1,'immense':1,'pectoral':1,'food':1,'other':3,'coconuts':1,'animal':1,'ordinary':1,'enormous':1,'calendar-keeping':1,'rude':1,'opposite':1,'mentality':1,'unsurpassed':1,'most':1,'mankind':1,'moss':1,'mendel':1,'astronomy':1,'buttonholes':1,'man':2,'a':72,'short':1,'branches':1,'traps':1,'conscious':1,'others.':1,'professor':1,'incredible':1,'eddies':1,'peculiarities':1,'points':1,'electrons':2,'very':1,'the':149,'mating':1,'reserve':1},'pull':{'of':3,'acting':1,'which':1,'each':1,'the':3,'than':2},'rush':{'violently':1,'through':1,'of':2},'october':{'10':1,'3':2,'5':2},'stoneless':{'plum':1},'world-cloud':{'of':1},'universe--astronomical':{'instruments.':1},'nearest':{'planet':1,'to':5,'star':2,'stars':2,'of':1},'agree':{'rather':1,'to':7,'.':1,'with':1,'that':2},'darker':{'in':1},'gone':{'furthest':1,'far':1,'back.':1,'to':1,'through':1,'in':1,'wild':2,'further':1,'beyond':1,'by':1},'haunts--such':{'as':1},'certain':{'comets':1,'individuality':1,'abilities':1,'hormones--itself':1,'facial':1,'repertory':1,'is':2,'pre-arrangements':1,'number':1,'actions':1,'sounds':1,'internal':1,'depth':1,'from':1,'degree':2,'microbes':1,'that':15,'peculiarities':1,'parts':1,'black':1,'units':1,'ancestor':1,'lichens':1,'long-headed':1,'backgrounds':1,'we':1,'clever':1,'kinds':1,'desires':1,'substances':1,'ductless':1,'however':1,'effective':1,'atoms':1,'sensory':1,'dinosaurs':1,'chemicals':1,'words':1,'cases':3,'minerals':1,'types':2,'areas':1,'plants':1,'dark':2,'kind':1,'difficulties':1,'predisposition':1,'commands':1,'lines':2,'strange':1,'amount':7,'implied':1,'limit':1,'of':1,'fixed':1},'ak':{'99712':1},'cuttles':{'or':1},'am':{'of':1},'an':{'ovule':1,'impression':4,'atmosphere':1,'evolutionary':1,'earthworm':5,'astronomical':1,'egg-cell':1,'infant':3,'aquatic':1,'atomic':2,'intricate':2,'earth':1,'abundant':2,'imagined':1,'outer':1,'anvil':1,'interesting':13,'apple--out':1,'endeavour':1,'instrument':4,'advanced':1,'easy':2,'orange':1,'electrical':2,'adequate':1,'unprecedented':1,'equilibrium':1,'increased':2,'advantage':1,'arboreal':3,'inspiriting':1,'indubitable':1,'educative':1,'account':1,'indigenous':2,'answer':3,'unimportant':1,'historic':1,'asymmetrical':1,'aerolite.':1,'awful':1,'instinctive':2,'emergence':1,'antiquity':2,'association':1,'eye-piece':1,'old-established':1,'evolution':1,'onion':1,'organ':3,'extremely':1,'unnecessary':1,'absurdly':1,'emphatic':1,'intensification':1,'activity':1,'entirely':2,'automatic':3,'essential':3,'associative':1,'adaptation':1,'unsatisfied':1,'abbreviated':1,'old':1,'x-ray':2,'insignificant':1,'energy':2,'animalcule':1,'hour.':1,'inkling':2,'astronomer':2,'individual':5,'all-pervading':2,'exuberant':1,'ascent':1,'extinct':5,'electric':20,'index':1,'apparatus':2,'opaque':1,'open':1,'ice':1,'hereditary':1,'increase':2,'appreciative':1,'indian':1,'eight-armed':2,'economical':1,'inborn':2,'indication':1,'antler':1,'increasing':2,'eagle':1,'evolving':2,'earlier':4,'explosive':1,'aeroplane':2,'intimate':1,'ever-lengthening':1,'exudation':1,'illustration':6,'outfit':1,'egg':1,'extraordinary':2,'experimenting':1,'immature':2,'expansion':2,'arithmetical':1,'invisible':2,'entrancing':1,'exciting':2,'advance':1,'enormous':10,'instant':1,'indivisible':1,'envelope.':1,'exceptionally':1,'amount':1,'ineffective':1,'anthropoid':3,'invitation':1,'offshoot':1,'observation':1,'expression':1,'elongated':1,'untutored':1,'utterly':1,'exuberance':1,'intellectual':1,'echo':1,'active':1,'appropriate':1,'eleventh':1,'extraneous':1,'eventful':2,'elementary':1,'inorganic':3,'immensely':1,'electronic':1,'ether':4,'ancient':3,'elastic':1,'eclipse.':1,'alligator':2,'unknown':1,'indispensable':1,'outline':2,'approximate':1,'immense':7,'intermediate':1,'examination':2,'inner':2,'interest':1,'ounce':1,'egg-layer':1,'exploring':1,'extensive':1,'imperfect':2,'amoeba':1,'inclined':1,'immediate':1,'idea':1,'appreciation':1,'external':2,'impulse':2,'atom':16,'upright':1,'improved':1,'institution':1,'encyclopaedia':1,'otter':1,'abundance':1,'exception':1,'apprenticeship':2,'hour':2,'eclipse':3,'harmonious':1,'obvious':1,'empty':2,'historical':1,'emotional':1,'outflame':1,'average':2,'undercharged':1,'assemblage':1,'enforced':1,'angel':1,'almost':2,'expanding':1,'expedient':1,'ant':3,'aristotle':1,'element':2,'apparently':1,'everyday':1,'open-water':1,'angle':2,'infantile':1,'awkward':1,'alphabet':1,'eloquent':1,'american':2,'event':1,'instance':1,'epoch':1,'internal':2,'inquiry':1,'oar':1,'animal':19,'elephant':1,'inch':19,'ordinary':6,'intelligent':6,'explanation':2,'unutterably':1,'independent':1,'extended':1,'easygoing':1,'opposite':1,'actual':2,'object':3,'astounding':2,'insect':5,'important':6,'appreciable':1,'advertisement':1,'infinite':3,'alpha':1,'irretraceable':1,'advantageous':1,'older':1,'undeniable':1,'age':2,'electron':8,'innocent-looking':1,'ocean':2,'intruder.':1,'exceedingly':1,'experimental':2,'african':2,'inhabitant':1,'opportunity':2,'order':1},'as':{'peacock':1,'all':2,'hunger':1,'being':1,'when':2,'mackerel':1,'dancers':1,'soon':1,'rest':1,'symbols':2,'brain':1,'bright':1,'dog':1,'vastly':1,'go':1,'graptolites':1,'expressions':1,'fine':1,'yet':4,'before':2,'one':6,'slow':1,'thrilling':1,'greenwich':1,'fit':1,'sodium':2,'possible.':1,'deposits':1,'examples':2,'to':38,'must':1,'wood':1,'smolts':1,'molecules':1,'ours':1,'gills':1,'has':6,'noctiluca':1,'frogs':1,'good':1,'pre-dravidians.':1,'easily':1,'very':1,'big':1,'locusts':1,'sappers':1,'possible':2,'dark':1,'every':1,'nearly':1,'they':17,'instinctive':1,'now':1,'dr':1,'crabs':1,'worlds':1,'evolution':1,'fossils':1,'heat-waves':1,'cavendish':1,'gifted':1,'modern':1,'large':3,'rods.':1,'stuff':1,'mind-body':1,'relics':1,'each':1,'beasts':1,'amoebae':1,'imprints':1,'mathematical':1,'reactions':1,'set':3,'rats':1,'grouse':1,'curved':1,'radium':2,'creation':1,'some':1,'dead':1,'parasites':1,'miniatures':1,'among':1,'are':2,'specified':1,'body-mind':1,'our':2,'fear':1,'best':1,'happens':2,'established':1,'shown':9,'palaeolithic':1,'for':1,'1850':1,'fingers':1,'food':3,'may':1,'health':1,'monkeyish':1,'copper':1,'public':1,'iron--and':1,'can':1,'granites':1,'we':59,'wheat':1,'inert':1,'cauliflower':1,'nature':1,'equivalent':1,'valuable':1,'atoms':1,'water':2,'basalts':1,'members':1,'represented':1,'oxalic':1,'safer':1,'dwindling':1,'by':1,'change':1,'on':1,'great':2,'kids':1,'of':1,'taking':1,'chamberlin':1,'thinking':1,'cormorants':1,'other':1,'grilse.':1,'peripatus':1,'heavy':2,'equally':1,'there':6,'bricks':1,'explained':1,'powerful':2,'marked':1,'parachutists':1,'walt':1,'freely':1,'einstein':1,'thick':1,'obliging':1,'earthworms':1,'he':3,'described':1,'crocodiles':1,'distinct':1,'twenty':1,'cradles':1,'two':1,'long':9,'quickly':1,'their':4,'much':4,'sponges':1,'man':1,'was':1,'empty':1,'clever':1,'corresponding':1,'that':7,'leptocephali':1,'shoots':1,'mentality':1,'about':1,'amphibians':1,'glass':1,'heat':2,'regards':11,'external':1,'mounted':1,'with':1,'those':9,'inconspicuous':1,'darwin':2,'hour':1,'brusque':1,'reliable':1,'this':2,'sea-anemones':1,'lungbooks':1,'will':1,'matter':3,'projecting':1,'thin':1,'many':6,'cats':1,'primitive':2,'refractors':1,'distinguished':2,'ants':2,'something':2,'collecting':1,'stubborn':1,'bullhead':1,'defined':1,'is':11,'year':1,'it':60,'an':14,'professor':5,'well.':1,'pieces':1,'numbers':1,'aristotle':1,'in':30,'handle':1,'lambs':1,'any':1,'if':16,'cave-men':1,'sir':3,'different':1,'compared':2,'no':1,'shell-shock':1,'means':1,'uranium':1,'far':5,'internal':1,'useless':1,'pure':1,'elephant':1,'resembling':1,'you':2,'volplanes':1,'higher':1,'open-water':1,'used':1,'beauty':1,'though':1,'contrasted':1,'mutual':1,'rain':1,'most':2,'but':1,'significant':1,'such':2,'elvers':1,'commensalism':1,'probable':1,'a':95,'crystals':1,'safe':1,'pithecanthropus':1,'light':1,'clear':1,'sun-spots':1,'well':11,'grilse':1,'donkeys':1,'having':1,'beds':1,'these':2,'electrons':1,'mechanical':1,'at':1,'the':98,'drawing':1,'restored':2},'associating':{'certain':1},'at':{'distances':1,'all':21,'rest':2,'four':1,'london':1,'its':10,'20':1,'work.':2,'mauer':2,'paris':1,'those':1,'heidelberg':1,'dates':1,'seventy':1,'his':2,'washington.':1,'mathura':1,'birth':1,'half':1,'12:30':1,'least.':1,'colonising':1,'night':9,'fixed':1,'right':4,'learning':1,'some':4,'coldrum':1,'home':4,'once.':1,'sunrise':1,'3':1,'various':3,'between':1,'nine':2,'each':1,'things--that':1,'hundreds':1,'here':1,'nightfall':1,'by':3,'great':2,'last':4,'many':2,'dublin':1,'so':1,'times':1,'http:':6,'first':9,'cambridge':1,'successive':1,'one':6,'another':2,'250':2,'total':2,'from':1,'twenty':1,'three':1,'least':20,'.':1,'their':2,'2':1,'186':2,'gibraltar':1,'leisure.':1,'500':1,'flight':1,'www.gutenberg.org':2,'that':6,'about':1,'but':1,'92':1,'present':12,'this':7,'work':3,'piltdown':1,'abrupt':1,'4557':1,'1.':1,'and':1,'it':1,'an':7,'niagara':1,'in':1,'any':9,'these':3,'different':4,'no':3,'perhaps':1,'things':1,'other':3,'sobral':2,'which':3,'new':1,'ordinary':1,'enormous':1,'simplicity':1,'opposite':1,'our':1,'earlier':1,'hand':2,'most':1,'two':1,'last--that':1,'such':1,'a':43,'lower':1,'e':1,'ottawa':1,'st':1,'809':1,'sunset':1,'the':123,'drawing':1,'once':11},'fumbling':{'at':1},'walks':{'of':1,'slowly':1,'erect':1},'watched':{'and':1},'tranquil':{'world':1},'dawn':{'of':10,'breaking':1,'to':1},'uplifts':{'of':1},'collie':{'at':1},'pliohippus':{'about':1},'2001':{'the':1},'predestined':{'plan.':1},'puppy':{'came':1},'contemporaries':{'in':1},'fry.':{'sir':1,'j':1,'but':1},'indemnify':{'and':1},'vocabulary':{'so':1},'walk.':{'how':1},'terra':{'firma':3},'gifts':{'as':1},'herbs':{'and':1},'environing':{'difficulties':2},'dives--':{'--carrying':1},'waterhouse':{'hawkins':1},'partitioned':{'box':1},'tricks':{'given':1},'mask':{'their':1,'the':1},'mimic':{'the':1,'is':1},'mass':{'and':3,'condensed':1,'of':20,'is':2,'spinning':1,'333':1,'persisted':1,'in':2,'gave':2},'dislodgment':{'is':1},'original':{'ancestors':1,'form':2,'plain':1,'nebula':1,'crust':1,'moorings':1,'greek':1,'peculiarities':1,'cradle':2,'home':3,'hole':1,'first':1},'external':{'methods':1,'opening':1,'hangers-on':1,'of':1,'partnership':1,'pouch;':1,'registration':1,'gills':2,'pouch':1,'method':1},'period--the':{'twenty':1},'sci':{'.':2},'consider':{'a':1,'what':1,'that':1,'.':1,'possibilities.':1,'the':7,'man':1},'elements.':{'sec':1},'31900':{'4':1},'instincts':{'and':1,'where':1,'are':1,'but':1,'.':2},'landlocked':{'corners':1,'dwindling':1},'debris':{'and':1,'of':1},'upkeep':{'of':1},'welfare':{'of':2},'reasoning':{'that':1,'man':1,'.':1},'causes':{'and':1,'of':1,'sleeping':4,'.':1,'the':1,'an':3},'particles':{'and':2,'move':1,'as':1,'are':4,'suspended':1,'in':2,'250':1,'even':1,'.':3,'which':3,'travelling':2,'was':1,'more':1,'may':1,'upon':1,'he':1,'on':1,'of':17,'will':1,'were':2,'the':2,'or':1},'careful':{'and':1,'comparison':1,'reading':1,'calculation':1,'observers':1,'piecing':1,'experiments':1,'way':1,'education':1},'disciples':{'of':1},'hunting':{'enabling':1,'on':1,'leopards':2,'or':2,'small':1},'spirit':{'of':4,'.':2},'to':{'all':6,'consider':4,'remarkable':1,'land-snails':1,'relieve':1,'yellow':1,'four':2,'mild':1,'skate':1,'go':13,'follow':1,'discern':1,'whose':1,'calculate':2,'animal':1,'paris':1,'shrinkage':1,'send':1,'environment':4,'charge':1,'reptiles':1,'swoop':1,'vegetation.':1,'include':1,'crest':4,'shoot':1,'point':3,'arboreal':2,'dispense':2,'induce':1,'me':2,'smack':1,'every':2,'trough':1,'fall':4,'affect':2,'converge':1,'monkeys':2,'look':6,'exaggerate':1,'tear':1,'try':2,'this':19,'settle':2,'us.':1,'speculation':1,'tortoises':2,'prevent':1,'force':1,'ten':1,'discover':4,'jump':1,'surrounding':1,'pass':7,'link':1,'further':2,'changefulness':1,'folk':1,'paralyse':1,'inspire.':1,'what':5,'giving':1,'disentangle':1,'asia':1,'him.':1,'experiment':4,'new':3,'alertness':1,'elsewhere.':1,'fend':1,'berthelot':1,'slow':2,'sink':1,'making':1,'evolutionist':1,'100':1,'fifteen':1,'interpret':1,'wait':1,'dry':9,'great':4,'receive':2,'30':1,'alaska':1,'anchor':1,'credit':3,'amount':1,'social':1,'climb':1,'otters':1,'changes':1,'say--of':1,'secure':2,'complying':1,'africa':1,'replace':2,'put':3,'decrease':2,'instinct--a':1,'establish':2,'estimate':3,'manipulate':1,'everybody':1,'use':5,'proceed':1,'prove':1,'two':5,'almost':1,'live':4,'doubt':2,'call':2,'strike':3,'survive':2,'themselves':1,'evolve.':1,'tell':4,'more':4,'breathe':5,'substances':1,'expose':1,'impress':1,'about':2,'extinction.':1,'particular':2,'scale.':1,'hold':1,'effort':1,'fly':2,'account':6,'pursue':1,'science':1,'work':2,'pieces--a':1,'reproduce':1,'learn':15,'meet':5,'pick':1,'control':2,'compare':1,'type.':1,'tap':1,'give':17,'sense':1,'accept':2,'pieces':1,'high':1,'his':10,'something':2,'slip':1,'arise':2,'handle':1,'keep':4,'attract':1,'occur':2,'huge':1,'end':2,'sit':1,'provide':3,'travel':10,'1':1,'how':1,'vital':1,'hop':1,'answer':4,'over-population':1,'stir':1,'both.':1,'utilise':5,'sir':2,'lag':1,'eighty':1,'germinal':1,'moult':1,'produce':1,'lighting':1,'lay':2,'date':1,'such':2,'bloom':1,'grow':1,'man':15,'a':76,'attempt':2,'remember':1,'light':5,'spout':1,'element':2,'inquire':4,'maintain':2,'deposit':1,'allow':4,'enter':3,'order':1,'punting':1,'contraction.':1,'help':3,'move':7,'vary':1,'stability':1,'insurgence':1,'its':16,'perfect':1,'26':1,'fit':2,'fix':3,'water-weed':1,'equalise':1,'absence':1,'overcome':1,'them':6,'good':1,'return':5,'greater':1,'introduce':1,'break':3,'mention':1,'conquer':2,'half':1,'accumulate':2,'speculate':2,'realize':1,'maintaining':1,'possess':3,'subtler':1,'form.':1,'evade':2,'condense':2,'vibrations':1,'realise':5,'each':2,'cliffs':1,'side':5,'mean':3,'square':1,'retrieve':2,'mental':2,'generation':2,'recapitulate':1,'tip':2,'expect':2,'measure':3,'our':13,'happen':1,'witness':1,'clothe':1,'depress':1,'profit':2,'open':3,'abide':1,'strangers':1,'sustain':1,'adapt':1,'7':1,'impart':1,'medicine':1,'twenty-five':1,'cause':1,'red':1,'metchnikoff':1,'assist':1,'associate':2,'interpose':1,'given':1,'sneak':2,'reason':1,'base':1,'struggle':1,'ask':2,'obliteration':1,'cough':1,'generate':1,'reflect':1,'prepare':1,'language':1,'david':1,'turn':4,'place':2,'deep-sea':1,'loud':1,'think':12,'south':1,'predominate':1,'feed':3,'striking':1,'feel':3,'one':6,'another':13,'carry':4,'radiate':1,'ring':1,'fiji':1,'172':1,'millions':1,'guess':1,'their':13,'bite':1,'construct':2,'anyone':1,'indicate':2,'master':2,'king-crabs':1,'white':1,'bits':1,'listen':1,'efface':1,'nutrition':1,'hug':1,'x-rays':1,'that':11,'continuous':1,'serve':2,'direct':1,'part':2,'peck':1,'insect-visitors--began':1,'10':1,'require':1,'tree':2,'project':3,'matter':1,'fruits':2,'gigantic':1,'and':6,'exert':1,'modern':1,'say':46,'lull':1,'have':19,'accompany':1,'any':2,'eels':1,'offer':1,'isolate':1,'gravity':1,'note':1,'blushing':1,'build':5,'which':31,'destroy':2,'begin':8,'acquire':1,'electric':1,'trace':2,'wind-blown':1,'reach':7,'complexity.':1,'most':3,'detect':4,'eight':1,'glow':6,'expound':1,'seize':1,'professor':1,'gather':2,'science.':1,'drive':1,'face':3,'furnish':1,'weigh':1,'justify':2,'institutions':1,'incomplete':1,'show':14,'fifty':1,'bring':3,'determine':3,'tree.':1,'melt':1,'earth':2,'find':19,'wriggle':1,'generation.':1,'knowledge':1,'environing':1,'explain':9,'storms':1,'eat':1,'surroundings':1,'betray':1,'darwin':3,'hope':1,'do':17,'waltz':1,'hit':2,'get':17,'beat':1,'express':1,'watch':1,'bear':3,'instinctive':1,'dr':1,'him':3,'comply':1,'reveal':1,'evolution':1,'investigate':1,'release':1,'them.':1,'freshwater':1,'where':2,'respond':1,'traverse':1,'set':1,'resist':1,'see':9,'sea':3,'violet':1,'fail':1,'find.':1,'gravitation':1,'sail':1,'birds':2,'pressures':1,'various':1,'conceptual':1,'donate':2,'glasgow':1,'man.':3,'notice':8,'extend':1,'parental':1,'deliver':1,'succeed':1,'wear':2,'travellers':1,'distinguish':2,'come':3,'improve':1,'both':2,'protect':3,'last':3,'many':2,'contract':1,'laplace':1,'plants':1,'admit':2,'cylindrical':2,'lash':1,'swallow':1,'radio-activity':1,'supply':2,'smother':1,'kin-sympathy':1,'subscribe':1,'pole':2,'air-breathing':3,'250':1,'technicalities':1,'speak':5,'decline':1,'raise':2,'deep':1,'teach':1,'create':2,'three':1,'.':2,'whom':1,'much':1,'change':2,'mars':2,'waste':1,'500':1,'life':2,'describe':3,'flight':1,'amphibians':1,'assert':1,'observe':2,'understand':9,'reason.':1,'an':14,'diffuse':1,'those':6,'sound':1,'adaptations':1,'these':2,'leave':4,'twigs':1,'britain':1,'near':1,'suppose':9,'guide':2,'spawn':4,'apprehend':1,'lapland':1,'it':7,'sting':1,'itself':2,'blame.':1,'everyday':1,'capture':4,'different':1,'develop':1,'perform':1,'suggest':3,'make':23,'cross':1,'unite':1,'check':1,'them--as':1,'split':1,'copying':1,'crustaceans':1,'several':1,'dusk':1,'kelvin':1,'nest':1,'drink':1,'hang':1,'effect':1,'viewing':1,'moving':1,'experiment.':1,'patagonia':1,'expend':1,'in':1,'miss':1,'mother':1,'very':2,'the':388,'left':1,'mingle':1,'being':1,'uranium':1,'accurate':1,'obtain':1,'rest':1,'electrification':1,'select':1,'harmonise':1,'identify':1,'human':2,'colonise':2,'fearful':1,'readers':2,'conclude':1,'deposits':1,'board':1,'snap':1,'save':2,'humanity':1,'scientific':1,'take':11,'swim':1,'read':4,'big':2,'possible':1,'dart':1,'five':1,'know':8,'decipher.':1,'press':1,'immediately':1,'tick':2,'insert':1,'rotate':6,'backboned':1,'electronic':1,'hunt':1,'tons':1,'roll':1,'collect':2,'continue':2,'seashore':1,'soft':1,'herons':1,'side--a':1,'shed':1,'right':1,'deal':8,'titan':1,'some':21,'play':2,'certain':1,'deduce':1,'convey':1,'escape':1,'star':1,'scale':2,'avoid':2,'separate':1,'ether':1,'leap':1,'behave':1,'cloud':1,'quote':1,'prof':1,'warranties':1,'trout':1,'illustrate':2,'be':180,'incandescence':1,'obey':2,'reaching':1,'rock':1,'breed.':1,'utter':1,'become':7,'instinct':3,'littoral':1,'five.':1,'throw':4,'shine':1,'stone':1,'age.':1,'conceal':1,'practical':1,'her':2,'act':2,'or':3,'imitation':1,'within':1,'guard':1,'promise':1,'sow':1,'excrementitious':1,'propel':1,'acquiesce':1,'support':2,'transform':1,'sunlight':2,'start':2,'suit':1,'enregister':3,'attach':1,'manufacture':1,'north':2,'complete':2,'form':13,'educate':1,'ascend':1,'believe':6,'regard':1,'heat':2,'hear':1,'another.':2,'heap':1,'atom':4,'promote':1,'considerable':2,'donate.':1,'count':3,'folk-ways':1,'us':24,'record':1,'convince':1,'grasp':2,'demonstrate':1,'stages':2,'similar':2,'agree':1,'150':3,'cover':3,'year':1,'rubble':1,'muscular':1,'disease':1,'as':1,'exist':4,'paraguay':1,'domesticated':1,'trip':1,'fill':2,'discriminate':5,'inborn':1,'compel':1,'other':8,'5':1,'branch':2,'test':1,'you':5,'shrink':2,'picture':1,'repeat':1,'indemnify':1,'mankind':1,'living':1,'walk.':1,'drift':1,'terra':3,'overtax':1,'recognise':6,'scores':1,'astronomy':1,'land':3,'sail.':1,'cling':2,'assume':1,'age':2,'lift':2,'time':1},'tail':{'and':2,'often':1,'is':1,'it':1,'as':1,'are':1,'in':1,'if':1,'from':1,'seems':1,'two':1,'.':5,'rivals':1,'which':2,';':1,'by':1,'projects':1,'a':1,'always':1,'coiled':1,'of':2,'served':1},'postglacial':{'times.':1},'th':{'.':1},'lankester':{'to':1,'has':1,'says:':1,'between':1},'animals--birds':{'and':1},'degeneration':{'may':1},'case':{'we':2,'better.':1,'although':1,'no':1,'these':1,'of':38,'is':2,'there':1,'it':3,'.':3,'leads':1,'to':1,'that':1,'however':2,'they':1,'in':2,'known':1,'probably':1,'the':2,'with':2,'than':1},'cause.':{'section':1},'cloud-belts':{'and':1},'puzzled':{'over':1,'when':1},'discrepant':{'.':1},'floated':{'on':1},'square-jawed':{'short-limbed':1},'trillions':{'of':9},'c-f.':{'the':1},'interpreting':{'the':1,'in':1},'instinct.':{'the':1},'m.d':{'.':2},'condition':{'of':2,'the':1,'had':1,';':1,'.':1},'s.f.':{'3':1},'accompanying':{'diagram':1},'marvellous':{'still':1,'atom':1},'ageing':{'.':1},'laying':{'down':2,'aside':1},'joined':{'to':1,'them--a':1},'large':{'and':3,'telescope':1,'insects':1,'fish':2,'in':1,'colony':2,'number':6,'bath':1,'brain':1,'as':3,'planets':1,'mirror':2,'skulls':1,'size':2,'rhinoceros':1,'scale':3,'heads':1,'lungs':1,'ventral':1,'masses':1,'proportion':1,'.':2,'terminal':1,'internal':1,'red':2,'we':1,'testes':1,'degree':1,'that':1,'quantities':1,'eggs':1,'ovaries':1,'however':1,'haunt':1,'lens':4,'meteorites':1,'coil':1,'marine':2,'telescopes':1,'areas':1,'a':1,'animals':1,'eye-sockets':1,'gape':2,'ones.':1,'magnet':1,'gibbon':1,'amount':1,'amphibian':1,'of':1,'excesses':1,'ready-made':1,'section':1,'anthropoid':1},'dinosaur':{'about':1,'reptiles.':1,'stock':1},'sand':{'and':3,'of':1,'over':1,'so':1,'.':2},'swirling':{'seething':1},'three-millionth':{'of':2,'part':1},'harry':{'johnston':1},'small':{'and':2,'shark':1,'family':2,'insects':1,'ears':1,'spider':2,'one':1,'bright':1,'spiders':1,'such':1,'globes':1,'intestine':1,'patch':1,'frog-hoppers':1,'creatures':1,'web':1,'compared':1,'group':1,'pin':2,'organisms':1,'water-animals':1,'gossamer':1,'organism':1,'per':1,'.':3,'particles':3,'to':3,'individuals':1,'vocabulary--he':1,'fraction':3,'units':1,'figures':1,';':1,'molecules':1,'coal-field':1,'tortoise-shell':1,'polyps':1,'fry.':1,'ripples':1,'multiple':1,'minority':1,'degree':1,'that':2,'may':1,'mammals':3,'tides':2,'whirling':1,'but':2,'it':1,'lens':1,'moths':1,'scale':2,'fishes':2,'number':1,'importance':1,'quantity':2,'volume':1,'about':1,'animals':4,'pests':1,'bullet':1,'items':1,'batteries':1,'corona':1,'bee':1,'staff.':1,'part':2,'donations':1,'anthropoid':1,'shore-animals':2,'arboreal':1,'sea-anemone-like':2,'marble--there':1,'crab':3,'are':1},'mammal':{'and':1,'essentially':1,'sucks':1,'is':1,'when':1,'mind':1,'s':1,'as':1,'mind.':1,'in':1,'the':1,'stocks':1,'with':1},'autotomy.':{'in':1},'abbreviated':{'recapitulation':1},'quicker':{'than':1},'methodical':{'habits':1},'proof--embryological':{'proof--man':1},'197':{'diagram':1,'000':1},'196':{'the':1},'191':{'hornbill':1,'life-history':1,'avocet':1,'spoonbill':1,'puffin':1,'falcon':1},'hour.':{'these':1,'the':1},'193':{'early':1},'192':{'hind-leg':1,'photo':1},'past':{'and':5,'a':1,'all':1,'generation.':1,'in':1,'century.':1,'ages--for':1,'generation':1,'there':1,'upon':1,'it':1,'amphibians':1,'one':1,'.':3,'at':1,'which':1,'time':1,'the':1,'still':1,';':1,'persisting':1},'displays':{'its':1,'.':1},'pass':{'on':2,'gradually':1,'from':3,'vertically':1,'suddenly':1,'over':1,'amongst':1,'by':1,'to':4,'behind':1,'through':11,'between':1,'along':2,'straight':1,'before':1},'situated':{'near':1,'at':1},'17.--a':{'map':1},'richard':{'owen':1},'clock':{'we':1,'would':1,'.':1,'struck':1,'beating':1,';':1},'section':{'of':2,'later':1,'1':1,'3':2,'2':1,'through':3,'4':2,'5':1},'reproduction':{'a':1,'both':1,'from':1,'for':1,'may':1,'is':2,'.':5,'which':1},'scientists':{'confront':1},'method':{'and':1,'used':1,'that':1,'simple':1,'of':6,'is':2,'exactly':1,'.':1,'namely':1,'much':1,'are':1,'which':1,'you':1,'was':2,'by':2,'if':1},'contrast':{'this':1,'to':3,'with':1,'between':2},'revealing':{'an':2},'full':{'and':1,'on':1,'terms':2,'license':1,'inheritance':1,'of':5,'stop':1,'stop.':1,'project':7,'flood':1,'daylight':1,'individual':1,'fathoms':1,'extent':1,'refund':2,'dawn':1,'resources':1},'escaping':{'pursuit':1},'installations':{'.':1},'argonaut':{'in':1},'leaping':{'a':1,'at':2},'7.--the':{'visible':1},'hours':{'on':1,'we':1,'from':1,'afterwards':1,'immediately':1,'of':1,'after':1,'days':1,'forty':1,'early':1,'to':1,'old':1,'in':1,'it':1,'i.e':1,';':1,'.':4,'until':1,'before':2},'concluding':{'this':1},'november':{'19':2,'6':1},'transformation':{'of':5,'comes':1,'such':1},'refractors':{'and':1,'are':1},'riviera':{';':1},'introductory':{'note':1,'the':1},'compliance':{'with':2,'requirements':1,'for':1,'.':1},'247':{'photo':2},'experience':{'and':2,'or':1,'for':1,'though':1,'of':1,'no':1,'it':1,'but':1,'.':1,'to':1,'nothing':1,'which':2,'in':2,'not':1,'known':1,'with':1,'by':1},'anthropologists':{'and':1},'bulges':{';':1},'periodic':{'shrinkages':1,'the':1,'variations':1,'tax':1},'social':{'group':1,'intercourse':2,'becoming':1,'person.':1,'face':1,'environment':1,'life--of':1,'systems':1,'heritage':2,'institutions--all':1},'action':{'and':2,'on':1,'like':2,'facility':1,'not':1,'of':4,'is':1,'it':1,'.':4,'how':1,'in':1,'following':1,';':1,'by':1},'matter--but':{'no':1},'slope':{'to':1,'from':2,'of':1},'struggle':{'all':1,'through':1,'for':21,'against':2,'out':1},'followed':{'on':1,'rapidly':1,'that':1,'with':1,'in':1,'some':1,'up':1,'without':1,'year':1,'from':1,'the':2,'was':1,'by':2,'roentgen':1},'moorland':{'.':1},'vii':{'the':1,'.':2},'aeschylus':{'gave':1},'hard-and-fast':{'boundary':1,'lines':1},'beheld':{'in':1},'pulls':{'the':2,'every':1},'substance.':{'it':1},'coercion':{'and':1},'nerve-centres':{'keep':1},'eddington':{'even':1,'of':1,'professor':1,'tells':1},'granular':{'appearance':1},'attendance':{'on':1,'fertilises':1},'magnitude--and':{'these':1},'educability.':{'young':1},'petroleum':{'ten':1},'6':{'1914.':1,'and':1,'great':1,'inches':1,'then':1,'.':5,'1919':1,'tadpole':1,'other':1,'the':2},'evolve.':{'viii':1},'more':{'limited':1,'developed':1,'accurate':2,'dynamic':1,'purely':1,'distant':1,'abundant':1,'rapid':4,'rapidly':2,'knowledge':1,'fit':2,'interesting':3,'complex':4,'passive':1,'to':3,'willing':1,'convoluted':1,'portentous':1,'inconspicuous':1,'familiar':1,'courage':1,'nearly':1,'trouble':1,'advanced':1,'debatable':1,'generalised':1,'masters':1,'like':3,'oxygen':1,'marvellous':1,'fully':1,'radiant':1,'loosely':1,'prolonged':1,'possibilities':1,'economically':1,'intelligence':2,'energy':1,'direct':2,'likely':2,'intelligible.':1,'besides.':1,'advantageous':1,'sail':1,'uniform':1,';':2,'numerous':3,'advantageously':1,'we':1,'explosive':1,'intimate':1,'importance':1,'masterful':1,'free':3,'atoms':2,'curved':1,'complicated':5,'besides':4,'flowering':1,'intelligent':1,'intense':1,'promiseful':1,'chapter':1,'about':3,'of':5,'thickly':1,'sensitive':3,'smoke':1,'adapted':1,'or':14,'frequent':1,'and':10,'primitive':2,'powerful':2,'marked':1,'highly':2,'quickly':2,'readily':3,'startling':1,'ancient':1,'illumined':1,'erect':1,'.':4,'wonderful':2,'resolute':1,'dome-like':1,'vigorous':1,'complete':2,'successful':1,'continuous':1,'mentality':1,'conspicuously':1,'but':1,'strenuous':4,'upright':1,'natural':1,'general':1,'than':64,'must':1,'parts':1,'romantic':1,'instructive':1,'grey':1,'discriminating':1,'matter':1,'actively':1,'promising':2,'drops':1,'ascetic':1,'varied.':1,'conjectural':1,'certain':1,'it':1,'comfortable':1,'in':1,'controlled':4,'convenient':1,'emancipated':1,'eloquent':2,'till':1,'vital':2,'gateways':1,'which':1,'so':1,'smell':1,'difficult':3,'clear-cut':1,'felt':1,'convincing':1,'alert':1,'important':3,'blood':1,'nutritive':1,'freely':1,'remote':1,'for':1,'effective':1,'mobile':1,'light':1,'definitely':1,'electrons':3,'wide-awake':1,'the':2,'marsupials':1},'door':{'and':1,'is':1,'two':1,'.':1},'testes':{'.':1},'substances':{'such':1,'or':1,'like':1,'give':1,'this':1,'disintegrate':1,'near':1,'but':1,'coloured':1,'as':1,'therefore':1,'permeating':1,'which':2,'in':1,'become':1,'the':1,'has':1,';':2,'are':5},'inquisitiveness':{'a':1,'and':1},'company':{'as':1,'with':1},'berridge.':{'shoebill':1,'woolly':1,'young':1,'surinam':1,'an':1,'common':1,'harpy-eagle':1,'the':3},'one-sided':{'as':1},'tested':{'for':1,'.':1},'foundations':{'of':4},'stampings':{'.':1},'keeping':{'this':1,'the':3,'his':1},'fatal':{'as':1,'.':1},'science':{'and':1,'lenard':1,'liquefies':1,'vol':3,'is':8,'it':1,'an':1,'produced':1,'as':1,'in':1,'should':1,'for':1,'introduction':1,'.':4,'to':1,'which':1,'surpasses':1,'has':3,'was':1,'naturally':1,'we':1,'after':1,'that':1,'who':1,'but':1,'tries':1,'were':1,'arrived':1,'encourages':1,'must':1,'a':1,'on':1,'this':1,'ever':2,'reads':1,'so':1,'of':5,'the':2,'makes':1},'centrifugal':{'force':1},'agoing.':{'illustration':2},'indicating':{'the':1,'that':1},'evolved':{'a':1,'and':2,'we':1,'from':5,'all':1,'but':1,'one':1,'reptiles':1,'amphibians':1,'hand':1,'in':2,'.':2,'or':1},'learn':{'and':2,'all':1,'more':2,'that':4,'.':1,'to':7,'its':2,'how':3,'the':2,'an':1,'with':1,'by':2,'quite':1,'if':1},'knocked':{'it':1},'lamp-shell':{'lingulella':1,'ligula':1},'male':{'and':2,'parent':1,'with':1,'of':3,'fish':2,'who':2,'or':1,'sea-horse':1,'mounts':1,'s':2,'helps':1,'kurtus':1,';':1,'has':3,'makes':1,'side':1},'plants--romance':{'of':1},'beautiful':{'and':2,'stone':1,'spectacles':1,'zoological':1,'is':2,'object':1,'one':1,'flint-shelled':1,'experiments':4,'green':1,'are':1,'sight':1,'pink-flush':1,'cradle':1,'brine-shrimp':1,'robe':1,'red':1,'opalina':1},'stated':{'that':1},'cosmic':{'dust':2,'rubbish':1},'wave.':{'illustration':1},'brain-mind':{'we':1},'suggestions':{'may':1,'of':2,'have':1},'accept':{'a':1,'the':1,'all':1},'states':{'and':2,'do':1,'we':1,'copyright':1,'of':2,'who':1,'.':3,'to':1,'without':2,'swims':1,'the':1,'where':1,'check':1},'obliquely':{'on':1},'sense':{'separated':1,'a':1,'and':2,'still':1,'of':19,'except':1,'but':1,'one':1,'born':1,'which':1,'in':1,'it':2,'such':1,'the':1,'.':2},'plan.':{'in':1},'dress':{'is':3,'it':1,'that':1},'struck.':{'there':1},'salts':{'of':3,'but':2,'.':2,'to':1,'as':1,'using':1},'axis':{'cylinder':1,'that':1,'of':3,'is':1,'but':1,'.':2,'to':1,'as':1,'at':1,'in':4,'once':3},'huge':{'electric':4,'paw':1,'family.':1,'agglomerations':1,'increase':1,'carcase':1,'crocodilian':1,'cavern':1,'three-horned':1,'extinct':2,'sieve':1,'electronic':1,'infantile':1},'respective':{'bodies':1},'instruments.':{'ii':1,'the':1},'imminent':{'destruction':1},'emancipated':{'more':1,'from':1,'.':1},'fruition':{'of':1},'gannets':{'and':1},'oligocene':{'the':1,'times':1,'period':1,'n':1},'glowing':{'metal':1,'into':1,'gas':1,'gases':4,'coal':1,'mass':2,'in':1,'hydrogen':4,'with':1},'cling':{'to':1,'on':1,'together':3,'firmly':1},'relinquished':{'the':1},'creature':{'and':2,'being':1,'is':3,'fond':1,'as':2,'standing':1,'from':1,'.':4,'to':2,'too':1,'expresses':1,'save':1,'reproduced':1,'eminently':1,'that':2,'with':3,'has':2,'like':1,'retreated':1,'whether':1,'of':2,'sometimes':1,'s':2,'the':1,'profits':1},'rungs':{'of':2},'plant':{'and':2,'we':1,'would':1,'may':1,'of':1,'about':1,'called':2,'as':1,'preparing':1,'or':1},'salt.':{'this':1},'lanky':{'legs':1},'intended':{'to':2},'thickened':{'skin':1},'perrin':{'the':1,'jean':1},'plane':{'of':6,'is':1,'namely':1,'.':1,'near':1,'in':1,'the':1},'waves':{'and':4,'longer':1,'give':1,'is':1,'whatever':1,'see':1,'are':5,'in':4,'279':1,'still':1,'ether':1,'from':1,'breaking':1,'.':9,'1':1,'sparkle':1,'only':1,'too':1,'which':5,';':1,'cause':1,'sent':1,'we':1,'used':1,'that':1,'our':1,'enter':1,'like':1,'five':1,'they':3,'must':1,'carried':1,'are--measuring':1,'light':1,'culminating':1,'transmitted':2,'can':1,'of':11,'the':4,'its':1,'or':1},'mendel':{'.':1},'acquisitions':{'gradually':1,'that':1,'of':3,'as':1,'in':1,'the':2},'resemble':{'a':2,'the':1},'boarders':{'those':1},'register':{'themselves':1,'the':2},'tentacles':{'and':1,'around':1,'some':1,'it':1,'can':1,'radiate':1,'round':1,'minute':1,'are':1},'cases.':{'using':1,'the':1},'fundamental':{'substance':1,'to':1,'nature':1,'importance':1,'instruments':1,'food-supply':1,'bodily':1,'entities--matter':1,'entities':2,'unity':1,'way':2,'existences':2,'facts':1,'impressions':1,'realities':1,'matter':1},'triassic.':{'comparatively':1},'grasshoppers':{'orthoptera':1},'replied':{'is':1},'passages':{'and':1},'barnard':{'yerkes':2},'self-destructively':{'would':1},'incessantly':{'bombarded':1},'reminded':{'that':1,'in':1},'trade':{'from':1},'attitude':{'and':1,'of':1,'as':2,'there':1},'paper':{'on':1,'nautilus':3,'bait':1,'exactly':1,'packet':1,'.':1,'were':1,'in':1,'edition.':1,'lying':1},'signs':{'and':1,'of':1,'printed':1},'looks.':{'illustration':1},'its':{'precise':1,'summer':1,'walking':1,'remarkable':1,'disturbances':1,'constituents':1,'beak':1,'mission':1,'years':1,'four':1,'brain':1,'shape':1,'disc':1,'existence.':1,'victim':2,'skin':2,'existence':1,'partisans':1,'previous':1,'completion':1,'particles':2,'limbs':2,'different-lengthed':1,'outer':1,'thumb':1,'anvil':2,'striking':1,'possessors':1,'young':3,'environment':4,'surroundings':2,'tail':2,'concavity':1,'microscopic':1,'molecules':1,'tail.':1,'gyges':1,'gills':2,'main':1,'position--it':1,'first':1,'giants':1,'breathing':1,'victims':2,'cloud-belts':1,'reptilian':1,'means':1,'far':1,'big':2,'oceans':1,'mouth':2,'young.':1,'germ-cells':1,'encircling':1,'emerald':1,'rotation':1,'far-reaching':1,'wings':4,'retreat':1,'lineage':1,'evolution':1,'name':1,'course':2,'bearings':1,'solution':1,'possibilities':1,'race':2,'activity':1,'soft':1,'lesson.':1,'exquisite':1,'ears':1,'upper':2,'habitat':1,'appearance':1,'energy':3,'fully-formed':1,'back':1,'collaterals':1,'prolonged':1,'opposite':1,'legacy':1,'bare':1,'measurement':1,'home':1,'functioning':1,'mother':3,'best':3,'mottled':1,'cilia':1,'leaf':1,'probable':1,'borrowed':1,'endowment':1,'self-effacement':1,'intimate':1,'definite':2,'frond-like':1,'dormitory':1,'venom':1,'new':1,'peg':1,'hind-legs':2,'speed':1,'body':7,'core':1,'toes':1,'business':1,'leg':1,'strata':1,'atoms':3,'extraordinary':2,'magnetism':1,'salient':1,'formation':1,'egg-cocoons':1,'trunk':1,'early':1,'path':2,'canals':1,'whiteness':1,'evolution.':1,'colours':1,'enormous':1,'shaggy':1,'brilliant':1,'many':2,'leaves':1,'parts':4,'greater':1,'counterpart':1,'wave-length':1,'pattern':1,'nucleus':1,'tongue':2,'whole':2,'relatives.':1,'origin':1,'diameter':1,'primitive':1,'own':18,'heart':1,'marginal':1,'coming':1,'habitual':1,'primary':3,'race.':1,'height':1,'utilisation':1,'date':1,'eggs':2,'brain.':1,'formidable':1,'owner':2,'table':1,'mere':1,'size':3,'wings.':1,'strong':2,'eye':1,'temperature':2,'width':1,'tremendous':1,'own.':1,'two':1,'spiral':1,'long':2,'plains':1,'secret':1,'wonderful':1,'prey':1,'pool':1,'way':5,'typical':1,'diving-bell':1,'legs':1,'voracity':1,'501':1,'interests':1,'mountains':1,'head':1,'stomach':1,'fiery':1,'high-pitched':1,'wits':1,'successful':1,'feathers':1,'great':1,'validity':1,'climax.':1,'neighbour':2,'heat':3,'cranial':1,'tentative':1,'constituent':1,'hole':1,'highest':1,'effort':1,'present':3,'kind':1,'lifetime':1,'skull':2,'characteristic':1,'straight':1,'bill':1,'attached':1,'gravitational':2,'father':1,'nine':1,'vitality.':1,'growing':1,'distribution':2,'millennia':1,'history':1,'predecessor':1,'climax':4,'influence':1,'faintness':1,'surface':7,'general':1,'return':1,'partner':1,'comparative':1,'sharp':1,'mouth.':1,'dress':1,'own--a':1,'swim-bladder':2,'huge':1,'ancestors':1,'stolidity':1,'winter':2,'paw':2,'flight':2,'air-dome':1,'centre.':1,'bell-like':1,'shoulders':1,'forests':1,'reality':1,'arboreal':1,'relatives':1,'strange':1,'sentiments':1,'special':1,'influences':1,'talons':1,'estuaries':1,'mammoth':1,'ordinary':1,'axis':13,'composition':2,'development':1,'immediate':1,'electric':1,'beginnings':1,'centre':4,'neck.':1,'nest':2,'teeth':1,'reach':1,'surface--before':1,'substitute':1,'companion':1,'gill-cavity':1,'dimensions':1,'journey':3,'moving':1,'colouring':1,'saucer-shaped':1,'share':1,'movements':2,'capacity':1,'burrow':2,'structure':1,'eyes':1,'so-called':1,'short':1,'branches':2,'gullet':1,'surprising':1,'revelations':1,'light':3,'colour':5,'starting-point':1,'life':2,'persistent':1,'benefactress':1,'tale':1,'inhabitants':1,'edge':1,'mass':2,'greatest':1,'broad':1,'volunteers':1,'path.':1,'original':3,'immensity':1,'function.':1},'roots':{'and':1,'to':2,'of':2},'imaginings':{'of':1},'rapidly':{'and':4,'on':2,'we':1,'towards':1,'altering':1,'revolving':1,'between':1,'round':1,'to':1,'in':1,'changing':1,'revolved':1,'alter':1},'shifts':{'the':1,'for':4},'man-ape':{'and':1,'to':1},'coarser':{'vibrations':1},'conjugation':{'of':1},'bell-animalcules':{'a':1},'adepts':{'at':1,'in':1},'isaac':{'newton':5},'travelling':{'and':2,'rapidly':1,'faster':1,'at':5,'the':1,'with':1,'round':2},'pinions':{'.':1},'atom--that':{'what':1},'formosa':{'those':1},'tentatively':{'just':1,'sets':1},'lowell':{'evolution':1,'made':2,'who':1,'to':1,'mars':1,'observatory.':1},'entire':{'shell':2,'uselessness':1,'system':1,'absence':1,'cessation':1,'belt':1},'secondarily':{'wingless.':1},'agitated':{'and':2,'communicate':1,';':1,'electrons':1},'saltatory':{'display':1},'iridescent':{'colours':1},'weeds':{'in':1},'speculate':{'where':1,'that':1},'laboratory.':{'a':1,'an':1},'sea-urchins':{'sea-lilies':1,'and':1,'we':1},'cambrian':{'and':1,'period':5,'correspond':1,'to':1,'reached':1,'the':1},'likeness':{'to':2},'fowlers':{'and':1},'all.':{'sec':1},'loosely':{'connected':1,'.':1},'20417.txt':{'or':1},'piping':{'cry':1},'nautiloids':{'and':1,'to':1,'began':1},'found':{'the':2,'is':1,'it':1,'an':1,'at':2,'in':22,'close':1,'next':1,'its':1,'elsewhere':1,'for':1,'their':1,'there':1,'long':1,'well-formed':1,'to':4,'out':1,'vigorous':1,'around':1,'in:':1,'that':11,'far':1,'gliding':1,'however':1,'but':1,'hundreds':1,'most':1,'everywhere':1,'not':1,'along':1,'quite':1,'by':2,'he':1,'a':5,'on':3,'practically':1,'no':1,'up':1,'.':2,'eighty-seven--and':1,'e.g':1},'energetically':{'rub':1,'through':1},'physiologically':{'expensive':1,'best':2,'.':1},'reactions':{'and':2,'to':1,'.':2,'which':1,'between':2},'england':{'and':1,'.':1},'oyster-catcher':{'and':1},'resolute':{'.':1},'fewer':{'and':1,'mistakes':1},'measurement':{'.':1},'blues':{'and':1,'are':1},'niger':{'120':1,'is':1},'really':{'a':1,'radiating':1,'taking':1,'move':1,'had':1,'occurred':1,'two':1,'excessively':1,'tell':1,'are':2,'travelling':1,'gigantic':1,'important':1},'try':{'to':4,'walking':1},'neanderthal':{'and':2,'men':4,'race':2,'ravine':1,'species':2,'man':10},'psychology':{'and':1,'that':1},'sea-meadows':{'and':1,'of':1,'as':1,'to':1},'boxed-in':{'energy':1},'research':{'on':1,'.':2,'as':1,'justified':1,'has':1,'shows':1,'must':1},'misses':{'the':1},'reward.':{'the':1},'kelvin':{'and':2,'who':1,'56':1,'one':1,'s':1,'lord':1},'denoted':{'by':1},'climatic':{'conditions':2},'occurs':{'even':1,'on':2,'about':2,'from':1,'is':1,'in':1,'with':1},'chapelle-aux-saints':{'175':1,'the':1},'belief':{'is':1,'that':2,'in':2},'risen':{'three':1},'drifting':{'past':1,'life':2},'porcelain':{'are':1},'qualify':{'the':1},'gravelly':{'bed':1},'imagine':{'them':1,'that':2,'could':1,'some':1,'how':2,'the':1},'stomach':{'and':1,'to':1},'rises':{'a':1,'to':5,'and':2,'why':1,'.':2},'occur.':{'illustration':1},'producers':{'using':1,'or':1},'albatross':{'and':1,':':2},'reared':{'themselves':1},'retained':{'in':1},'english':{'serial':1,'character':1,'disciples':1},'w':{'.':30},'expedient':{'by':1,'.':1},'mangrove-trees':{'or':1,'.':1},'exhibited':{'by':1,'in':1},'delicate':{'embryo':1,'body':1,'shell':2,'larva':1,'ctenophores':1,'experiment':1,'build':1,'films':1},'impart':{'violent':1},'reversing':{'layer':2},'slipped':{'on':1,'over':1,'from':1},'thereafter':{'perhaps':1},'mimetic':{'resemblance':1},'number':{'and':2,'on':1,'develop':1,'being':1,'of':42,'is':3,'one':1,'she':1,'which':1,'mr':1,'not':1,'.':2},'slipper':{'animalcule':3},'animals--beginnings':{'of':2},'annelids':{'related':1},'star-clouds':{'will':1},'differ':{'considerably':1,'from':1,'chiefly':1,'rather':1,'as':1,'very':1,'only':1,'greatly':1,'in':3},'heads':{'and':1,'the':1,'selected':1,'breaking':1,'it':1},'world...':{'.':1},'introduction':{'of':2,'3':1,'there':1,'every':1},'cradles':{'for':1},'calculations':{'based':1,'show':1},'essays':{'on':1},'molecular':{'motion.':1,'reality':1,'motion':1,'motions.':1,'motions':2,'disintegration':1,'movement':1},'elaboration':{'known':1},'relationship':{'and':1,'with':6,'between':1},'immediate':{'access':2,'surroundings':1,'precursors':2,'cradle':1,'circle':1},'appreciation':{'of':5},'self-mutilation':{'or':1},'zeppelin':{'or':1},'licensed':{'works':1},'calendar-keeping':{'and':1},'modes':{'of':6},'diffusion':{'or':1},'ungrateful':{'to':1},'observatory':{'greenwich.':6,'of':2,'victoria':2,'near':1,'fig':1,'such':1,'the':1,'or':1,'at':1},'vocal':{'and':1,'organs':2,'cords':2,'powers':1},'determined':{'beyond':1,'by':1},'fishermen':{'whom':1},'hot.':{'crossing':1},'algol':{'is':2,'has':1},'remembers':{'that':1},'streamed':{'night':1},'possibilities.':{'illustration':1},'well-developed':{'forehead':1,'head':1,'luminous':1,'form':1},'colour-resemblance':{'was':1},'vitally':{'interlinked':1,'important':1},'germ-cells--the':{'ovum':1},'reorganisation':{'which':1},'cleverness':{'.':1,'it':1,'in':1},'odd':{'cells':1,'which':1},'fashion.':{'finally':1},'internat':{'.':1},'commotion':{'is':1},'silvery':{'jacket':1,'air-bubble--air':1,'smolts':1,'halo':1},'also':{'among':1,'rang':1,'because':1,'followed':1,'unpalatable':1,'land-snails':1,'contribute.':1,'in':5,'it':1,'marked':1,'one':1,'mild':1,'are':1,'pass':1,'seen':1,'visible.':1,'handicapped':1,'opened':1,'for':3,'belong':1,'able':1,'due':1,'anatomical':1,'to':3,'implied':1,'aerates':1,'burrow.':1,'caused':2,'has':1,'more':1,'breathe':1,'be':6,'noteworthy.':1,'towards':1,'that':1,'very':3,'offered':1,'formed':1,'serve':1,'cheaper':1,'react':1,'produce':1,'rudimentary':1,'govern':1,'known':1,'necessary':1,'the':8,'proceed':1,'a':3,'on':1,'arranged':1,'driving':1,'showed':1,'receive':1,'of':3,'drop':1,'will':1,'defective':1,'became':1,'involved':1,'found':1,'enacted':1,'changes':1,'experimental':1,'something':1},'internal':{'surfaces':4,'partnership':1,'furnishings':1,'revenue':1,'tides':1,'adjustments':1,'as':1,'surface':1,'parasites':1,'source':1,'heat':3,'secretions':1,'game':2,'atomic':1,'secretion':1,'experimenting':1,'gills':1,'structure':2,'unpaying':1},'centrosomes':{'one':1},'seized':{'the':1,'by':2},'play':{'a':2,'among':1,'we':1,'for':1,'of':3,'is':2,'an':2},'index':{'of':1},'swiftly':{'gliding':1,'electrons':1},'nasal':{'bones':1},'complexity.':{'corpuscles':1},'virus':{'or':1},'plan':{'.':1},'accepting':{'unsolicited':1,'it':1},'colliding':{'and':1,'of':1},'head-end':{'remains':1},'demand':{'a':2,'which':1},'galway':{'that':1},'whalebone':{'whales':2,'plates':2},'lessons':{'both':1,'for':1,'of':1,'began':1,'had':1,'learned':1},'long-headed':{'square-jawed':1},'sometimes':{'work':1,'almost':1,'hard':1,'marked':1,'one':1,'niggardly':1,'as':1,'manages':1,'at':1,'have':1,'seen':1,'sought':1,'slumped':1,'happens':2,'to':4,'leading':1,'make':1,'there':1,'justifies':1,'few':1,'only':1,'much':1,'helps':1,'replaced':1,'several':1,'thousands':1,'difficult':1,'swim':1,'alongside':1,'far':1,'however':1,'but':1,'sooner':1,'they':1,'competitive':1,'an':1,'a':2,'many':1,'no':1,'constitutional':1,'used':2,'deposit':1,'found':1,'the':4},'cover':{'the':2,'itself':1,'in':1,'an':1},'firma':{'and':2,'also':1},'artistic':{'race':2,'drawings':1,'sense':1},'donkeys':{'.':1},'attacking':{'a':2},'hydatina--has':{'nine':1},'far-flung':{'fire-mists':1},'golf':{'ball':2},'hoar-frost':{'or':1},'gold':{'constituted':1,'leaf':2,'is':2,'.':1,'will':1,'to':1,'in':1,'has':1,'into':1},'evaporation':{'and':1},'agassiz':{'once':1},'fatal.':{'it':1},'pill-like':{'ball':1},'hinkins':{'son.':2},'impact':{'of':2},'ape-man':{'reconstructed':1,'to':1,'as':2,'and':1},'food-signal':{'.':1},'spineless':{'cactus':1},'writes':{':':1,'so':1},'fauna--the':{'two':1},'failed':{'.':1},'life--of':{'which':1},'factor':{'which':1,'that':1},'indifference':{'to':1,'that':1},'armour':{'of':1,'or':1},'giants':{'and':2,'over':1},'noctiluca':{'whose':1,'which':1},'sand-pit':{'at':2,'must':1},'dependent':{'on':6},'liquid':{'and':1,'we':1,'when':1,'air':3,'can':1,'cling':1,';':1,'the':1,'.':3,'or':2},'adventurers':{'all':1},'flowing':{'of':1,'through':1,'out':2},'sunny':{'side':1,'bank':1},'clavius':{'the':1},'oceans.':{'they':1},'closely':{'comparable':2,'investigated':1,'corresponding':1,'resemble':1,'interwoven':1,'wrapped':2,'to':2,'resembling':1,'similar':2},'compass':{'and':1,'there':1,'possible':1},'man-of-war':{'there':1,'119':1},'4230':{'2':1},'enemy':{'home.':1},'devoured':{'by':1,'.':1},'avocet':{'s':2},'progressive':{'evolution':1,'mammals':1,'conquest':2,'mammals.':1,'.':1,'simian':1},'paddling':{'with':1,'in':1},'body.':{'this':1,'what':2,'illustration':1,'if':1},'sojourn':{'.':1},'surrendering':{'the':1},'croatia':{'and':1},'liver-fluke':{'of':1},'obscure':{'the':1,'but':2},'river':{'and':2,'heads':1,'.':3,'in':1,'the':1,'or':2},'approaching':{'the':1},'bulky':{'fuel':1},'body':{'and':14,'equally':1,'up':1,'acquired':1,'is':14,'thus':1,'one':1,'as':3,'at':1,'during':2,'in':1,'into':1,'if':1,'again':1,'containing':1,'or':2,'from':2,'possible.':1,'that':2,'decreases':1,'.':15,'to':6,'which':3,'engulfing':1,'before':1,'was':1,'until':1,'shows':1,'locate':1,'do':1,'though':1,'may':2,'becomes':1,'breaks':1,'of':11,'but':4,'were':1,'such':1,'with':2,'by':3,'sways':1,'on':1,'has':2,'always':2,'might':2,'could':2,'say':1,'worth':1,'will':1,'so':3,'overcharged':1,'keeps':1,'far':1,'the':1,'clearness':1,'called':1,'elongated':1,'are':2},'delicately':{'and':2,'built':2},'set':{'off':1,'encoding':1,'of':5,'up':4,'free':3,'electrons':1,'in':6,'forth':8,'apart':1},'ferments':{'.':1},'temperatures.':{'but':1},'enabled':{'to':3,'physicists':1,'us':1},'vertebrates':{'are':1,'or':1,'arose':1,'except':1},'sex':{'another':1,'for':1,'often':1},'see':{'among':1,'right':1,'reference':1,'is':1,'in':7,'it':1,'billions':1,'at':2,'signs':1,'our':1,'.':1,'theoretically':1,'if':1,'again':1,'what':5,'for':1,'explain':1,'that':12,'when':1,'next':1,'how':3,'much':1,'fig':1,'evidences':1,'sections':1,'into':1,'life':1,'means':1,'edge-on':1,'photograph':1,'diagram':1,'them':1,'violet.':1,'now':1,'a':8,'on':2,'evolution':1,'this':2,'later':1,'us':1,'whether':1,'paragraph':2,'so':1,'these':1,'the':7},'sec':{'.':77},'migration':{'and':1,';':1,'or':1,'up':1,'in':2},'sea':{'and':15,'cambridge':1,'salt':1,'is':2,'it':1,'117':1,'including':1,'are':3,'in':3,'.':13,'by':1,'stood':1,'for':2,'pelagic':1,'there':2,'shore':1,'should':1,'to':3,'2':1,'too':1,'has':1,'was':1,'we':1,'that':1,'very':1,'but':2,'others':1,'128':1,'rises':1,'desert':1,'a':2,'especially':1,'of':2,'as':2,'while':1,'gathers':1,'does':1,'usually':1,'the':9,'where':1,'or':2},'aberdeen':{'with':1},'outward':{'behaviour':1,'from':1,'by':1},'shower':{'of':3},'eminently':{'educable.':1,'educable':1},'foraminifer':{'polystomella':2},'taming':{'of':1},'jewels.':{'there':1},'dilutes':{'as':1},'exudation':{'of':1},'endure':{'the':1},'europe':{'a':1,'from':2,'for':1,'.':2,'so':1,'have':1,'were':1,'such':1,'slopes':1,'was':2,'or':1},'jaws.':{'power':1},'eustachian':{'tube':2},'incident':{'is':1},'mingling':{'of':1,'with':1},'things--that':{'fits':1},'energy--may':{'appear':1},'prospects':{'of':1},'lingulella':{'of':1},'improved':{'nervous':1,'habits':1,'by':1},'barely':{'separated':1},'harpy':{'occurs':1},'possible.':{'the':3,'for':1,'illustration':1},'connection':{'with':12,'however':1,'between':2},'amoeba':{'pelomyxa':1,'is':1,'61':1,'greatly':1,'overtakes':1,'pursues':1},'lash':{'large':1,'or':1},'everything.':{'sheer':1},'whole':{'prospect':1,'solar':1,'follows':1,'series':1,'is':1,'creation':1,'it':3,'earth':6,'floating':1,'civilisation':1,'declined':1,'physical':1,'stretch':1,'integrative':1,'to':1,'of':4,'world.':1,'body':1,'we':1,'universe.':1,'originated':1,'sufficient':1,'material':2,'but':1,'grilse':1,'somewhat':1,'world':3,'structure':1,'simpler':1,'a':1,'progressive':1,'bubble':1,'thing':1,'truth':1,'universe':3,'the':1,'extent':1,'or':1,'history':2},'1919':{'to':1,':':1,'.':1,'one':1},'loaf':{'taken':1},'volcanic':{'material':1,'ash':1,'gases':1,'activity':1},'bell':{'be':1,'becomes':1,'is':1,'however':1,'at':1,'which':1,'the':1,'its':1},'etre':{'of':1},'seems':{'a':1,'little':1,'transitional':1,'that':8,'almost':1,'certain':1,'clear':1,'no':2,'possible':1,'an':1,'to':19,'so':1,'at':1,'permissible':1,'of':1,'not':1,'impossible':1,'highly':1,'far':1},'acted':{'on':1},'corresponds':{'to':5,'with':1},'race.':{'the':1},'hollow':{'caves':1,'flattened':1},'unicellular':{'and':1,'protozoa':1,'plants':1,'algae':2},'agents':{'and':1},'adaptation':{'of':2,'to':5,'.':1},'church':{'pictures':1,'is':1,'there':1},'sees':{'and':1},'reflective--which':{'is':1},'belt':{'of':1,'the':1},'moon--the':{'mountains':1,'earth':1},'publishing':{'co':2},'originators':{'of':3},'lizards':{'and':2,'paddling':1,'the':1,'turtles':1},'acceptance':{'.':1},'clay.':{'the':1},'intricacies':{'of':1},'extravagant':{'in':1},'scions':{'of':1},'extreme':{'changes':1,'is':2,'end':1,'cold--an':1,'rarity':1},'firm':{'of':1,'fulcrum':1,'basis':1},'resting':{'on':2,'or':1,'during':1},'pliocene':{'and':1,'that':1,'period':1,'.':1,'as':1,'were':1,'before':1,'n':1,'or':1,'times':1},'squirrel':{'and':2,'making':1,'is':2,'with':1},'high-pitched':{'voice':1},'fire':{'a':1,'on':1,'and':1,'for':2,'is':1,'but':1,'as':1,'which':1,';':2,'until':1},'amphibians':{'and':4,'frogs':1,'some':1,'known':1,'as':1,'before':1,'sprang':2,'fed':1,'from':1,'for':1,'had':1,'.':4,'which':1,'was':1,'we':1,'towards':1,'led':1,'that':1,'burrowing':1,'altogether':1,'fishes':1,'with':3,'by':1,'retained':1,'implied':1,'were':1,'called':1},'fritz':{'mueller':1},'races':{'brethren':1,'and':1,'to-day':1,'of':6,'than':1,'met':1,'as':1,'--which':1,'go':1,'the':1,'or':2,'must':1},'representative':{'and':1,'of':6,'fauna':1,'illustrations':1,'--from':1},'formless':{'gaseous':1},'sixes':{'fives':1},'handling':{'organ':1},'uncertain':{'.':2,'some':1,'but':1,'ground':1},'7700':{'0':1},'reliable':{'a':1,'calculations':1},'admire':{'in':1},'receive':{'specific':1,'a':1,'the':3,'from':1,'them':1},'formats':{'will':1,'readable':1},'amniota':{'in':1},'projecting':{'filaments':1,'upper':1,'wire':1},'robin':{'redbreast':1},'secluded':{'retreat.':1},'pound':{'of':5,'to':1},'jettisons':{'the':1},'agitation':{'of':1},'moth':{'emerges':1,'emerging':1,'e.g':1,'is':1,'should':1,'76':1,'are':1,'the':1,'has':2,'settled':1,'automatically':1},'von':{'indetal':1},'owen':{'said':1},'binding':{'the':1},'level.':{'yet':1},'36':{'seconds':1,'photo':1},'feather-wing':{'a':1},'cerebrum':{'the':1},'owes':{'much':1},'beautifully':{'worked':1,'modified':2},'vanish':{'.':1},'acquires':{'a':1},'greenwich.':{'comet':1,'the':1,'fig':3,'typical':1},'processes--':{'1':1},'cyclostomes':{'such':1},'shorten':{'and':1},'beune':{'throughout':1,'179':1},'shorter':{'and':4,'the':1,'in':1,'period--its':1,'waves':3},'read':{'partly':1,'that':2,'these':1,'it':1,'this':1,'understand':1,'the':3,'by':1},'pecking':{'scratching':1},'serum':{'of':1},'survey':{'of':4,'the':1},'specimen':{'of':3},'knitting':{'needle':1},'snail':{'chopped':1,'and':2,'is':1,'s':2},'comprehensive':{'articles':1},'blue-greens':{'harmonise':1},'alert':{'very':1,';':1,'than':1},'viewing':{'displaying':1},'levels':{'.':2,'in':1},'leaps':{'violently':1,'along':1,'from':2,'through':1},'necessity':{'and':1,'has':1,'for':2},'mussel':{'cannot':1,'.':2},'recent':{'observation':1,'advances':2,'study':1,'eclipse':1,'discovery':1,'british':1,'times':3,'discoveries':3,';':1,'years':5,'research':2,'achievement':1,'view':1},'race-continuing':{'adaptations':1},'expend':{'this':1,'considerable':1},'inches.':{'i':1,'illustration':1},'food-plant':{'to':1,'in':1},'concrete':{'suggestions':1,'mental':1},'regulating':{'and':1,'charities':1},'qualities--notably':{'health':1},'ltd.':{'a':1,'electric':1,'this':1,'professor':1,'charles':1,'an':1,'rotating':1,'the':3},'crayfish':{'and':1},'body-building':{'by':1},'woodward':{'s':1},'abbreviation':{'the':1},'hercules':{'a':1,'108':1,'37':1},'spinners':{'let':1},'plant-like':{'animal':2},'tribe.':{'keen':1},'readers':{'who':1,'wishing':1},'recommended':{'to':1},'making.':{'but':1},'resemblances':{'to':1},'causing':{'an':1},'parents':{'and':2,'bring':1,'thrusting':2,'in':1},'types--':{'lost':1},'physics--the':{'wonders':1},'sojourning':{'for':1},'surprised':{'by':1},'putnam':{'s':2},'provisional.':{'illustration':1},'clutches':{'.':1},'victims':{'such':1,'or':1},'demands':{'.':1,'general':1},'couple':{'of':1},'wives':{'are':1},'stockholm.':{'a':1,'wing':1},'suffering':{'from':1},'sea-lettuce':{'or':1},'shading':{'off':1},'emergence':{'of':11},'projects':{'freely':1,'from':1},'heightened':{'.':1},'sorting':{'out':2},'imposed':{'by':1},'dislodged':{'sea-anemone':1},'hue.':{'there':1},'aridity':{'set':1,'led':1},'sulphite':{'screen':1},'communications':{'in':1},'well-poised':{'head':1},'continue':{'consistently':1,'on':1,'its':2,'to':5},'spiny':{'ant-eaters':1},'exquisitely':{'beautiful':1},'tribes':{'of':1},'horsetails':{'which':1},'disorder':{'and':1,'of':1},'interbreeding':{'of':1,'.':1},'irresistibly':{'suggests':1},'methods':{'and':1,'we':1,'used':1,'like':1,'that':1,'of':10,'is':1,'it':1,'.':3,'to':1,'have':1,'really':1},'spring':{'and':2,'wheat':2,'of':1,'tides':2,'tide':2,'flower-perfumed':1,'out':1},'leptocephali':{'a':1},'obscure.':{'seasonal':1,'when':1,'illustration':1,'hunger':1},'mighty':{'theory':1,'swarms':1,'globe':1,'dead':1,'swarm':1,'flame':1,'animal':1,'shadow':1},'sight':{'and':2,'this':1,'of':1,'who':1,'.':2,'in':2,'not':1,'hearing':1,'more':2},'steam-engine':{'.':1},'curious':{'about':1,'organ':1,'sideways':2,'is':1,'blood-containing':1,'thing':1},'battalion':{'of':1},'committing':{'ourselves':1},'gill-clefts--':{'a':1},'stamens':{'kneads':1,'holding':1},'measurements':{'1':1,'at':1,'which':1,'.':1},'behave':{'as':2,'like':1},'newcomb':{'popular':1,'is':1,'the':1},'dating':{'from':1},'lowell.':{'the':1},'answers.':{'the':1},'inclination':{'to':1},'be':{'invariable':1,'splitting':1,'founded':1,'sunk':1,'spaced':1,'reshufflings':1,'poorly':1,'compact':1,'to':2,'fatal':1,'separated.':1,'brown':1,'counted.':2,'radio-active':1,'exact':1,'transformed.':1,'illustrated':1,'perceived':2,'dealt':4,'small':1,'ultra-violet':1,'noted':4,'ten':1,'invaded':1,'dried':1,'picked':2,'further':1,'estimated':1,'expressive':1,'even':2,'giving':1,'beaten':1,'liberated':1,'prejudicially':1,'learned':2,'told':2,'met':1,'active':1,'implicit':1,'obtained':1,'great':1,'broken':4,'involved':1,'accomplished':1,'periodic':1,'settled':1,'composed':1,'named':1,'followed':2,'explained':3,'visible':4,'readily':2,'fed':1,'working':1,'positive':1,'wiped':1,'two':2,'therefore':1,'taken':4,'more':6,'inclined':1,'suffused':1,'known':1,'producing':1,'modified':1,'evolved':1,'following':1,'cited':1,'something':1,'allowed':1,'terrestrial':1,'influenced':1,'white-hot.':1,'unavailable.':1,'six':1,'1':1,'located':1,'called--it':1,'fostered':1,'undergoing':1,'reconciled':1,'earlier':1,'wrong':1,'understanded':1,'waves':1,'a':27,'overtaken':1,'light':1,'rather':1,'so':2,'pulled':1,'counted':2,'over':1,'interpreted':1,'produced':2,'still':2,'negotiated':1,'actually':1,'better':1,'permanent':1,'overcome':1,'affected':1,'easily':2,'indivisible.':1,'always':1,'identified':1,'applied':1,'found':11,'physiologically':1,'suspended':1,'investigated':1,'our':2,'avoided':1,'borne':1,'shown':3,'washed':1,'hastily':1,'content':2,'laid':1,'believed.':1,'given':1,'completely':1,'put':3,'universally':1,'enormous':1,'created':4,'blown':1,'omitted':2,'one':4,'done':2,'adopted':1,'directly':1,'impossible':2,'earthworms':1,'little':2,'approximately':1,'too':7,'final':1,'discovered':2,'that':11,'released':1,'somewhat':1,'eliminated':2,'convinced':1,'ungrateful':1,'frankly':1,'splendidly':1,'determined':1,'supposed':1,'17-1':1,'and':1,'lightly':1,'well':1,'confessed':1,'turned':2,'buried':1,'seen':22,'clearly':2,'built':1,'thoroughly':1,'able':5,'lit':1,'absorbed':1,'green':1,'sure':2,'clearer':1,'paid':1,'said':19,'nothing':1,'measured':2,'considered':4,'calculated':1,'sometimes':1,'inferred':1,'looked':1,'accounted':2,'left':3,'shot':1,'supported':1,'fifty':1,'rotating':1,'carefully':1,'enormously':1,'slow':2,'based':1,'going':1,'judged':2,'credulous':1,'employed':1,'guarded':1,'exceptional':1,'between':2,'liable':1,'nibbled':1,'delicately':1,'set':1,'swept':1,'seas':1,'observed':2,'luminous':2,'best':1,'subject':1,'invoked':1,'halved':1,'enough':1,'unable':1,'allotted':1,'drawn':3,'profitable':1,'we':1,'renamed.':1,'however':2,'clues':1,'improved':1,'many':1,'called':14,'plants':1,'conquered':1,'adapted':1,'asked':3,'otherwise':1,'regulated':1,'deflected':1,'associated':4,'unearthed':1,'destroyed':2,'described':6,'three':2,'quickly':1,'recognised':2,'expected':1,'copied':1,'life':3,'robbed':1,'sufficient':1,'gas':1,'worked':1,'present':1,'inconspicuous':1,'sound':1,'abandoned':2,'freely':2,'almost':1,'violently':1,'thus':1,'helped':1,'examined':2,'in':8,'reminded':1,'linked':1,'stimulated':2,'patient':1,'split':2,'agitated':1,'several':3,'difficult':1,'used':5,'upon':1,'compared':2,'arrived':1,'prophesied':1,'circumvented':1,'kept':1,'older':1,'changes':1,'constitutional':1,'thought':3,'very':11,'the':11,'realised':1,'departed':1,'less':1,'stored':1,'handed':1,'useful':4,'recapitulated':1,'rapid':1,'regarded':7,'lured':1,'transformed':2,'easy':1,'engulfed':1,'increased':1,'read':1,'dissected':1,'required.':1,'dark':1,'accepted':2,'advanced':1,'necessary':1,'like':4,'admitted':5,'either':1,'translated':3,'simply':1,'reduced':1,'right':1,'often':1,'exposed':1,'some':2,'understood':2,'curious':1,'dissociated':1,'gradually':1,'expressing':1,'eating':1,'bold':1,'remembered':4,'analysed':1,'precious.':1,'accompanied':1,'about':2,'cautious':1,'carried':1,'getting':1,'entailed':1,'of':6,'discussed':2,'urged':1,'avoided.':1,'within':1,'bound':2,'due':1,'.':4,'mere':1,'indispensable':1,'there':1,'noticed':3,'much':2,'infected':1,':':1,'forming':1,'satisfactorily':1,'removed':1,'true':4,'made':11,'arranged':1,'embedded':1,'placed':3,'below':1,'converted':2,'mature':1,'pumped':1,'clear':1,'darker':1,'proud':1,'proved':1,'moved':1,'slowing':1,'an':5,'as':5,'at':2,'constructed':1,'effected':1,'beyond':1,'inborn':1,'no':15,'discerned':1,'when':1,'dimmed':1,'other':1,'transported':1,'included':1,'fastened':1,'utilised':2,'doubted':1,'far':1},'paloloworm':{'of':1},'obscures':{'them':1},'agreement':{'and':2,'disclaim':1,'by':1,'for':2,'shall':2,'amongst':1,'.':3,'will':1,'you':3,'the':1,'with':1,'violates':1,'nor':1,'before':1},'departures':{'among':1,'from':2,'of':2,'or':2,'behaviour-variations':1,'they':1,'in':2,'occur':1},'1919.':{'taken':1},'method.':{'illustration':1},'tidal':{'action':1,'energy':1,'river':1,'theory':1,'waves':1},'-273':{'deg':1},'by':{'saying':1,'all':4,'endeavour':2,'less':1,'being':3,'gradual':1,'both':1,'seizing':1,'worms':1,'rest':1,'rotating':1,'experiments':1,'animals':1,'ice':1,'human':1,'disadvantageous':1,'glue-like':1,'budding':3,'abundant':1,'its':4,'pterodactyls':1,'homology':2,'limbs':1,'dividing':2,'consistently':1,'dubois':1,'glowing':1,'passage':2,'coaxing':1,'insects':2,'other':2,'reptiles':1,'helmholtz':1,'hideous':1,'meadows':1,'it.':1,'division':1,'them':1,'someone':1,'influences':1,'means':18,'food':1,'overflows':1,'dr.':1,'permission':20,'cutting':1,'friction':1,'prof':5,'instinctive':1,'dr':4,'day':4,'association':1,'viscid':2,'moist':1,'name':1,'profound':1,'h':1,'bay':1,'involution':1,'surrendering':1,'vibrations':2,'ductless':1,'bats':1,'mr':3,'automatic':1,'legions':1,'liberating':1,'immigrants':1,'ferments':1,'burying':1,'intelligence':1,'radium':1,'some':7,'rivers':1,'crows':1,'full':1,'sight':1,'defences':1,'our':5,'civilisation':1,'tracheate':1,'intercrossing':1,'even':1,'what':2,'still':1,'superposing':1,'ejecting':2,'driving':1,'deliberate':1,'memories':1,'circulating':1,'representatives':1,'artificial':1,'birds':2,'e-mail':1,'acting':1,'experiment':2,'various':3,'vascular':1,'out-side':1,'new':1,'falling':2,'reading':2,'numerous':2,'u.s':1,'contrast':1,'columbus':1,'blowing':1,'scientific':1,'cellulose':1,'nature':2,'men':2,'water':1,'pressure':1,'experimenting':2,'threads':1,'others':3,'holding':1,'hiding':1,'comparison':1,'great':1,'accident':1,'your':1,'g':1,'freely':1,'ribs':1,'larger':1,'lichens':1,'experience':8,'plunging':1,'periodic':1,'radiation':1,'social':1,'passing':3,'changes':1,'frequent':1,'this':3,'discharging':1,'volcanic':1,'gas-bubbles':1,'burning':1,'striking':1,'suddenly':1,'churning':1,'powerful':1,'one':2,'spinning':1,'very':1,'air-breathing':1,'incandescent':1,'motor':1,'such':3,'collisions':1,'shortening':1,'revolutionising':1,'relapses':1,'squirting':1,'considering':1,'accumulating':1,'to':1,'taking':1,'people':1,'two':3,'.':1,'their':6,'cooling':1,'physicists':1,'calculations':1,'which':13,'dalton':1,'themselves':1,'variational':1,'reflex':1,'more':1,'introducing':1,'endeavour.':1,'that':2,'fire':1,'frost':1,'amphibians':1,'jellyfishes':1,'heat':2,'carrying':1,'blood.':1,'domestication.':1,'careful':1,'travelling':1,'those':1,'plants':2,'keeping':1,'migrants':1,'applying':1,'understanding.':1,'contracting':1,'solid':1,'thousands':1,'severe':1,'air-tubes':1,'air':2,'gills':2,'many':6,'growing':1,'making':2,'providing':1,'laplace':1,'clock-work':1,'imitation':1,'and':4,'firing':1,'roentgen.':1,'biologists':1,'almost':1,'j':19,'it':1,'an':6,'collision':1,'pressing':1,'grazing':1,'numbers':1,'planets':1,'sense':1,'anything':1,'any':2,'increased':1,'terrestrial':1,'sir':2,'different':2,'beginning.':1,'no':1,'studying':1,'tucking':1,'sending':1,'uranium':1,'ideas':4,'astronomers':1,'brian':2,'mr.':1,'strange':1,'geographical':1,'peoples':1,'over-population':1,'absorbing':1,'smell':2,'continuous':1,'accidental':1,'students':1,'amphibians.':1,'hand':1,'watching':1,'chance':3,'gravitation':1,'moving':1,'kin':1,'coercion':1,'successive':2,'fishes':1,'changing':1,'causing':1,'inconceivable':1,'moons':1,'man':4,'a':57,'night':3,'using':4,'fully':1,'pithecanthropus':1,'professor':7,'circumventing':1,'itself':3,'hungry':1,'sudden':1,'these':1,'peculiarities':1,'big-brained':1,'far':1,'fresh':1,'the':161,'starting':1,'drawing':1,'contingents':1},'analysing':{'light':4,'portion':1},'evolved--destined':{'in':1},'anything':{'and':1,'for':1,'was':1,'wot':1,'into':1,'else':1,'the':1,'with':1},'modernity':{'in':1},'nautilus':{'a':1,'nautilus':1,'pompilius':1,'is':1,'it':1,'186':3,'argonauta':2,'the':1,'hardly':1,'or':1,'are':1},'ear-bones':{'of':1},'deserves':{'to':1},'hatched':{'larvae':1,'salmon':1,'.':1,'bird':2,'in':1,';':1,'the':1},'repair':{';':1,'change':1},'into':{'flippers':2,'gold':1,'being':1,'ocean-troughs':1,'existence':1,'its':10,'masses':1,'lake':1,'forms':1,'internal':1,'combination-boxes':1,'sound':1,'his':1,'very':2,'dark':1,'boxes':1,'every':2,'shreds.':1,'this':2,'glass-eels':1,'activity':2,'freshwater':1,'unit-bodies':1,'reactions':1,'smaller':1,'radium':1,'some':2,'zones':1,'our':1,'canada':1,'organisms':1,'space':4,'definite':1,'safety':1,'new':2,'fragments':1,'red':1,'power':1,'water':1,'active':2,'simpler':1,'about':1,'many':1,'mutually':1,'connection':1,'one':4,'puzzle-boxes':1,'another':1,'thick':1,'little':1,'man--the':1,'distinct':1,'two':11,'their':3,'stars':1,'white':1,'energy':2,'empty':1,'continents':1,'account.':1,'heat':1,'races':1,'pieces':1,'plants':1,'these':1,'work':1,'britain':1,'this.':1,'matter':1,'gigantic':1,'something':3,'gas.':1,'it':5,'deep':1,'an':3,'as':1,'itself':1,'eras':1,'close':2,'mountain':1,'different':1,'things':1,'unity':1,'vital':1,'electrical':1,'which':2,'emphatic':1,'independent':1,'effect':1,'waves':1,'dust':1,'such':1,'extremely':1,'man':1,'a':24,'varieties':1,'electrons':1,'the':45},'encasements':{'with':1},'appropriate':{'action':1,'trigger-pulling':1,'trigger':1,'conditions':1,'one':1},'chalk-forming':{'animals':3,'foraminifera':1},'primarily':{'restricted':1},'repaid':{'when':1},'harnessed':{'electricity':1},'claspers':{'and':1},'spending':{'our':1},'gases':{'on':1,'from':1,'exposed':1,'of':1,'is':2,'in':1,'.':3,'spread':1,'can':1,'which':1,'between':1,'with':1,'into':1},'thirdly':{'every':1,'when':1},'double-armed':{'spiral':1},'burrow.':{'evolution':1},'suit':{'and':2,'of':2,'various':1},':':{'seasonal':1,'summer':1,'all':1,'skeleton':1,'photo':80,'magnetic':1,'rotating':2,'rischgitz':6,'disintegration':1,'its':1,'before':1,'death':1,'baron':1,'royal':8,'hermit-crab':1,'to':1,'only':1,'fig':11,'stephen':2,'darwin':1,'dead-leaf':1,'protective':2,'wave':1,'early':1,'falcon':1,'silk':1,'minute':1,'james':7,'cagcombe':2,'vortex':1,'h':6,'side-view':1,'greenland':1,'life-history':1,'national':2,'spoonbill':1,'yerkes':3,'astrophysical':2,'jupiter':1,'are':1,'leadbeater.':2,'conjectures':1,'what':2,'paintings':1,'ten-armed':1,'new':10,'discovery':2,'volvox':1,'variability':1,'we':3,'full':1,'reproduced':11,'underwood':2,'harvard':4,'ernest':2,'by':1,'suggested':1,'c':2,'improved':1,'g':6,'o':2,'whence':1,'pictorial':1,'hence':1,'origin':1,'pelican':1,'elliot':1,'surinam':1,'lafayette.':1,'proterospongia':1,'throughout':1,'from':13,'there':1,'imperial':4,'storm':1,'inclined':1,'flinty':1,'albatross':1,'photos':2,'true':1,'photograph':3,'avocet':1,'f':2,'this':1,'science':1,'mount':8,'j':24,'will':1,'w':22,'reproduction':1,'gambier':6,'making':1,'male':1,'laplace':1,'http:':1,'and':1,'nautilus':1,'is':1,'modern':1,'thus':1,'it':2,'surface':1,'an':5,'arrangements':1,'niagara':1,'british':12,'in':1,'woodpecker':1,'ascii':1,'if':1,'dying':1,'january':1,'six':1,'when':1,'puffin':1,'1':4,'how':2,'rischgitz.':2,'lafayette':1,'elliott':3,'lick':4,'hornbill':1,'electric':1,'okapi':1,'after':6,'diagram':5,'genealogical':1,'restoration':2,'such':1,'inconceivable':1,'man':1,'a':28,'natural':2,'for':2,'whenever':1,'light':1,'professor':3,'daily':2,'electrons':1,'english':1,'the':38,'egg':1,'wing':1},'opens':{'and':1,'many':1,'with':1,'up':1},'considerably':{'in':1,'less':1},'excavating':{'a':2},'elsewhere':{'as':1,'.':1,'in':1,'e.g':1},'inches':{'high':1,'square':2,'off':1,'of':1,'away':2,'long':5,'one':1,'shorter':1,'to':1,'below':1,'long.':1,'in':7,';':1,'per':1},'vicissitudes.':{'the':1},'slums':{'in':1},'moon--meteors':{'and':1},'archaic':{'mammals':1,'animal':1},'link':{'lives':1},'pacific':{'and':1,'golden':1,'west':1,'oceans':1,'oceans.':1,'ocean':1,'in':1},'legs.':{'illustration':1},'atom':{'and':5,'is':7,'within':1,'it':1,'as':2,'itself':1,'are':1,'in':2,'passes':1,'amounts':1,'there':1,'.':6,'to':6,'which':1,';':2,':':1,'was':3,'energy':1,'gives':1,'known':2,'such':1,'by':1,'a':1,'of':17,'can':1,'were':1,'the':4,'or':1},'coldest':{'places':1},'line':{'represents':1,'or':1,'from':1,'that':1,'of':21,'is':2,'capable':1,'but':1,'.':2,'to':1,'can':1,'altogether':1,'seen':1,'the':1,'gave':1,'with':2,'between':1,'across':1,'at':1},'considerable':{'and':1,'force':1,'mental':1,'evidence':1,'periods':1,'.':1,'strength':1,'uniformity':1,'heights':1,'dispersion':1,'results.':1,'degree':1,'loss':1,'fascination':1,'part':1,'effort':2,'distance':3,'amount':2,'magnitude':2,'time':2,'aid':1,'changes':1,'quantity':2},'posted':{'on':1,'with':3,'at':1},'open.':{'but':1},'ut':{'84116':1},'spectroscope':{'and':3,'reveals':1,'we':3,'enables':1,'splits':1,'for':1,'49':1,'any':1,'is':5,'in':1,'it':1,'an':1,'will':3,';':2,'can':1,'which':1,'sorts':2,'the':2,'.':3,'by':1,'shows':1},'burrows':{'circulating':1},'moths.':{'illustration':1},'us':{'and':6,'consider':2,'plainly':1,'feel':1,'is':2,'others':1,'phenomena':1,'back':2,'see':2,'through':1,'something':1,'directly':1,'in':2,'pulls':1,'precisely':1,'its':1,'select':1,'even':1,'better':1,'by':2,'for':2,'how':2,'inquire':1,'there':1,'when':1,'except':1,'.':11,'particles':1,'to':19,'take':2,';':1,'across':1,'picture':1,'return':2,'little.':1,'that':7,'very':2,'some':1,'stop':1,'bear':1,'indulge':1,'not':1,'with':3,'than':2,'a':8,'on':1,'about':1,'to-day':1,'remember':1,'this':1,'many':1,'as':2,'keep':1,'try':1,'turn':1,'so':1,'of':2,'the':3,'once':1,'say':2,'at':2},'paired':{'fins':1},'ball.':{'illustration':1},'mature':{'sperm-cell':1,'egg-cell':1,'animal':1,'.':1},'laplace':{'10':1,'s':3,'one':1,'spoke':1,'to':1},'side.':{'--i':1,'--1':1},'storing':{'fishes':2,'up':1},'genial':{'climatic':1},'aerial':{'and':1,'but':1,'journeys':2},'protrusive':{'lips':1,'face':2},'creature.':{'there':1,'sec':1},'defined':{'is':1,'primitive':1},'likewise':{'a':2,'have--there':1,'evolution':1,'react':1,'connected':1,'crumbs':1,'were':1,'simpler':1},'influence':{'and':2,'on':1,'of':5,'well':1,'retreats':1,'will':1,'in':1,'the':1,'or':1,'must':1},'surpassing':{'themselves':1},'char':{'that':1},'duration':{'of':2},'diverse':{'forms':2,'territory':1,'description':1,'angles':1,'results':1},'nautical':{'almanac':2},'pontobdella':{'an':1},'living.':{'some':1,'parental':1},'element.':{'two':1},'intrepid':{'explorers':1},'puzzling':{'and':1,'phenomenon':1},'tuft':{'as':1},'fixing':{'itself':1},'uranium':{'and':1,'then':1,'x.':1,'for':1,'would':1,'may':1,'should':1,'itself':1,'salt':1,'.':3,'spontaneously':1,'are':1,'in':1,'has':1,'changes':1,'by':1,'he':1},'preventing':{'their':1,'the':1},'close-packed':{'refractive':1},'conceptions':{'of':1},'points':{'one':1,'we':1,'that':1,'clearly':1,'of':4,'away':1,'back':1,'should':1,'to':2,'in':1,'forward':1,'.':1,'or':2,'out':3},'sails':{'for':1},'revision':{'.':1},'elements':{'a':1,'on':2,'commands':1,'for':1,'oxygen':1,'that':1,'may':1,'sun':1,'into':1,'in':2,'about':1,'.':2,'to':1,'as':2,'are':4,'have':1,'each':1,'it':1,'such':1},'small-brained':{'archaic':1},'energetic':{'particles':1,'men':1,'electrons':1,'actions':1},'beginnings':{'of':4,'.':1,'on':1},'sal-ammoniac':{'but':1},'faintly':{'lit':1,'visible':2},'bibliographies':{'appended':1},'habits--the':{'truly':1},'sides':{'and':1,'of':7,'nor':1,'to':1},'ago':{'and':2,'is':2,'in':3,'it':2,'as':1,'at':1,'178':1,'174':1,'for':1,'regarded':1,'when':3,'.':10,'to':1,'that':1,'may':1,'illustration':1,'they':1,'others':1,'with':1,'a':1,'showed':1,'the':4,'or':1,'are':1},'furthest':{'in':1},'land':{'and':3,'ran':1,'is':2,'surface':1,'skimming':1,'at':2,'have':1,'.':11,'bridges':1,'tending':1,'to':1,'there':1,'had':3,'actually':1,'also':1,'5':1,'between':1,'has':3,'was':2,'over':1,'meant':1,'but':1,'by':1,'continued':1,'than':2,'plants':1,'flora':1,'animals':10,'should':2,'animals--the':1,'leaving':1,'implied':1,'many':2},'sail.':{'the':1},'reasoned':{'discourse':2},'marble--there':{'are':1},'rescued':{'triumphantly':1},'diffraction':{'grating':2},'walked':{'about':1,'through':1},'cryptozoic':{'or':1},'opposing':{'the':1},'came':{'a':2,'about':6,'from':3,'barking':1,'into':1,'to':11,'slowly':1,'in':1,'first':1,'before':1},'harks':{'back':1},'fresh':{'waters--the':1,'racial':1,'contacts':1,'starts':1,'waters':2,'air':1,'water':7,'invention':1,'gulps':1,'offshoot':1,'supplies':1,'experiments':1,'expression':1,'or':2},'having':{'a':4,'little':1,'implies':1,'no':1,'comparatively':1,'somehow':1,'to':1,'only':1,'entangled':1,'planets':1,'not':1,'learned':1,'the':2},'placentals--show':{'a':1},'repeopled':{'by':1},'hampton':{'court':3},'code':{'of':1},'partial':{'counts':1,'eclipse':1,'or':1},'rubbish':{'is':1},'illustrates':{'very':1,'the':3,'part':1,'evolution':1},'scooped':{'the':1,'out':1},'knotted':{'spiral':1},'results':{'a':1,'what':1,'which':1,'of':6,'in':1,'.':2,'to':1,'are':2,'have':1,'were':1,'affecting':1,'the':2},'existing':{'lizards':1},'illustrated':{'and':1,'on':1,'when':1,'its':1,'in':1,'the':1,'by':3},'stops':{'struggling':1,'with':1,'its':1},'broader':{'palates':1},'dainty':{'and':1},'seemed':{'then':1,'for':1,'no':1,'almost':1,'to':2,'so':1},'tearing':{'small':2,'away':1},'club-mosses':{'and':1},'iii':{'adaptations':1,'.':2},'concerned':{'chiefly':1,'is':1,'here':1,'simply':1,';':1,'with':1},'hunger':{'and':2,'is':2,'in':1},'rufous':{'brown':1},'young':{'and':2,'emerge':1,'mound-birds':1,'reeds':1,'cheetahs':2,'water-bird':1,'fish':1,'woodpeckers':1,'orang':1,'foxes':1,'one':2,'crocodile':2,'as':1,'ducklings':1,'at':1,'in':2,'earth':1,'herring':1,'birds':5,'creatures':2,'eels':4,'described':1,'for':1,'liberated':1,'perhaps':1,'bittern':2,'frog':1,'.':4,'crocodiles':1,'fishes.':1,'fry':1,'bird':1,'elver':1,'then':1,'life':1,'thrush':1,'form':1,'that':1,'mammals':1,'ones':17,'twined':1,'text-book':1,'man':1,'a':1,'about':1,'animals':1,'turtles':1,'e.g':1,'this':1,'science':1,'frog-hopper':1,'toads':1,'moorhen':1,'plovers':1,'can':2,'mammal':1,'the':1,'stages':1,'are':3},'send':{'donations':1,'it':1,'out':2},'universes--':{'island-universes':1},'citing':{'these':1},'outwards':{'from':1,'for':1},'resources':{'and':1,'of':2,'upon':1,'are':1,'more':1},'inference.':{'on':1},'matter--other':{'new':1},'garden':{'on':1},'continues':{'to':3,'the':1,'sitting':1},'waters.':{'the':1},'mouth-parts':{'the':1,'.':1},'mixing':{'colours':4,'with':1,'in':1},'continued':{'and':1,'elevation':1,'conquest':1,'.':1,'to':3,'through':1,'in':1,'the':1,'over':1},'minerals':{'the':1,'.':1},'squids':{'various':1},'archaeopteryx':{'jurassic':1,'after':1,'.':1,'91':1,'the':1,'was':1},'earth-knot':{'of':1},'back-teeth':{'were':1},'anxious':{'warning':1},'race':{'because':1,'is':1,'depends':1,'well-defined':1,'owes':1,'if':1,'living':2,'would':2,'since':1,'.':9,'to':2,'which':1,'between':1,'was':1,'lived':1,'that':1,'after':2,'but':1,'includes':2,'they':1,'now':1,'by':1,'possess':1,'a':1,'of':3,'as':1,'without':2,'through':1,'or':3,'say':1},'trypanosome':{'which':2,'that':1},'others--the':{'placentals--show':1},'trypanosoma':{'gambiense':2},'mediterranean':{'region':1,'or':1,'for':1},'wavy-to':{'curly-haired':1},'unprofitable':{'for':1},'imply':{'enormous':1,'an':1,'ether':1,'it':1},'burrower':{'which':1},'munitions':{'which':1},'primeval':{'supporting':1,'coherence':1,'vegetation':1,'amphibians':1,'stuff':2},'make.':{'the':1},'that.':{'now':1},'apparatus':{'and':1,'for':3,'being':1,'of':1,'to':1,'which':1,'fine':1,'by':1},'waning':{'of':2,'remain':1},'expressed':{'by':1,'is':1,'.':1,'itself':1,'in':1,'along':1,'the':1},'hereditary':{'and':1,'enregistration':1,'obligations':1,'items':1,'pre-arrangements':1,'qualities':1,'capacity':1,'or':1,'enemies':1},'consistently':{'the':1,'presenting':1,'offer':1},'vapours--the':{'reversing':1},'indestructible':{'and':1,'it':1},'expresses':{'emotion':1,'the':1,'itself':2,'his':1,'its':1},'guinea-pigs':{'we':1},'bird':{'flies':1,'multiplying':1,'into':1,'dived':1,'it':1,'migration':1,'in':3,'feeding':2,'had':1,'sails':1,'.':5,'to':2,'without':1,'has':3,'was':2,'shows':1,'then':1,'we':1,'showing':2,'but':1,'with':1,'than':1,'about':1,'mimicry':2,'archaeopteryx':2,'of':6,'looked':1,'s':8,'allied':1,'the':1,'or':2,'hesperornis':2},'thin':{'dry':1,'atmosphere':1,'gas':1,'gases':1,'as':1,'sheets':1,'coatings':1,'out':1},'scenery':{'on':1,'effects':1,'if':1},'advantageously':{'sensitive':1},'scepticism':{'at':1},'led':{'eventually':3,'.':1,'to':7,'our':1,'was':1,'by':1},'license.':{'1.e.6':1},'convergences':{'and':1},'leg':{'to':1,'is':2,'but':1,'.':1,'broken':1,'in':1,'across':1},'respectively':{'.':1},'gathered':{'five':1,'together':1,'obviously':1},'dressed':{'but':1},'let':{'go':1,'the':2,'themselves':1,'them':2,'us':20},'octave':{'of':1},'consideration':{'of':2,'that':1},'invented':{'to':1,'cannot':1,'by':1,'something':1},'fifteen':{'thousand':1,'or':1,'miles':1,'in':1,'minutes':2,'feet--the':1},'physiology':{'and':2,'of':1,'would':1,'.':1},'darwinism':{'and':1},'substratum':{'on':1,'was':1,'.':1},'great':{'restriction':1,'evolutionary':2,'deliberateness':1,'effect.':1,'friction':1,'swooping':1,'philosopher':1,'skill':1,'speed':2,'projection':1,'resemblance':1,'patches':1,'density':1,'distances;':1,'auk':1,'storms':1,'improvement':1,'source':1,'collections':1,'majority':5,'division':2,'advantage':2,'advances':1,'oceans':1,'theme.':1,'coal-fields':1,'school':1,'clouds':1,'gift':1,'naturalist':1,'investigator':1,'aridity':1,'rocks':1,'excellence':1,'red':1,'truth':1,'waterfalls':1,'biological':1,'river':2,'italian':1,'dexterity':1,'wariness':1,'thinkers':1,'telescope':1,'deal':4,'series':1,'globe':1,'yerkes':1,'astronomer':1,'individual':1,'measure':1,'racial':1,'factors':1,'cerebral':1,'nebula':4,'southward':1,'ice':4,'abysses':4,'increase':1,'importance':4,'leap':2,'difficulties':3,'safety':1,'steps':8,'contrast':2,'claws':2,'beetling':1,'scientific':1,'power':1,'educability':1,'french':2,'difficulty':1,'reason':1,'extent':1,'congestion':1,'cities':1,'orb':1,'change':1,'advance':1,'search':1,'piece':1,'cavities':1,'pressure':1,'many':1,'step':5,'range':1,'comet':2,'canopy':1,'changes':1,'tongues':1,'groups':1,'unrest.':1,'height':1,'channels':1,'improvements':1,'doctrine':1,'illumination':1,'ridge':1,'service':2,'outbreaks':1,'depths.':1,'question':1,'nebular':1,'.':3,'swarm':1,'secret':2,'development':1,'interest':5,'brazilian':1,'length':1,'100-inch':1,'war':2,'fire-mists':1,'gaseous':1,'fiery':1,'quantities':1,'whirling':2,'it':1,'bulk':1,'part':3,'gain':1,'wheatfields':1,'abundance':1,'divisions':1,'fold':1,'deeps':2,'plain':1,'strides':1,'official':1,'value':1,'excitement':1,'sun-spot':2,'freedom':1,'refractors':1,'and':2,'tracts':1,'discovery.':1,'comet--the':1,'modern':1,'influence':1,'haunt':1,'haunts':1,'cluster':1,'as':4,'reptiles.':1,'glaciation':1,'numbers':1,'in':1,'diversity':2,'cleverness':1,'continents':1,'pink':1,'compared':1,'club-moss':1,'variety':3,'things':1,'forests':1,'flood':1,'electrical':1,'significance':1,'intelligence':1,'physical':1,'scarlet':2,'staying':1,'ball':1,'volumes':1,'disadvantages':1,'invasions':1,'gallery':1,'spot':1,'claw':1,'falls':1,'depths':2,'leaps':1,'invasion':2,'bustard.':1,'types':1,'acquisitions':2,'zooelogical':1,'accumulations':1,'complexity':1,'races':1,'mass':1,'fundamental':1,'velocity':1,'laboratories':1,'salt':1},'engage':{'the':1},'credits':{'every':1},'technical':{'section':1,'improvements':1},'involved':{'astronomers':1,'a':2,'this':1,'in':3},'resulting':{'from':1,'spectrum':1},'opinion':{'seems':1,'as':1,'now':1,'says':1,'about':1},'residents':{'in':2},'amphibians;':{'but':1},'pleistocene':{'perhaps':3,'period':2,'while':1,'era':1,'or':1,'before':1},'involves':{'a':1,'much':1,'hard':1,'nutritive':1},'holmes':{'kept':1,'writes':1,'poked':1},'chains':{'bind':1,'is':1,'or':1,'which':1},'halfpenny':{'it':1},'complying':{'with':3},'333':{'432':1},'mariners':{'before':1},'it--whatever':{'that':1},'hedgehog-like':{'test':1},'tools':{';':1},'fit.':{'at':1},'standing':{'stones':1,'on':1,'out':1,'with':1,'before':1},'bloweth':{'where':1},'recalling':{'even':1,'the':1},'whipping':{'in':1},'self-luminous':{'.':1},'next':{'set':1,'generation':1,'period':1,'grade':1,'stroke.':1,'year':1,'tooth':1,'to':2,'few':1,';':1,'article.':1,'notice':1,'that':1,'moult':1,'chapter.':1,'atom':1,'great':1,'room':1,'morning':1,'offshoot':1,'the':1,'page':1},'eleven':{'years':1},'doubt':{'and':1,'about':1,'for':1,'that':20,'whether':1,'many':1,'there':1,'some':1,'it':1,'as':7,'at':1,'the':1,'by':1},'animal.':{'illustration':1},'doubling':{'of':1},'midday':{'work':1},'pencil':{'on':1,'upon':1},'occurred':{'about':1,'without':1,'in':1,'the':1,'along':1,'more':1},'bodily':{'and':4,'life':2,'frame':2,'immortality':1,'attributes':1,'along':1},'carrying':{'a':1,'them':3,'her':2,'an':1,'the':1,'its':2},'extinction.':{'the':1},'baby':{'reveals':1,'orang':2,'had':1,'orang-utan':2,'chimpanzees':2,'learning':1},'balls':{'on':1},'animals':{'show':2,'abundant':1,'had':1,'should':1,'to':5,'overcome':1,'take':1,'division':1,'breathing':1,'showing':1,'cannot':1,'not':2,'monkeys':1,'like':6,'where':1,'enjoy':1,'illustrating':1,'often':1,'191':1,'began--a':1,'namely':1,'sec':1,'are':12,'living':5,'hide':1,'lead':1,'below':1,'tend':2,';':2,'we':2,'were':4,'however':1,'illustration':1,'sink':1,'put':1,'come':2,'on':2,'began.':1,'e.g':2,'of':7,'allied':1,'or':5,'secure':1,'physophora':2,'61':1,'1872':1,'protozoa':1,'illustrate':1,'from':2,'would':2,'there':4,'.':14,'live':2,'themselves':1,'was':1,'that':3,'but':1,'with':2,'must':2,'made':1,'these':1,'say':1,'remain':1,'learn':1,'called':1,'and':16,'do':1,'likewise':2,'is':6,'it':2,'as':1,'have':19,'in':5,'radiolarians':1,'thoroughly':1,'began':1,'burrow':1,'globigerinid':1,'which':7,'many':1,'important':1,'such':5,'man':1,'a':2,'lower':1,'especially':1,'together':2,'without':1,'the':5,'left':1},'retreated':{'northwards':1,'within':1},'this':{'freak':1,'impression':1,'selection':1,'phenomenon':1,'being':1,'when':1,'sporting':1,'leads':1,'distant':1,'consists':1,'earth':1,'oldest':1,'reasoning':1,'tendency':1,'seemed':1,'colony-making':1,'certainly':1,'outer':2,'advance--the':1,'work.':3,'common':1,'sheaf':1,'state':3,'instrument':2,'magnetic':1,'does':2,'has':5,'might':2,'over':1,'happened':1,'kingdom':1,'then':1,'good':1,'greater':1,'advantage':1,'means':5,'very':1,'period':5,'early':2,'hermon':1,'diary':1,'probably':1,'not':1,'world':2,';':1,'vapour':1,'organ':1,'progressive':1,'did':1,'pinch':1,'pillar':1,'dinosaur':1,'stuff':1,'she':1,'reasonable':1,'succession':1,'small':1,'ultra-violet':1,'movement':2,'page':1,'view':3,'system':1,'the':6,'namely':1,'picture':2,'colossal':1,'garment':1,'globe':1,'notochord':1,'persistent':1,'relative':1,'second':1,'owing':1,'result':1,'mirror':1,'ruse':1,'belief':1,'blue':1,'project':3,'still':1,'for':1,'waning':1,'distinctive':1,'away':1,'thickness':1,'case':8,'time.':1,'race':1,'vascular':1,'new':2,'falling':1,'before':1,'method':2,'law':1,'discovery':2,'body':1,'variability':1,'wheat':1,'theory':9,'fish':1,'creature--far':1,'applies':2,'agreement':16,'possibility':1,'like':1,'extraordinary':1,'surely':1,'web':1,'marquis':1,'vigorous':1,'path':1,'estimate':2,'respect':2,'by':1,'change':2,'stage':1,'chapter':1,'on':1,'great':3,'substance':1,'license':2,'argument':1,'of':2,'motion':3,'quaint':1,'range':1,'regular':1,'lively':1,'pictorial':1,'argue':1,'makes':2,'or':1,'inference':1,'family':1,'point':9,'simple':3,'image':1,'within':2,'colony':1,'number':1,'incessant':2,'will':2,'fiery':1,'raises':1,'littoral':1,'inorganic':1,'drawing':2,'electronic':3,'attendant':1,'sympathetic':1,'little':1,'ancient':1,'lens':2,'would':2,'attraction':1,'important':1,'outline':5,'question':3,'spiral':1,'.':2,'immense':1,'wonderful':2,'low':1,'statement':1,'ocean':1,'mysterious':1,'australian':1,'scheme':1,'was':15,'energy':7,'minor':1,'gives':1,'sort':2,'direction':1,'partly':1,'way':11,'that':4,'explanation':1,'continuous':1,'gas':1,'took':1,'but':1,'haunt':1,'implied':1,'instrument.':1,'reason.':1,'particular':1,'implies':3,'rivalry':1,'white':2,'must':2,'steel':1,'pull':3,'kind':5,'made':1,'conception':1,'conviction':1,'characteristic':1,'work':11,'sifting':1,'air':1,'planet':1,'below':1,'paragraph':1,'fertilisation':1,'can':3,'cannot':1,'were':2,'merely':1,'property':1,'x-ray':2,'distance':6,'and':3,'layer':2,'constant':1,'resemblance':1,'century':1,'process':1,'molecular':1,'is':63,'modern':1,'turned':1,'it':5,'swarm':1,'an':1,'sample':1,'cluster':1,'as':1,'ether':1,'at':2,'file':2,'sense':3,'relic':1,'mysteriously':1,'apparently':1,'internal':1,'film':1,'absolute':1,'again':2,'law.':1,'moves':1,'twofold':1,'woodpecker':1,'age-old':1,':':2,'eloquent':1,'radiation':1,'thorough':1,'any':1,'note':1,'field':1,'strange':2,'inquiry':1,'ante-natal':1,'answer':1,'subject':1,'shows':1,'conclusion':1,'tension':1,'neolithic':1,'book':3,'living':1,'may':7,'ebook':6,'to':3,'diagram':2,'scale':2,'nucleus':1,'purpose':2,'position':1,'discharge':1,'bodily':1,'opportunity':1,'wonder-world':1,'a':1,'in':2,'amoeboid':1,'observation':1,'imply':1,'light':1,'voice':1,'shift.':1,'dog':1,'obviously':1,'points':1,'principle':1,'time':2,'velocity':1,'effect':2,'egg':1,'order':1,'fact':4},'cuvier':{'1769-1832':2},'pour':{'from':1},'reproduce':{'it.':1,'tell':1},'publications':{'as':1},'of':{'dissolution':1,'comparatively':1,'four':4,'straws':1,'chameleons':1,'electricity':18,'ceylon':1,'out-breeding':2,'lord':1,'arboreal':4,'pigment':2,'thinopus':1,'every':2,'radio-active':3,'vastly':1,'monkeys':5,'kataleptic':1,'unrelated':1,'relics':3,'venus':5,'clothes':1,'force':2,'senescence':1,'infancy':1,'direct':1,'surrounding':1,'second':1,'microscopists':1,'even':1,'change.':1,'organisms':2,'thunder':1,'nature.':2,'asia':1,'children':2,'change;':1,'salt-accumulation':1,'fossil':1,'new':6,'increasing':3,'ever':2,'men':7,'unexhausted':1,'atoms':25,'anthropology':1,'100':1,'cardboard':1,'dry':2,'luther':1,'light.':3,'smoke':1,'changes':1,'golden':1,'feelings':1,'patience':1,'negative':5,'civilisation.':1,'telegraph':1,'thorndike':1,'musk':2,'x-rays--the':1,'glass':3,'continual':3,'things.':1,'93':1,'92':1,'work':3,'mammalian':1,'parachuting--a':1,'mr':1,'radiance':2,'india':1,'corroborating':1,'present-day':2,'absolute':1,'reptiles--snakes':1,'nuts':1,'damages.':1,'how':2,'messrs':1,'ordinary':1,'after':1,'vicious':1,'long-continued':1,'parallel':1,'types':1,'effective':1,'carbonic':1,'order':1,'wind':1,'over':7,'crumbs':1,'symmetry':2,'bodies--evolution':2,'better':2,'them':36,'widely':1,'penetration':2,'molecules.':1,'pinkish':1,'silver':1,'oxygen':7,'brightness':1,'each':10,'telescope':2,'spider':2,'parasites':1,'armour--the':1,'hive-bees':1,'forty':1,'particles':3,'heavenly':1,'millions':6,'stamping':1,'turning':1,'monkeys--activity':1,'eternal':1,'strata':3,'free':2,'sensory':1,'struggle':1,'mastering':1,'calcareous':1,'detecting':3,'monkey':2,'enormous':2,'perhaps.':1,'cosmic':1,'days':1,'hearing':4,'another':3,'scissors':1,'thick':1,'electronic':4,'mercury':2,'ten':2,'pelagic':1,'legs':3,'dogs':1,'hydatina--has':1,'project':8,'matter':67,'torpedo-net.':1,'iron':10,'feeling':3,'oxygen-capture':1,'mind':10,'spectrum':1,'controversy.':1,'oxygen-combustion':1,'relatively':1,'affairs':3,'snow':3,'metallic':1,'chitin':2,'australia--all':1,'knowledge--the':1,'blue':1,'anatomy':1,'drought':2,'nutritive':3,'observation':1,'fitter':1,'professor':4,'metal':1,'swamps':1,'dover':1,'pollen':1,'hunger':1,'insects':8,'nerve-cells':3,'counteractive':1,'lessons':1,'latent':1,'sugar':1,'structure.':1,'fluid':1,'energy--what':2,'tuberculosis':1,'saturn':2,'dr':1,'to-day--the':1,'fields':1,'shape':1,'progress.':2,'architecture':2,'freshwater':1,'steam':3,'head-brains':1,'radium':15,'testing':1,'combustion':2,'rings':1,'artificial':1,'paternal':1,'luminescent':1,'finger':1,'caves':1,'profitable':1,'nature':18,'were':2,'wear':1,'carbon':1,'flowering':3,'caledonia':1,'out-flowing':1,'climate':3,'air--a':1,'distinction':1,'inquisitive':1,'tons':2,'250':1,'merchantibility':1,'three':2,'quickly':1,'much':4,'sponges':1,'parents':1,'life':50,'in-breeding':2,'chili':1,'air':8,'horse-power':1,'zoologists':1,'balance':1,'amphibians--the':1,'remembering':1,'seven':1,'is':1,'it':16,'brake':1,'in':1,'comparative':1,'things':5,'daughter-units':1,'damages':1,'colonies':1,'capacities':1,'typhoid':1,'rain':1,'hand':1,'kin':1,'patagonia':1,'turtle-backs':1,'opportunity':1,'butter':1,'engrained':1,'neptune':1,'contact':1,'greatest':1,'the':1665,'kinship':1,'deep-red':1,'indigo':2,'newton':2,'disguise':3,'human':9,'life-preserving':1,'yet':1,'evolution.':5,'vibration':1,'leibnitz':1,'alchemy':1,'transformed':1,'innocent':1,'humanity':1,'survival':1,'possible':3,'it--for':1,'desire':1,'melting':2,'insurgence':1,'plants--romance':1,'haunts--such':1,'homing':1,'people':1,'dead':2,'deflection':1,'jupiter':5,'escape':1,'animate':4,'proceeding':1,'ice':1,'everything':1,'conquering':2,'man--body':1,'palatable':1,'losing':1,'self-preserving':1,'primitive':4,'successive':3,'obtaining':2,'intellectual':1,'bats':2,'palaeozoic':1,'support':2,'flying':2,'jealousy':1,'sunlight':2,'grasping':1,'head':2,'forming':4,'becoming':3,'heat':14,'solar':1,'crystal':1,'meteorites.':1,'temper':1,'paragraphs':1,'muscular':1,'evidence':2,'prayer':1,'physical':1,'discriminate':1,'lungs':1,'inborn':1,'no':4,'font-de-gaume':2,'reality':1,'tin':1,'holding':1,'smell':5,'white-hot':2,'clear-cut':1,'diet':1,'rising':1,'authorities':1,'to-day':15,'potato':1,'time':10,'serious':1,'remarkable':2,'colour-change':2,'varying':1,'computation':1,'skin':7,'passage':1,'reptiles':6,'protective':3,'exact':1,'feeble':1,'minute':5,'level':1,'magnet':1,'coincidences':1,'excellence':1,'slouching':1,'backboneless':2,'speculation':1,'perceptual':2,'tortoises':1,'thinkers':1,'radium.':1,'mind--even':1,'bacteria':1,'water-plants':1,'constitution':1,'uniform':2,'wave-motion':1,'falling':1,'flame.':1,'tibet':1,'hairs':1,'mauer.':1,'water':19,'meteorites':3,'magnetism':1,'galileo':1,'change':4,'box':1,'brilliant':1,'smoke-like':1,'exploitation':1,'sex--beginning':2,'ineffective':1,'locomotion':2,'useful':2,'relations.':1,'illumination':1,'sympathetic':1,'working':2,'positive':8,'uncritical':1,'france':3,'prey':2,'assimilation':1,'cases':2,'capturing':2,'haddington':1,'avoiding':1,'nature--on':1,'inveterate':1,'stature':1,'following':1,'making':4,'warm-bloodedness':1,'breeds':1,'spy':1,'development--that':1,'238':1,'mankind--steps':1,'hydrogen':9,'rays':3,'winter':1,'condensation.':1,'species':4,'vital':3,'huge':2,'may':1,'mankind':3,'such':9,'man':52,'natural':6,'neck':1,'liquid':1,'st':1,'lagoon':1,'years':25,'course':35,'experiments':1,'cold':3,'still':3,'birds':13,'limbs':1,'apes':3,'forms':1,'physics--research':1,'ours':3,'fire-mist':1,'years--but':1,'tails':1,'half':1,'twilight':1,'name':1,'times':4,'creation.':1,'establishing':2,'rock':1,'square':1,'elephants':1,'receipt':2,'prisms':2,'woodcraft':1,'catching':1,'entering':1,'wheat--changes':1,'living':17,'space':10,'these--which':1,'looking':3,'receiving':1,'picture-logic':1,'california':1,'marine':1,'advance':2,'sparrows':1,'language':1,'tree-sloths':1,'british':1,'motion':6,'thing':1,'deep-sea':1,'learning.':1,'adventure':4,'surviving':1,'coming':1,'one':18,'gases':1,'them--':1,'field-voles':1,'rome':1,'size':2,'little':5,'man--the':1,'anyone':2,'cooling':1,'2':1,'alfred':1,'white':1,'exploring':1,'that':14,'centipedes':1,'flowers':1,'eohippus':1,'12':1,'meteors':5,'third':1,'sailing':1,'three-spined':2,'trekking':1,'cards':1,'gigantic':3,'wandering':1,'and':3,'gathering':1,'chlorophyll':1,'psychical':1,'any':20,'1903.':1,'bavaria':1,'coal':3,'efficient':1,'physiologists':1,'equipment':1,'potential':1,'hydrogen--which':1,'invertebrate':1,'printed':1,'men--conspicuous':1,'america':2,'greyish':1,'dragon-flies':1,'average':1,'later':1,'science.':2,'wing':1,'salt':2,'precise':2,'far-reaching':1,'bright':2,'uranus':1,'slow':2,'only':1,'wood':1,'flood.':1,'awareness':1,'masking':1,'space.':1,'nearly':3,'lighter':3,'primates':2,'aluminum':1,'miles':13,'girdles':1,'vision':4,'famine':1,'weapons--the':1,'registering':1,'ways':2,'definite':2,'colours':2,'man.':7,'crookes':1,'vertical':1,'parental':10,'style':1,'dome':1,'rapidly':1,'cities':1,'vaporous':1,'many':15,'contract':1,'disappointment':1,'equatorials':1,'expression':2,'radio-activity':3,'bricks':1,'colony':1,'ants':2,'60':1,'air-breathing':2,'straws.':1,'learning':3,'67':1,'extinct':2,'technicalities':1,'one-celled':2,'mars':10,'reflex':2,'500':2,'observers':1,'external':1,'attentive':1,'diffuse':1,'those':9,'sound':1,'specialised':1,'these':71,'danger.':1,'life.':5,'mound':1,'trackless':1,'sudden':1,'ferns':1,'rock-cod':1,'helium':2,'everyday':1,'movements':1,'different':15,'lava':1,'shifts':2,'speech':1,'intermediary':1,'noble':1,'oil':6,'arctic':2,'insects.':1,'persons':1,'fruit':2,'delicate':1,'waves.':1,'implements':1,'fixing':1,'bodies':2,'summer':1,'being':8,'slime':1,'actions':1,'violent':3,'touch':1,'water-basins':1,'death':3,'thinking':4,'rose':1,'geological':1,'clay.':1,'4':3,'grip':1,'around':1,'larva':1,'crustaceans':1,'dark':3,'quickness':1,'using':1,'meaning':1,'acute':1,'fossils':2,'heat-waves':1,'heredity':2,'lightning':1,'donations':1,'coal--a':1,'chronology':1,'racial':3,'ascent':2,'self-effacement':1,'semotilus':2,'critical':1,'expressing':1,'transmutation':2,'measuring':1,'iron-forming':1,'wheat':2,'scientific':3,'uneasy':1,'sixty':2,'stone':2,'beavers':1,'chamberlin':2,'mutually':1,'corals':1,'or':3,'cambridge':2,'goethe':1,'communication':3,'electricity.':1,'wave-movements':1,'your':1,'mental':2,'her':8,'camouflaging':1,'dispersion':1,'low':1,'stars':16,'energy':35,'continents':1,'wits':1,'mammals':9,'water-vapour':1,'practically':1,'grass':1,'taste':2,'certain':5,'deep':1,'general':2,'as':1,'lichen':1,'associating':1,'planets':1,'retiring':1,'meteorites--pieces':1,'deviation':1,'separate':1,'teeth':2,'fresh':1,'rainbow-colour':1,'building':3,'condensation':2,'remote':1,'bilateral':1,'dislodgment':1,'starting':1,'all':34,'suns':1,'worms':2,'seals':1,'zinc':4,'reasoning':1,'careful':1,'red-hot':2,'meteorites--a':1,'wyoming':1,'postglacial':1,'devonian':1,'very':6,'combustible':1,'fat':1,'coloured':2,'trillions':5,'interpreting':2,'instinct.':1,'condition':1,'elusiveness.':1,'prolonged':2,'large':4,'dinosaur':1,'sand':2,'small':10,'mount':2,'rats':1,'methodical':1,'past':2,'invention':2,'1904-5':1,'further':1,'creatures':2,'babylonia':1,'what':25,'sun':1,'emotions':1,'thickness':1,'public':1,'movement':7,'condensed':1,'escaping':1,'malaria':1,'answers':1,'behaviour':14,'1843':1,'compliance':2,'experimenting':3,'miniature':2,'social':2,'action':2,'matter--but':1,'sticking':1,'family':3,'transit':1,'africa':1,'inorganic':2,'eye':1,'discriminative':1,'distinct':1,'petroleum':1,'two':7,'comparing':1,'promoting':2,'minor':1,'more':5,'horses':2,'substances':2,'chimpanzee':2,'particular':2,'stampings':1,'weathering':1,'science':29,'nine':1,'spontaneous':1,'beautiful':1,'messages':1,'stinging':3,'niagara':3,'sharp':1,'flint':1,'offspring':2,'terrestrial':6,'viviparity':1,'glowing':7,'civilisation':2,'germinal':1,'blood':1,'waves':10,'prospecting':1,'a':310,'life-forms':1,'pithecanthropus':8,'sun-spots':2,'renewing':1,'shore':1,'tentacles':2,'cases.':1,'perception':2,'healthfulness':1,'music.':1,'egg':2,'playing':2,'paper':3,'existence':1,'its':73,'club-mosses':1,'25':2,'26':1,'20':1,'solving':1,'gentleness.':1,'late':1,'microscopic':3,'it.':1,'good':2,'food':13,'compound':1,'association':4,'instructions':1,'mystery':1,'exquisite':1,'predatory':1,'heavy':1,'england':2,'restless':2,'nitrogenous':1,'fish':1,'hard':1,'energy.':1,'trilobites--jointed-footed':1,'neanderthal':3,'research':1,'nautiloids':2,'safety':3,'7':1,'celebes':1,'meteoric':2,'rejuvenescence':1,'bass':1,'extraordinary':2,'reason':2,'rainbow-tinted':1,'metamorphosis':1,'computers':1,'round':1,'copper':4,'limestone':1,'mimetic':1,'soapy':1,'star-clouds':1,'earthworms':1,'horse':3,'temperature':6,'twenty':2,'186':4,'gibraltar':1,'einstein.':1,'molecular':1,'aristocracy':1,'relationship':1,'1919':1,'1918':1,'part':1,'half-made':1,'sheer':2,'dissection--or':1,'egg-cells':2,'messrs.':1,'ages':7,'germ-cells--the':1,'atoms--the':2,'flaming':2,'scotland':2,'moist':1,'labour':6,'useless':2,'sea-perches':1,'eggs':7,'most':5,'achievement':1,'branching':1,'galway':1,'evolution--factors':1,'mobile':1,'seething':1,'electrons':32,'physics':6,'lying':2,'stones':1,'hoar-frost':1,'gold':6,'disturbances':2,'to-day.':1,'hereditary':3,'fine':1,'giant':2,'securing':1,'mauer':1,'nervous':2,'fishes--the':1,'less':1,'gills':1,'darwin':3,'his':27,'trees':2,'germ-cells':2,'rest':1,'instinctive':5,'silk':4,'stone.':1,'birds.':1,'common':2,'activity':2,'experiments;':1,'body':4,'art':1,'intelligence':12,'sex':1,'individual':5,'aberdeen':1,'practice':1,'gravitation':3,'pictures':2,'classes':1,'various':8,'conditions':1,'europe':3,'responses':1,'craters':1,'invisible':1,'both':2,'attainment':1,'foreign':1,'tactility':1,'amoeba':2,'experimental':1,'distress':1,'supply':1,'simple':3,'whatever':2,'whelk':2,'unicellular':1,'incandescent':1,'zeta':2,'decline':1,'damp':1,'brick':1,'meeting':1,'treatment':1,'modern':20,'flight':11,'fire':3,'gas':8,'amphibians':8,'reason.':1,'magnetised':1,'plants':4,'opportunity.':1,'solid':4,'straight':1,'ape-like':1,'lenard':1,'moth':1,'itself':2,'currents':1,'saline':1,'communal':1,'trial':2,'pecking':1,'yucca':1,'higher':5,'development':3,'brooding':1,'moving':4,'birch':1,'recent':5,'lower':2,'luminescence':1,'sight.':1,'chickens':1,'concrete':1,'body-building':1,'pigeons':2,'matter.':4,'space;':1,'atomic':1,'matter;':1,'praying':1,'letting':1,'cut':1,'internal':5,'deliberately':1,'heidelberg':3,'chess':1,'australia':7,'reptilian':1,'showing':1,'stockholm.':2,'life--a':1,'wings':1,'insect':1,'ponds':1,'individuals':1,'mathematical':2,'methods':1,'spring':1,'creation':4,'some':25,'yolk':3,'sight':3,'curious':1,'sieves':1,'pitchblende':2,'civilization':1,'300':2,'lakes':1,'tidal':2,'starlings':1,'intense':1,'analysing':1,'feigning':1,'prothyl':1,'modernity':1,'deepish':1,'chaps.':1,'naturalists':1,'chalk-forming':2,'deep-violet':1,'statistics':1,'placing':1,'long':3,'mimicry':2,'mountains':1,'inches':1,'adjusting':1,'frost':1,'fisheries':1,'atom':1,'energy--traceable':1,'migrating':1,'considerable':2,'hair':1,'skull':2,'characteristic':2,'spectroscope':1,'sifting':3,'us':3,'similar':2,'non-living':1,'flow':1,'sepia':1,'warning':2,'dragging':1,'whirligig':2,'tentative':1,'heat.':1,'endurance':1,'uranium':3,'occasional':1,'explaining':3,'elements':2,'energetic':1,'problems':1,'astronomy.':1,'allowing':1,'fishes':11,'cuttlefish':1,'structure':3,'temperament':1,'land':4,'reasoned':2,'age':1,'attaining':2,'conjugal':1,'ready-made':1,'knotted':1,'existing':1,'disintegration':1,'rufous':1,'young':2,'stable':1,'indicating':1,'breathing':1,'matter--other':1,'moribund':1,'putting':3,'intelligence--of':1,'minerals':1,'race':1,'smaller':1,'gripping':1,'rivers':2,'fermenting':1,'unavailable':1,'opaque':1,'giving':2,'slight':1,'habituation':1,'atoms--different':1,'experiment':1,'bird':1,'scenery':1,'let':2,'fifteen':1,'physiology':1,'extreme':1,'great':21,'evolution--the':1,'amphibians.':1,'haunts':1,'leaving':1,'evading':2,'stars--the':3,'opinion':2,'marmosets':1,'it--whatever':1,'tools':1,'cloud':2,'lime':2,'use':2,'from':4,'doubt':1,'contentment':1,'crab':1,'oily':1,'visibility':2,'bodily':1,'opposing':1,'animals':21,'this':81,'us.':1,'crickets':1,'reeds':2,'calculation':1,'high':3,'birnam':1,'something':4,'water.':3,'sir':7,'counting':1,'six':2,'animal':17,'hormones':2,'intelligent':4,'tension':1,'maternal':1,'them--simple':1,'sugar-bird':1,'primers':1,'tethering':1,'light':49,'lines':1,'predacious':1,'evolutionary':1,'unpalatable':1,'130':1,'agricultural':1,'ease.':1,'burning':1,'la':2,'water-weed':2,'surgeons':1,'vibration.':1,'labor':1,'instruments':1,'derivative':1,'greater':1,'material':2,'billiard':1,'rotation':2,'day':1,'worlds':2,'profound':2,'slipping':1,'truth':2,'pools':1,'lung':1,'evolution--how':1,'doing':3,'cultivated':2,'whitish':1,'books':2,'separating':2,'our':53,'sexual':1,'special':2,'gossamer':4,'time.':1,'exporting':1,'red':7,'lizzie':2,'electricity--electric':1,'mares':1,'organic':4,'behaviour.':2,'south':1,'disembodied':2,'activity.':1,'quality':2,'ancient':5,'nebulae':3,'all--the':1,'their':48,'nebular':1,'time--man':1,'mankind--notably':1,'hearing.':1,'inner':1,'x-rays':9,'negro':1,'manipulation':1,'branches':1,'july':2,'shrapnel':1,'isolation':1,'reproduction':1,'negatively':1,'steep':1,'poisons':1,'apparently':1,'food-supply':1,'gravity':2,'which':46,'unsettled':1,'soap':2,'vegetation':4,'digestive':2,'cracking':1,'preliminary':2,'sally':1,'dorsal':1,'volunteers':1,'disease':1,'mechanical':3,'mother-of-pearl':1,'fact':2,'atmosphere':1,'charles':1,'woolly':1,'seaweed':3,'utter':1,'fear':1,'trying':1,'knowledge':4,'millennia':1,'surroundings':1,'spontaneity':1,'molecules':3,'emitting':1,'thousands':6,'means':1,'perfection':2,'words':2,'crabs':1,'evolution':46,'brain':1,'numerous':1,'amphibia':1,'light--is':1,'view':8,'multiplying':3,'elusiveness':2,'powder':1,'violet':2,'humane':1,'wire':2,'genius':1,'mind.':3,'identification':1,'routine':1,'progress':2,'open-sea':2,'joy':1,'agencies':1,'pilgrims':1,'equal':2,'migration.':1,'passing':3,'preparedness':1,'stars--to':1,'sea-worms':1,'tremendous':1,'armadillos':1,'immense':1,'waste':1,'phosphorescent':1,'antlers':1,'sex--emotions':1,'environment.':1,'tactics--self-effacement':1,'an':58,'volunteer':1,'economised':1,'asexual':1,'air-tubes':1,'britain':1,'wild':2,'almost':1,'surface':1,'zoophytes':1,'perhaps':1,'forceps':1,'ante-natal':3,'habitats':1,'locomotion.':1,'neolithic':2,'lichen;':1,'cubic':1,'clouds--some':1,'colouring':1,'dust':4,'britain.':1,'whale':2,'poultry':1,'colour':8,'nebulous':2,'thought':3,'position':4,'flesh':1,'domestic':1,'radium--the':1,'sea-dust':2,'skill':2,'rapid':2,'battery':1,'slits':1,'government':1,'utah':1,'mistake.':1,'facial':1,'backboned':2,'perpetual':1,'electrons.':4,'works':1,'soft':2,'inexperienced':1,'replacement':3,'feelers.':1,'phenomena':2,'gossamer.':1,'ideals':2,'homo':1,'kinds':2,'peter':1,'recognition':1,'lead':1,'cabbages':1,'ether':3,'mutation':1,'reaching':1,'cellulose':1,'stellar':2,'pressure':2,'enregistering':1,'instinct':4,'about':8,'rare':1,'getting':5,'mendelism':1,'biscuit':1,'sea-horse':1,'swimming':1,'warranty':1,'reptile':1,'washington':1,'promise':1,'registration':2,'protozoa':2,'properties--ready':1,'mississippi':1,'spiral':2,'invisibility':5,'fundy':1,'north':2,'interest':3,'surgeons.':1,'hundreds':2,'shark-like':1,'marquis':2,'cells':3,'variations':1,'graphite':1,'penetrating':1,'rabbits':2,'universal':1,'reptiles.':1,'periods':1,'ink':1,'crystals':2,'agriculture':1,'40':1,'other':7,'branch':1,'disposing':1,'star':1,'tides':4,'astronomy':5,'coloration':1,'association--why':1,'15-20':1,'liver':1},'newts':{'and':1},'scatter':{'over':1,'them':1},'weaker':{'stocks':1},'bent':{'out':2},'reeds':{';':1,'the':1,'are':1,'143':1},'process':{'and':2,'by':1,'like':1,'for':1,'may':1,'of':22,'is':2,'had':1,'.':3,'does':2,'went':1,'has':2,'was':1,'the':1,'advanced':1},'lock':{'that':1},'slim':{'contracting':1},'purposes':{'of':1,'which':1,'.':1},'pieces':{'and':1,'because':1,'of':11,'is':1,'.':1,';':1},'high':{'and':2,'rounded':2,'authority':1,'rate':1,'frequency':1,'something':1,'speed':2,'forehead':1,'temperature':1,'there':1,'.':3,'chemical':1,';':2,'mountains':2,'degree':1,'water':5,'foreheads':1,'perfection':1,'places':1,'level':3,'grounds':1,'at':1},'slip':{'down':1,'into':1},'class.':{'a':1},'educational':{'corporation':1},'sand-grouse':{'into':1},'mutually':{'beneficial':4},'destroying':{'sheep':1},'cycads':{'and':1,'our':1,'which':1},'astronomers':{'rely':1,'regard':1,'calculate':1,'wondered':1,'that':1,'of':1,'believe':4,'who':2,'prefer':1,'we':1,'however':1,'to':2,'now':1,'have':4,'in':1,'hold':1,'.':1,'think':6},'pair':{'of':5},'animal':{'and':6,'settles':1,'often':1,'family':1,'intelligence':1,'is':10,'it':1,'accumulates':1,'one':1,'as':2,'in':2,'frequents':1,'plankton.':1,'life--story':1,'well':1,'will':1,'enters':1,'from':1,'world...':1,'world--even':1,'ways':1,'heat.':1,'except':1,'.':3,'to':2,'or':3,'which':1,'youth.':1,';':1,'has':3,'divides':1,'more':1,'kingdom':4,'play':1,'complete':1,'may':4,'about':1,'but':1,'aware':1,'behaviour':6,'heat':1,'races':1,'lives':2,'tended':1,'somewhat':1,'instinct':2,'world':1,'with':2,'population':3,'a':3,'evolution':1,'microbes':1,'of':4,'could':1,'depending':1,'life':8,'behaviour.':4,'like':6,'remains':1,'s':3,'can':1,'man':1,'trypanosome':1,'the':1,'makes':2,'called':2},'hormones':{'has':1,'or':2,'which':1},'mysteries':{'of':1,'the':1,'which':1,'.':1},'palates':{'than':1},'establishment':{'of':13},'paler':{'type':1},'yellowish':{'then':1,'tinge':1},'stow':{'them':1},'await':{'an':1},'tied':{'on':1},'purpose.':{'1.f.5':1},'permanent':{'inhabitants':1,'caterpillar':1,'as':1,'future':1,'markings':1,'in':1,'residents':2},'lines.':{'these':1,'in':1},'men--primitive':{'men--races':1},'fits':{'the':1},'cabbage':{'found':1},'hawk':{'moth':1},'solidarity':{'with':1},'varied':{'from':3,'face':1,'electrical':1,'at':1,'in':1,'stock':1},'ingersoll':{'s':2},'voracity':{'.':1},'prawns':{'and':2},'element':{'from':1,'giving':2,'is':3,'after':1,'uranium':1,'.':3,'as':1,'going':2,'can':1,'in':7,'known':1,';':1,'into':1},'allow':{'them':1,'for':1,'disclaimers':1,'chemical':1,'part':1,'the':3,';':1},'okapi':{'and':2,'is':1,'was':1},'alloy':{'that':1},'food-canals':{'to':1},'volunteers':{'and':4,'associated':1,'with':1},'moulton.':{'according':1},'counted':{'the':1,'by':1,'for':1,'.':1},'archimedes':{'.':1},'thigh':{'on':1},'produces':{'a':2,'the':2,'only':1,'tides':2,'its':1},'frontispiece.':{'illustration':1},'phalanger':{'flying':1},'peck':{'their':1,'without':1},'move':{'on':1,'about':4,'towards':1,'up':1,'to':1,'through':1,'at':1,'in':1,'the':1,'with':1,'across':1},'produced':{'a':1,'on':2,'and':1,'by':13,'in':2},'nerve-cord':{'.':1},'existence.':{'when':1,'5':1,'if':1},'triassic':{'blue':1,'reptile':2,'for':1,'mammals':1,'when':1,'period':2,'era':1,'attained':1,'precede':1},'perfect':{'weather':1,'.':1},'saturn':{'and':1,'886.0':1,'is':3,'next':1,'itself':1,'uranus':1,'in':1,'november':1,'revolve':1},'broiling':{'heat':1},'progeny':{'from':1},'surgeons':{'of':1},'equalise':{'temperatures.':1},'coral-reefs':{'where':1,'are':1},'hermit-crab':{'and':3,'which':1,'stock.':1,'fixes':1,'s':1,'passed':1,'with':2},'meantime':{'with':1},'degrees':{'a':1,'from':1,'of':2,'.':1,'below':1,'centigrade':1},'spoiling':{'the':1},'instruments':{'and':2,'multiplied':1,'great':1,'used':1,'would':1,'for':1,'have':1,'of':2,'.':2,'as':1,'cannot':1,'sec':1,'are':2,'which':1,'or':1,'can':1},'tubeful':{'of':1},'derivative':{'works':3},'forest':{'and':1,'life':1,'to':1,'tract':2,'.':2,'primeval.':1,'in':1,'was':1},'rill.':{'no':1},'piecing':{'together':1},'existences':{'such':1,'which':1},'outlined':{'it':1,'.':1},'innermost':{'region':1},'ship':{'and':1,'when':1,'without':1,'through':1,'.':1},'billiard':{'table':1,'balls':1},'snake':{'to':1,'dasypeltis':1,'with':2,'pushes':1},'rotation':{'on':1,'increased':1,'caused':1,'it':1,'.':3,'of':6,'than':1},'cage':{'professor':1,'in':1},'realize':{'the':1},'intelligent':{'and':2,'control':1,'use':1,'interest':1,'they':1,'efficiency':1,'educability':1,'way':1,'attention':1,'beings':1,'actions':2,'behaviour':4,'appreciation':2,'insect':1,'student-citizen':1,'learning':1,'activity':1,'device':1,'learning.':1,'creatures':1},'traced':{'on':1,'back':1,'its':1},'concave':{'and':1},'sufficiently':{'close':1,'generous':1,'shallow':1,'hard':1,'low':1},'vibrations':{'and':1,'of':1,'in':2,'constituting':1,'must':1},'truth':{'that':1,'of':1,'though':1,'but':1,'they':1,'in':4},'invertebrates':{'and':1},'persia':{'turkestan':1},'accompanied':{'by':2},'beneath':{'shines':1,'the':8},'stock':{'separated':1,'and':3,'of':4,'spreading':1,'took':1,'marked':1,'.':5,'to':2,'as':1,'common':1,'in':1,';':1,'has':1,'was':1,'the':4},'traces':{'of':4,'are':1,'which':1,'in':1},'enigmatic':{'objects':1},'profile':{'view':4},'salps':{'related':1},'beginner':{'s':1},'doing':{'clever':1,'damage.':1,'things':1,'work':1,'when':1,'.':1,'this':1,'apparently':1},'sidelight':{'on':1},'society':{'society':1,'the':1,'made':1},'frequency':{'of':2,';':1},'static':{'to':1},'irritation':{'may':1},'agriculture':{';':2},'wander':{'separately':1},'witness':{'a':1,'an':1},'fundamentally':{'instinctive':1},'colour-varieties':{'there':1,'which':1},'knickerbocker':{'press':1},'bad':{'debts.':1,'business':1},'venom':{'on':1},'dominated':{'by':1},'adaptive':{'to':1,'radiation.':1,'device--more':1},'architecture':{'though':2},'harvest-mouse':{'constructing':1},'shut':{'our':1,'to':1,'their':1},'thrush':{'seized':1,'s':3,'managed':1,'at':2,'which':1},'perish':{'if':1},'incalculable':{'and':1,'abundance':1,'millions':1},'decay.':{'sec':1},'body-cavity':{'fluid':1},'surely':{'a':1,'follows':1,'is':1,'have':1,'the':1,'difficult':1},'steering':{'.':1},'shortest':{'waves':2,'.':1},'things.':{'lord':1,'reliable':1,'contrast':1},'apprehend.':{'the':1},'pursuits.':{'everything':1},'could':{'just':1,'be':20,'it':2,'resist':1,'see':2,'skate':1,'exist':1,'at':1,'have':1,'measure':1,'extract':1,'use':1,'make':2,'actually':1,'survive':1,'then':1,'we':1,'run':1,'form':1,'stop':1,'discover':1,'possibly':2,'produce':2,'not':8,'believe':1,'fly':2,'photograph':2,'boast':1,'keep':1,'harness':1,'support':1},'tube-feet':{'are':1},'david':{'fife':2},'length':{'and':1,'about':1,'may':1,'of':14,'is':1,'.':6,'as':1,'7':1,'were':1,';':1,'has':1},'removing':{'any':1},'stimulate':{'organs':1},'gamekeeper':{'but':1},'granules.':{'from':1},'respond':{'to':1,'when':1},'blown':{'by':1,'to':1,'into':1,'away':2,'back':1},'scene':{'of':1,'showing':1,'with':1,'in':6},'earth':{'and':21,'receives':1,'often':1,'escapes':1,'revolves':1,'is':13,'within':1,'rotated':1,'it':4,'slowing':3,'down':1,'as':2,'259':1,'are':2,'in':4,'yet':1,'before':1,'even':1,'passes':1,'from':4,'for':3,'to':4,'giving':1,'began':1,'there':3,'when':3,'except':1,'.':36,'how':1,'does':1,'take':1,'which':5,'mars':1,'passing':2,';':3,'must':1,'was':3,'naturally':1,'circles':1,'became':1,'we':3,'turning':1,'passed':1,'that':1,'may':1,'completed':1,'were':3,'but':2,'92.9':1,'although':2,'included':1,'during':2,'on':2,'with':3,'by':1,'he':1,'a':1,'rotating':1,'has':2,'to-day':2,'would':3,'14':1,'always':1,'did':3,'of':2,'no':1,'itself':2,'against':1,'will':3,'s':24,'owing':1,'so':1,'had':2,'intercepts':1,'the':6,'pulled':1,'or':2,'turns':1,'at':3},'owner':{'and':1,'would':1,'of':3,'.':1,'s':1,'any':1},'blows':{'its':1},'scent':{'a':1,'of':1,'no':1},'interest.':{'as':1},'buoyed':{'up':1},'two.':{'illustration':1,'but':1},'light--visible':{'and':1},'fascinating':{'study':1,'tantalising':1,'spectacle':2},'behaves':{'so':1,'in':1},'system':{'and':7,'comets':1,'is':2,'as':2,'sec':1,'are':3,'in':2,'would':1,'once':1,'there':1,'.':11,'to':1,'revolving':1,'has':1,'was':2,'then':1,'we':1,'full':1,'ranged':1,'formed':1,'but':2,'with':1,'by':1,'must':1,'for':1,'of':9,'will':1,'the':5,'mean':1,'at':1},'sea-lilies':{'crustaceans':1,'water-fleas':1},'world--even':{'the':1},'opossum':{'carrying':2},'time--man':{'s':1},'king-crabs':{'.':1},'travelled':{'far':1,'at':1},'egg-layer':{'in':1},'thick.':{'the':1,'we':1},'interests':{'it':1},'accompany':{'actual':1},'stars':{'and':5,'comets':1,'enormously':1,'show':1,'being':1,'is':1,'within':1,'visible':1,'as':1,'sec':1,'are':13,'have':1,'in':4,'whose':1,'tending':1,'appear':1,'stretch':1,'circulating':1,'.':13,'to':1,'varies':1,'does':1,'which':6,'going':1,'themselves':1,'has':3,'across':1,'can':1,'we':3,'form':1,'that':1,'forming':1,'let':1,'with':1,';':2,'a':1,'pull':1,':':2,'like':1,'of':1,'into':1,'will':1,'thin':1,'were':2,'the':4,'planet':1,'or':3,'at':1},'quarry':{'.':1},'depressing':{'energy':1},'stimulation--giving':{'off':1},'prominent.':{'the':1,'5':1},'steel':{'we':1,'civilisation':1},'quietness':{'of':1},'migrating':{'of':1,'from':1},'poulton':{'s':1},'extraordinarily':{'efficient':1,'mammal-like':1,'like':2,'gaunt':1},'wicketed':{'sides':1},'negatively':{'electrified.':1,'charged':1},'steep':{'and':1,'mountain':1,'ladder':2,'cliff':1},'torrent':{'.':1},'undercharged':{'body':1},'ingenious':{'methods':2},'platypus':{'of':3},'partnership':{'commensalism':1,'is':2,'with':3,'between':2},'poisons':{'including':1,'which':1,'.':1},'gently':{'through':1,'with':1},'gentle':{'reactions':1},'affinities':{'both':1,'to':1},'clearly':{'necessary':1,'that':1,'defined':1,'of':1,'showing':1,'marked':1,'or':1,'seen':1,'visible':1,'in':2,'drawn':1,'worked':1,'outlined':1},'viewed':{'copied':1,'or':1},'food-debris':{'millennium':1},'depict':{'quite':1},'studying':{'head':1,'the':2},'possibility.':{'it':1},'mechanism':{'of':1},'decomposing':{'animal':1},'ashore':{'.':1},'photosphere':{'that':2,'there':2,'but':1,'.':2,'surrounding':1,'as':1,';':1,'beneath':1,'shows':1},'scooping':{'in':2,'out':1},'sirius':{'the':1,'8.7':1},'persistence':{'of':1},'accuracy':{'when':1,'than':1,'.':1},'worldwide':{'task':1},'brazil':{'18':1},'regard':{'them':1,'these':1,'it':1,'to':15,'as':1,'the':3},'shaped':{'as':2,'like':1,'something':1,'in':1},'seed-box':{'but':1,'.':1},'device':{'whereby':1,'for':1,'this':1,'of':1,'is':1,'to':1},'so-called':{'flying':1,'abdominal':1,'grouse':1,'chameleon':1,'sargasso':1,'rings':1,'electro-magnetic':1,'rays':1,'anvil':1},'river-mussels':{'yielded':1},'predacious':{'creatures':1},'tramps':{'the':1},'bred':{'to':1},'stronger':{'and':1,'.':1,'should':1},'curiously':{'enough':1,'wasplike':1},'face':{'a':2,'tentatively':1,'set':1,'certain':1,'is':1,'illustration':1,'.':1,'to':4,'allowing':1,'directly':1,'of':4,'166':1,'with':1,'region':2},'perceiving':{'moving':1},'kipling':{'s':1},'mechanical':{'skill':1,'energy':5,'apparatus':2,'means':1},'wounded':{'in':2},'brer':{'rabbit--who':1},'fact':{'a':1,'about':5,'led':1,'for':1,'that':35,'remains':1,'of':8,'is':16,'less':1,'means.':1,'.':2,'to':1,'so':1,'too':1,'which':1,'in':1,'emphasized':1,'was':1,'the':1},'atmosphere':{'and':4,'heavy':1,'all':1,'from':1,'of':3,'is':1,'it':1,'but':1,'.':4,'will':2,'without':1,'envelops':1,'catch':1,'absorbs':1,'the':1,'rises':1,'was':1,'or':1,'nor':1},'best-defined':{'period':1},'nest-building':{'and':1,'in':1},'woolly':{'rhinoceros':2,'opossum':2,'caterpillars':1},'bring':{'me':1,'about':3,'modern':1,'down':3,'their':1,'forth':2},'14.--the':{'moon':1},'evolutionary':{'prospect':3,'process':1,'results':1,'spiral':1,'tack':1,'steps':1,'significance':1,'method':1,'change':1},'manchester':{'used':1,'chemist':1},'lloyd':{'morgan':4},'rough':{'surfaces':1,'awns':1},'principal':{'of':1,'office':1},'trying':{'time':1,'to':7,'first':1,'it':1,'one':1},'championed':{'evolutionism':1},'jaw':{'and':1,'from':1,'of':3,'belong':1,'seems':1,'but':1,'which':1,'the':1},'jar':{'and':1,'the':1},'should':{'it':2,'see':3,'expect':2,'have':7,'go':1,'find':1,'differ':1,'there':1,'also':2,'naturally':1,'be':19,'get':2,'they':1,'not':4,'fly':1,'remember':1,'gather':1,'say':2,'experience':1,'greatly':1,'think':1,'at':1},'buttons':{'on':1,'occasionally':1},'unpalatable':{'mimicked':1,'insects':1,'things':1,'.':2,'sponge':1,'caterpillars':1,'or':1},'planted':{'in':1},'molecules':{'is':1,'deep':1,'as':1,'are':2,'have':2,'in':2,'250':1,'travel':1,'.':4,'thick.':1,'cling':1,'into':1,'then':1,'which':2,'form':1,'that':1,'cannot':1,'let':1,'by':1,'of':16,'large':1,'small':1,'at':1},'volts':{'.':1},'hope':{'to':1,'that':4,'.':1},'meant':{'a':2,'even':1,'for':1,'many':1,'to':3,'much':2,'utilising':1,'entering':1,'in':1,'the':3,'total':1,'transcending':1,'by':3,'more':1},'handle':{'there':1,'off':1,'than':1,'in':1},'means':{'over':1,'an':3,'in':1,'any':1,'power.':1,'for':3,'no':1,'.':1,'much':1,'girdling':1,'more':1,'we':1,'that':15,'half':1,'losing':1,'a':5,'mastery':1,'of':30,'foresight':1,'were':1,'making':1,'the':5,'first':1},'intellectually':{'.':1},'prohibition':{'against':1},'fronds':{'are':1},'a.c.':{'.':1},'h':{'the':1,';':1,'.':43},'molecule.':{'single':1},'taxes':{'on':1,'.':1},'summon':{'it':1},'hemispheres':{'and':1,'destined':1},'are.':{'for':1},'coco-nut':{'fibre':1,'shell':1,'palm':1},'stuff':{'from':2,'which':1,'into':1,'.':1,'they':1,';':1,'began':1,'out':1},'bayliss':{'has':1},'inter-relation':{'established':1},'memory-image':{'of':1},'tap.':{'watch':1},'strengthened':{'when':1},'frame':{'the':2},'shreds':{'as':1},'packet':{'containing':1,'no':1,'turned':1,'though':1},'elusiveness':{'there':1,'so':1},'bolivia.':{'illustration':1},'5.--diagram':{'showing':1},'once.':{'in':1},'carboniferous':{'blue':1,'flora':1,'forests':1,'period':4,'epoch':1,'eras':1,'were':1,'the':2,'.':1,'era':1},'frog-hoppers':{'while':1},'packed':{'with':1,'together':1},'ascends.':{'illustration':1},'wire':{'or':1,'that':1,'is':1,'an':1,'to':1,'so':1,'they':2,'between':1,'leaves':1,'the':2,'its':1},'growths':{'on':1},'jurassic':{'archaeopteryx':1,'is':1,'period':2,'yellow':1,'era':1,'which':1},'nuclear':{'bodies':1},'migrations':{'were':1,'are':1,'have':1,'occurred':1},'germ-cell':{'just':1},'quickest':{'to':1},'white-hot':{'metal':2,'hydrogen':1,'iron':1,'.':1},'membrane':{'and':1},'open-sea':{'or':1,'animals':4,'cetaceans':1,'crustaceans':1,'young':1,'knife-blade-like':1,'prawns':1,'bacteria':1},'self-preservative':{'fashion':1},'email':{'contact':1,'newsletter':1,'business':1},'ends':{'and':2,'on':1,'of':2,'marked':1,'lizzie':1},'explosive':{'manifesting':1,'life':1,'rush':1,'by':1},'trilobite':{'90':1,'trilobites':1,'in':1},'ancestry--are':{'branches':1},'seaweeds':{'and':2,'among':1,'are':1,'which':1,'growing':1,'the':1},'ignorance':{'of':1,'preyed':1},'wave-motions':{'of':1,'are':1,'can':1},'wingless':{'insects':1,'larval':1,'creatures':1},'hoatzin':{'inhabits':2},'reappears':{'in':1},'restrictions':{'whatsoever':2},'drum':{'to':2},'migration.':{'looking':1},'figures':{'to':1,'we':1,'with':1,'are':3,'.':1},'cinder':{'.':1},'humanoid':{'to':2,'precursors':1,'stock':4},'adjusted':{'on':2,'coloration':1,'in':1},'co':{'.':2},'conflagration':{'had':1,'that':1},'conclude':{'our':1,'that':1},'ca':{'the':1},'mid-rib':{'and':2},'vibration.':{'no':1},'sea-worms':{';':1},'cv':{'the':1},'hawkins':{'from':1},'palm-bones':{'and':1,'the':1,'cmc':1},'8.7':{'procyon':1},'trigger-pulling':{'.':1},'dazzling':{'light':1},'body-cells.':{'it':1},'poured':{'a':1,'on':1},'looting':{'and':1},'duckweed':{'usually':1},'feather':{'as':1,'which':1},'waste':{'matter':2,'energy':1,'to':1,'heat':1,'products':1,'its':1},'descent.':{'retrospect':1},'c.':{'punnett':1},'coherence':{'of':2},'mammals.':{'the':1,'now':1,'what':1,'cretaceous':1},'tycho':{'upper':1},'neighbour':{'succeed':1,'.':1},'accident':{';':1,'.':1},'forests.':{'the':1},'domestication.':{'instinctive':1},'expounded':{'with':1},'spain':{'this':1,'showing':2,'179':1,'show':1},'gradual':{'building':1,'unfolding':1,'evolution':1,'establishment':1,'alterations':1,'sifting':1,'increase':2,'migration':1,'emancipation':1,'shading':1,'assortment':1,'ascent':1,'emergence':1,'change':2},'nerve-fibre':{'branches':1,'ends':1,'s.f.':1,'from':1,'or':1},'triggers':{'of':1},'reminiscence':{'as':1},'lung-fishes':{'or':1,'that':1},'lichen':{'and':1,'where':1},'pictures':{'guesses':1,'for':1,'that':1,'of':1,'.':2,'they':1,'the':1},'deductible':{'to':1},'discoveries':{'made':2,'which':2,'that':1,'of':4,'.':1,'have':2,'in':2},'spectrum--should':{'be':1},'salmo':{'all':1},'omne':{'vivum':1},'vm':{';':1},'adventures':{'at':1},'excessively':{'small':1,'minute':3},'raison':{'d':1},'jenner':{'weir':1},'carbohydrates':{'e.g':1},'of.':{'a':1},'fashioning':{'of':1,'beautifully':1},'spends':{'the':1},'romance':{'of':5,'to':1},'concealed':{'among':1,'beneath':1},'colony.':{'within':1},'estuaries':{'and':3,'while':1,'are':1,'penetrated':1},'outbreak':{'must':1},'nebulae.':{'some':1,'illustration':1,'in':1},'unimaginable':{'energy':1},'lichen;':{'one':1},'mud-skipper':{'periophthalmus':3},'emotionally':{'excited':1},'dusk':{'of':1,'is':1,'does':1},'wisest':{'not':1},'upon':{'it.':1,'a':3,'them':1,'another':1,'marquis':1,'insects':1,'men':1,'request':1,'it':3,'one':1,'water':1,'and':1,'as':1,'itself':1,'they':1,'the':26,'an':1,'its':3,'by':2},'v.':{'experiential':1},'infinite':{'temporal':1,'space':2,'in':1,'number':1,'time':1},'britain.':{'iv':1},'identity':{'of':1},'transformation--the':{'heat':1},'genus':{'eoanthropus':1,'oncorhynchus':1,'which':1},'off':{'and':1,'the':19,'into':1,'as':2,'at':2,'another':1,'in':4,'throughout':1,'fine':1,'again':1,'rays':1,'from':8,'intruders':2,'.':3,'other':1,'crowds':1,'neolithic':1,'his':1,'intruding':1,'half':1,'such':1,'by':3,'a':4,'on':1,'natural':1,'this':1,'of':1,'electrons':1,'gigantic':1},'mention':{'briefly':1,'the':1,'one':1},'tinge':{'is':1,'.':1},'colour':{'and':9,'almost':1,'is':1,'as':1,'in':1,'affects':1,'that':1,'.':6,'also':1,'does':1,'permanently':1,'disclosed':1,'which':1,'has':1,'seen.':1,'gives':1,'be':2,'corresponding':2,'means':1,'becoming':1,'with':1,'a':1,'being':1,'yellow-brown':1,'of':8,'depends':1,'the':1,'changes':2},'polyp':{'about':1},'directly.':{'some':1},'patterns':{'.':1},'cutting':{'down':1,'off':1,'at':1},'ear-passage':{'to':1,'into':1},'drawing':{'a':1,'shows.':1,'planetesimals':1,'food':1,'flying':1,'their':2,'by':4,'shows':2},'asymmetrical':{'flat-fish':1},'reefs':{'that':1},'negligence':{'strict':1},'flesh':{'and':2,'exposed':1,'of':1,'but':1,'are':1,'or':1,'available.':1},'moments':{'at':1},'gulls':{'pick':1},'flywheel':{'a':1,'and':1,'would':1,'.':2,'or':1,'if':1},'sea-dust':{'and':1,'always':1,'which':1,'.':1},'rooms':{'but':1},'predicts':{'the':1},'years':{'and':3,'required':1,'ago--a':1,'acquired':1,'life':1,'comprised':1,'1921':1,'as':1,'are':1,'in':4,'old':2,'yet':1,'before':4,'mercury':1,'invented':1,'would':1,'till':1,'with':1,'there':1,'.':13,'to':7,';':2,'must':1,'we':1,'ago.':3,'may':2,'after':1,'reached':1,'but':2,'it':1,'sink':1,'during':1,'elapsed':1,'dr':1,'he':1,'ago':28,'for':1,'these':1,'of':4,'work':1,'dealt':1,'the':4,'or':1},'paul':{'s':1},'glue':{'probably':1},'web':{'on':1,'of':2,'is':3,'site':4,'page':1,'which':1,'has':1,'pages':1},'generous':{'to':1,'lines':1,'if':1},'bibliography':{'elmhirst':1,'the':2,'darwin':1,'arrhenius':1},'lanugo':{'which':1},'apple--out':{'of':1},'transparent':{'layers':1,'all':1,'coating':1,'arrow-worm':1,'early':2,'azure':1,'open-sea':1},'ichthyosaurs':{'plesiosaurs':1},'combine':{'and':1,'to':1},'wet':{'cloth':1,'all':1,'weather':1,'moss':1},'5':{'and':1,'what':1,'has':1,'ft':1,'limbless':1,'1909':2,'mind':1,'per':1,'.':8,'feet':2,'matter':1,'000':5,'5':1,'in':1,'the':1,'mimicry':1,'500':1,'shows':1},'practise':{'self-effacement':1,'parental':1},'increased':{'power':1,'freedom':1,'its':1,'liberation':1,'masterliness':1,'difficulties':1,'at':1,'in':1,'our':1,'the':2,'still':1,'by':1,'production':1},'government':{'or':1},'biologists':{'have':1,'that':1},'new--a':{'restless':1},'smithsonian':{'report':10},'mathura':{'on':1},'increases':{'our':1,'.':1,'in':1},'five':{'digits':1,'hundred':3,'minutes':1,'of':1,'million':1,'times':3,'feet':1,'to':1,'straws':1,'she':2,'in':1,'--and':1,'vertebrae':1,'years':1,'.':1,'or':3,'millions':1},'belgium':{'the':1},'tick':{'a':1,'for':1,'one':1},'descendant':{'of':2},'backboned':{'race':1,'animals':9,'animals.':1},'onion':{'round':1},'258':{'the':1,'electrons':1},'parasite':{'and':1,'to':1,'from':1,'like':1},'glass-eels':{'about':1},'two-thousandths':{'of':1},'ductless':{'glands':2},'nerves':{'and':1,'of':1,'which':1,'.':1},'inexperienced':{'enemies':1},'replacement':{'of':1,'copy':2,'or':3},'gaining':{'a':1,'strength':2},'indications':{'even':1},'habitat':{'and':1,'penetrate':1,'or':1},'underwent':{'great':1,'an':1},'gossamer.':{'on':1},'daylight':{'.':1},'choosing':{'times':1},'paving-stones':{'green':1},'restlessness.':{'they':1},'transport':{'as':1},'avoid':{'a':1,'the':2,'reading':1},'dago':{'dagoes':1},'mars.':{'but':1},'does':{'we':1,'no':1,'this':4,'energy':1,'comparatively':1,'it':2,'but':1,'.':3,'much':1,'so':4,'at':2,'cannot':1,'in':1,'not':35,'the':1,'its':1},'passion':{'plunged':1},'cylindrical.':{'5':1},'mammoth.':{'the':1},'biology':{'of':1,'in':1},'blowing':{'upon':1},'predispositions':{'to':1,'of':1},'selecting':{'individual':1,'out':1},'tenability':{'of':1},'performances.':{'a':1},'pressure':{'and':2,'would':1,'inside':1,'so':1,'in':2,'the':2,'etc.':1,'currents':1},'enregistering':{'these':1,'the':1,'within':1},'century.':{'during':1,'illustration':2},'abdominal':{'ribs':1},'germination':{'and':1},'r':{'and':1,'.':14},'cribb.':{'boiling':1,'transformation':1},'hiding':{'them':1},'gained':{'most':1,'racial':1,'considerable':1,'proof':1},'mammoths':{'.':1},'asks':{'at':1,'why':1,'that':1},'seeds':{'and':1,'because':1,'for':1,'of':3,'.':1,'can':1,'become':1,'themselves':1,'with':1},'bounded':{'by':1},'swimming':{'and':2,'gently.':1,'experience':1,'ostrich':1,'persons':1,'near':1,'in':5,'diving':1,'across':1},'letters':{'of':2,'in':1},'elephants.':{'the':1},'hermit-crabs':{'hide':1,'place':1,'it':1,'have':1},'lung':{'and':1,'the':1,'.':1},'tiny':{'knob':1,'bags':1,'freshwater':1,'rill.':1,'irregular':1,'shift':1,'molecules':1,'fragments':1,'drops':1,'whirlpool':1},'cultivated':{'plants':6,'the':1,'wheat':1,'ear.':1,'in':1},'protozoa':{'and':2,'to-day':1,'which':1,'is':1,'should':1,'to':1,'as':1,'are':1,'sponges':1,'in':2,'animals':1,':':1,'like':1},'offices.':{'sec':1},'swimmers':{'and':2,'include':1,'nekton':1},'charities':{'and':1},'mere':{'density':1,'molluscs':1,'bulk':1,'visible':1,'cooling':1,'specks':1,'position':1,'association':1},'parentage':{'of':2},'67000':{'inch':1},'larvae':{'hanging':1,'or':1,'which':3,'in':1},'slow-worm':{'is':1},'half-monkeys':{'or':1},'larval':{'state':1,'stages':2,'salmon':1,'period':1,'stage':1},'spots':{'and':1,'on':2,'like':1,'of':1,'or':1,'increase':1,'are':1,'which':1,'the':2,'where':1,';':1,'must':1},'scanty':{'remains':2,'and':1,'fossil':1,'plankton':1},'recognised':{'and':1,'for':1,'as':1,'in':2,'moreover':1,'by':2},'hundred-millionth':{'of':1},'place.':{'illustration':1,'one':1},'specimens':{'of':1,'in':1,'were':1},'naturally':{'prolific':1,'give':1,'trails':1,'finds':1,'expect':1,'came':1,'appears':1,'opens':1,'he':1},'function':{'of':1,'in':1},'funnel':{'through':1},'cosmopolitan':{'in':1},'surgeons.':{'every':1},'washerwoman':{'and':1},'construction':{'underwent':1,'from':1,'of':2},'convergence':{'the':1},'basin':{'of':1},'contraction.':{'uranium':1},'count':{'them':1,'the':1,'for':3},'marquis':{'wheat':4,'.':1},'evident':{'in':1},'shrunk':{'by':1},'gravitational':{'pull':2,'influence':2,'theory':1,'attraction':2},'official':{'project':1,'observatory':1,'version':1,'page':1},'smooth':{'continuance':1,'carapaces':1,'formation':1,'atoms':1},'triumphant':{'flight':1},'excitement':{'though':1,'.':1},'placed':{'a':1,'on':3,'them':2,'for':1,'exactly':1,'an':1,'to':1,'at':1,'in':2},'frugivorous':{'stock':1},'convince':{'us':1},'monument':{'of':1},'problem':{'no':1,'of':10,'could':1,'.':2,'as':1,'surely':1,'the':1,'is':2},'profusion':{'.':1},'bearing':{'protrusible':1,'on':1,'batteries':1,'this':1,'the':1},'irish':{'elk':1},'ferocious.':{'embryological':1},'recognize':{'water':1},'nearness':{'to':1,'of':2},'rubble':{'innumerable':1},'faintness':{'.':1},'slowing':{'down':8,'down--the':1},'arms.':{'this':1},'beach.':{'but':1},'leptocephalus.':{'2':1},'aristotle':{'observed':1,'s':1,'or':1},'ink':{'in':1},'www.gutenberg.org':{'this':1,'title':1,'you':1,'2':1,'1.e.2':1},'effected':{'a':2,'within':1,'by':3,'in':1},'planting':{'it':1},'expensiveness':{'of':1},'readjustments':{'of':1},'radiolarians':{'and':1,'of':1,'with':1},'variety':{'and':1,'of':16,'is':1,'after':1,'surpassed':1,'.':2,'has':1,'with':1},'tenth':{'printing':1},'eastern':{'baltic':1},'forests':{'and':2,'a':1,'from':1,'which':1,'that':1,'of':4,'there':1,'.':1,'roamed':1,'in':1,'the':2,'he':1},'slumbers':{'in':1},'reach.':{'animal':1},'details':{'of':2,'is':1,'revealed':1},'behold':{'a':1},'thickness--a':{'sea':1},'outlines':{'of':1,'at':1,'spectroscopy':1},'repeat':{'all':1,'gives':1,'that':1},'again.':{'moreover':1,'illustration':2,'that':1},'in:':{'http:':1},'tides':{'and':3,'we':1,'which':2,'than':1,'of':1,'had':1,'it':1,'but':1,'.':6,'will':1,'to':1,'ranked':1,'are':4,'have':1,'act':1,'at':1,';':1,':':1,'the':1,'290':1,'must':1},'casque':{'is':1},'subtlest':{'of':1},'again:':{'the':1},'in.':{'with':1},'13.--saturn':{'november':1},'ideals':{'which':1,'in':2},'shattering':{'itself':1},'veil':{'of':1},'coloration':{'and':1,':':2,'is':1,'when':1,'serves':1,'coloured':1,'will':1,'the':1,'.':1,'or':3},'exposure':{'to':1,'of':1},'draperies':{'gliding':1},'bivalve':{'mollusc':1,'shell.':1},'lasted':{'beyond':1,'or':1,'for':1},'rule':{'and':1,'feed':1,'we':1,'that':1,'is':1,'two':1,'exist':1,'in':1,';':1,'out':1},'eddies':{'of':1,'rising':1},'pitt':{'offered':1},'gardens':{'in':1},'practicability':{'of':1},'three-toed':{'horse':2},'surrounding':{'stimuli.':1,'space':2,'colour':1,'flesh':1,'them--are':1,'sky--this':1,'world':1,'the':2,'gravel':1,'conditions':1,'ether':1,'bodies':1},'magnetic':{'force':1,'storm':1,'circuits':1,'phenomena':1,'sense':1,'storms':2,'effect':1,'deflection':2,'field':7,'circuit':2,'field--which':1,'action':1},'saves':{'their':1},'desirable':{'for':1},'rapid':{'and':3,'abbreviation':1,'precisely':1,'often':1,'power':1,'striking':1,'colour-change':3,'series':1,'that':2,'passage':1,'motion':1,'as':1,'way':1,'waves--the':1,'elimination':1,'succession':1,'changes':1,'than':1,'change':1,'movement':1},'nursery':{'for':1},'controversial':{'stage':1},'crete':{'greece':1},'oldest':{'known':3,'of':1,'rocks':1,'stars':1,'egyptian':1},'worked':{'flints':1,'up':1,'itself':1,'steadily':1,'the':1,'by':1,'out.':1,'out':8},'1915.':{'a':1,'magnetic':1,'electrons':1,'geological':1},'ceases':{'to':1,'.':1},'physiological':{'life':1,'expensiveness':1,'point':1,'equilibrium':1,'partnership':1,'evidence':1,'characters.':1,'inequilibrium':1,'action':2,'difference':2,'types':1,'proof':1},'ventral':{'lungs':2,'scales':1},'centrosome':{'introduced':1},'neighbours':{'of':1,'.':1},'microscopist':{'named':1},'mckready':{'a':1},'diverted':{'into':1},'worth':{'remembering':1,'dwelling':1,'having':1,'.':1},'alternating':{'current':1,'occurrence':1,'yellow':2},'them--which':{'give':1},'aurora':{'borealis':4,'is':1},'waters--the':{'dry':1},'impinged':{'on':1},'coal-measures':{'the':2,'were':1},'alevins':{'which':1},'slowed':{'down--sometimes':1},'exaggerate':{'the':1},'pinch':{'of':2},'cmc':{';':1},'globule':{'about':1},'nondescript':{'not':1},'jungle-fowl':{'of':1},'290':{'photo':1,'the':1},'291':{'photo':1},'dwindled':{'away':1,'vestiges':1},'speck':{'of':2,'against':1},'tree-kangaroos':{'tree-sloths':1},'labyrinthodonts':{'some':1},'surmounting':{'the':1},'overlying--the':{'photosphere':1},'seas.':{'perhaps':1,'evolution':1,'like':1,'recent':1},'microscopists':{'and':1},'------':{'------':2,'866400':1,'2163':1},'others.':{'1.d':1},'them--are':{'of':1},'alsatian':{'wolf-dog':2},'neap':{'tides':1},'580':{'000':1},'calcium':{'vapour':1},'gatepost':{'208':1,'the':1},'lizard':{'which':2,'is':1,'they':1,'chlamydosaurus':1,'draco':1,'called':1},'consequent':{'changes':1,'aridity':1},'lampreys':{'petromyzon':2},'glands':{'notably':1,'such':1,'of':1,'on':1},'salt-accumulation':{'is':1},'reconstruction':{'of':2,'by':2},'toll':{'to':1},'suppose':{'for':1,'that':8,'it':1,'at':1,'each':1,'the':2},'consisting':{'of':2},'told':{'edited':1,'in':1,'author':1,'us':1,'that':1},'crunch':{'with':1},'machine.':{'a':1},'simultaneously':{'.':1},'sinks':{'down':1,'again':1,'and':1,'into':1},'lithosphere':{'is':1},'human':{'and':1,'embryo':7,'development.':1,'ingenuity':1,'being':2,'sense':1,'mind':2,'society':1,'beings':2,'thought.':2,'in':3,'knowledge.':1,'use':1,'eye':2,'ovum':1,'remains':2,'.':1,'tail':1,'civilisation.':1,'progress':5,'type':1,'body':3,'progress.':1,'kind':1,'gestures':1,'races':1,'blood':3,'characters':1,'ear':2,'mind.':1,'evolution':1,'branches':1,'evolution--factors':1,'skull':4,'brain':4,'was':2,'ascent.':1,'face':1,'race':3,'limit':1,'qualities':1,'teeth':1,'life.':1,'institutions':1},'kindred':{'and':1,'on':1,'animals':1,'especially':1,'.':1},'residual':{'gases':1},'out-flowing':{'lobes':1,'processes':1},'protection':{'for':1,'of':2,'possessed':1,'.':1,'also--protection':1,'implied':1,'every':1,'before':1},'pursuit':{'and':1},'ploughed':{'field':1},'promiseful':{'life':1},'obtained':{'our':1,'by':1,'would':1,'.':1},'aerial.':{'the':1},'daughter':{'colonies':1},'items':{'and':1,'among':1,'are':1,'tend':1},'frog-hopper':{'becomes':1,'makes':1},'anchor':{'.':1},'smoke':{'a':1,'no':1,'in':1,'that':1},'browsing':{'by':1},'bettered':{'surroundings':1},'otters':{'and':1,'it':1,'foxes':1},'glittering':{'points':1},'diameter':{'and':1,'for':1,'of':7,'is':2,'there':1,'number':1,'.':4,'lifts':1,'are':1,';':2,'one':1,'whereas':1},'secure':{'a':1,'and':1,'that':1,'survival':1,'evidence.':1,'position':1,'the':4,'floating':1},'discontinuous':{'variation':1},'-cell':{'with':2},'highly':{'probable':8,'endowed':1,'interesting':1,'magnified.':1,'developed':3,'probably':1,'intelligent':1,'specialized':2,'perfected':1},'lafayette.':{'the':1},'opportunities':{'to':1,'animals':1,'for':1,'.':1},'glance':{'at':1},'total':{'loss':1,'or':1,'of':2,'energy':1,'number':1,'thickness':2,'amount':1,'solar':2,'emancipation':1,'length':1,'age':1,'as':1,'quantity':1},'experimentation':{'in':1},'plot':{'at':1},'answers-back':{'that':1},'alligator':{'yawning':2},'grounds':{'of':1,'.':1},'negative':{'and':1,'electricity':10,'electricity.':1,'taken':1,'pole':2,'are':1,'units':1,'the':1},'reid.':{'sir':1,'common':1},'crocodilian':{'various':1},'mightiest':{'elevators':1},'knoll':{'and':1},'girdling':{'the':2},'thorndike':{'s':1,'says':1,'hits':1,'is':1},'recuperate':{'by':1},'separated':{'from':2,'freshwater':1,'off':4,'by':1,'.':2},'traceable':{'back':1},'ascribe':{'it':1},'aware':{'of':7,'that':1},'separates':{'the':1,'monkeys':1,'it':1},'continual':{'sinking':1,'motion':1,'motion.':1,'occurrence':1},'allies':{';':1,'in':1},'dando.':{'orang-utan':1,'young':1,'chimpanzee':1},'society.':{'professor':2},'twenty-one':{'miles--in':1},'antenna-bearing':{'segmented':1},'crest':{'to':4,'.':1,'so':1,'or':1,'of':1},'books.':{'each':1},'work':{'and':7,'associated':2,'is':6,'within':1,'as':1,'in':8,'any':1,'electronically':2,'out':2,';':2,'from':1,'recorded':1,'.':10,'to':2,'offers':1,'which':1,'under':1,'you':2,'if':1,'badly':1,'that':1,'may':1,'with':1,'by':1,'on':3,'b':1,'of':6,'well':2,'against':1,'without':2,'can':1,'the':3,'or':8},'eclipse':{'may':2,'of':7},'worm':{'invasion':1,'the':1,'on':1,'.':1},'worn':{'down':1,'and':1},'theories':{'may':1,'of':5,'to':1,'have':1,'dispense':1,'put':1},'mammalian':{'heart':1,'evolution':1,'mother':1,'golden':1},'eighteen':{'to':1},'era':{'and':2,'what':1,'there':1,'miocene':1,'jurassic':1,'of':2,'silurian':1,'when':1,'corresponds':1,'.':6,'in':3,'after':1},'transparency':{'or':1},'already':{'a':2,'existed':1,'we':1,'learnt':1,'likened':1,'spoken':1,'use':1,'dead':1,'and':1,'known':1,'been':1,'have':1,'mentioned':1,'seen':1,'the':1,'referred':2,'at':1},'ascetic':{'non-growing':1},'radiance':{'from':2},'indicated':{'to':1,'by':3,'in':1},'cited':{'as':1},'india':{'146':1,'and':1,'into':1,'it':1,'malay':1,'persia':1,'.':1},'indicates':{'a':3,'the':2},'fanciful':{'imaginings':1},'present-day':{'and':1,'forms':1,'animals':1,'science':1,'theories':1,'survivors':1,'mud-fishes':1},'immemorial.':{'in':1},'aerated':{'and':1},'handiness.':{'the':1},'inhabitants':{'of':2,'is':1},'finger-post':{'on':1},'crumbs':{'from':3},'egyptian':{'tombs':1},'nuts':{'these':1,'it':1,'193':1,'for':1},'makes':{'a':4,'and':1,'for.':1,'for':1,'no':2,'this':1,'adjusting':1,'some':1,'it':5,'us':1,'an':1,'against':1,'the':9,'tree-stems':1,'its':3,'more':1},'far':{'and':1,'less':1,'over':3,'back':1,'as':9,'at':1,'in':1,'south.':1,'beyond':1,'out':1,'given':1,'end':1,'for':1,'away':2,'since':1,'exceeding':1,'been':1,'.':2,'behind':1,'too':4,'above':2,'surpasses':1,'east':3,'more':5,'north':3,'greater':1,'that':1,'from':6,'transcending':1,'advanced':1,'on':1,'off':1,'ahead':1,'up':2,'below':2,'swing':1,'the':3,'south':1},'aerates':{'the':1,'them':1},'ordinary':{'fish':1,'tissues':1,'flower-vase':1,'single':1,'questions':1,'education':1,'tadpoles':1,'temperature':1,'chemical':1,'way':2,'mammals':1,'conditions':1,'protozoon':1,'life':2,'star':1,'wheats':1,'big':1,'routine':1,'pressure':1,'routine--not':1,'bony':1,'cells':2,'standards':1,'matter':3,'familiar':1,'mammal':1,'acceptation':1},'beach':{'which':1,'.':1},'gamble':{'writes':1,'continues':1},'discoveries.':{'already':1},'guanin':{'.':1},'fever':{'and':1},'transforming':{'the':1},'ladder':{'of':3},'after':{'and':1,'all':2,'they':3,'generation':1,'some':1,'it':1,'an':1,'satisfaction':1,'itself':1,'well-being':1,'lull':2,'another':7,'our':1,'repeated':1,'its':2,'what':1,'death':1,'fuller':1,'her':1,'cache':1,'hour':1,'by':1,'their':2,'millennium':1,'which':1,'marsh':2,'sojourning':1,'he':2,'head':1,'his':2,'branch':1,'undergoing':1,'that':2,'max':2,'william':2,'fritz':1,'five':1,'nearly':1,'birth':2,'new':1,'fifteen':1,'themselves':1,'man':1,'a':10,'spawning':2,'exposing':1,'being':1,'this':1,'floods':1,'professor':2,'prolonged':1,'element':1,'planet':1,'race':1,'t':2,'mr':1,'the':14,'marsh.':2,'wandering':1,'age':2,'lloyd':1},'movable':{'tongue':1,'.':1},'customs':{'point':1},'lay':{'their':2,'eggs':1,'there':1,'them':1,'emphasis':1},'outbursts':{'of':2,'have':1},'maxim:':{'it':1},'law':{'of':3,'.':1,'in':1,'but':1,'that':1},'meaningful':{'situation':1},'nipped':{'in':1},'elusive':{'and':1,'.':1},'cools':{'to':1},'appreciate':{'water':1,'a':1,'the':1},'greek':{'helios':1,'logos':1,'word':1,'tortoise':1,'eagle':1,'alphabet':1,'philosophers':1,'meaning':1,'thinkers':1},'verb':{'to':1},'green':{'chlorophyll':1,'yellow':1,'in':3,'plants.':1,'blue':2,'flagellates--the':1,'surroundings':1,'variety':1,'tree-snake':1,'frog':1,'hydra':2,'herbage':1,'plants':2,'ball':1,'seaweeds':1,'pigment':2,'ones':1,'phase':1,'box':1,'on':1,'grains':1,'of':1,'leaves':2,'lizard':1,'alga':1,'or':2},'parish':{'to':1},'coral-snake':{'can':1},'order':{'and':2,'than':1,'that':1,'diverging':2,'of':12,'is':1,'.':1,'to':4,'in':1,'the':1,'monkeys':1},'sandstones':{'and':2,'mudstones':1},'office':{'is':2},'borealis':{'the':1,'is':1,'would':1,'coloured':1},'satisfied':{'with':1},'pascal':{'s':1},'ancients':{'seem':1,'were':1},'japan':{'to':1},'bubbles':{'which':1},'breeding-place':{'represents':1,'corresponds':1},'yellow-crowned':{'penguin':2},'sheaf':{'of':2},'production':{'of':3,'as':1,'promotion':1},'precipitate':{'when':1,'which':1,'.':2},'split':{'so':1,'off':1,'up':5,'longitudinally.':1},'then':{'there':5,'rubs':1,'they':2,'able':1,'is':3,'violet':1,'it':8,'are':2,'have':2,'another--to':1,'consists':1,'follow':1,'intact':1,'find':1,'waited':1,'for':1,'may':1,'since':2,'uranium':1,'to':4,'another':1,'has':1,'sent':1,'supposed':1,'be':3,'we':3,'partly':1,'that':2,'our':1,'pecked':1,'took':1,'drew':1,'sprinkle':1,'imperfectly':1,'visits':1,'although':1,'endure':1,'dives--':1,'diminish':1,'unless':1,'he':2,'illustration':1,'perceived':1,'necessary':1,'succeeded':1,'wafts':1,'follows':1,'inhabiting':1,'departs':2,'a':2,'so':1,'red':1,'the':7,'round':1,'comes':1,'arose':1},'them':{'and':9,'the':3,'penetrating':1,'on':2,'insulators':1,'stream':1,'show':2,'is':2,'fall':1,'an':1,'down':1,'against':1,'as':3,'116':1,'including':1,'are':7,'have':4,'in':9,'protecting':1,'32':1,'before':2,'even':1,'sir':1,'he':1,'astronomy':1,'from':2,'would':1,'no':1,'perhaps':1,'deeply':1,'away':1,'there':1,'when':2,'off':1,'.':19,'up':2,'to':8,'call':1,'which':1,'black':1,';':2,'sluggish.':1,'was':1,'until':1,'more':1,'weigh':2,'that':2,'may':1,'after':1,'bipeds--we':1,'illustration':1,'were':1,'jumping':1,'if':1,'know':1,'they':1,'coming':1,'such':1,'now':1,'with':2,'by':2,'apart':1,'a':2,'both':1,'about':1,'give':1,'for':2,'indifferent.':1,'face':1,'always':1,'into':1,'but':1,'namely':1,'together':1,'grows':1,'though':1,'electrically':1,'conquer':1,'gigantic':1,'requires':1},'affected':{'by':4},'babies':{'born':1},'fragment':{'of':2},'locusts':{'and':1,';':1},'safe':{'and':1,'among':1,'both':1,'situations':1,'to':5,'as':1,'cradle':2,'in':2},'fabre.':{'a':1,'the':1},'young.':{'our':1,'the':1,'sec':1},'band':{'of':1,'across':1},'giraffe':{'the':1,'s':1,'coloured':1},'reconverted':{'in':1},'sack':{'of':1},'they':{'represent':2,'all':2,'show':4,'move':1,'soon':1,'go':2,'find':1,'seemed':1,'derive':1,'also':3,'swam':2,'had':5,'send':1,'actually':1,'only':1,'persist':1,'practise':1,'happened':1,'grip':1,'eventually':1,'return':1,'get':2,'propelled':1,'cannot':3,'please.':1,'affect':1,'now':1,'possess':3,'perceived':1,'showed':1,'called':1,'did':3,'die':2,'seldom':1,'hunt':1,'settle':1,'found':2,'require':1,'enjoy':1,'successively':1,'often':1,'began':3,'resist':1,'imply':1,'decided':1,'are':130,'pass':4,'differ':2,'what':1,'said':1,'stood':1,'appear':2,'served':1,'tend':1,'attracted':1,'experiment':1,'radiated':1,'got':1,'learned':1,'ever':1,'correct':1,'can':13,'crunch':1,'obey':1,'never':1,'analysed':1,'disappeared':2,'were':27,'succeed':1,'let':1,'sink':1,'become':3,'put':2,'wanted':1,'come':1,'tenant':1,'receive':1,'could':4,'keep':1,'turn':1,'range':1,'act':2,'usually':1,'think':1,'feed':3,'emerge':1,'secure':1,'render':1,'point':1,'walk':1,'fast':1,'sow':1,'beheld':1,'reached':1,'illustrate':3,'use':1,'would':9,'create':1,'breed':1,'vibrate':1,'mark':1,'swarm':1,'call':1,'too':2,'then':1,'strike':1,'inflate':1,'tell':1,'therefore':1,'manufacture':1,'enable':1,'form':4,'fall':1,'corresponded':1,'must':5,'count':1,'account':1,'include':1,'look':3,'consist':2,'wish':1,'mount':1,'originate':1,'see':1,'will':5,'remain':1,'supposed':1,'learn':1,'meet':1,'emit':1,'and':1,'sometimes':2,'proved':1,'do':9,'likewise':1,'escape':2,'say':1,'have':33,'need':3,'seem':4,'made':6,'cool':1,'occur':1,'fill':1,'lie':1,'squat':1,'migrated':1,'built':1,'deserve':1,'travel':2,'generally':1,'extracted':1,'split':1,'test':1,'roll':1,'begin':2,'may':12,'absorb':1,'knew':1,'reach':5,'gradually':2,'reflect':1,'produce':2,'develop':1,'grow':1,'died':1,'varied':1,'cause':3,'give':4,'remember':1,'resemble':2,'nevertheless':1,'register':1,'appreciate':1,'correspond':1,'walked':1,'directly':1,'justify':1,'make':3,'came':1,'left':1},'molecules.':{'there':1,'illustration':1},'lifelong':{'study':1,'external':1},'bank':{'and':3,'or':1,'.':1},'bread':{'of':1},'1.00':{'7918':1},'rocky':{'shore-pool':1,'peninsula':1,'slopes':1},'oxygen':{'and':1,'available':1,'form':2,'of':1,'.':3,'to':1,'dissolved':1,'at':1,'which':1,'in':1,'taken':1,'than':1},'respiration.':{'illustration':1},'reasonably':{'that':1,'interpreted':1},'classified':{'.':1},'backgrounds':{'such':1},'l':{'bearing':1,'.':3},'rocks':{'and':4,'on':1,'since':1,'like':1,'may':1,'of':1,'is':2,'there':1,'according':1,'but':1,'.':1,'to':1,'were':1,'so':1,'are':1,'have':1,'which':1},'--':{'fig':1,'moon':1},'reasonable':{'objection':1,'to':1,'compass':1,'fee':1,'view':1},'heaved':{'off':1},'feeds':{'on':1,'are':1,'.':1},'associative':{'cell':1,'or':2,'learning.':1},'lifted':{'into':1,'off':1},'shows.':{'sec':1},'voyages':{'discovering':1},'prawn':{'hippolyte':1,'s':1,'takes':1,'.':1},'12.--jupiter':{'showing':1},'webbed':{'fingers':1},'pigments':{'enable':1,'compounded':1},'network':{'of':4},'forty':{'seconds':1,'inches.':1,'minutes':1,'inches':1},'fellows':{'can':1},'strangers':{'it':1},'vulgalis':{'1':1},'moisture':{'and':1,'heat':1,'about':1,'in':1},'medicine':{'but':1},'forth':{'and':1,'on':1,'.':1,'their':1,'in':8,';':1,'its':2,'the':1},'swamped':{'by':1},'disputed':{'whether':1,'and':1,'that':1},'nowadays':{'called':1,'an':1},'built.':{'illustration':1},'tops':{'of':1},'monkeys--activity':{'both':1,'for':1},'sunning':{'her':2},'admits':{'of':1},'forcibly':{'ejected':1},'detecting':{'a':2,'this':1,'the':1,'by':1,'its':1},'nebulae':{'and':1,'we':1,'from':1,'like':1,'would':1,'may':1,'is':1,'there':1,'it':1,'.':1,'as':1,'promise':1,'fig':1,'besides':1,'such':1,'are':5},'rarity':{'of':3},'created':{'to':1,'from':2,'or':2,'nor':1,'in':1},'appendages':{'and':1,'the':1},'shunted':{'.':1},'creates':{'a':1},'baltic':{'to':1,'.':1,'must':1},'clouding':{'after':1},'18.--a':{'diagram':1},'render':{'the':1},'synonymous':{'with':1},'another':{'remarkable':1,'feature':1,'aspect':1,'cuts':1,'glimpse':1,'source':1,'factor':1,'save':1,'very':1,'specimen':1,'they':1,'sowing':1,'lost':1,'solution':1,'truth':1,'works':1,'side':3,'fascinating':1,'series':1,'mighty':1,'are':1,'flower':1,'plays':1,'for':1,'though':1,'expressed':1,'experiment':1,'new':1,';':1,'method':2,'note--that':1,'fourteen':1,'on':1,'of':2,'distinguished':2,'thing':1,'s':1,'tack':1,'place':2,'consequence':1,'or':1,'inducing':1,'ring':1,'quality':1,'from':2,'one--of':1,'there':2,'.':10,'way':6,'was':1,'that':1,'four-toed':1,'but':1,'part':4,'solar':1,'with':1,'flightless':2,'kind':2,'has':1,'word':1,'example':2,'acquisition':2,'and':8,'is':1,'modern':1,'it':1,'deep':1,'high':1,'as':1,'in':2,'turn':1,'possibility.':1,'till':2,'amoeba':1,'star':3,'trundles':1,'molecule':1,'effect':1,'offshoot':1,'important':1,'interval':1,'portion':1,'time':2,'the':1,'having':1,'lying':1},'twig-like':{'angle':1},'thick':{'for':1,'as':1,'but':1,'.':1,'enough':1,'treacly':1,'in':1,'mist':1,'or':1,'vapours':1},'tangle':{'of':1},'electronic':{'constitution':1,'cyclones':1,'work':11,'works.':1,'activity':1,'works':15},'illustrate':{'a':1,'evolution':1,'natural':1,'we':1,'.':1,'the':6},'power.':{'the':1},'approximately':{'and':1,'equally':1,'22':1,'calculated':1,'twenty-seven':1,'to':3,'278':1},'youthfulness':{'a':1},'colossal':{'expenditure':1,'family':1,'reservoir':1},'accretion':{'may':1,'of':1},'compromise':{'is':1},'observations':{'bearing':1,'showing':1,'he':1,'furnish':1,'of':1},'inflate':{'their':1},'john':{'and':1,'dalton':1,'the':1,'murray':3,'dewey':1},'dogs':{'are':1,'do':1,'for':1,'have':1,'elephants':1},'kiwi':{'another':2},'intestine':{'with':1},'happily':{'included':1},'diversified':{'ooze':1},'rejected':{';':1},'nurse-frog':{'alytes':1},'scorpions':{'and':2},'cereal':{'.':2},'corresponded':{'to':1},'flightless':{'and':1,'toothed':2,'bird':2,'wings':1},'greater.':{'and':1},'guile':{'illustration':1},'magnet':{'and':1,'a':1,'is':4,'there':1,'.':4,'to':1,'62':1,'279':1,'the':2,'282':1,'lifting':1},'air.':{'the':1,'iv':1},'preformed':{'weak':1,'bandage':1},'damage.':{'1.f.3':1,'it':1},'unmistakably':{'to':1},'iron':{'and':2,'copper':2,'last.':1,'an':1,'are':1,'in':1,'further':1,'blue':1,'for':1,'behaves':1,'should':1,'to':1,'which':1,'you':1,'has':1,'until':1,'filings':2,'but':1,'would':1,'age':1,'will':1,'or':2,'attracting':1},'tackled':{'a':1},'contrasted':{'with':3},'powers':{'156':1,'of':1,'is':1,'.':1,'note':1,'hitherto':1},'encumbered':{'with':1,'by':1},'regulus':{'98.8':1},'respecting':{'the':1},'lull':{'and':2,'organic':1,'calls':1,'to':1,'s':1,'describes':1,'the':1,'r':1,'points':1},'vigorous':{'and':2,'palaeolithic':1,'as':1,'but':1,'race--many':1,'race':1,'animal':1,'the':1},'contents':{'introduction':1,'is':1},'forced':{'to':1,'the':1,'molten':1},'strength':{'and':1,'enormous':1,'prompted':1,'unabated':1,'of':1,'able':1,'to':1,'in':1,'the':1},'prehensile':{'suckers':1,'tail':2},'convenient':{'to':1,'unit':1},'latter':{'will':1,'is':2,'there':1,'we':1,'part':2},'half-brutish':{'prehistoric':1},'little.':{'illustration':1},'foam-bells':{'on':1},'subjects':{'with':1},'forces':{'of':7,'animals':1},'transmit':{'vibrations.':1},'swims':{'on':1,'about':1,'right':1,'well':1,'actively':1,'in':1,'with':1},'explanation':{'even':1,'we':1,'that':1,'of':3,'what':1,'.':1,'to':1,'offers':1,'once':1},'circles':{'without':1,'round':3},'benefactress':{'while':1},'ebook':{'outline':2,'for':1,'of':2,'is':2,'complying':1,'20417':1,'or':2},'anatomy':{'physiology':1,'.':1},'extending':{'below':1},'echoes':{'of':1},'phase':{'amid':1,'adapted':1,'of':1},'nutritive':{'reproductive':1,'chains':3,'material':2,'yolk':1,'sea-dust':1,'contributions':1},'grave':{'difficulties':1,'error':1},'nostrils':{'very':1,'on':1},'calculated':{'and':1,'to':1,'that':3,'using':1,'.':1},'inferred':{'from':3},'swamp':{'and':2,'our':1,'.':1},'accounted':{'for':3,'for--may':1},'deeply':{'saturating':1,'being':1,'into':4,'here':1,'buried':1,'with':1},'eel.':{'illustration':1},'notion':{'of':3},'fitted':{'a':1,'to':1},'reserve':{'.':1},'spectroscopic':{'point':1},'eminent':{'astronomers':3,'physicists':1},'sea-anemone':{'a':1,'may':1,'is':2,'gripped':1,'s':1,'72':1,'which':1,'sixty':1,'with':1,'can':1},'subtle':{'processes':1,'that':1,'inter-relations':2,'chemical':1,'cleaver':1,'inter-relations--the':1},'enjoyed':{'about':1},'sharks':{'the':1},'resemblance':{'142':1,'to':7,'being':1,'of':1,'is':2,'in':2,'camouflage':1,'lies':1,'so':1,'between':3,';':1,'hawk':1,'tells':1},'vaporised':{'by':1},'guidance':{'of':1},'appended':{'to':1},'entities--matter':{'ether':1},'geologist':{'utilises':1,'is':1},'deepest':{'sense.':1},'clefts':{'openings':1,'are':1},'pursuing':{'food':1,'what':1},'adequate':{'idea':1,'for':1,'lasting':1},'dynamo--magnetism--ether':{'and':1},'position--it':{'is':1},'fathoms':{'and':1,'though':1,'it':1,'five':1,'have':1,'so':1,';':1},'predecessor':{'.':1},'do':{'and':2,'nothing':2,'in':3,'.':5,'copyright':1,'when':2,'actually':1,'stories':1,'we':7,'that':1,'very':2,'they':2,'not':56,'with':9,'man':1,'occur.':1,'keeping':1,'practically':1,'this':4,'still.':1,'so':2,'the':2,'or':1,'otherwise':1},'leisure':{'to':1,'time--wherein':1,';':1},'yielded':{'to':1,'two':1},'space--ether':{'pervades':1},'watson':{'showed':1},'haunted':{'the':1},'roundabout':{'road':1},'conservator':{'of':1},'vividly':{'what':1,'interprets':1},'du':{'temps':1},'dr':{'.':18},'runs':{'through':1,'totteringly':1,'so':1,'for':1,'in':1},'tantalising':{'dream':1},'sky.':{'the':1},'web-footed':{'bird':1},'irregularities':{'of':1},'iron--and':{'is':1},'rung':{'on':1,'or':1},'voice--surely':{'one':1},'analytical':{'work':1},'freshwater':{'animals':5,'snail':1,'basins':2,'mammals':1,'fish':1,'polyp':1,'mussels.':1,'but':1,'.':1,'hydra':2,'race':1,'floods':1,'mussel':2},'steam':{'and':2,'or':2,'which':1},'captures':{'its':1},'venatici':{'is':1},'observer':{'the':1,'through':1},'condensed':{'and':2,'matter':1,'the':1,'to':1,'in':1},'observed':{'that':4,'phenomena':2,'had':1,'however':1,'one':1,'through':1,'in':1,'the':1,'.':1,'with':1,'by':1,'more':1},'tree-sloth':{'of':1},'arthropods':{'and':1,'such':1,'like':1,'which':1},'donations.':{'to':1},'torrents':{'of':1},'cattle':{';':1,'the':1},'miserable':{'specimen':1},'disappear.':{'illustration':1},'draws':{'for':1},'1917.':{'a':1,'this':1,'glass':1},'away':{'and':2,'the':3,'into':2,'back':1,'an':2,'down':1,'in':5,'from':10,'beneath':1,'when':2,'.':8,'chewing':1,'under':1,'is':1,'trillions':1,'altogether':1,'immediately':1,'by':3,'e.g':1,'many':1,'leaving':1,'entirely':1,'or':3},'sites':{'of':1},'unable':{'to':3},'drawn':{'on':2,'across':1,'into':3,'approximately':3,'.':1,'to':1,'in':4,'engraved':2,'by':2,'out':1},'previous':{'chapter':4,'energy':1,'experience':1,'one--the':1,'article':1,'line':1,'page':1,'day--a':1},'encounters':{'occur':1},'hatching.':{'reflex':1},'co.':{'harpy-eagle':1,'penguins':1},'circle--which':{'means':1},'we':{'forget':1,'soon':1,'discovered':1,'not':1,'go':3,'follow':1,'find':18,'discern':1,'had':2,'should':18,'to':2,'include':1,'might':3,'hope':2,'then':2,'get':18,'read':1,'watch':2,'cannot':29,'know':50,'presume':1,'mentioned.':1,'judge':1,'now':6,'dare':2,'arrange':1,'easily':1,'ever':1,'conceive':1,'leave':1,'continue':1,'lose':1,'found':2,'hasten':1,'mean':6,'often':1,'ascend':1,'briefly':1,'see':36,'are':47,'pass':2,'fail':1,'penetrated':1,'will':5,'detect':1,'confess':1,'may':41,'state':1,'learned':1,'approach':1,'exercise':1,'refer':1,'notice':1,'knew':1,'learn':1,'ascribed':1,'here':1,'imagine':1,'put':2,'come':3,'obtained':1,'received':1,'study':2,'owe':6,'agree':1,'turn':4,'usually':2,'think':6,'already':1,'can':39,'feel':1,'lengthen':1,'actually':1,'miss':2,'speak':6,'stare':1,'use':3,'described':1,'spoke':1,'would':3,'next':1,'start':1,'live':1,'call':26,'breathe':1,'wish':1,'understand':2,'gain':1,'believe':4,'must':42,'count':1,'look':4,'recall':1,'handle.':1,'aim':1,'suppose':1,'ought':1,'were':3,'could':13,'expect':1,'control':1,'compare':1,'have':124,'do':24,'almost':1,'describe':1,'moved':1,'consider':4,'say':6,'want':1,'need':4,'seem':3,'saw':13,'thought':1,'no':1,'belong':1,'take':4,'behold':1,'picture':1,'draw':2,'repeat':1,'connect':1,'utilise':1,'shall':23,'confined':1,'stop':1,'await':1,'reach':4,'reflect':2,'admire':1,'lay':1,'recognise':1,'remember':1,'emphasise':1,'reproduce':1,'allow':2,'hear':1},'rudimentary':{'gills':1},'terms':{'imposed':1,'of':21,'will':1,'experimenting':1,'from':1,'than':1},'discussion.':{'some':1},'wm':{'.':1},'bipeds--we':{'must':1},'enters':{'a':1,'the':3},'travellers':{'which':1},'clues':{'which':1,'in':1},'caledonia':{'which':1},'stricter':{'sense':1},'linkage':{'of':1,'between':1},'kitchen':{'.':1},'received':{'opinion':1,'the':4,'from':1,'written':1,'less':1},'climate':{'and':4,'a':1,'calls':1,'for':1,'of':2,'is':1,'became':1,'has':2},'pelomyxa':{'sometimes':1},'cox':{'arrangement':1},'ill':{'all':1,'suited':1},'nordics':{'afghans':1},'germinates':{'after':1},'cod':{'feeding':1,'family':1},'receives':{'a':1,'160':1},'unsunned':{'.':1},'disappears':{'before':1,'from':2,'in':1},'collecting':{'into':1,'centre':1,'centres':1},'tough':{'living':1},'soap':{'made':1,'bubble':4,'which':1},'ganymede':{'a':1},'engulfs':{'its':1,'it':1},'tons':{'on':2,'.':1,'in':1,'to':1,'of':6},'866400':{'--':1},'eventful':{'life-history':1,'thing':1,'day':1,'retention':1},'merchantibility':{'or':1},'speak':{'of':12,'the':1,'picturesquely':1,'unpacked':1,'got':1},'broadening':{'still':1},'sperm-cells.':{'the':1},'engines':{'.':1},'flexible':{'mounting':1},'thrice':{'the':1},'leech':{'called':1},'spermatozoon':{'has':1,'fertilises':1,'or':1},'repelled':{'by':1},'families':{'genera':1,'like':2},'innocent':{'seaweed':1,'creatures':1},'plebeian':{'crab-apple':1},'attacked':{'by':1,'however':1},'concerning':{'life':1,'tax':1,'the':1},'overtax':{'the':1},'millionth':{'of':2},'coherent':{'vane':1,'.':1},'them--a':{'common':1},'elvers':{'come':1,'snuggle':1,'.':1},'applied':{'to':7,'the':2,'however':1},'has':{'migrated':1,'enormously':1,'just':1,'developed':1,'over':1,'discovered':2,'ceased':2,'its':10,'captured':2,'certainly':1,'much':2,'torn':1,'had':3,'laid':1,'destroyed':1,'to':14,'only':2,'suffered':1,'guided':1,'happened':1,'meant':2,'his':1,'far':1,'attained.':1,'begun.':1,'five':1,'got':1,'not':8,'sorted':1,'now':3,'continued':1,'learned':2,'four':2,'annihilated':1,'lost':2,'always':2,'solved':1,'mastered':1,'become':14,'cooled':1,'declared':1,'often':3,'ten':1,'some':1,'somehow':1,'calculated':1,'gnawed':1,'begun':1,'led':2,'penetrated':2,'even':1,'shown':3,'said':2,'for':1,'frond-like':1,'yet':1,'written':2,'various':1,'moons':1,'probably':1,';':2,'ever':3,'claws':1,'attended':1,'recently':2,'risen':1,'however':1,'disappeared':1,'broken':1,'found':2,'put':1,'dissipated':1,'come':5,'thrown':2,'received':1,'great':1,'mingled':1,'language':1,'of':3,'changed':3,'conquered':2,'consequently':1,'raised':1,'already':1,'followed':1,'slipped':2,'instruments':1,'transit':1,'two':3,'brought':2,'agreed':1,'been':136,'reached':2,'precisely':1,'spawned':1,'given':5,'from':1,'fallen':1,'harnessed':1,'remained':1,'three':1,'long':1,'screened':1,'2':1,'wonderfully':1,'therefore':1,'passed':1,'taken':5,'slowly':1,'entered':2,'.':1,'more':2,'suggested':1,'himself':1,'thus':1,'completed':1,'occurred':1,'but':1,'known':1,'worked':1,'gills':1,'arisen':1,'carried':1,'made':3,'this':1,'shrunk':1,'moulted':1,'nine':1,'many':1,'tackled':1,'called':1,'gone':5,'proved':1,'played':1,'almost':4,'likewise':1,'turned':1,'an':4,'helped':1,'in':3,'affinities':1,'occupied':1,'shown.':1,'grown':1,'influenced':1,'built':1,'no':3,'divided':3,'also':1,'absorbed':1,'adapted':1,'degenerated':1,'effected':1,'added':2,'gradually':1,'eight':1,'plenty':1,'a':20,'succeeded':3,'endeavoured':1,'moved':1,'upset':1,'implied':2,'so':3,'very':1,'the':8,'realised':1,'left':1},'conviction':{'the':1,'that':1},'comprehension.':{'illustration':1},'air':{'and':4,'all':1,'there':3,'just':2,'is':6,'reaches':1,'as':1,'through':1,'at':3,'in':3,'from':1,'acts':2,'when':1,'.':13,'to':1,'which':3,'6':1,';':2,'has':4,'was':1,'into':1,'be':1,'we':1,'over':1,'goes':1,'on':1,'but':1,'underneath':1,'262':1,'struggle':1,'waves':1,'with':2,'by':3,'must':1,'a':3,'water':5,'of':1,'35':1,'loses':1,'will':1,'the':2,'or':1},'aim':{'of':2,'at':1},'voluminous':{';':1},'abrupt':{'and':1},'applies':{'also':1,'the':1,'whatever':1,'to':3},'aid':{'of':1,'.':1},'voice':{'we':1,'rose':1,'is':1,'broadened':1,'due':1,'but':1,'.':1,'became':1,'expresses':1,'the':1,'was':2,'becoming':1},'amphibians--the':{'reptilian':1},'cavern':{'of':3,'the':2,'179':1},'cylinder':{'of':1},'plover':{'has':1,'from':1},'have':{'planetary':2,'followed.':1,'quoted':1,'migrated':1,'scattered':1,'discovered':4,'sunk':2,'mentioned':2,'its':1,'just':9,'regarded':1,'had':2,'to':14,'only':4,'spread':2,'meant':2,'then':1,'good':1,'returned':1,'very':3,'furnaces':1,'words':1,'shared':1,'not':12,'now':1,'illustrated':3,'failed':1,'lost':1,'ceased':1,'always':1,'traced':1,'prolonged':1,'watched':1,'mastered':1,'dealt':1,'served':1,'cooled':3,'dwindled':1,'tenanted':1,'often':1,'burst':1,'acquired':1,'some':2,'direct':1,'identified':1,'carefully':1,'taught':2,'safeguarded':1,'further':1,'living':1,'shown':4,'said':9,'discovered--pulling':1,'missed':1,'apparatus':1,'definite':1,'behind':1,'won':1,'emerged':1,'moons':1,'rotted':1,'got':4,'learned':1,'ever':1,'told':1,'we':1,'full':1,'originated':1,'peculiarly':1,'sprung':1,'here':1,'reason':2,'will':1,'found':7,'put':3,'proceeded':1,'come':4,'gained':2,'on':2,'great':1,'reared':1,'journeyed':1,'of':4,'changed':1,'greatly':1,'conquered':1,'fallen':1,'already':5,'gone':3,'appeared':1,'delighted':1,'visible':1,'maintained':1,'another':2,'reached':1,'risen.':1,'given':2,'described':1,'become':8,'exposed':1,'three':1,'been':88,'their':7,'recognised':1,'combined':1,'passed':1,'resulted':1,'travelled':1,'closed':1,'thrown':1,'from':1,'lived':2,'lungs':1,'both':1,'moved':1,'differences':1,'occurred':1,'but':1,'taken':2,'heat':1,'races':1,'protections':1,'known':1,'probably':1,'worked':1,'removed':1,'entered':3,'arisen':4,'partially':1,'made':6,'succeeded':2,'this':1,'neap':1,'considered':1,'evolved':2,'many':2,'more':1,'called':1,'at':1,'admired':1,'seven':1,'chlorophyll':1,'proved':4,'remained':2,'is':1,'thus':1,'an':3,'astonished':1,'heard':2,'as':1,'something':1,'planets':1,'in':9,'seen':18,'apparently':1,'any':1,'grown':1,'varied':2,'inborn':1,'no':14,'rather':1,'lit':1,'also':2,'stimulated':1,'read':1,'several':1,'used':1,'what':2,'most':1,'discredited':1,'plenty':1,'nothing':1,'such':1,'yielded':1,'revealed':1,'a':25,'profited':1,'scarcely':1,'to-day':3,'bilateral':2,'stupendous':1,'nevertheless':1,'thought':1,'implied':1,'so':1,'lamented':1,'mechanical':1,'the':5,'counted':1,'bodies':1,'left':2},'crowning':{'instance':1,'examples':1,'advantage':1},'exceptionally':{'smooth':1},'sting':{'the':1,'which':1,'.':1},'trilobites':{'crustaceans':1,'illustration':1,'were':1},'brake':{'on':1,'.':1},'blame.':{'after':1},'comparative':{'anatomy':1,'distances':1,'nearness':1,'psychology':1,'sizes':3},'undulatory':{'movement':1},'brilliantly':{'luminous':1},'m.c.':{'.':1},'descent':{'of':6,'that':1,'from':1,'to':1},'conclusions.':{'the':1},'patent':{'and':1},'demonstration':{'of':1},'centre.':{'as':1},'punctuation':{'of':1},'varies':{'as':1,'.':1,'greatly':1,'periodically':1},'parasitism':{'it':1},'diplodocus':{'as':1},'sheltered':{'may':1,'life':1},'accumulating':{'a':1,'and':1,'age':1,'.':1},'monarch':{'of':1},'lithium':{'three':1},'crevices':{'among':1},'wheel':{'be':1,'rapidly':1,'that':1,'when':1,'is':1,'turned':1,'will':1,'as':3,'animalcule':1,'was':1},'independent':{'methods--one':1,'of':1,'orbits':1,'stellar':1,'lives':1,'existence':1},'86500':{'9':1},'hang':{'on':1},'evil':{'associations':1},'hand':{'feed':1,'and':8,'holds':1,'is':1,'some':1,'gregariousness':1,'as':2,'in':2,'miss':1,'from':1,'there':1,'when':3,'.':1,'till':1,';':1,'was':2,'thus':1,'it':1,'with':1,'made':1,'of':8,'sometimes':1,'so':1,'the':2,'where':1},'kinnaman':{'taught':1},'patagonia':{'there':1,'.':1},'nip':{';':1},'centred':{'in':1},'kept':{'lizzie':1,'from':2,'by':1,'for':1},'whereby':{'new':1,'the':1,'distinctively':1,'energy':1},'likes--and':{'the':1},'engrained':{'instinctive':1,'enregistered.':1},'wisps':{'of':1},'contact':{'information':1,'sy':2,'links':1,'information:':1,'.':1,'the':1,'with':2},'elongated':{'and':1,'palm-bones':1,'mobile':1,'outermost':3,'oval':1,'bodies':1},'furneaux':{'life':1},'centres':{'of':7,'drawing':1},'the':{'limited':1,'practicability':1,'psycho-analyst':1,'magnetic':5,'comparatively':1,'dynamic':1,'four':3,'chameleons':1,'aegir':4,'controversial':1,'oldest':6,'muzzle':1,'brackish':1,'physiological':3,'similarity':2,'sunlit':1,'fine-grained':1,'thinnest':2,'under':3,'humerus':1,'risk':5,'arboreal':5,'aurora':5,'oceans':1,'pigment':1,'smack':1,'coal-measures':1,'gratification':1,'east.':1,'fingers.':1,'conception':2,'bringing':1,'monkeys':2,'vast':9,'internally':1,'prize':1,'parrot':1,'present.':1,'correct':1,'danger-signal':1,'succession':2,'jumna':1,'jungle-fowl':1,'breast-bone':3,'cave-lion':1,'achievements':2,'force':3,'monotonous':1,'faintest':1,'excited':1,'feathers':6,'seas.':2,'nail':2,'surrounding':9,'second':18,'street':2,'infiltration':1,'inanimate':1,'blue':6,'change.':1,'unborn':3,'beaten':1,'consequent':1,'rest.':1,'reconstruction':2,'chromosphere':4,'new':21,'net':1,'protozoon':1,'surface--the':1,'evolving':1,'lithosphere':1,'men':6,'residual':1,'atoms':26,'seven-weeks-old':1,'protection':2,'ploughed':1,'aid':1,'active':4,'evolutionist':2,'cardboard':1,'contraction':2,'dry':19,'connaissance':1,'surface-atoms':1,'frog-hopper':1,'light.':1,'credit':3,'changes':5,'skull-cap':3,'diameter':3,'stray':1,'straw':1,'highly':1,'skull-walls':1,'visible':2,'medium':5,'total':6,'unit':2,'answers-back':1,'remainder':1,'arms':6,'dog-toothed':1,'mightiest':1,'calm':1,'water-spider':2,'type':2,'pistil':1,'females':3,'lungs':1,'wary':1,'horsetail':1,'whirling':1,'glass':6,'warm':2,'adult':3,'continual':1,'organic':1,'midst':1,'circumstances':1,'abundance':3,'word':10,'mimickers':4,'accomplishment':1,'eclipse':1,'worm':3,'roof':3,'theories':2,'mammalian':1,'era':2,'appendage':1,'animal.':1,'clock-work':1,'mud-fishes':1,'phrase':7,'alternating':1,'allantois':2,'serpent':1,'climax':3,'shore.':1,'powerfulness':1,'caution':1,'oil-sheet':1,'present-day':4,'advancing':3,'absolute':2,'end':22,'thing':2,'song':1,'nuts':2,'very':19,'hot':1,'significance':3,'answer':9,'ordinary':12,'ancestor':1,'massive':2,'poker':4,'rise':2,'minority':1,'mouths':2,'ptarmigan':2,'abdomen':1,'diagram':9,'dinosaurs':1,'wrong':2,'pearl-bearing':1,'vase':1,'domed':2,'types':1,'amoeboid':1,'leplay':1,'third':11,'spout':1,'headquarters':1,'greek':7,'green':8,'ultimate':4,'things':1,'sun.':13,'order':9,'wind':9,'blind':1,'interpretation':3,'alternation':1,'sheltering':1,'orang':7,'underside':1,'fore-limbs':4,'thesis':1,'ancients':2,'spontaneous':2,'famille':1,'breeding-place':2,'fit':1,'crew':1,'better':2,'woolly-haired':1,'production':3,'hidden':1,'gateways':1,'sea-water':3,'swim-bladder':1,'combination':2,'tree-stems':1,'young.':1,'revelations':1,'giraffe':1,'effects':2,'monarch':1,'stars;':1,'bank':2,'bread':1,'shadows':1,'dingo':2,'rocks':9,'good':4,'fertilised':8,'victory':1,'arrow':2,'side':4,'associative':1,'telescope.':1,'development':10,'telescope':10,'series':2,'principles':3,'solution':4,'contracting':1,'wave-lengths':1,'laboratory':3,'dawn':9,'ring':2,'pigments':1,'gibbon':5,'quality':5,'ice-sheets':1,'method':9,'reader':6,'heavenly':2,'revolving':1,'newly':4,'size':25,'langur':1,'foundation':12,'perception':1,'carcass':1,'wave-length.':1,'eternal':1,'strata':1,'free':4,'standard':1,'sensory':3,'skin.':1,'ancient':6,'formation':5,'struggle':15,'estimate':1,'heat':11,'ultra-violet':1,'publication':1,'enormous':5,'grasses':1,'days':1,'adjustment':1,'baltic':2,'purpose':2,'arrows':1,'wasp':2,'unlit':1,'peculiarity':1,'scissors':1,'thick':1,'ditch':2,'electronic':2,'mercury':1,'pelagic':1,'top':11,'neck':4,'heights':1,'legs':2,'genesis':1,'vapoury':1,'kiwi':2,'fiery':1,'instreaming':1,'fibrous':1,'diversified':1,'sciences.':1,'bell.':1,'floor.':1,'wisdom':1,'nurse-frog':1,'glumes':1,'somewhat':2,'evil':1,'peculiar':2,'flightless':1,'distance':13,'yerkes':7,'tree':2,'atom.':1,'final':5,'project':31,'matter':7,'flame':1,'historical':2,'shore-waters':1,'feeling':1,'acquisition':1,'groaning':1,'pliocene':5,'mind':18,'spectrum':9,'raw':4,'seed':1,'manner':1,'nervures':1,'rock-pool':1,'relatively':8,'strength':1,'prehensile':1,'thoroughly':1,'latter':7,'potentialities':1,'snow':3,'sound':3,'toothed':1,'subjects':1,'doors':2,'beta-rays':1,'shallow':2,'permian':8,'multicellular':1,'king-crab':1,'centres':1,'changefulness':1,'vermiform':2,'mouth':10,'letter':2,'echoes':1,'coil':4,'nutritive':1,'refractor':2,'ultramicroscope':1,'photosphere.':1,'episode':1,'professor':1,'metal':3,'dog':5,'orderly':1,'points':2,'principle':5,'sun':188,'nineteenth':8,'notion':2,'marvel':1,'pollen':1,'spikelets':1,'insects':2,'sea-anemone':4,'attempts':1,'subtle':1,'availability':1,'lessons':1,'ear.':1,'resemblance':5,'quaint':2,'pleistocene':2,'sentence':1,'geologist':2,'fifty-foot':2,'rich':1,'gods':1,'population':3,'plate':4,'mixture':2,'above':11,'fluid':2,'foremost':1,'bat':3,'covering':1,'bay':1,'discs':1,'contrast':2,'freshwater':6,'ears':1,'lettering':1,'observer':1,'habit':5,'radium':4,'outgoing':1,'zones':1,'tree-sloth':1,'full':14,'radius':1,'result':15,'disturbing':1,'rarity':2,'best':4,'subject':4,'pebbles':1,'capacity':2,'palaeolithic':2,'rings':1,'artificial':1,'paternal':1,'mud':7,'score':2,'toad':3,'simplest':9,'approach':1,'hatching.':1,'discovery':23,'terms':12,'nature':23,'confusion':1,'weak':1,'physicist':5,'sand-crab':1,'lurching':1,'larynx':1,'aquarium':1,'extent':2,'carbon':1,'flowering':1,'debt':1,'well-lighted':1,'kitchen':1,'tyranny':3,'behaviour':16,'climate':3,'outcome':13,'sperm-producer':1,'triggers':1,'earth.':7,'heating':1,'feathering':1,'cod':2,'distinction':2,'genus':1,'fore-leg':2,'repertory':1,'discolorations':1,'inquisitive':1,'purling':1,'path':5,'grazing':1,'sperm-cells.':1,'basis':3,'union':3,'three':6,'tiny':3,'trigger':6,'interest':1,'fry':2,'exactness':1,'spermatozoon':3,'life':7,'beach.':1,'deeper':2,'plebeian':1,'eastern':1,'abyssal':1,'conifers':1,'millionth':2,'mazy':1,'child':6,'elvers':1,'centrosome':1,'ether.':1,'exception':1,'adaptations':1,'air':39,'aim':1,'neat':1,'fainter':1,'property':1,'study':6,'natives':1,'seven':3,'crowning':1,'equator':5,'photographer.':1,'player':1,'comparative':3,'undulatory':1,'mouse':1,'descent':2,'belle':1,'punctuation':1,'daughter-units':2,'siamang':1,'complex':1,'peopling':3,'belly':1,'reptilian':2,'vegetable':1,'snow-line':1,'several':1,'european':2,'wheel':7,'independent':1,'georgics':1,'milky':13,'tops':1,'rain':1,'hand':9,'characters':1,'tune':1,'tassel':3,'stimuli':1,'ocean':5,'materials':1,'greatest':13,'arrow-worms':1,'claims':1,'marsupials':1,'musical':1,'left':5,'sea-skimmers':1,'just':1,'planetesimals':1,'vaporisation':1,'sporting':1,'mending':1,'disguise':2,'neanderthalers':1,'human':25,'facts':15,'yes':1,'emergence':7,'previous':3,'thyroid':3,'terrific':1,'hills':2,'infinitely':1,'old-fashioned':1,'royal':1,'salmon--forming':1,'evidences':3,'thickening':1,'long-lost':1,'board':1,'gaboon':2,'east':1,'eocene':2,'laying':1,'elevation':1,'advances':1,'survival':1,'sussex':1,'vulture':1,'possible':3,'forester':1,'photosphere':9,'birth':2,'partridge':1,'shadow':2,'rough-and-tumble':1,'shoulder':1,'war.':2,'insurgent':1,'precise':3,'sand-hoppers':2,'autumn.':1,'x-rays.':1,'enregistered':2,'mosquito':2,'night':1,'amoebae':1,'portuguese':2,'right':12,'old':13,'people':2,'crown':2,'dead':1,'clawed':1,'winds':1,'inorganic':2,'rill':1,'intellect':1,'orchid':1,'dense':1,'rhine':1,'bottom':6,'ear':7,'opposite':5,'fox':2,'distrust':1,'ice':3,'flounder':2,'loins':1,'tertiary':1,'seals.':1,'colour-cells':2,'beating':2,'monkey-ape-man':1,'palatable':1,'energy':36,'illustration':5,'cork':1,'shifting':1,'capacious':1,'flinty-shelled':1,'blackest':1,'properties':2,'chapter':1,'skin-twitching':1,'limitation':1,'boiling':1,'cloudlets':1,'ribs':1,'o':1,'wave-length':1,'horizon':1,'herring-gull':1,'efforts':1,'ores':1,'lamprey':1,'primitive':3,'cloud-screen.':1,'dilemma':1,'variations':1,'scantier':1,'peppered':1,'son':1,'contrasts':1,'bricks.':1,'doctrine':1,'spores':1,'palaeozoic':4,'indispensable':1,'flying':9,'sunlight':7,'class':2,'conservation':1,'physicists':2,'fraction':1,'dorsal':1,'war':4,'lowest':5,'head':8,'marten':1,'form':10,'fully-formed':1,'becoming':1,'differences':2,'peninsula':1,'quiet-flowing':1,'same.':1,'solar':35,'minuteness':2,'true':5,'otter':3,'continuance':3,'reproductive':2,'ancestral':1,'bounds':1,'centipede':1,'economic':1,'bird-dropping':1,'egg-eating':1,'palm':1,'cosmos':1,'stages':1,'temper':1,'passenger':1,'juvenile':2,'strengthening':1,'hotter':1,'heidelberg':4,'seeds--and':1,'mirror':2,'palm;':1,'evidence':2,'candle':1,'ship':3,'physical':4,'mediterranean':3,'solicitation':1,'inborn':3,'floor':8,'font-de-gaume':2,'negatively-electrified':1,'tip':4,'reality':3,'successful':2,'nestling':1,'setting':2,'papers':1,'superfluous':1,'robber-crab':5,'picture':7,'ordovician':2,'palms':1,'teats':1,'braking':1,'diet':1,'genealogical':2,'irs.':1,'dullest':1,'discharge':2,'thorax':1,'immemorial':1,'stamens':2,'bullet':2,'daily':1,'collared':1,'gorilla':4,'reception':1,'time':19,'skull-cap.':1,'serious':1,'nuclei':1,'tigris':1,'breadth':1,'irrigation':1,'concept':1,'chain':1,'limbless':1,'colour-change':1,'varying':3,'brownian':4,'focus':1,'hind-legs':2,'nerve-cord.':1,'skin':14,'jointed-footed':1,'primeval':4,'retention':1,'layers':2,'inverse':1,'essentials':1,'father':5,'passage':4,'environment':4,'unpleasant':1,'reptiles':2,'walking-fish':2,'ulna':1,'division':1,'protective':2,'month.':1,'advantage':2,'rotifer--we':1,'liability':1,'aesop':3,'first-known':1,'nesting':1,'exact':2,'minute':3,'cool':1,'dim':1,'level':4,'sedimentary':3,'gum':1,'magnet':4,'crustacean':1,'backboneless':2,'speculation':1,'accumulation':1,'upper':23,'work':19,'occurrence':3,'findings':1,'full-grown':2,'piltdown':5,'hair.':1,'trent':4,'bacteria':2,'spectral':1,'leaf-butterfly':1,'constitution':4,'assistance':1,'axes':1,'stomach.':1,'current':6,'supporting':2,'coccyx':1,'honour':1,'hairs':3,'evolution-idea':4,'anvil.':1,'whiteness':1,'water':49,'guise':1,'cave-bear':1,'twentieth':1,'address':1,'dwindling':2,'teacher':1,'change':5,'pearly':8,'brilliant':1,'shift':2,'dublin':1,'trial':2,'stomachs':1,'suggestion':3,'weird':1,'copper.':1,'mimicked':4,'elect':1,'seashore':8,'littoral':2,'cuttlefishes':3,'working':2,'sake':1,'positive':2,'anatomical':2,'prey':2,'flaunting':1,'negroes':1,'australian':6,'angels':1,'fish-eating':1,'diurnal':1,'water-ouzel':1,'apparent':3,'malay':1,'minnows':2,'appendix':1,'virtue':1,'cases':1,'easiest':1,'opossums':2,'sum-total':1,'sea-anemones':2,'cat':1,'hardest':2,'jetsam':1,'mortality':1,'following':6,'making':7,'fauna':6,'coral':3,'stimulating':1,'streak':1,'heart':6,'portals':1,'wrist-bones':1,'reflector':2,'figure':5,'frogs':1,'bulkiest':1,'stroke':1,'chin':1,'octopus.':1,'rays':15,'requirements':1,'winter':5,'comb-bearers':1,'inheritance':1,'dispositions':1,'means':4,'species':3,'chemical':6,'vital':5,'candle.':1,'fourth':4,'elephant':4,'dominance':1,'economy':1,'burrowing':1,'southern':3,'date':2,'behaviour--experimenting':1,'man':6,'branches':10,'outline':9,'liquid':4,'unimportant':1,'corona':3,'darkened':1,'african':2,'basket':1,'bolometer':1,'outflowing':2,'shield':1,'gradual':6,'pointed':1,'years':1,'brain':23,'experiments':6,'statements':1,'cold':4,'insurgence':2,'birds':3,'tendency':5,'nucleus.':2,'solitary':1,'limbs':1,'ice-fields':2,'thumb':5,'rhizopods':2,'interesting':3,'presence':4,'flesh-and-blood':1,'aquitania':1,'attraction':1,'creations':1,'spacious':1,'main':28,'meridian':2,'bird.':1,'evolution':45,'records':3,'archaeozoic':1,'tails':1,'water-shrew.':1,'not':1,'widespread':1,'halo':1,'term':2,'name':4,'seaweed-growing':1,'advent':1,'gill-slits':1,'careless':1,'jellyfish':2,'rock':9,'turtle':2,'sugary':2,'square':3,'reeds':1,'torch':1,'treacherous':3,'challenger':1,'fires':1,'year':6,'monitors':1,'neighbourhood':1,'living':18,'factors':6,'amnion':2,'greeks':3,'increase':2,'miles':1,'ladder':1,'overflowing':1,'ascendant':1,'theory':14,'soap-bubble':1,'divergence':3,'possibility':12,'quite':1,'quart':2,'intruding':1,'advantages':2,'sunlight.':1,'fuller':1,'obligation':1,'marine':2,'inevitable':1,'card':2,'care':1,'advance':2,'language':1,'selections':1,'transition':5,'british':5,'ostrich':1,'motion':2,'disguises':1,'place':8,'invalidity':1,'deep-sea':4,'close-set':1,'star':6,'frequent':2,'first':71,'origin':14,'one':21,'long':15,'conifer':1,'message':6,'open':29,'millions':3,'sheep':3,'little':5,'law':3,'silent':1,'spiral.':1,'bite':1,'callous':1,'plastic':1,'stimulation':1,'plains':2,'cooling':2,'2':1,'pockets.':1,'moisture':1,'white':11,'lingering':1,'vapours':1,'gravelly':1,'eyes':8,'way':18,'starfish':1,'brains':2,'canine':1,'seat':3,'photographic':9,'splendid':1,'pterodactyls':2,'cracks':1,'effective':1,'three-spined':1,'crowded':1,'coco-palm':1,'future':11,'fertilisation':1,'cards':2,'gigantic':1,'mariner':1,'photosynthesis':1,'sublime':3,'coconut':1,'rooks':1,'spectroscope:':1,'ant':3,'spectroscope.':1,'lens-shaped':2,'buried':1,'maximum':1,'zoo':1,'snout':2,'sciences':1,'potential':1,'fracture':1,'online':2,'interior':7,'performance':2,'jungle':5,'closer':1,'sure':1,'chromosomes':1,'normal':4,'azores':1,'indelible':2,'price':1,'molecule':1,'falls':2,'visitors':1,'beta':5,'successive':5,'pair':1,'thigh-bone':1,'average':7,'freshwaters':9,'hungry':1,'bustard':1,'tooth':1,'idea.':1,'quiescent':2,'salt':1,'laws':4,'detective':1,'walking':1,'discoverer':1,'merit':1,'gill-cover.':1,'bright':3,'threshold':1,'line':7,'ground':23,'slot':2,'nemesis':2,'ratio':2,'gulf':1,'germ-cell':1,'treasure':1,'proportion':2,'only':13,'down-breaking':1,'black':5,'uppermost':1,'down-rushing':1,'lighted':1,'supra-renal':2,'bittern':1,'freezing':1,'midriff':1,'truly':1,'duckmole':4,'remoter':1,'mud-flats':1,'negative':4,'lighter':2,'primates':4,'clearest':1,'pollen-nucleus':1,'fanciful':1,'parasitic':1,'morning':2,'naked':2,'penguins':1,'sea--the':2,'london':1,'pituitary':1,'vision':1,'kernel':1,'oven':1,'seas':6,'lancelets':1,'silurian':4,'stars--or':1,'relative':4,'1921':1,'stigma':1,'concentric':1,'wonder':2,'ways':5,'subsequent':1,'sites':1,'under-skin':2,'colours':4,'outside':4,'chimpanzees':1,'moons':2,'man.':2,'volvox':1,'notice':1,'parent':10,'eye':20,'screen':7,'rapidly':1,'big-brain':4,'sea.':5,'proterozoic':1,'article':2,'cities':1,'dates':1,'successes':1,'many':1,'region':2,'sodium':1,'quiet':1,'altamira':4,'man-ape':2,'flipper':3,'wheels':1,'expression':4,'surface.':2,'moon;':1,'generalisation':1,'brightly':1,'color':1,'colony':3,'period':7,'spinthariscope':1,'learning':1,'boar':1,'constant':1,'pod':1,'skeletons':2,'sun-spots':1,'fitful':2,'late':5,'west':3,'shortening':2,'combined':1,'reflex':1,'exhaustion':1,'fiftieth':1,'direction':9,'gist':2,'circumference':2,'haunt':1,'sea-horses':1,'external':3,'infusorians':1,'careful':2,'spirit':2,'robber':1,'case':37,'breast.':1,'caucasians':1,'developing':4,'co-ordination':1,'mount':4,'prominence':1,'dints':1,'situation':2,'margin':3,'moon.':1,'coolest':2,'characteristics':2,'nautical':2,'middle':5,'regularity':1,'sudden':3,'tse-tse':1,'eras':1,'unsounded':1,'beaver':5,'jackdaw':1,'floating':6,'movements':9,'rungs':2,'helmet':1,'different':8,'alphabet':1,'same':99,'eggs--up':1,'food':10,'inquiry':2,'agitated':1,'grain':1,'status':1,'oyster-catcher':1,'oil':1,'vestigial':2,'arctic':1,'director':1,'running':1,'edges':5,'delicate':3,'equatorials':1,'changing':2,'perennial':1,'constitutional':1,'severe':2,'frontispiece':1,'bottle':1,'model':1,'otherwise':1,'bodies':1,'overcrowding':2,'summer':3,'money':1,'armour':1,'egg-cell':1,'rest':6,'down-drifting':1,'rule.':1,'potentiality':1,'differentiation':1,'speed':16,'captured':1,'death':2,'widest':3,'hint':1,'bricks':3,'golden':1,'geological':6,'meteorite':1,'hind':2,'dovecot':1,'heavier':3,'skies':1,'real':2,'bitterling':3,'spectacular':1,'rules':1,'outermost':1,'non-digitate':1,'tissues':2,'early':13,'water-measurers':1,'vacuum':1,'cavern':3,'world':46,'part':7,'left-hand':3,'sensational':1,'fossils':2,'oxygen':3,'exquisitely':1,'velocities':1,'multifarious':1,'sieves':1,'benefit':1,'downward':1,'sharp':1,'twelve':1,'night-light':1,'exposed':1,'splash':1,'cathode':1,'pacific':2,'astronomer':6,'duration':1,'pasture':1,'racial':1,'ascent':6,'extinct':3,'gross':1,'calculating':1,'prolific':2,'intricacy':1,'memories':2,'tube':11,'moon':76,'pioneer':3,'critical':2,'lunar':2,'particles':12,'others--the':1,'welcome':1,'wheat':2,'buckling':1,'power':16,'sixth':2,'nails':1,'stereotyped':2,'substratum':1,'broken':1,'alps':1,'resurrection':1,'comparison':1,'stone':1,'ear-trumpet':2,'central':9,'piety':1,'insect':9,'shrimp':1,'addition':1,'wolf':3,'act':3,'pre-human':1,'amber':1,'freeing':1,'lands':2,'fertile':2,'sea-grass':1,'burning':1,'instruments':1,'spreading':1,'surinam':1,'spinal':4,'sneering':1,'rising':1,'elementary':1,'mark':1,'shrinking':2,'shells':1,'bristles':1,'literal':1,'dispersion':1,'strict':3,'world--weighs':1,'low':1,'stars':39,'house':2,'macaques':1,'hen':1,'bubble':4,'fish':6,'continents':3,'mammals':4,'prawn':1,'manipulative':2,'strenuous':1,'elimination':1,'parasites':2,'hottest':1,'land.':1,'wild.':1,'pull':1,'largest':9,'circulation':2,'stoneless':1,'multiplicity':1,'electroscope':1,'nearest':7,'pre-cambrian':1,'grasp':1,'shell.':1,'grass':3,'mimicked.':1,'moles':2,'vedda':1,'dangerous':1,'sinking':1,'lingula':1,'deep':10,'general':23,'imagination':3,'sun--measuring':1,'at':1,'planets':19,'cathedral':1,'corresponding':3,'film':3,'tedious':1,'beds':2,'inflated':1,'shore-haunt':6,'field':4,'prism':3,'polar':8,'vocabulary':1,'bacillus':1,'shelter':2,'planet.':1,'carnegie':2,'important':5,'nucleus':12,'marshes':1,'environing':1,'queensland':1,'sun--a':1,'pool':3,'network':1,'building':1,'condensation':2,'remote':1,'difficulties':7,'mimic':2,'tree-tops':1,'ovary':1,'starting':1,'original':13,'pheasant':1,'skeleton':2,'founder':1,'peacock':1,'lack':1,'muscle-fibres':1,'milt':1,'month':9,'light-waves':1,'upkeep':1,'welfare':2,'plodding':1,'causes':1,'synthetic':2,'stored-up':1,'number':14,'remarkable':2,'inexhaustible':2,'former':1,'tail':10,'boiling-point':1,'friction':1,'safety':3,'presentation':1,'activities':1,'turnips':1,'worse':1,'devonian':8,'chameleon':2,'far':9,'coloured':5,'worm.':1,'psychologist':1,'verb':1,'fan':1,'sandstones':1,'fall':3,'difference':2,'forking':1,'accompanying':1,'stimulus':2,'ceaseless':1,'list':1,'applicable':1,'caucasian':1,'large':9,'sand':1,'three-millionth':3,'small':11,'mammal':6,'locomotive':2,'trumpeting':1,'still':2,'fringing':1,'cannonade':1,'197':1,'reins':2,'past':16,'intricate':1,'rate':10,'invention':1,'double-slide':2,'creatures':1,'lung-fishes':1,'swampy':1,'darkness':2,'consumers':1,'clock':3,'deeply':1,'crust':2,'emotions':1,'thickness':3,'public':3,'multitude':1,'movement':2,'creature.':1,'toes':1,'malaria':2,'martians':1,'compilation':1,'loose':3,'component':1,'answers':3,'hours':1,'threads':2,'trunk':1,'directions':1,'strong':2,'transformation':2,'search':2,'teeth':5,'difficulty':1,'riviera':1,'experimenting':3,'unproved':1,'amount':3,'social':3,'action':4,'slope':2,'narrow':2,'elongated':2,'cataract':1,'tides.':1,'family':1,'spawning':3,'utilisation':2,'chalk':1,'globes':2,'vertebrae':2,'extinction':1,'herring':1,'life-histories':2,'taker':1,'eye--we':1,'two':30,'almost':4,'cultivation':1,'soil':3,'mysterious':4,'jurassic.':1,'ovules':2,'minor':1,'more':18,'scotia':1,'door':2,'substances':1,'text.':3,'emission':1,'chimpanzee':5,'instrumental':1,'stick':3,'particular':9,'foundations':1,'straight-haired':1,'weathering':3,'presumed':1,'fleece':1,'primate':2,'science':3,'centrifugal':1,'moisture-laden':1,'lung-fish':1,'lamp-shell':2,'male':18,'radiations':1,'history':14,'beautiful':6,'shark':1,'nautilus':1,'brown':8,'wave.':1,'brain-mind':1,'autumn':2,'sphere':1,'sense':10,'pond':3,'dress':1,'offspring':2,'salts':3,'axis':1,'terrestrial':4,'huge':3,'upbuilding':1,'starting-point':2,'breaking':1,'milk':1,'oligocene':2,'everyday':2,'glowing':2,'friction.':1,'sacred':1,'freezing-point':3,'daughter-cells':1,'creature':17,'simplicity':1,'plant':5,'salt.':1,'paloloworm':1,'trial-and-error':1,'triumphs':2,'plane':1,'pupae':1,'adventure':1,'polynesian':1,'waves':20,'invasion':4,'inconceivable':1,'a':1,'short':4,'dispersion--that':1,'coat':1,'spectra':1,'buns':1,'coal':1,'shore':34,'tentacles':2,'fundamental':8,'egg':4,'triassic.':1,'bustle':1,'pans':1,'infant':1,'earthworm':3,'help':1,'copper':1,'winged':1,'much-disputed':1,'mission':1,'cross':2,'attitude':1,'scientist':1,'lanugo':1,'existence':5,'kinetic':1,'visceral':1,'roots':2,'thirtieth':2,'arteries':1,'thrilling':1,'systema':1,'tickings':1,'lateral':1,'conjugation':1,'actually':2,'bell-animalcules':1,'absence':4,'parts':4,'microscopic':4,'founders':1,'mammal--instinctive':1,'partitions':1,'sheaves':1,'lowell':1,'evening':1,'reappearance':1,'motley':1,'males':2,'primary':5,'framework':2,'walls':5,'iridescent':1,'foot':2,'linking':1,'adventurous':1,'association':2,'cambrian':8,'mystery':2,'slipper':3,'mathematician':3,'ashes':1,'positions':1,'neanderthalers--the':1,'cavendish':1,'physiologically':1,'heavy':3,'reactions':1,'mental':4,'weight':1,'wall-like':1,'colder':1,'hare':3,'notochord':3,'ripple':1,'balance':3,'event':1,'croaking':2,'really':1,'mottled':1,'neanderthal':12,'pigeon':3,'abysses':3,'nautiloids':1,'fountain':1,'dying':1,'issue':1,'prominences':1,'meteoric':1,'foreground':1,'belief':1,'protruding':1,'story':19,'extraordinary':4,'reason':8,'base':6,'brightest':1,'members':7,'heads':2,'earliest':7,'beginning':39,'revolutionary':1,'producers':2,'albatross':1,'american':1,'fruit':1,'circuit':2,'expedient':1,'mangrove-trees':2,'solidly':1,'knots':2,'flood':1,'reversing':1,'moorhen':2,'probability':5,'radical':1,'bullies':1,'song-thrush':2,'antiquity':2,'well-known':3,'dust':2,'scots':1,'warty':3,'soapy':1,'earthworms':2,'idea':10,'horse':10,'tadpoles':2,'temperature':16,'introduction':2,'leading':1,'light-gatherer':1,'least':5,'assumption':1,'statement':2,'scheme':1,'danger-call':1,'muscles':3,'storm':2,'glow':1,'tides--another':1,'immediate':3,'basal':1,'treasures':1,'parr':1,'rifle':1,'prodigious':1,'selenium-cell':1,'modes':1,'kind':5,'observatory':1,'tunic':1,'kindly':1,'parent--little':1,'double':2,'vocal':1,'recording':1,'contrary':1,'risks':5,'egg-cells':1,'head.':1,'playing':3,'anthropoid':10,'stickleback':3,'outstanding':1,'heaviest':3,'ages':8,'well-developed':1,'colour-resemblance':1,'elaboration':1,'egg.':3,'hare--with':1,'organs':1,'gathering':1,'mountain':5,'dancing':3,'speculative':1,'cave':1,'peculiarities':1,'majority':3,'internal':4,'lip':1,'useless':1,'day.':1,'play':3,'electric':13,'capillaries':1,'eggs':21,'measures':1,'salmon':17,'depths':5,'most':67,'alpha':2,'extremely':2,'approved':1,'head-end':1,'equatorial':2,'whalebone':1,'prolongation':2,'clear':1,'instrument':6,'transmissibility':1,'seething':1,'electrons':15,'artistic':1,'velocity':5,'notch':1,'organism':6,'stones':5,'far-flung':1,'open-minded.':1,'gold':1,'fins':1,'wayside':1,'relation':2,'heavens':18,'fine':7,'find':1,'impact':2,'giant':1,'copyright':6,'spineless':1,'nervous':1,'earth-moon':1,'experiment':3,'quadrupedal':1,'circle':1,'indifference':1,'cromagnards':1,'hip':1,'dominant':1,'gains':3,'permission':2,'adventurers':1,'sunny':1,'shore-pools':3,'germ-cells':6,'earth--as':1,'actions':1,'compass':1,'journey.':1,'eye-piece':3,'chick':1,'sleeve':1,'body.':1,'alteration':1,'underlying':1,'common':9,'liver-fluke':1,'river':6,'californian':1,'rhodesian':4,'bars':1,'estuaries':1,'intelligence':3,'touch':2,'individual':15,'migration':1,'long-fingered':1,'walking-stick':1,'close':1,'precursors':1,'arm':3,'spirited':1,'probable':1,'distinctive':1,'taming':1,'smallest':8,'various':13,'conditions':7,'aeons':1,'supposed':1,'beetling':3,'iron':5,'unconscious':2,'web':1,'sole':2,'jaws.':1,'craters':1,'spectroscopic':1,'eustachian':2,'incident':1,'invisible':7,'inertia':1,'colonisation':1,'prospects':1,'last':16,'reverse':1,'distinctively':1,'annual':1,'harpy':1,'sensitive':1,'connection':2,'amoeba':1,'picture.':1,'earth--an':1,'cloud-like':1,'whole':42,'experimental':1,'sloth':1,'point':6,'simple':7,'others':1,'proton':1,'newborn':2,'unicellular':1,'puzzle-boxes':1,'incandescent':1,'unsuccessful':1,'lamprey--a':1,'startling':1,'moon--the':1,'java':8,'miocene':3,'originators':2,'crocodiles':1,'damp':1,'vertebrate':1,'intricacies':1,'secret':6,'maintenance':1,'widening':1,'yolk-laden':1,'empty':4,'modern':25,'flight':1,'squirrel':2,'fire':2,'gas':2,'amphibians':4,'gap':1,'races':1,'formless':1,'indivisible':1,'plants':5,'top--the':1,'solid':5,'straight':1,'bill':1,'routes':1,'pace':1,'error':1,'robin':1,'underground':2,'fore-limb':3,'century':1,'moth':2,'obstacle':2,'cerebrum':1,'simian':3,'atom--the':1,'currents':1,'twofold':1,'forewing':1,'undersides':1,'beune':2,'shorter':1,'stimulated':1,'shad':1,'ray':3,'yucca':6,'composition':2,'higher':14,'unwary':1,'used':1,'optic':1,'u.s.':1,'moving':6,'user':1,'dark':9,'lower':16,'older':1,'spectrum.':1,'people.':1,'consistence':1,'obviously':1,'person':4,'edge':5,'meridian.':1,'scouring':1,'distances':4,'endeavour':1,'migratory':1,'matter.':1,'isolated':1,'shape':7,'atomic':2,'questions':1,'useful':2,'praying':2,'continent':2,'spinners':1,'profitable':3,'superficial':1,'conclusions':1,'scales':3,'humanoid':3,'source':8,'parents':3,'remaining':3,'silken':2,'overhanging':1,'forces':6,'big':11,'sensatory':1,'game':1,'necessary':1,'bit':1,'earth--making':2,'wings':11,'vapour':1,'ponds':1,'photosphere--the':1,'tail.':2,'neanderthaler':1,'shapes':1,'bootlace':1,'well-poised':1,'individuals':1,'popular':3,'disorder':1,'essential':9,'gibbon.':1,'methods':3,'course':24,'spring':3,'last.':1,'back':15,'yolk':1,'diamond.':1,'martian':1,'mighty':1,'sight':1,'steam-engine':1,'curious':1,'gradually':1,'scale':6,'microbes':1,'flux':1,'fifty-millionth':1,'bushy-tailed':1,'pounding':1,'comet':5,'egg-shell':2,'scaly':1,'life-history':3,'object':3,'universe.':3,'protrusible':1,'nasal':1,'agreement':1,'forming':1,'stem':1,'step':1,'more-pork':1,'race--there':1,'nerves':1,'tidal':1,'intense':1,'analysing':1,'web-wing':1,'tortuous':1,'ear-bones':1,'range':2,'gamma':1,'conquest':5,'appropriate':2,'chalk-forming':2,'deep-violet':1,'question':12,'gases':1,'frog':4,'mimicry':2,'mountains':4,'glamour':1,'moon--meteors':1,'atlantic':5,'legs.':1,'atom':27,'adults':1,'coldest':1,'crane':2,'dull':1,'drifters':1,'skull':5,'characteristic':2,'spectroscope':32,'sifting':4,'stalking':1,'planet':17,'exploration':1,'mature':1,'diameter.':1,'sea-urchin':1,'x-ray':1,'non-living':1,'aerial':1,'protrusive':1,'flow':5,'paving-stones':1,'influence':2,'entrance':3,'metals':1,'char':1,'problem.':1,'single':1,'diving':1,'kidney':1,'cotton':1,'rainbow':4,'intrepid':1,'puzzling':1,'prerogative':1,'uranium':2,'occasional':1,'reputation':1,'electrical':1,'amphibian':2,'milk-glands':1,'elements':4,'small-brained':1,'energetic':1,'beginnings':3,'crouching':1,'backbone':8,'problems':1,'lens':2,'meaning':9,'restoration':7,'fruit-fly':1,'fishes':8,'stoppages':1,'sides':4,'structure':8,'land':7,'age':8,'orbit':2,'unhatched':2,'big-brained':2,'once':3,'hampton':2,'saying':1,'results':9,'mantle':2,'aristocrat':1,'conservative':1,'disintegration':2,'magnifying':1,'depletion':1,'young':42,'arid':2,'cradle':5,'blaze':1,'masculine':2,'coco-palms':1,'details':2,'gravel':1,'little-brain':5,'stupefying':1,'breathing':2,'club-moss':1,'wave':1,'electron':19,'entire':7,'archaeopteryx':2,'stiff':1,'fur':1,'button':1,'anxious':1,'race':10,'verdict':1,'sedentary':3,'poles.':1,'blood-fluid':1,'elk':1,'smaller':5,'booty':1,'lightest':3,'procession':3,'euphrates':1,'rivers':9,'noise':1,'munitions':1,'sifting-out':1,'makers':1,'scientific':9,'south':10,'zest':1,'opaque':1,'waning':1,'paddle':1,'hereditary':1,'ape-man':1,'indian':3,'poles':4,'flowing':1,'bird':18,'body':50,'hypothesis':3,'degree':3,'leg':4,'kangaroo':1,'outlying':1,'youngest':2,'growing':1,'river.':1,'boot.':1,'separation':2,'frilled':1,'consideration':1,'physiology':1,'little-brained':1,'extreme':1,'stellar':4,'great':80,'northern':1,'wandering':1,'larger':5,'haunts':3,'resulting':1,'mussel':1,'guidance':1,'apple':1,'danger':1,'round-mouths':1,'wit':3,'motor':5,'oval':2,'precursor':1,'singing':1,'ape':2,'nest':13,'use':9,'fee':2,'adaptation':2,'stream':8,'remains':9,'cretaceous':3,'next':14,'few':1,'contractile':1,'crab':9,'vehicle':2,'eagles':1,'doubling':1,'simpler':2,'mammoth':2,'sort':1,'grandest':3,'clever':1,'inclined':4,'rarest':1,'bodily':2,'rabbit':1,'baby':1,'gambian':2,'harvest':2,'sea-floor':2,'animals':11,'embryos':5,'lapse':1,'recession':1,'obvious':1,'thin':1,'closing':3,'interlinked':1,'proof':1,'control':3,'weaker':1,'corpuscular':1,'process':10,'purposes':1,'pieces':1,'high':5,'electro-magnet':1,'non-radiant':1,'water.':1,'bones':2,'wonderful':7,'voice':8,'class.':1,'united':13,'varied':2,'defective':1,'shasta':1,'nearness':2,'arrangement':4,'cycads':1,'need':2,'seeds':4,'forest':7,'animal':43,'hormones':1,'mysteries':1,'intelligent':2,'stock':1,'cave-men':1,'maternal':1,'yolk-sac':1,'gill-clefts':1,'waters':7,'thunderstorm':2,'collection':2,'tack':1,'wrist':2,'trees':7,'multiplication':4,'venation':1,'famous':2,'snail':3,'light':39,'lines':6,'interrupted':1,'element':3,'chief':9,'okapi':2,'alloy':1,'locomotor':2,'mud-minnows':1,'immensity':1,'longest':7,'spider':8,'evolutionary':4,'thigh':1,'unpalatable':1,'minnow':1,'egg-laying':1,'nerve-cord':1,'earth':193,'triassic':6,'polished':1,'brittle':1,'bunch':1,'industries':1,'1':2,'outer':7,'exclusion':1,'positively-electrified':1,'coral-reefs':2,'hermit-crab':7,'meantime':1,'beginning--whatever':1,'permanent':1,'duckweed':1,'molten':1,'world.':2,'image':1,'originator':2,'epoch-making':1,'junction':1,'future.':1,'orthodox':1,'dam':1,'material':9,'innermost':1,'cock-paidle':1,'phagocytes':1,'snake':1,'hands':2,'front':6,'rotation':5,'cage':1,'day':15,'articles':1,'crumb-of-bread':1,'mastery':2,'establishment':9,'university':2,'sky.':1,'concave':1,'blazing':1,'vibrations':1,'trap':1,'truth':1,'pools':3,'cocoon':1,'paler':1,'traces':1,'erratic':1,'female':12,'tension':1,'scanty':3,'globe':6,'cultivated':1,'mollusc':1,'frequency':1,'sands':2,'irregularities':1,'special':1,'ebooks':1,'suctorial':2,'cerebral':1,'knickerbocker':1,'inch':1,'gossamer':1,'protoplasm':1,'cross-fertilisation':1,'oriental':1,'pendent':1,'adaptive':1,'cause':2,'red':9,'harvest-mouse':1,'thrush':6,'spot':2,'withering':1,'activity':3,'incalculable':1,'body-cavity':1,'usual':7,'qui':1,'primus':1,'sitting':1,'shortest':3,'young--a':1,'allies':1,'g':1,'route':1,'area':4,'times':2,'length':9,'keel':1,'modernising':1,'barriers':1,'empire.':1,'gamekeeper':1,'embryo':6,'finest':3,'baleen':1,'powerful':1,'scene':2,'bonnet':1,'improvements':1,'placental':1,'owner':4,'scent':1,'two.':1,'salient':1,'monkey':2,'system':4,'ripples':1,'nebular':8,'accretion':1,'caterpillars':2,'under-water':1,'nut':2,'inner':7,'shell':12,'x-rays':8,'explanation':4,'secretion':1,'natural':12,'waist':1,'plumage':1,'photograph':5,'glow-worm':1,'quietness':1,'isolation':1,'well-established':1,'discriminating':1,'heavens.':1,'dynamo':3,'stricter':1,'steep':2,'spurs':1,'ingenious':1,'imaginative':2,'sea':46,'lightly':1,'wood-cock':1,'partnership':1,'poisons':1,'variable':2,'mongolian':1,'throat':1,'apparently':2,'bark':1,'seed-box':2,'complete':3,'pollen-tubes':1,'eye-hole':1,'outward':1,'pectoral':1,'ungirt':1,'tree-frogs':1,'centre':8,'digestive':1,'eight':2,'roadside':1,'flat-fish':1,'emancipation':2,'cleverest':2,'food-canals':1,'profoundest':1,'ancestors':5,'so-called':6,'inexorable':1,'consequences':2,'deccan':1,'ovum-producer':1,'face':3,'animal--perhaps':1,'mechanical':1,'occasion':3,'fact':31,'impression':4,'atmosphere':9,'selection':1,'best-defined':1,'chances':1,'text':4,'woolly':1,'pinhead':1,'sabre-toothed':1,'seaweed':3,'rough':1,'darkest':1,'photograph.':1,'principal':1,'water-vapour':2,'knowledge':1,'jaw':4,'mid-europe':1,'jar':1,'surroundings':3,'insectivores':1,'molecules':17,'inherited':1,'b':1,'local':1,'hope':2,'photographs':2,'handle':2,'exceptional':1,'familiar':2,'background':3,'words':2,'striped':1,'emmer':1,'areas':1,'processes':1,'belts':1,'numerous':4,'cells':1,'taxes':1,'insectivorous':1,'coco-nut':1,'stuff':3,'inter-relation':1,'limpet':1,'making.':1,'embryonic':1,'generations':1,'view':4,'spotted':1,'interstices':1,'universe--the':2,'packet':1,'distantly':1,'intensity':3,'legacy':1,'cenozoic':3,'violet':1,'cleverer':2,'luminous':2,'carboniferous':13,'humblest':2,'nebulae':1,'wire':5,'pedigree':1,'jurassic':5,'pattern':1,'nebula':5,'genius':1,'state':5,'quickest':1,'carapace':2,'hebrides':1,'routine':3,'progress':3,'open-sea':2,'kidneys':3,'attention':3,'explosive':1,'ability':1,'rotating':1,'importance':4,'hurrying':1,'seaweeds':2,'kea':2,'efficiency':1,'wingless':1,'hoatzin':2,'acquisitions':2,'key':3,'eyes.':1,'precious':2,'swift':1,'problem':14,'sediments':1,'limits':5,'cranial':1,'minds':2,'pulp':1,'figures':1,'sexes':2,'plankton':1,'chest':2,'conflagration':1,'wall':2,'wavy-to':1,'mid-rib':2,'animalcule':1,'table':1,'zinc':4,'provinces':1,'palm-bones':1,'tremendous':1,'discrimination':2,'trademark':3,'dazzling':1,'immense':4,'reindeer':2,'squatting':1,'slowly':1,'curtain':1,'feather':1,'waste':1,'senses':3,'controlled':1,'received':1,'coherence':1,'sub-aquatic':1,'bulk':1,'environment.':1,'angler':3,'food-canal':5,'present':15,'associated':1,'crowds':1,'appearance':5,'will':1,'country':1,'wild':8,'discoveries':2,'supply':2,'comets':1,'spectrum--should':1,'food-debris':1,'streams':2,'chaotic':1,'blood':20,'bumbling':1,'surface':50,'raison':1,'bugbear':1,'greater':1,'watchful':1,'jaws':1,'pit':1,'carbohydrates':1,'richness':1,'radiation':2,'forceps':2,'fashioning':1,'romance':5,'strange':1,'exuberance':1,'flower':2,'geographical':1,'ante-natal':2,'well-grown':1,'firmament':1,'neolithic':3,'ball':1,'dusk':2,'appearances':2,'effect':6,'experimenter':1,'colouring':1,'student':2,'fierce':2,'frequently':1,'whale':3,'wonder-world':1,'colour':12,'banded':1,'larvae':1,'ear-passage':2,'english':2,'position':1,'wreckage':1,'drawing':1,'latest':2,'reefs':1,'enormously':4,'flesh':2,'wren':1,'faunal':1,'domestic':1,'flywheel':2,'satellites':1,'ermine':2,'stored':1,'distant':3,'inturned':1,'cuckoo-spit':2,'protecting':1,'glue':1,'wrens--to':1,'grappling':1,'rapid':2,'ovum':3,'work.':1,'antarctic':2,'bell':5,'sky':7,'deposits':2,'transparent':3,'reasons':3,'wet':2,'usage':1,'ought':1,'characteristically':1,'meteor':1,'fate':2,'disappearance':1,'biologists':1,'smithsonian':10,'originative':1,'prominent':2,'loss':1,'backboned':1,'like':11,'success':1,'safest':1,'parasite':2,'colonising':1,'leaves':2,'works':2,'soft':4,'radiant':1,'heel':2,'wonders':3,'glare':2,'ages--evolution':1,'thymus':1,'phenomena':4,'mosquitoes':1,'eventfulness':1,'growth':3,'warmer':1,'past.':1,'proper':2,'trammels':1,'employment':1,'mother':12,'recognition':1,'possibilities':1,'leaf':6,'broad':4,'separate':1,'ether':27,'tadpole':3,'magnitude':2,'board.':1,'fruition':1,'biology':1,'scapula':1,'butterfish':1,'decline':1,'tenability':1,'paper':4,'pressure':3,'host':5,'instinct':2,'germination':1,'brain-box':1,'dredge':1,'transformations':1,'actual':8,'extension':2,'electron--the':1,'universe':37,'certainty':1,'preen':1,'andes':1,'carrier':1,'dominion':1,'rock-record':1,'flattened':1,'tongue':3,'contending':1,'letters':1,'fresh':2,'primal':1,'chemists':1,'wearisome':1,'promise':1,'erect':3,'times.':1,'registration':1,'protozoa':3,'swimmers':1,'mere':4,'endeavours':1,'parentage':1,'sticklebacks':2,'additional':2,'zoologist':1,'slow-worm':1,'museum':2,'larval':3,'spiral':3,'spots':4,'continental':1,'much':4,'invisibility':1,'cell.':1,'biggest':2,'maze':1,'breeding':4,'mouth.':3,'function':1,'funnel':1,'north':11,'gait':1,'repeated':1,'construction':1,'highest':8,'bug':1,'bud':1,'eel':2,'tactics':2,'cohesion':1,'places':2,'volplaning':1,'gravitational':3,'official':2,'smooth':1,'triumphant':1,'poker.':1,'record':1,'projecting':1,'lynx':2,'static':1,'distribution':1,'piece':4,'stirring':1,'supreme':1,'mesozoic':7,'universal':5,'penny':2,'whelk':2,'persistent':1,'water-vole':1,'ten-millionth':1,'elaborate':1,'tide.':1,'education':1,'domesticated':1,'atom--that':1,'mutual':2,'variety':4,'deadly':1,'fore-arm':3,'forests':2,'other':65,'boom':1,'branch':3,'mass':8,'wing':5,'chemist':1,'conclusion':6,'sunshine':2,'kinds':1,'tides':17,'variation':1,'enlargement':2,'astronomy':1,'exposure':1,'ranks':2,'space':1,'pigment-cells':1,'rule':4,'forest.':1,'eighties.':1,'inset':1,'half-second':1,'meteoritic':1,'sun--the':2},'marsupials':{'insectivorous':1,'on':1,'where':1},'musical':{'genius':2},'kinship':{'would':1},'deep-red':{'light':1,'waves':1},'unified':{'by':1},'macaque':{'second':1,'genus':1},'indigo':{'and':1,'to':1,'salicylic':1,'for':1,'in':1},'kale':{'and':1},'quoted':{'tells':1},'photo':{'press':1,':':164,'press.':1},'newton':{'because':1,'for':4,'except':1,'s':1,'taught':1,'worked':1,'was':1},'wasps':{'exhibit':1,';':1,'are':1,'.':1},'cap.':{'illustration':1},'thanks':{'to':2},'victim':{'to':1,'unawares.':1,'.':1},'upturned':{'side':1},'triticum':{'hermonis':1},'electronically':{'the':1,'in':1},'thyroid':{'and':1,'the':1,'.':1},'fearful':{'crime':1},'hills':{'and':2,'the':1},'evidences':{'perhaps':1,'of':5},'passive':{'the':1,'drifters':1,'in':1},'alchemy':{'but':1},'belongs':{'to':1,'was':1,'illustrates':1},'transformed':{'for':1,'descendants':1,'into':2,'directly':1,'guise':1,'by':1,'descendant':1},'board':{'a':1,'nail':1,'ship':1,'with':1,'in':1},'marginal':{'tentacles':1},'industrious':{'but':1},'openings':{'from':1},'photographed':{'from':1,'in':2},'boxed':{'in':1},'them--as':{'a':1},'required.':{'it':1},'caps':{'may':1,'on':1},'it--for':{'several':1},'fusion':{'of':3},'god.':{'nevertheless':1},'argonauta':{'an':2},'cape':{'colony':1},'rough-and-tumble':{'conditions':2},'retreat':{'but':1,'.':1},'hairless':{'whale':1},'utilisation':{'of':2,'was':1},'insurgent':{'nature':1},'cooler':{'vapours--the':1,'than':1,'they':1},'lapsed':{'intelligence':1},'sand-hoppers':{'and':1,'when':1},'evidence.':{'experiments':1},'homing':{'pigeons':1,'pigeon':2},'night':{'and':5,'means':1,'of':1,'is':2,'between':1,'when':2,'algol':1,'.':3,'to':2,'year':1,'the':1,'with':1,'or':1},'security':{'not':1,'that':1},'amoebae':{'and':2,'in':1},'cooled':{'down':2,'and':1,'so':1,'at':1},'dentition':{'but':2},'webb':{'celestial':1},'portuguese':{'man-of-war':2,'men-of-war':1},'bricks.':{'in':1},'lashes':{'or':1},'sends':{'to':1,'on':1},'3030':{'0':1},'1909':{'showing':1,'23':1},'fully-formed':{'creature.':1,'eel.':1,'young':1},'odours':{'a':1},'minnow--the':{'mind':1},'lashed':{'cells':1},'waves--which':{'are':1},'vertebrae':{'forming':1,'of':1,'as':1,'which':1,'.':2},'rill':{'of':1},'orchid':{'perched':1},'signifying':{'particular':1},'asking':{'the':1,'an':1},'lassoes':{'on':1},'month.':{'surprising':1},'colour-cells':{'chromatophores':1,'in':1},'beating':{'seconds':1,'heart':1,'of':1},'columbus':{'voyages':1,'.':1},'states.':{'1.e':1},'view':{'and':2,'that':6,'of':17,'is':3,'primary':1,'.':1,'will':1,'their':1,'maintained':1,'does':1,'which':1,'instinctive':1},'confer':{'upon':1},'illustration':{'24':1,'and':2,'144':2,':':233,'20':1,'that':1,'may':1,'158':1,'showing':2,'indicates':1,'74':1,'168':1,'of':10,'252':1,'280':1,'92':1,'172':1,'is':3,'shows':3},'constructive':{'chemical':1,'possibilities':1},'--these':{'also':1},'six.':{'beyond':1,'it':1},'peer':{'of':1},'taker':{'of':1},'post':{'shows':1},'properties':{'and':1,'of':1,'utterly':1,'attributed':1},'takes':{'stones':1,'on':1,'in':1,'up':1,'approximately':2,'air':1,'to':4,'place':1,'a':3,'time':2,'fresh':1,'the':1,'place.':1,'its':1,'at':1},'chaff':{'separated':1},'theirs':{'certainly':1},'coral':{'and':1,'islands':2,'built':2,'have':1},'months':{'and':1,'within':1,'old':2,'of':3,'after':1,'in':2,'from':1,'the':1,'before':1,'more':1},'constituting':{'that':1},'gentler':{'hills':1},'self-preserving':{'and':1},'horizon':{'the':1},'octopus':{'attacking':2},'serviss':{'curiosities':1},'considerations':{'there':1},'dilemma':{'of':1},'scantier':{'light':1},'pays':{'an':1},'crittur':{'on':1},'float':{'idly':1,'apart':1},'bound':{'to':3,'into':1,'up':1,'by':3},'gearing':{'it':1},'loin':{'and':1},'capped':{'with':1},'magnified.':{'is':1,'the':2,'illustration':1},'formidable':{'forelegs':1,'teeth.':1},'palaeozoic':{'the':1,'nine':1,'mesozoic':1,'era':4},'tint.':{'thus':1},'strangely':{'limited':1,'regular':1},'fight':{'but':1},'conservation':{'of':1},'way':{'and':6,'rooks':1,'specially':1,'remarkable':1,'acquired':1,'into':1,'we':5,'see':1,'through':2,'are':1,'in':10,'offshore.':1,'herring-gulls':1,'from':3,'for':2,'how':1,'there':1,'.':14,'note':1,'to':7,'which':4,'14':1,'out':1,'was':1,'over':1,'gave':1,'round.':1,'begins':1,'comparable':1,'arises':1,'aspects':2,'extend':1,'that':3,'ancestral.':1,'however':1,'but':1,'it':1,'never':1,'along':1,'with':4,'by':1,'he':1,'a':1,'like':1,'of':24,'as':2,'so':1,'back':1,'each':1,'the':7},'wax':{'from':1},'editions':{'will':2,'all':1,'means':1},'dorsal':{'vertebrae':2},'was':{'all':1,'just':2,'less':2,'caused':1,'able':1,'satisfied':1,'discovered':8,'astonished':2,'taken--the':1,'stored':1,'through':1,'still':2,'nearer':1,'certainly':1,'vigorously':1,'also':3,'thinking':1,'much':1,'regarded':1,'exercising':1,'actually':1,'to':3,'finally':1,'spread':1,'bridged':1,'hidden':1,'foster-parent':1,'sent':1,'brown':1,'watching':1,'prevented':2,'replaced':1,'possible':1,'possibly':1,'five':1,'altogether':1,'not':16,'during':2,'associated':2,'now':2,'continued':2,'killed':1,'forty-five':1,'wont':1,'rotating':2,'like':2,'shaped':2,'heaved':1,'joined':1,'twice':1,'found':6,'entirely':1,'spotted':1,'the':49,'set':2,'often':1,'hinted':1,'achieved':1,'absolutely':2,'hard':1,'some':1,'somehow':1,'dead':1,'observed':1,'born':1,'semi-tropical':1,'taught':1,'enhanced':1,'further':1,'extended':1,'perfected':1,'out':1,'established':1,'ultimately':1,'said':1,'imported':1,'placed':2,'unable':1,'probably':8,'neither':1,'ever':1,'filled':1,'freed':1,'condensed':1,'felt':2,'never':2,'quite':1,'by':3,'following':1,'protection':1,'practically':1,'sixty':1,'drawn':1,'joule':1,'promptly':1,'beginning':1,'implicit':1,'suggested':1,'on':1,'about':2,'grist':1,'created':1,'of':1,'barely':1,'later':1,'accomplished':1,'conveyed':1,'unknown':1,'asked':1,'first':1,'composed':1,'raised':1,'already':1,'followed':1,'merely':1,'marked':2,'one':5,'brought':2,'soaring':1,'because':1,'done':1,'cultivated':1,'elementary':1,'proved':2,'noticed':3,'repopulation':1,'doubtless':2,'once':5,'given':3,'invented':2,'from':1,'twenty':1,'due':2,'long':1,'quickly':1,'going':1,'punished':1,'too':4,'taken':2,'formed':1,'laboriously':1,'until':1,'opposed':1,'only':3,'that':4,'happily':1,'mind':2,'offered':1,'continuous':1,'but':2,'direct':1,'repeated':1,'part':2,'known':3,'trying':1,'true':1,'travelling':1,'he':2,'applied':2,'made':4,'this':1,'crossed':1,'originally':3,'immaterial':1,'premature':1,'sometimes':1,'cast':1,'near':1,'accustomed':1,'believed':1,'making':1,'called':2,'at':3,'150':1,'discovered.':1,'constant':1,'then':2,'almost':1,'thus':1,'it':2,'slowing':1,'an':5,'something':1,'in':9,'distinguishable':1,'any':3,'constructed':1,'effected':1,'dimly':1,'no':7,'perhaps':2,'when':1,'isolated':1,'evidently':1,'shorter':1,'.':2,'ordinary':1,'first--began':1,'fairly':1,'used':1,'tried':1,'emotionally':1,'living':1,'conceived':1,'upon':1,'most':2,'moving':1,'destined':2,'propagated':1,'aware':1,'subsequently':1,'a':40,'off':1,'happening':1,'largely':1,'broadened':1,'stronger':1,'or':1,'exceedingly':1,'implied':1,'so':4,'persistently':2,'very':4,'underrated':1,'swimming':1,'sounded':1,'refused':1,'repeopled':1},'war':{'would':1,'mr':1,'museum.':4,'note':1,'to':1,'in':1,'was':1,'254':1},'lowest':{'mammals':1,'pleistocene':1,'there':1,'.':1,'tide':1,'human':1,'arm':1,'first':1},'gaseous':{'state':1,'nebula':3,'nebulae':2,'ring':1,'.':1},'wheatfields':{'were':1},'afresh':{'and':1,'to':1},'fish-eater':{';':1},'becoming':{'longer.':1,'a':2,'longer':1,'suddenly':1,'of':1,'stereotyped':1,'.':2,'almost':1,'complicated':1,'either':1,'in':2,'linking':1,'adapted':1,'more':1},'converse':{'process--a':1},'peninsula':{'of':1,'it':1},'mysterious':{'phases':1,'rays':3,'force':1,'sailing':1,'universe':1,'as':1,'manifestations':2,'forces':1,'cold':1},'quiet-flowing':{'stretches':1},'needles':{'and':1,';':1},'same.':{'a':1},'astonished':{'to':2,'euclid':1},'true':{'flier':2,'is':1,'sense':2,'multicellular':1,'as':2,'in':4,'even':1,'to':1,'ventral':2,'nature':2,'when':1,'.':4,'also':1,'water-spider':1,'circle':1,'bird.':1,'we':1,'flight':1,'that':6,'men':1,'but':1,'fishes':1,'lids':1,'of':6,'mimicry.':1,'the':1,'or':1},'absent':{'of':1,'from':1},'edition.':{'most':1},'reproductive':{'and':1,'cells':1,'organs':3},'ancestral':{'forms':2,'home':1,'stocks':1},'maximum':{'abundance':1,'as':1,'sparseness':1,'in':1,'disclaimer':1},'arc-lamp':{'is':1},'generosity':{'which':1},'emotional':{'art':1,'halo':1},'emit':{'light':2,'but':1},'hotter':{'and':1,'than':1,'.':2,'at':1,'the':1,'until':1},'frederick':{'matter':1,'soddy':1},'muscular':{'appendages':1,'arrangements':1,'system':1},'evidence':{'for':2,'e.g':1,'of':12,'is':1,'there':1,'1':1,'to':1,'that':3,'are':1,'in':2,'suggesting':1,'the':1,';':1},'guessed':{'at':1},'juice.':{'illustration':1},'promised':{'land':2},'prayer':{';':1},'20':{'of':1,'000':1,'reproduced':1,'ounces':1},'life--story':{'of':1},'archive':{'foundation':12,'foundation.':1},'physical':{'and':2,'strength':1,'laboratory.':2,'constitution':1,'basis':1,'universe':1,'environment':1,'renaissance':1,'peculiarities':1,'medium':2,'fact':1,'type':1,'laboratory':1,'conditions':1,'change':1},'curiosities':{'of':1},'dimly':{'guessed':1,'unveiled':1,'aware':1},'dying':{'a':1,'--the':1,'suns':2,'of':1,'sec':1,'sun':1},'40-inch':{'refracting':2,'refractor':2},'reality':{'even':1,'of':3,'one':1,'by':1,'.':3},'pickering':{'thinks':1,'another':1},'holding':{'a':2,'firm':1,'them':2,'her':1,'on':1,'up':1,'fast':3,'their':1},'test':{'the':1,'variations':1,'what':1},'shrink':{'amazingly':1,'into':1,'by':1,'in':1},'robber-crab':{'birgus':2,'as':1,'with':1,'which':2,'for':1},'ordovician':{'the':1,'period':3},'brothers':{'may':1,'.':1},'welcome':{'realisation':1},'convincing':{'impression':1,'enough':1,'quality':1,'though':1},'anatomist':{'sir':1},'walton':{'the':1},'scores':{'of':3},'dissipation':{'of':1},'ours.':{'sec':1},'promise.':{'each':1},'kelts':{'after':1},'interval':{'of':1},'together':{'and':5,'as':5,'result':1,'in':4,'again':2,'by':3,'make':1,'.':3,'to':2,'you':1,'ever':1,'do':1,'again.':1,'but':1,'they':1,'with':2,';':1,'a':3,'of':1,'loosely':1,'so':3,'the':1},'brocklehurst.':{'a':2,'the':2},'beds':{'of':5,'which':1,'were':1},'reception':{'that':1},'sporozoa':{'like':1},'marinus':{'120':1,'which':1},'tigris':{'and':1},'concept':{'and':1,'of':1,'man':1},'impulse':{'to':2,'or':2},'phosphorescence':{'.':1},'aptitudes--power':{'of':1},'dance':{'but':1},'fulcrum':{'for':1},'brownian':{'movement':5},'contingencies--the':{'risk':1},'dalton':{'who':1,'.':1},'tenable':{'now.':1},'layers':{'that':2,'of':4,'into':1,'envelop':1,'.':1,'below':1},'certainly':{'they':1,'scanty':1,'serve':1,'due':1,'been':1,'one':2,'deserves':1,'is--but':1,'not':1,'white':1,'an':1,'was':1,'tells':1},'zone':{'on':1,'there':1,'was':1,'between':1},'shrinkage':{'of':2,'.':1},'hump':{'would':1},'flash':{'from':1,'across':1,'lasts':1},'absorbing':{'dry':1,'matter':1,'some':1},'fog':{'as':1},'permanently':{'like':1},'rhythm':{'which':1},'division':{'of':7,'or':2},'protective':{'resemblance':9,'significance--called':1,'capacity':1,'coloration':6},'sockets':{'along':1},'diminish':{'to':1},'particles.':{'the':1,'they':1},'liability':{'to':2,'costs':1,'breach':1},'aesop':{'prawn':3},'corals.':{'the':1},'mendelism':{'and':1},'trouble':{'than':1},'maternal':{'chromosomes.':1,'call':1,'virtue':1,'care.':1,'origin.':1,'affection':1,'care':1},'brows':{'and':1},'feeble':{'and':1,'current':1,'life':1},'rotating':{'on':1,'about':1,'quicker':1,'faster':2,'very':1,'flywheel':2,'disc':4,'earth':1,'immensely':1,'with':1,'round':3},'perceived':{'the':1,'.':2,'what':1,'either':1},'respiratory':{'system':1,'surface':1},'scandinavia':{'showing':2,'138':1,'141':1},'presented':{'alternately':1,'them':1,'simultaneously':1},'altering':{'the':1},'turns':{'on':2,'always':1,'upon':1,'to':1,'the':1,'round':1},'gun':{'that':1},'gum':{'is':1},'ox':{'and':1},'p':{'.':10},'means--resides':{'in':1},'revolutionised':{'physics':1},'gut':{'is':1,'which':1},'sloths':{'and':1},'woven':{'somehow':1},'upper':{'side.':1,'atmosphere':1,'eyelid':1,'fish':1,'pliocene':1,'reaches':3,'corner':1,'arm':1,'or':2,'pleistocene':2,'cretaceous':1,'regions':1,'parts':2,'lip':3,';':1,'hand':1,'diagram':1,'part':2,'surface':4,'cambrian':1,'photograph':1,'air':1,'side':1},'revolution':{'of':1,'diameter':1,'in':3},'full-grown':{'fish':1,'salmon':1,'shore-crab':1,'individual':1,'the':1,'creature':1},'penetrates':{'the':1},'spoonbill':{'s':2},'d':{'etre':1,'.':1},'niggardly':{'for':1},'affiliation':{'to':1,'with':1},'semi-tropical':{'for':1},'cost':{'and':2,'fee':1,'when':1,'but':1},'change-provoking':{'cross-fertilisation.':1},'helpless':{'that':1},'penetrated':{'further':1,'into':3},'cargo':{'that':1},'appear':{'and':1,'a':1,'it':1,'.':1,'to':9,'as':1,'much':1,'denser':1,'prominently':1,'white':1},'assistance':{'they':1},'burrowers':{'and':1,'like':1},'uniform':{'and':2,'set':1,'temperature':9,'teeth':1},'wave-motion':{'in':1},'eight-armed':{'cuttlefish':2},'illustrations':{'facing':1,'of':2,'all':1,'are':1,'among':1},'shared':{'the':1,'with':1,'equally':1,'by':1},'flame.':{'perhaps':1},'sea-cucumbers':{'lamp-shells':1},'institutions--all':{'must':1},'alertness':{'and':1,'of':1,'along':1,'is':1},'safety.':{'we':1},'supporting':{'and':1,'axis':3},'anvil.':{'as':1},'whiteness':{'may':1,'makes':1,'.':1},'disclaim':{'all':1},'suckers':{'which':1},'sieve':{'incalculable':1},'teacher':{'and':1,'always':1,'the':1,'between':1},'change':{'whose':1,'by':1,'abundant':1,'from':1,'of':9,'into':1,'in':6,'but':1,'.':2,'produced':1,'till':1,'every':1,'they':1,'reorganisation':1,'need':1,'the':1,':':1,'its':2,';':2,'is':1},'sending':{'a':1,'out':1},'illustration.':{'such':1},'flames':{'are':1,'rose':1,'from':1,'peeping':1,'of':1},'impatiently':{'postulated':1},'precursor':{'of':1},'twenty-seven':{'of':1},'vibrating':{'or':1},'trial':{'and':5,'of':1,'the':1,'was':1},'pictorial':{'diagram':1,'representation':3},'usually':{'about':1,'formed':1,'in':3,'longer':1,'produces':1,'very':1,'regarded':2,'work':1,'credited':1,'back':1,'rank':1,'less':1,'multiplies':1,'coming':1,'got':1,'given':1,'disappears':1,'creep':1,'mean':1},'locomotion':{'and':1,'becomes':1,'it':1,'192':1,'which':2,'the':1},'432':{'times':1},'inference':{'we':1,'when':1,'but':1,'.':1,'reason':1,'in':1,'not':1,'or':1},'saunders':{'with':1,'hit':1,'so':1},'stimulus.':{'2':1},'keenness':{'of':1},'sign':{'of':2},'marked':{'a':1,'on':1,'superficial':1,'off':2,'and':1,'d.p.':1,'h':1,'differences':1,'up':1,'vm':1,'by':8,'rotting':1,'fusion':1,'5':1,'in':3,'the':2,'changes':1,'than':1,'as':1},'outfly':{'a':1},'italians':{'punics':1},'seashore':{'and':2,'animals':1,'into':1,'.':1,'sponge':1,'to':1,'through':1,'struggle':1,'in':1,'birds':1},'comets--millions':{'of':1},'capacious':{'and':1,'mouth':1},'illumination':{'is':1,'or':1,'would':1},'rarely':{'seen':1,'over':1,'hinted':1,'dying':1},'pressure--2-1':{'2':1},'stingy':{'for':1},'cuttlefishes':{'which':1,'are':1,'have':1,'in':1,'the':1,'where':1,'by':1},'terminal':{'chamber':1},'breed.':{'there':1},'stereoscopic':{'vision':1},'primrose':{'among':1},'prove':{'to':1,'the':3,'his':1,'that':2},'time-table':{'the':1},'territories':{'of':1},'live':{'a':1,'on':4,'equally':1,'for':1,'independent':1,'far':1,'is':1,'there':2,'among':1,'much':1,'in':5,'the':1,'comfortably':1},'spontaneity':{'on':1},'wonderfully':{'supplemented':1,'rapid':1,'complete':1,'energetic':1},'bluffing':{'on':1},'1.e.8.':{'1.b':1},'angels':{'crowned':1},'entrance':{'and':1,'to':2},'water-ouzel':{'or':1},'cluck':{'when':1},'regrowing':{'them':2},'envelope':{'immediately':1,'or':1,'stops':1,'of':1},'planarian':{'worms':1},'clue':{'to':2},'grilse':{'and':1,'stage':1},'envelops':{'our':1,'the':1},'clumps':{'of':1},'duck-ponds':{'or':1},'migrants':{'from':1},'haddington':{'of':1},'nature--on':{'which':1},'theory--spiral':{'nebulae--the':1},'wolf-dog':{'226':1,'an':1},'cat':{'a':1,'could':1,'has':1,'or':2},'hardest':{'solid':1,'steel':1},'gathers':{'on':1,'more':1},'can':{'control':1,'now':2,'think':1,'divide':1,'be':63,'almost':1,'move':1,'notice':1,'sting':2,'replenish':1,'outfly':1,'say':5,'harness':1,'exist':1,'expect':1,'have':1,'re-utilise':1,'go':1,'dissolve':1,'to-day':1,'discern':1,'glimpse':1,'detect':2,'from':1,'calculate':1,'no':1,'always':1,'transfer':1,'make':4,'offer':1,'help':1,'only':5,'continually':1,'also':2,'live':1,'call':2,'therefore':1,'transmit':1,'survive':5,'hardly':4,'tell':3,'hope':1,'take':2,'breathe':1,'do':4,'we':1,'trace':1,'get':2,'afford':1,'never':1,'use':1,'discover':1,'observe':1,'unfurl':1,'recognise':1,'imagine':4,'distinguish':1,'affect':1,'copy':1,'fly':1,'reveal':1,'extend':1,'in':2,'apprehend.':1,'receive':1,'ever':1,'conceive':1,'work':1,'well':1,'see':4,'retain':1,'grind':1,'credit':1,'remain':1,'succeed':1,'form':1,'confidently':1,'easily':4,'become':1,'weigh':1,'the':1,'assign':1,'travel':1},'thirty-five':{'seconds':1,'minutes':1},'metamorphosis':{'the':1,'.':1},'stimulating':{'and':1,'conditions':1,'change':1},'http:':{'www.pgdp.net':2,'www.pglaf.org.':1,'www.gutenberg.org':2,'gutenberg.org':1,'pglaf.org':4},'heart':{'a':1,'for':1,'of':5,'there':1,'it':1,'.':1,'true':1,'or':1},'pauses':{'in':1},'expanding':{'during':1,'fan':1},'apartness':{'there':1,'from':1},'heard':{'not':1,'of':2,'the':1,'felt':1,'than':1},'chin':{'and':1,'process':1,'.':3},'clothing':{'and':1,'with':1},'occur':{'and':2,'only':1,'also':1,'near':1,'in':4,':':1},'candle;':{'the':1},'infantile':{'call':1,'mortality':3},'dispositions':{'of':1},'discussion':{'of':1,'there':1},'starch':{'and':1,'molecule':1,'.':1},'sandstone':{'was':1,'or':1},'condensation.':{'spiral':1},'offspring':{'and':1,'for':1,'of':1,'is':2,'.':2,'mate':1,'at':1},'nowhere':{'do':1},'despair':{'returned':1},'candle.':{'it':1},'actual':{'photographs':1,'distance':1,'solution...':1,'constitution':1,'temperature':2,'centre':1,'photograph':1,'entity':1,'direct':1,'observations':1,'historical':1,'mechanical':1,'precipitate':1,'dimensions':1},'future.':{'4':1},'familiar':{'case':1,'hum':1,'is':1,'in':2,'type':1,'with':3,'example':1,'fact':1},'over-population':{'and':1,'in':1},'brine-shrimp':{'artemia':1},'dominance':{'of':1},'economy':{'of':2},'gonads':{'only':1},'product':{'which':1},'burrowing':{'mammals':1,'reptiles':1,'parrot':1,'amphibians':1,'birds':1},'southern':{'europe':1,'india':1,'asia':1,'hemisphere':1,'representative':1,'sea':2},'unobtrusive':{'appearance':1},'disgusted':{'next':1},'significance.':{'it':1,'they':1},'produce':{'a':3,'what':1,'very':1,'light':1,'tides':1,'seeds':1,'in':1,'our':1,'the':2,'helium':1},'flourish':{'sometimes':1,'alongside':1},'mentality':{'and':1,'cannot':1,'.':1},'lifting':{'scrap':1,'handling':1},'upbuilding':{'constructive':1},'visitors':{'and':2,'.':1,'are':1,'have':1,'threw':1},'remember':{'how':1,'the':3,'that':3,'sally':1,'their':1},'whenever':{'the':2,'there':1,'any':1},'corona':{'of':2,'is':1,'stretching':1,'which':1,'that':1},'rather':{'a':1,'we':1,'ferocious.':1,'grouselike':1,'longer':1,'that':1,'humdrum':1,'more':2,'than':9,'to':1,'far-fetched':1,'excitedly':1,'in':4,'paltry':1,'eventful':1,'nondescript':1,'simpler':1,'with':1,'the':1,'trout-like':1,'like':1},'conquests':{'of':1},'punting':{'when':1,'sculling':1},'typical':{'plants':1,'spectra':1,'craters':1,'districts':1,'expression':1,'assemblage':1},'no.':{'bred':1},'serving':{'as':1,'the':1},'iii.':{'trial-and-error':1},'indeed':{'what':2,'climate':1,'made':1,'beyond':1,'that':1,'many':1,'no':1,'we':1,'unsurpassable':1,'will':1,'.':1,'safety':1,'they':1,'always':1,'our':1,'the':1,'believe':1,'if':1},'beak':{'and':1,'is':1,'.':1,'under':1},'well-illumined':{'seaweed-growing':1},'playful':{'such':1,'creature':1},'brain':{'and':9,'weighs':1,'is':7,'as':2,'are':1,'should':1,'from':2,'.':2,'does':3,'which':4,'instead':1,';':2,'has':1,'was':2,'shows':1,'development':2,'than':1,'receiving':1,'of':3,'could':1,'inferred':1,'cast':1},'stile':{'which':1},'hairs--an':{'alga':1},'nitrogen':{'of':1},'cold':{'and':1,'on':2,'poker':1,'outer':1,'for':2,'light':1,'.':1,'water':1,'to':1,'weather':1,'iron':2,'of':3,'dark':1,'absorbs':1,'luminosity':1,'yet':1,'came':1},'still':{'and':1,'atmosphere':1,'smaller':3,'being':2,'progressing.':1,'some':1,'it':1,'probing':1,'say':1,'exist':1,'farther':1,'in':3,'further':3,'nearer':1,'bears':2,'unknown':1,'.':3,'shorter':3,'to':1,'going':1,'goes':1,'persist':1,'molten':1,'was':1,'unstereotyped':1,'more':3,'we':1,'himself':1,'very':3,'continuing':1,'plays--the':1,'but':1,'particular':1,'not':1,'with':1,'the':2,'possess':1,'a':1,'made':1,'uncertain':1,'flourished':1,'room':1,'at':1,'tower':1,'feeling':1,'soft':1,'are':1},'birds':{'and':23,'feed':1,'because':1,'often':1,'show':1,'being':1,'is':3,'191':1,'it':1,'as':2,'are':4,'sight':1,'in':1,'carry':1,'seem':1,'its':1,'little':1,'squat':1,'for':1,'how':1,'make':2,'there':1,'.':2,'to':1,'find':1,';':1,'was':1,'evolved':2,'reaching':1,'may':1,'pick':1,'illustration':1,'like':7,'bolt':1,'such':1,'than':1,'must':1,'a':1,'that':4,'of':2,'turn':1,'have':2,'learn':1,'the':1,'where':1,'came':1},'statuettes':{'representing':1},'nucleus.':{'the':1,'illustration':1},'culmination':{'of':1},'tending':{'on':1,'toward':1,'to':3},'curly':{'greens':1},'rhizopods':{'such':1,'with':1},'willow':{'fertile':1,'grouse':2},'forms':{'and':6,'e.g.':1,'almost':1,'over':1,'it':2,'are':1,'arise':1,'kinetic':1,'again':1,'from':2,'.':2,'which':1,'tends':1,';':1,'we':1,'may':1,'daughter-buds':1,'a':7,'like':2,'of':22,'possessed':1,'so':1,'the':1,'or':1},'immortality':{'of':1},'suffocate':{'.':1},'spacious':{'bountiful':1,'cranial':1},'physics--research':{'and':1},'bird.':{'experiments':1,'illustration':2},'pruned':{'off':1},'speeding':{'toward':1},'inter-relations':{'such':1,'.':2,'where':1,'between':1,'simpler':1},'introduce':{'domesticated':1,'us':1,'an':1},'archaeozoic':{'and':1,'ages':1},'tails':{'of':1,'can':1,'.':1},'half':{'a':7,'old':1,'that':1,'of':3,'days':1,'an':3,'hours':2,'to':1,'tons':1,'miles':1,'mile':1,'the':4,'years':1,'out':1},'not':{'represent':1,'all':4,'clog':1,'help':1,'limited':2,'being':1,'indeed':2,'armour':1,'fall':1,'held':1,'through':1,'go':2,'follow':3,'yet':5,'also':1,'convinced':1,'less':5,'young':1,'mathematically':1,'to':11,'only':16,'stand':1,'touched':1,'easy':1,'attained':1,'include':1,'then':2,'unfitting':1,'closed':1,'knock':1,'very':9,'void':1,'material':2,'stop':1,'possible':2,'possibly':1,'open.':1,'know':13,'altogether':1,'accumulate':1,'affect':2,'one':2,'discuss':1,'easily':3,'practise':1,'necessary':1,'like':1,'tear':1,'fully':2,'try':1,'pursue':1,'feel':1,'stopped':1,'always':3,'small':1,'become':1,'entirely':1,'fixed':1,'mean':1,'exceed':1,'related':1,'certain':1,'know.':1,'likely':1,'sure':1,'exist.':2,'functioning':1,'packed':1,'even':3,'appear':2,'for':2,'uniform':1,'liberated':1,'radiated':1,'suggesting':1,'got':2,'be':20,'we':1,'disputed':1,'intelligent.':1,'cellulose':1,'however':1,'hundreds':1,'met':1,'necessarily':3,'attend':1,'backed':1,'quite':4,'come':1,'by':5,'momentous':1,'wait':1,'suggested':1,'on':2,'essentially':1,'indivisible':2,'many':1,'emit':1,'amount':1,'sweat':1,'permit':2,'undergo':1,'think':1,'burning':1,'gone':1,'previously':1,'requiring':1,'merely':2,'bound':1,'highly':1,'visible':1,'been':3,'carry':1,'impossible':1,'want.':1,'readily':3,'given':1,'wanted':1,'from':1,'droop':1,'prove':2,'assumed':1,'there':1,'self-luminous':1,'citing':1,'long':1,'throw':1,'cooling':1,'change':1,'strong':1,'suit':1,'show':2,'survive':1,'themselves':1,'molecular':1,'depreciate':1,'too':1,'a':16,'solicit':2,'received':1,'with':2,'ascribe':1,'but':1,'taken':1,'understand':1,'dwell':1,'catch':1,'copy':1,'true':1,'save':1,'unlike':1,'solid':1,'require':3,'imply':1,'will':1,'greatly':1,'how':1,'of':2,'more':6,'agree':3,'say':1,'and':1,'claim':1,'troublesome':1,'fit.':1,'give':1,'judge':1,'salmo':1,'arise':1,'share':1,'it':1,'an':3,'involve':1,'as':4,'exist':1,'at':2,'have':5,'in':5,'seen':1,'seem':4,'occupied':1,'any':2,'instinctively':1,'terrestrial':1,'conspicuous':1,'want':1,'perhaps':1,'sprawl.':1,'travel':1,'get':1,'able':1,'till':2,'interested':1,'take':2,'cling':1,'contain':1,'wanting':1,'shirk':1,'difficult':1,'used':1,'intended':1,'see':1,'dive':1,'after':1,'charge':2,'produce':2,'moving':1,'uncommon':1,'recognise':1,'revolve':1,'unlink':1,'nipped':1,'known':2,'pure-bred':1,'lead':3,'surprising':3,'clear':1,'lose':1,'flow':1,'asked':1,'without':1,'so':10,'allow':1,'far':1,'hear':1,'the':16,'make':3,'talk':1,'nearly':3},'ritchie':{'a':1,'s':1,'well':1},'courtship':{'or':1},'now':{'and':4,'studying.':1,'who':1,'exists':1,'be':2,'is':4,'successfully':1,'it':6,'an':2,'observed':1,'known':4,'as':1,'at':1,'a':1,'in':2,'our':1,'disappear':1,'if':1,'extinct--taking':1,'what':3,'based':1,'just':1,'to':3,'much':1,'there':3,'able':1,'send':1,'.':2,'extinct.':1,'that':1,'recognised':1,'pretty':1,'mars':1,'taken':1,'announce':1,'occurs':1,'crookes':1,'do':1,'we':4,'used':1,'complete':1,'slight':1,'evolving':1,'lights':1,'regard':1,'but':1,'permanent':1,'moving':1,'know':4,'accompanied':1,'represented':1,'one':1,'between':1,'unavailable':1,'concentrated':1,'high':1,'made':1,'this':5,'going':2,'other':1,'these':1,'suppose':1,'can':1,'believed':2,'let':2,'the':9,'assume':1,'called':1},'provision':{'of':1},'left--to':{'snap':1},'nor':{'do':1,'certainty':1,'like':1,'would':1,'hibernates':1,'very':1,'indeed':1,'is':1,'knew':1,'surface':1,'destroyed':1,'to':1,'explain':1,'does':1,'in':3,'of':2,'has':1,'any':1},'nos':{'.':2},'lineage':{'for':1},'it--a':{'natural':1,'mind':1},'sea-butterflies':{'on':1},'seaweed-growing':{'shelf':2,'area':1},'drop':{'of':2,'inwards':1,'out':1},'form.':{'it':1},'cagcombe':{'co.':2},'intrigued':{'at':1},'bursts':{'through':1},'luminosity':{'a':1,'indefinitely':1,'we':1,'due':1},'cusps':{'on':1},'entirely':{'different':3,'marine.':1,'dependent':1,'absent;':1,'random':1,'fluid':1,'unsolved.':1,'electrical':1,'in':1,'new':1,'dissipated':1,'with':1,'out':1},'cliffs':{'of':1,'there':1},'last':{'and':1,'twelve':1,'ten':1,'century':1,'is':1,'haunt':1,'indefinitely.':1,'questions':1,'one':1,'for':1,'twenty':1,'doubt':1,'it':1,'glacial':1,'has':1,'two.':1,'hit':1,'period':1,'arose':3,'dwindling':1,'with':1,'great':2,'chamber':1},'side-view':{'of':5},'domain':{'and':1,'to':1,'does':1,'in':3,'print':1,'works':1,'ebooks':1},'fired':{'it':1},'advantage.':{'perhaps':1},'green-flies':{'which':1},'sugars':{'and':1},'dagoes':{'he':1},'challenger':{'expedition':1},'fires':{'of':1},'year':{'and':4,'old':1,'grouse':1,'this':1,'energy':1,'there':1,'but':1,'one':2,'to':1,'out':2,'are':1,'they':1,'in':3,'followed':1,'the':1,'.':4,'encased':1,'before':1},'happen':{'as':1,'when':1,'if':1},'avoided':{'the':1},'monitors':{'are':1},'wheat--changes':{'in':1},'shown':{'a':1,'and':1,'faint':1,'that':7,'also':1,'there':1,'an':1,'to':1,'greatly':1,'at':2,'opposite':1,'in':11,'the':1,'.':1,'arno':1,'clearly':1,'remaining':1},'rude':{'stone':1},'space':{'and':5,'on':1,'that':1,'with':1,'straight':1,'in':2,'it':1,'can':1,'.':8,'yet':1,'are':1,'above':1,'between':1,'at':1,'during':1,'the':1,'shows':1,'where':1,'by':1,'is':3,'circular':1},'amnion':{'and':1,'which':1},'furthermore':{'there':1,'they':1},'inconceivably':{'small':3,'distant':1,'greater':1},'equatorially':{';':1},'hastily':{'referred':1},'increase':{'to':1,'rather':1,'of':6,'their':1,'in':3,'our':1},'kingdom.':{'on':1,'j':1},'rational':{'device':1,'conduct':3},'receiving':{'no':1,'stimuli':1,'tidings':1,'olfactory':1,'it':1,'contributions':1},'shows':{'a':3,'the':17,'great':1,'that':6,'any':1,'many':1,'some':1,'two':1,'an':1,'how':1,'definitely':1,'certain':1,'affinities':1,'clearly':1,'positively':1},'inevitably':{'lead':1},'e.':{'rutherford':1},'eighty-eight':{'of':1},'glass--the':{'stopper':1},'divergence':{'arboreal':1,'of':3},'animals.':{'the':1,'senses':1,'sec':1},'quart':{'.':2},'intruding':{'fishes':1,'bacteria':1,'parasites':1},'directions.':{'this':1,'so':1},'advantages':{'being':1,'of':1,'.':1},'taxed':{'no':1},'animals;':{'of':1,'it':1},'marine':{'animals':3,'family':1,'organisms':1,'lampreys':2,'fish':4,'but':1,'.':1,'leech':1},'inevitable':{'stoppage':1,'processes':1},'card':{'says':1,'tea':1,'is':1,'donations.':1,'in':1,'prof':1,'was':1},'care':{'and':3,'on':1,'associated':2,'in':1,'mammals':1,'is':1,'there':1,'it':1,'.':3,'as':2,'so':1,'which':1,'of':2,'exhibited':1},'vestige':{'and':1,'of':3,'in':1},'reflect':{'the':4,'that':2},'rearrangements':{';':1},'fixed':{'paths':1,'angle':1,'like':1,'for':1,'faith':1,'to':1,'distances':1,'limits':1,'vegetation--a':1,'in':3,'stage':1},'stage.':{'the':1},'selections':{'made':1},'transition':{'to':2,'.':1,'from':2,'which':1,'stage':1},'british':{'columbia.':2,'nightjar':1,'starfish':2,'guiana':2,'salterns':1,'museum':14,'coasts':1,'sailor':1,'average':1,'association':2},'invitation':{'to':1},'lighting':{'on':2},'domed':{'and':1,'web':1,'cranial':1,'than':1},'hesperornis':{'100':1,'after':1},'suffice':{'to':1,'of':1},'sprawling':{'blotch':1},'flying':{'and':2,'phalanger':1,'fish':2,'dragons':5,'past':1,'debris':1,'bats':1,'in':1,'birds':2,'frog':2,'reptiles':1,'under':1,'bird':1,'dragons--the':1,'squirrel':2,'crouching':1,'mammals':1,'jumps':1,'tree-toad':1,'fishes':2,'squirrels':1,'creatures.':2,'dragon':4,'matter':1,'lizard':1,'reptiles.':1,'lemurs':1,'phalangers':2,'round':1},'striking':{'and':1,'confirmation':1,'resemblance':2,'novelties':1,'of':1,'is':1,'illustration':1,'.':1,'instances':1,'as':1,'fact':1,'devices':1,'are':2,'feature.':1,'the':3,'difference':1,'coloration':1,'proof':1},'omitted':{'the':2},'comprised':{'only':1,'in':1},'brain.':{'the':1},'directly':{'and':1,'towards':1,'into':1,'important':1,'between':3,'pitted':1,'the':1,'or':3,'apart':1},'comprises':{'a':1,'the':1},'impossible':{'even':1,'on':1,'we':2,'because':1,'for':1,'but':1,'.':3,'to':7,'in':1},'ring':{'and':2,'a':1,'getting':1,'of':3,'into':1,'up':1,'.':1,'which':1},'drove':{'our':1},'size':{'and':6,'is':1,'it':1,'shape':1,'are':1,'in':1,'compared':1,'from':1,'possible.':1,'except':1,'.':4,'only':1,'has':1,'though':1,'after':1,'but':1,'101':1,'with':2,'covering':1,'of':22,'as':2,'mass':1,'the':1},'sheep':{'horses':1,'contrasted':1,'.':3,'in':1,'tearing':1,'or':1},'cerebration':{'at':1},'sheer':{'dexterity':2,'intelligence.':1,'quickness':1},'air-sacs':{'in':1},'checked':{'in':1},'silent':{'laboratories':1,'monotonous':1},'apple.':{'of':1},'caught':{'and':2,'a':1,'its':1,'on':1},'breed':{'.':1},'callous':{'rough-and-tumble':1},'longitudinally.':{'the':1},'wing-span':{'of':1},'flint':{'and':1,'implements':1,'implement.':1},'joseph':{'evolution':1},'melanocetus':{'indicus':1,'murrayi':1},'friend':{'the':1,'or':1},'nutrition':{'and':1},'x.':{'this':1},'rock-dove':{'just':1},'mostly':{'confined':1,'on':1,'caught':1,'white':1,'in':1},'that':{'all':14,'spiders':1,'go':2,'causes':1,'physiological':1,'suits':2,'to':2,'reptiles':1,'under':1,'degeneration':1,'case':1,'coloured':1,'every':10,'fall':1,'affect':1,'monkeys':1,'minute':1,'did':2,'herbert':1,'small':1,'round':1,'full-grown':1,'crop':1,'further':1,'creatures':1,'even':4,'pale-white':1,'apparatus':1,'assisted':1,'asia':2,'goes':2,'new':1,'body':1,'sinks':1,'climbs':3,'here':1,'atoms':1,'along':1,'change':1,'convert':1,'substance':2,'ichneumon':1,'wherever':1,'experience':1,'electricity':1,'locomotion':1,'makes':2,'followed':1,'trained':1,'bloweth':1,'from':1,'would':2,'prove':2,'remains':2,'live':3,'therefore':1,'mysterious':1,'substances':1,'marks':1,'particular':1,'90':1,'93':1,'must':1,'account':1,'animals':4,'this':20,'science':2,'piltdown':1,'can':5,'meet':1,'indicated':1,'frogs':2,'allowed':1,'high':1,'arise':1,'evidently':1,'viviparity':1,'end':1,'damage':1,'seeds':2,'movements':1,'intelligent':1,'swayed':1,'may':3,'after':3,'curiosity':1,'man':16,'a':32,'light':6,'sun-spots':1,'life':2,'green':1,'unsteady':1,'over':1,'produced':1,'experiments':1,'during':1,'carnivores':1,'existence':1,'rewarded':2,'birds':5,'before':1,'group':1,'forms':1,'vast':1,'covered':2,'might':3,'pays.':1,'evolution':6,'they':70,'not':1,'each':2,'went':3,'energy':4,'constitute':1,'our':8,'out':1,'living':3,'percepts':1,'flowed':1,'supports':1,'given':1,'put':1,'could':3,'length':1,'throws':1,'already':2,'number':1,'one':4,'long':1,'size':1,'little':1,'toy':1,'leading':1,'system':1,'hangs':1,'their':6,'gives':1,'eyes':1,'that':1,'took':1,'part':1,'flowers':1,'distance':4,'kind':1,'require':1,'tree':1,'matter':1,'were':2,'enables':1,'and':1,'ages':1,'have':11,'wallowed':1,'any':1,'-':1,'ideas':1,'cropped':1,'build':2,'which':7,'mammals':2,'play':1,'unless':1,'though':1,'object':1,'what':1,'falls':2,'most':2,'letter':1,'device':1,'extremely':1,'manifested':1,'gather':1,'steady':1,'electrons':2,'came':1,'gold':1,'insects':1,'means--resides':1,'only':2,'molecules':2,'8':1,'inhabit':1,'he':8,'local':1,'meant':1,'his':2,'sense':1,'skims':1,'means':1,'nearly':1,'instinctive':1,'dr':1,'runs':1,'she':2,'contain':1,'where':1,'aspect':1,'intelligence':1,'radium':2,'depends':2,'individual':2,'are':7,'tender':1,'definite':1,'its':2,'halves':1,'outside':1,'various':1,'between':3,'neither':1,'we':42,'nature':1,'originated':1,'multiplies':1,'come':2,'both':4,'many':6,'s':1,'figures':1,'expended':1,'comes':1,'otherwise':1,'among':2,'point':1,'whatever':1,'height':1,'regulated':1,'ether':1,'.':2,'interest':1,'mars':1,'empty':1,'direction':1,'flight':1,'amphibians':1,'engage':1,'lives':2,'sound':1,'these':12,'will':2,'while':8,'intercepts':1,'discoveries':1,'century':1,'light.':1,'is':51,'it':73,'experts':1,'in':27,'if':11,'different':1,'develop':1,'make':4,'grows':1,'neolithic':1,'used':1,'moment':1,'necessity':1,'supposing':1,'recent':1,'dark':1,'no':5,'sound-waves':1,'the':305,'bodies':1,'left':2,'just':2,'when':13,'distant':1,'questions':1,'speed':1,'death':1,'field':1,'had':6,'has':13,'gave':1,'increased':1,'early':2,'elapses':1,'like':1,'often':1,'ascend':1,'lingers':1,'happens':1,'provided':1,'leaf':1,'for':3,'does':2,'although':2,'instinct':2,'littoral':1,'by':2,'on':3,'about':1,'central':1,'of':52,'wave-length':1,'primitive':1,'within':1,'promise':1,'spores':1,'sticklebacks':1,'her':1,'there':47,'gases':1,'was':8,'opens':1,'form':1,'some':15,'amongst':1,'atom':1,'remote':1,'with':1,'partially':1,'made':1,'flit':1,'variations':1,'planet':1,'below':1,'attaches':1,'universal':1,'body-making':1,'deep':1,'an':6,'as':7,'exist':1,'at':7,'walks':1,'again':1,'variety':1,'uranium':1,'slumbers':1,'other':1,'you':4,'star':1,'visits':1,'develops':1,'fishes':2,'implies':1,'lead':1,'age':1,'depth':1,'time':1,'once':2},'brains':{'a':1,'and':2,'about':1,'from':1,'of':2,'is':1,'.':1,'occupying':1,'more':1},'kangaroo-like':{'fashion':1},'bees.':{'sheer':1},'eliminated':{'while':1,'in':1},'flowers':{'and':5,'yet':1,'in':1},'than':{'all':2,'uranium':1,'fifty':1,'light-waves':2,'birds':1,'before':1,'25':1,'to':5,'self-fertilisation':1,'ours':1,'seen.':1,'evolution--but':1,'very':1,'five':1,'occasional':1,'they':4,'half':1,'one':3,'55':1,'twice':1,'she':1,'science':1,'seventeen':1,'violet-light':1,'are':1,'our':1,'parachuting':1,'what':1,'its':1,'across':1,'we':3,'full':1,'300':1,'men':1,'efficiency':1,'others':2,'might':1,'100':2,'by':2,'anything':1,'of':1,'himself.':1,'34':1,'bricks':1,'two':4,'decrease':1,'learning':1,'one-millionth':1,'reflective--which':1,'from':1,'her':1,'twenty':1,'support':1,'there':1,'three':3,'cats':1,'500':1,'life':1,'that':7,'understand':1,'with':1,'those':4,'women':1,'sound':1,'non-existence':1,'thirty':1,'this':3,'plain':1,'replaced':1,'many':1,'my':1,'collecting':1,'seven':1,'guesses':1,'is':9,'radial':1,'it':3,'an':7,'as':1,'itself':1,'three-chambered.':1,'at':1,'fumbling':1,'in':15,'any':4,'tentative':1,'when':2,'regions':1,'arboreal':1,'another':1,'142':1,'eighty':2,'variation':1,'eight':1,'a':23,'elusive':1,'counterbalances':1,'-200':1,'the':52},'rugged':{'.':1},'artificer':{'fashioning':1},'accordance':{'with':3},'three-spined':{'and':1,'stickleback':2},'shunting':{'waggons':1},'dawn.':{'in':1},'apples':{'and':1},'fruits':{'and':1,'the':1,'191':1},'accessed':{'displayed':1},'photosynthesis':{'carbon':1,'that':1,'.':1,'i.e':1},'sublime':{'process':2,'device':1,'indifference':1,'movement':1},'dipnoan':{'which':1},'troublesome':{'as':1},'chlorophyll':{';':1,'that':1,'or':2,'which':1,'in':1},'angel':{'in':1},'remained':{'naked':1,'flat':1,'unchanged':1,'plastic--a':1,'at':1},'caterpillars.':{'of':1},'interpretation':{'of':6,'is':1},'lens-shaped':{'middle':1,'portion':1,'formation':1,'system':1},'anger':{'and':1},'wallowed':{'in':1},'recover':{'itself':1},'slab':{'of':1},'lumps':{'of':1},'erectus.':{'3':1},'overcoming':{'the':1},'shark':{'and':1,'his':1},'snout':{'the':1,'was':1,'region':1},'equipment':{'is':1,'including':1,'especially':1,'.':2},'mr.':{'waterhouse':1},'repeatedly':{'pruned':1,'changed':1,'shot':1,'against':1},'online':{'distributed':2,'at':3,'payments':1},'mediterraneans':{'semites':1},'hornbill':{'s':2},'begin':{'to':10,'with':6,'at':1,'afresh':1},'price':{'essence':1,'paid':1},'evaporate':{'altogether':1},'ultramicroscope':{'have':1},'men--conspicuous':{'amongst':1},'america':{'and':3,'a':1,'introductory':1,'africa':1,'.':2,'the':2,'by':1,'is':1},'greyish':{'jelly':1,'zone':1},'forever':{'unseen':1},'music.':{'illustration':1},'dream':{'that':1,'.':1},'freshwaters':{'and':1,'afforded':1,'form':1,'is':1,'.':2,'including':1,'4':1,'the':1},'steady':{'flow':1,'rhythmical':1,'renewal':1},'tooth':{'and':3,'is':1,'catches':1},'sunset':{'mean':1},'hurled':{'against':1,'out':1},'pattern':{'to':1,'is':1,'of':1,'.':1},'dust--that':{'it':1},'honour.':{'what':1},'discoverer':{'of':2},'fifty':{'thousandths':1,'eggs':1,'years':3,'feet':1,'miles':4,'fathoms':1},'discovered':{'and':3,'a':2,'about':1,'or':1,'star':1,'that':2,'it':1,'whatever':1,'an':1,'near':1,'until':1,'then':1,'in':12,'new':2,'the':4,'.':5,'by':2},'227':{'photo':1,'from':1},'226':{'photo':1},'fifth':{'printing':1},'crashing':{'along':1},'gnaw':{'the':1,'through':1},'ratio':{'of':1,'for':2,'to':1},'darwinism.':{'iii':1},'title':{':':1},'proportion':{'shown':1,'that':1,'of':1,'to':2,'as':1,'at':1},'jolt':{'that':1},'only':{'and':1,'exposed':1,'certain':1,'is':1,'coming':1,'competition':1,'one':13,'beginning':1,'as':3,'animals':1,'are':1,'planets':1,'in':4,'globes':1,'happen':1,'large':1,'differ':1,'from':2,'for':2,'shifts':1,'twenty':1,'make':1,'though':1,'when':2,'two':1,'been':1,'inferred':1,'to':6,'that':3,'without':1,'extravagant':1,'4':1,'way':1,'gradually':1,'mean':1,'profiting':1,'infer':1,'plants':1,'return':1,'206':1,'pours':1,'liberated':1,'apparent':1,'dimly':1,'but':1,'possible':2,'approaches':1,'a':28,'waves':1,'method.':1,'during':2,'shadow':1,'an':3,'with':1,'by':3,'minute':1,'fly':1,'on':1,'about':1,'luminescence':1,'backboned':1,'working':1,'thirty':1,'be':1,'of':4,'supporting':1,'required':2,'half':1,'different':1,'travels':1,'matter':1,'maintain':1,'were':1,'found':1,'the':5,'say':1,'or':1,'meaning':1,'once':4},'self-forgetful':{'and':1},'essence':{'of':1},'thompson':{'silvanus':1},'orthoptera':{'have':1},'220':{'the':1},'seen.':{'the':1,'illustration':1},'continuance':{'of':5},'shepherding':{';':1},'15.--mars':{'1':1},'warm-blooded':{'.':1,'creature':1},'cannot':{'and':1,'all':1,'give':2,'indeed':1,'in':1,'discover':1,'replace':1,'go':3,'see':1,'expect':1,'have':2,'enumerate':1,'fail':1,'follow':1,'even':1,'guess':1,'make':1,'continue':2,'survive':1,'tell':1,'swim':1,'be':26,'shut':1,'dispense':1,'however':1,'here':1,'possibly':1,'succeed':1,'put':1,'now':1,'come':1,'positively':2,'of':1,'conceive':1,'say':4,'evade':1,'think':2,'leave':2,'settle':1,'avoid':2,'travel':1},'genealogy':{'which':1},'appreciatively':{'in':1},'exactitude':{'and':1},'seldom':{'coincides':1,'spends':1,'if':1},'girdled':{'about':1},'baits':{'of':1},'prevents':{'bleeding':1},'sea--the':{'fresh':1,'shallow':1,'open':1,'deep':1},'girdles':{'of':1},'pituitary':{'and':1},'burst':{'into':2},'physically':{'far':1},'lancelets':{'and':1},'famine':{'or':1},'namely':{'portions':1,'that':1,'air':1,'in':1,'the':6,'sexual':1,'experimental':1},'actively':{'and':1,'hunts':1,'from':1},'sticklebacks.':{'after':1},'successive':{'ages--the':1,'series':1,'rings':1,'strata':2,'steps':1,'periods':1,'sets':1,'stages':1,'conquests':1,'incarnations':2},'sport':{'and':1,'for':1},'key--a':{'way':1},'concern':{'the':1,'for':1},'sprawl.':{'they':1},'justifies':{'itself':1},'colours':{'and':4,'then':1,'from':2,'which':2,'apart':1,'sometimes':1,'correspond':1,'.':11,'observed':1,'will':2,'are':1,'produced':1,'in':1,'alone':1,'283':1,'coloured':1,'with':1,'the':2,'red':1,'gives':1},'3':{'and':4,'below.':1,'1908':2,'educational':1,'rapid':1,'from':1,'hillock':1,'.':11,'3':1,'4':1,'we':1,'inches':1,'000':1,'letter':1,'variable':1,'now':1,'with':1,'by':1,'man':1,'evolution':1,'i':1,'of':2,'making':1,'the':11,'minutes':1,'drawing':1},'between':{'stones':1,'summer':1,'ten':1,'intelligence':1,'modern':1,'mind':1,'worms':1,'one':1,'tide':1,'our':1,'its':1,'tide-marks':1,'different':1,'flowers':2,'two':5,'physiology':1,'certain':1,'raising':1,'stars':1,'mars':1,'red':2,'a':3,'them':5,'that':1,'atoms':1,'it':1,'members':1,'shadow':1,'water-weeds':1,'fifteen':1,'day':1,'minute':1,'man':3,'plants':2,'loss':1,'one-seventh':1,'this':2,'hungry':1,'us':4,'these':3,'those':1,'common':2,'mother':2,'the':32,'male':1},'kneads':{'it':1},'justified':{'his':1,'by':1},'whipped':{'egg':1},'notice':{'what':1,'that':5,'this':1,'of':2,'is':2,'in':5,'how':1,'therefore':1,'another':1,'certain':1,'the':6,':':1,';':1,'indicating':1},'article':{'on':2,'is':1,'dealing':1},'profitless':{'stimuli':1},'stages':{'still':1,'e.g':1,'of':5,'when':1,'it':1,'through':1,'at':1,'which':1,'in':9,':':1,'until':1},'strides':{'associated':1},'cycad':{'flora':1},'systema':{'naturae':2},'altamira':{'cave':4},'enabling':{'the':1},'sparseness':{'in':1},'comet':{'and':1,'october':1,'for':1,'that':1,'september':1,'of':1,'is':1,'s':1,'.':1,'fig.':1,'approaches':1,'the':1,'dashes':1},'wheels':{'go':1},'already.':{'among':1},'comes':{'a':3,'and':1,'about':1,'from':1,'into':1,'within':2,'back':1,'.':1,'to':3,'through':1,'directly':1,'close':1,'the':1,'out':2},'mites':{'many':1},'passenger':{'pigeon':1},'jeans':{'says':1},'juvenile':{'stages':2},'learning':{'a':1,'by':7,'from':1,'intelligently.':1,'to':5,'thinking':1,'tricks':1,'there':1,'but':1,'.':1,'trial':1,'at':1,'the':1,'or':1},'moreover':{'even':1,'climate':1,'that':3,'meteorites':1,'there':2,'their':1,'as':2,'every':1,'they':1,'the':2,'if':1},'actually':{'standing':1,'do':2,'fly.':1,'longer':1,'dividing':1,'consort':1,'settled':1,'caught':1,'observed':2,'implied':1,'lives':1,'stuffed':1,'in':1,'observing':1},'sun-spots':{'appear':1,'that':1,'is':2,'rise':1,'it':1,'.':1,'are':1,'where':1},'oliver':{'lodge':2,'electrons':1},'cares':{'.':1},'mimicry--the':{'subject':1},'markedly':{'contrasted':1,'from':1,'in':1},'jerks':{'a':1,'itself':1,'its':1},'punished':{'by':1},'rotting':{'or':1,'.':1},'dangers':{'.':1,'e.g':1},'exhaustion':{'of':1},'gill-breathing':{'and':1},'angles--that':{'is':1},'observers':{'who':1,'that':1},'stephen':{'cribb.':2},'textbook':{'organic':1},'rubs':{'it':1},'stems':{'of':1,'gave':1},'suspected':{'that':1,'.':1},'water-animals':{'.':1},'realities':{'in':1,'.':1},'prehistoric':{'skulls':1,'brothers':1,'human':2,'metallurgists':1},'developing':{'organs':1,'eggs':1,'egg':1,'human':1},'these':{'flaming':1,'partial':1,'planetesimals':1,'magnetic':1,'forests':1,'four':1,'not':1,'motions':1,'facts':2,'tropisms':1,'its':1,'before':2,'layers':1,'middlemen':1,'giant':1,'daughter-buds':1,'infinitely':1,'quaint':2,'greeks':1,'masses':1,'show':1,'young':1,'forms':2,'to':1,'twig-insects':1,'spirals':1,'clusters':1,'include':1,'moorhens':1,'rodents':1,'exalted':2,'questions':2,'dark':1,'gloomy':1,'effects':2,'words':2,'radio-active':1,'instinctive':1,'fragments':2,'vast':1,'vapour':1,'shallow-water':1,'variable':1,'sources':1,'large':1,'small':1,'works':1,'embryonic':1,'mean':1,'methods':1,'are':16,'instances':1,'concern':1,'gill-slits':1,'three':4,'palaeolithic':1,'organisms':1,'self-effacing':1,'shallow':1,'particles':4,'various':2,'moons':1,'open-sea':1,'illustrate':1,'encounters':1,'red':2,'mercury':1,'we':1,'men':1,'agencies':1,'atoms':2,'wingless':1,'threads':1,'represented':1,'tidal':1,'craters':1,'great':1,'last':1,'flames':1,'brilliant':1,'could':1,'haunts':1,'strange':2,'extremes':1,'streams':1,'dents':1,'efforts':1,'wonders':1,'considerations':1,'reasons':1,'instruments':3,'marvels':1,'spiral':2,'invisible':1,'gases':1,'protozoa':1,'ether':1,'technically':1,'ring-formations':1,'little':2,'ancient':1,'from':1,'entities':1,'outbreaks':1,'there':4,'two':9,'spots':1,'.':1,'stuck':1,'observations':1,'fiery':1,'reflex':1,'manufacture':1,'enable':1,'vigorous':1,'stars':2,'form':1,'that':1,'formed':1,'minute':1,'cases':1,'sleeping':1,'with':2,'must':1,'portions':1,'was':1,'cells':1,'variations':1,'will':1,'regions':1,'replaced':1,'thin':1,'were':4,'coral':1,'and':1,'seven':2,'planets':1,'is':3,'it':1,'days':1,'pieces':1,'have':5,'in':2,'need':1,'x-rays':1,'pages.':1,'paths':1,'rays':2,'requirements':1,'inborn':2,'perhaps':1,'things':3,'cave':1,'struggles':1,'astronomers':1,'sciences':1,'amazing':1,'other':1,'details':1,'which':1,'papers':1,'units':1,'green':2,'several':2,'higher':1,'play':1,'elements':1,'vestigial':2,'may':1,'long':1,'eight':1,'delicate':1,'half-brutish':1,'waves':3,'fishes':2,'types':2,'so-called':1,'enregistrations':1,'spectra':1,'lines':3,'lasted':1,'substances':2,'chemical':3,'points':2,'electrons':7,'bodies':1,'allow':1,'tentatives':1,'the':2,'molluscs':1},'danger.':{'illustration':1},'handicapped':{'by':1},'biped':{'and':1,'202':1,'when':1},'care.':{'but':1,'illustration':1},'coolest':{'and':1,'places':1},'ein':{'or':1},'ocean-basins.':{'beginnings':1},'soil':{'of':1,'the':3,'by':1,'.':1},'startling':{'results.':1,'in':1,'effect':1,'rapidity':1,'.':1},'100th':{'of':1},'eras':{'marked':1,'.':2,'eighteen':1,'passed':1,'in':1,'with':1},'beaver':{'will':1,'not':1,'the':2,'shore-frequenting':1,'220':1},'property':{'infringement':1,'of':4,'trademark':1,'common':1,'which':1},'helium':{'and':1,'from':1,'could':1,'gas':1,'by':1},'thrills':{'the':1},'generously':{'.':1},'cromagnon':{'man':2},'develop':{'and':2,'into':2,'without':1,'inside':1,'in':2},'inquire':{'how':3,'into':1,'however':1,'what':2},'intelligently':{'appreciate':1,'.':1},'epoch':{'now':1,'in':1},'inquiry':{'into':1,'was':1,'is':2,'called':1},'streams':{'and':1,'of':4,'.':1,'bring':2,'in':1,'encounter':1,'out':1},'gorging':{'itself':1},'noble':{'giants.':1,'qualities':2,'in':1},'investigated':{'to':1,'.':1},'centuries':{'astronomers':1,'to':2,'unavailable':1},'arctic':{'plants':1,'fox':2,'foxes':1,'ocean':1,'forms':1,'terns':1},'foam':{'beneath':1,'it':1},'unconvincing':{'.':1},'fruit':{'to':1,'it':1,'but':1,'.':1},'attributes':{'as':1},'solicitation':{'requirements':1},'passing':{'on':1,'from':2,'two':1,'quickly':1,'down':1,'to':1,'through':5,'stars':1,'in':1,'an':1,'cloud':1,'before':1},'traps':{'and':1},'framework':{'of':1,'in':1},'charges':{'and':1,'of':3,'within':1,'carried':1,'.':1},'constitutional':{'sometimes':1,'changes':1,'rhythm':1},'breezy':{'morning':1},'severe':{'processes':1,'winter':2,'for':1,'interglacial':1,'in':1,'cold':2,'conditions':1},'luminous':{'body':1,'and':1,'interpretation':1,'body.':1,'envelope':1,'after':1,'spot':1,'.':1,'to':1,'cloud-like':1,';':1,'organs':1,'the':1,'fact':1},'laboratories':{'of':2},'charged':{'particles':1,'with':1,'nucleus':1},'heaps':{'them':1},'three-chambered':{'heart':2},'last.':{'the':1,'there':1},'aeration':{'is':1},'transmitting':{'waves':1},'cromagnards':{'probably':1,'in':1,'.':1},'dancers':{'in':1},'valuable':{'food-plant':1,'practically':1},'electrification':{'like':1},'accumulate':{'on':1,'any':1,'.':1},'rule.':{'getting':1},'ounces':{';':1,'at':1},'touch':{'of':3,'the':1,'is':1,'came':1,'.':1},'speed':{'a':1,'we':2,'that':1,'of':15,'is':1,'though':1,'given':1,'.':3,'to':1,'as':1,'increases':1,'which':1,'in':1,'has':1,'with':1,'or':2,'round':1},'death':{'and':2,'a':2,'of':3,'is':3,'there':2,'when':1,'but':1,'.':3,'as':1,'sec':1,'are':1,'208':1,'the':1,'should':1,'similar':1,'becoming':1},'legitimately':{'inquire':1},'thinking':{'about':1,'of':3,'is':1,'.':2,';':1,'feeling':2},'darkness--an':{'eternal':1},'starlings':{'in':1},'improvement':{'where':1,'e.g':1},'journey.':{'we':1},'treatment':{'and':1,'of':1},'versa':{'some':1},'dovecot':{'to':1},'struck':{'only':1,'in':1},'real':{'wealth':1,'nature':2,'food':1,'men':1,'seeds':1,'sense':1,'progress':1},'spectacular':{'display':2,'element':1},'larva':{'about':1,'e.g':1,'called':1,'transparent':1,'that':1},'rules':{'is':1,'set':1},'outermost':{'finger':3,'moons':1},'stung':{'by':1},'epoch-making':{'step':1,'experimental':1},'discontinue':{'all':1},'absorptive':{'wall':1},'early':{'embryo':1,'summer':1,'atmosphere':1,'instruments':1,'pliocene':2,'chapters':1,'years':1,'triassic':1,'in':1,'stage.':1,'instrument':1,'reptiles':1,'ripening':1,'stage':2,'vegetation':1,'life-history':2,'neolithic':1,'waters':1,'men':1,'community':1,'man':1,'stone':2,'forking':1,'days':2,'youth':1,'greek':1,'victorian':1,'offshoot':2,'or':1},'quickness':{'of':1,'correlated':1,'.':1},'broader.':{'other':1},'decipher.':{'another':1},'using':{'a':2,'up.':1,'them':1,'and':1,'these':1,'or':1,'their':2,'electricity':1,'the':3,'any':1},'lady':{'came':1},'ruled':{'by':1},'inevitableness':{'of':1},'learnedly':{'called':1},'heat-waves':{'and':1,'.':1},'nerve-endings':{'on':1},'pounds':{'and':3,'of':4,'.':1},'smell':{'and':1,'less':1,'of':1,'that':1,'.':1,'in':2,'detecting':1,'or':1},'velocities':{'and':1,'with':1,'from':1},'streamers':{'which':1},'system.':{'the':3,'several':1,'what':1,'illustration':1,'in':1},'benefit':{'is':1,'in':1},'t':{'our':1,'.':3,'of':1},'fully':{'formed':1,'into':1,'explained':1,'appreciate':1,'aware':1,'absorbed':1,'in':1,'.':1},'downward':{'current':1,'currents':1},'twelve':{'hours':1,'different':1},'exposed':{'on':1,'it':1,'rocks':1,'to':3,'at':1,'the':1},'coal--a':{'chemical':1},'cathode':{'gave':1},'chronology':{'do':1},'astronomer':{'simon':1,'takes':1,'calls':2,'means':1,'h':1,'seldom':1,'.':1,'offers':1,'said':1,'has':1,'despairing':1},'shore-pool':{'and':1},'1859':{'made':1,'.':1},'salicylic':{'acid':1},'unlocked':{'.':1},'1850':{'.':1},'recorded':{'.':1,'in':1},'1856':{'in':1},'conservative':{'and':1,'animals':1,'type':1,'anatomist':1},'clear-cut':{'perceptual':1,'ideas':1,'.':1},'iron-forming':{'bacteria':1},'wheat':{'and':3,'a':1,'in':2,'which':1,'on':1,'of':1,'is':2,'that':1,'it':1,'1919':1,'emerged':1,'were':1,'harvest':1,'with':1,'called':1,'before':1},'business':{'office':1,'that':1,'of':1,'.':1,'pglaf.org':1,'in':1},'sixth':{'printing':1,'day':1,'month':1},'equivalent':{'to':1},'uneasy':{'and':1,'restlessness':1},'sixty':{'millions.':1,'miles':2,'years':1},'exciting':{'chapter':1,'race':1},'throw':{'off':1,'light':1,'it':1,'much':1,'dust':1,'prickly':1},'comparison':{'of':1,'the':1,'.':1,'with':3,'should':1},'ear-trumpet':{'or':1,'man':1},'central':{'and':1,'body':2,'stomach':1,'sun':1,'region':1,'java.':1,'europe':1,'fire.':1,'portion':1,'part':1,'nucleus':2,'africa':1,'biological':1,'lens-shaped':2,'mass':1,'fact':1},'piety':{'of':1},'tentatives':{'have':1,'.':1},'wolf':{'a':1,'the':1,'.':2},'greatly':{'increased.':1,'and':1,'economised':1,'from':1,'increased':2,'for':1,'restricted':1,'enlarged':1,'according':1,'by':1,'misjudge':1,'increases':1,'magnified.':2,'in':1,'affect':1,'reduced':1,'elongated':1,'encouraged':1},'bright-green':{'hue':1},'predatory':{'creatures':1,'animal':1,'cuttlefishes':1},'freeing':{'of':1},'outlook':{'on':1},'whole.':{'geologists':1},'kapp':{'gisbert':1},'goethe':{'s':1},'skunks':{'magpies':1},'rolling':{'stone':1},'heated':{'.':1},'elementary':{'exposition':1,'can':1,'fact':1},'shrinking':{'the':1,'mass':1},'your':{'poker':1,'possession.':1,'written':1,'country':1,'equipment.':1,'use':1,'applicable':1,'pocket':1,'state':1,'periodic':1,'nerves':1,'cold':1,'hand':1,'efforts':1},'stare':{'at':1},'risen.':{'one':1},'fast':{'and':1,'line--are':1,'that':2,'bound':1,'.':1,'to':1},'log':{'ready':1},'prepare':{'or':1,'your':1},'area':{'and':2,'of':5,'varies':1,'.':1,'as':1,'are':1,'which':2,'by':1},'stoppage':{'of':1},'start':{'a':2,'of':1,'at':1,'the':1,':':1,'with':1},'cats':{'and':2},'low':{'and':2,'flat':1,'temperatures':1,'temperature':1,'form':1,'level':3,'nest-building':1,'grounds':1,'when':1,'forests':1,'gap':1,'chemical':1,'to':1,'quiet-looking':1,'retreating':1,'psychical':1,'the':1,'on':1,'type':1,'order':1,'degree':1},'lot':{'of':2},'colder':{'water':1,'.':1},'jones':{'has':1},'philosophers':{'but':1},'posterior':{'claspers':1},'manipulative':{'intelligence':1,'skill':1,'expertness':1},'1871--a':{'book':1},'body-cells':{';':1},'two-thirds':{'of':2},'water-vapour':{'gathers':1,'which':1,'in':1},'hottest':{'.':1},'playsomest':{'crittur':1},'sea-level':{'.':1},'circulation':{'of':2},'species.':{'sec':1,'it':1},'star.':{'this':1},'phosphorescent':{'things':1,'animals;':1,'at':1},'waltzing':{'mouse':1},'embedded':{'in':2},'waste-product':{'called':1},'beliefs':{'concerning':1},'euplectella':{'a':2},'vedda':{'of':1},'600':{'a':2,'miles':1,'000':1},'describe':{'this':1,'even':1,'the':1,'it':1,'as':1},'moved':{'slightly':1,'still':1,'slowly':1,'forwards':1,'weigh':1},'sheath':{'which':1},'moves':{'and':1,'only':1},'extinct--taking':{'us':1},'innings':{'.':1},'plants--the':{'first':2},'alligator-like':{'forms':1},'thither':{'rather':1,'somewhat':1},'you':{'already':1,'give':1,'within':1,'distribute':1,'share':1,'begin':2,'press':1,'are':4,'have':6,'in':1,'carefully':1,'follow':1,'will':1,'derive':1,'from':1,'for':2,'provide':3,'pay':1,'indicate':1,'charge':1,'take':1,'do':4,'notice':1,'cause.':1,'may':9,'beat':1,'as-is':1,'pick':1,'paid':3,'discover':1,'produce':1,'put':2,'hold':1,'with':1,'comply':2,'must':6,'a':1,'received':3,'prepare':1,'receive':1,'wish':1,'like':1,'cannot':1,'can':9,'learn':1,'agree':4},'forcing':{'us':1},'poor':{'.':1,'endowment':1,'in':2},'polar':{'bear':5,'ocean':1,'cap.':1,'snow-caps':1,'caps':2,'areas':1},'466':{'sirius':1},'bacillus':{'of':1},'drift':{'across':1,'but':1,'which':1},'carpenter':{'who':1},'flattened':{'shape':1,'tips':1,'sacs':1},'suited':{'to':3,'for':9,'certain':1},'queensland':{'one':1,'mudfish':1},'pool':{'on':1,'almost':1,'of':1,'is':1,'.':1,'swamp':1,'in':1},'ramsay':{'discovered':1,'and':1},'building':{'of':2,'material':1,'up':7},'bulk':{'of':4,'under':1},'condensation':{'of':1,'would':1,'they':1,'.':1},'sperm-cells':{'distinct':2,'.':1},'controlled':{'and':2,'activities':1,'life':1,'then':1,'movements':1,'more':1},'profits':{'you':1,'by':1},'doubted':{'even':1},'signalling':{'to':1},'strings':{'round':1},'since':{'lessons':1,'then':1,'we':2,'sheep-ranches':1,'many':2,'noon':1,'there':1,'it':4,'rain':1,'matter':1,'disappeared.':1,'all':1,'man':1,'the':8,'darwin':1,'extinct':2,'if':1},'contemporaneously':{'with':2},'skeleton':{'and':1,'remains':1,'musculature':1,'of':4,'tend':1,'in':1,'or':2},'pointing':{'out':1},'breadth':{'of':1},'splitting':{'the':1,'into':1,'up':2},'month':{'and':2,'because':1,'old':1,'increased':1,'of':2,'began':1,'but':1,'.':1,'became':1},'ceased':{'to':5,'it':1},'thoughtful':{'men.':1},'re-utilise':{'.':1},'revealed':{'down':1,'to':1,'themselves':1,'itself':1},'asterias':{'forreri':2},'carpet':{'of':2},'keith':{'and':1,'pithecanthropus':1,'pictures':1,'arthur':1,';':1,'m.d':2,'says:':1},'referring':{'it':1},'cliff':{'.':1},'unenforceability':{'of':1},'wyoming':{'u.s.a.':1},'talkativeness':{'.':1},'deep-rooted':{'corresponding':1},'boiling-point':{'of':1,'while':1},'solicit':{'donations':1,'contributions':1},'sustain':{'it':1},'thomson.':{'i':1},'divisions':{'of':1},'very':{'precise':1,'permeable':1,'hooky':1,'remarkable':5,'distant':1,'carefully':1,'tough':1,'uniform':1,'fine':4,'profitable':1,'rapid':2,'rapidly':1,'educable':2,'interesting':11,'young':2,'peculiar':1,'passive':1,'deep-rooted':1,'masculine':1,'inconspicuous':4,'good':2,'dust':1,'far':4,'discrepant':1,'early':1,'nearly':1,'closely':1,'vividly':1,'highly':1,'feeble':1,'minute':2,'brightly':1,'dim':1,'like':4,'profound':1,'numerous':3,'imperious':1,'large':4,'common':3,'liable':1,'quick':1,'antique':1,'dilute':1,'old':1,'often':3,'innocent':1,'unprofitable':1,'changeful':1,'likely':1,'convincingly':1,'miserable':1,'heavy':1,'gradually':1,'dense':1,'prolific':2,'poisonous':2,'definite':1,'near':1,'conservative':1,'simplest':1,'crude':1,'sluggish':1,'palatable':1,'intimate':1,'notable':1,'weak':1,'voracious':1,'small':9,'completely':1,'slow':2,'active':3,'eventful':1,'strong':3,'beginning':2,'momentous':1,'great':3,'instant':1,'reverse':1,'many':1,'distinctively':1,'inexpensive':1,'practical':1,'sensitive':4,'greatly':2,'slightly':1,'hearty--we':1,'puny':1,'first':1,'favoured':1,'primitive':1,'useful':3,'striking':4,'simple':4,'image':1,'powerful':1,'apt':1,'obscure--sometimes':1,'forcibly':1,'finely':1,'complex':2,'readily':2,'sensible':1,'little':4,'ancient':2,'basis':1,'distinct':1,'own.':1,'faint':2,'markedly':1,'long':6,'plastic':1,'marked.':1,'literal':1,'much':9,'slowly':2,'low':5,'perfectly':1,'protuberant':1,'easy':2,'successful':3,'shallow':1,'feminine':1,'representative':2,'considerable':1,'gradually.':1,'uncertain':2,'instructive':2,'characteristic':1,'largely':1,'intimately':1,'suggestive':1,'obvious':2,'thin':1,'promising':1,'beautiful':3,'heart':1,'aerial':1,'compact':1,'violently':1,'slim':1,'few':1,'high':2,'effectively':1,'variable':2,'close':1,'tranquil':1,'different':9,'keen':2,'unsuitable':1,'eloquent':1,'utilitarian':1,'hot':4,'vital':1,'grand':1,'unpromising':1,'ordinary':1,'difficult':4,'fairly':1,'opposite':1,'convincing':1,'alert':1,'important':7,'sagacious':1,'fierce':1,'frequently':1,'conspicuous':1,'dark':1,'short':2,'advantageous':1,'effective':1,'crowded':1,'mobile':1,'vigorously':1,'well':2,'severe':1,'serious':2,'incomplete':1},'indubitable':{'multicellular':1,'dynamical':1,'.':1},'bombarded':{'by':2},'coloured':{'and':1,'on':1,'reproductive':1,'lights':1,'illustration':13,'cloth':1,'flowers--attractive':1,'discs':1,'objects':1,'tree-frogs':1,'cardboard':1,'disc':1,'frontispiece':1},'oncorhynchus':{'not':1},'balancing':{'and':1,'on':2,'themselves':1,'not':1,'the':1},'minded':{'of':1},'decide':{'upon':1},'10.--solar':{'prominences':1},'cross-striped':{'quickly':1},'generalised':{'not':1,'percept':1,'humanoid':2,'members':1},'obvious':{'limitation':1,'advantage':1,'that':1,'when':1,'.':1,'advantages':1,'therefore':1,'factor':1,'fact':1},'deficient':{'in':1},'louis':{'agassiz':1,'robinson':1},'ceaseless':{'sifting.':1,'process':1},'elusiveness.':{'v':1},'retrogressions':{'in':1},'mile':{'a':1,'all':2,'towards':1,'would':1,'away':1,'per':1,'.':1,'high.':1},'plain':{'and':1,'story':2,'that':4,'is':1,'account':1,'enough':1,'vanilla':2},'locomotive':{'publishing':2},'trumpeting':{'with':1},'brittle-star':{'and':1},'salterns':{'has':1},'torpedo-net.':{'they':1},'disintegration.':{'there':1},'4557':{'melan':1},'casual':{'and':1},'bass':{'which':1},'inspire.':{'subsequent':1},'darkness':{'and':1,'of':2,'.':1,'was':1,'in':2},'consumers':{'.':1},'witnessed':{'.':1},'emotions':{'ideas':1,'but':1,'.':1,'in':1,'such':1,'beyond':1},'thickness':{'would':1,'of':8,'is':2,'.':1,';':1,'he':1},'him.':{'instantaneously':1,'illustration':1},'argyroneta':{'natans':1},'learned':{'for':2,'to':9,'that':2,'.':1,'their':1,'in':2,';':1,'its':1},'elsewhere.':{'the':1,'as':1},'edited':{'by':1},'loose':{'and':4,'spiral.':1,'sort':1,'behind.':1,'network':1},'answers':{'back':2,'.':1,'to':1,'are':1,'the':1,'must':1,'come':1,'first':1},'elmhirst':{'r':1},'11.86':{'86500':1},'trunk':{'till':1,'it':1},'lull.':{'1':1,'what':1},'i.e':{'.':14},'strong':{'desire':1,'pectoral':1,'vigorous':1,'shoulders.':1,'power':1,'that':1,'reasons':1,'jaws':1,'magnetic':1,'radiation':1,'tendency':2,'evidence':2,'feet':1,'enough':2,'artistic':2,'currents':1,'the':1,'.':2,'carapace':1,'man':1},'interposed':{'a':1},'creeps':{'close':1},'ahead':{'of':1,'in':1,'.':1},'disclaimers':{'of':1},'vegetarian':{'the':1,'scooping':1,'or':1,'triassic':2},'whine':{'about':1},'experimenting':{'and':3,'mood':1,'of':1,'.':1,'as':1,'which':1,'in':1,'rises':1,'with':3,'or':1,'more':1},'unproved':{'hypothesis':1},'soldier':{'wounded':2},'amount':{'generation':1,'of':18,'.':1,'to':2,'which':1,'proportional':1},'successors':{'whatsoever':1,'would':1},'helps':{'to':4,'the':1,'us':1},'tides.':{'illustration':1},'family':{'and':2,'spawn':1,'cares':1,'of':4,'is':1,'perceive':1,'relations':1,'.':2,'124':1,'are':1,'life.':1,'one':1,'affection':1,'swimming':1},'requiring':{'to':1,'no':1},'ask':{'the':1,'.':1},'trained':{'police':1,'animals':1,'to':1},'globes':{'and':1,'of':2,'in':2},'spawned':{'or':1},'conventional':{'modes':1},'ash':{'by':1},'flaws':{'in':1},'discriminative':{'absorption':1},'0':{'earth':1,'venus':1,'4':1},'revelation':{'of':1},'eye--we':{'have':1},'contains':{'about':1,'several':1,'an':1,'no':1,'billions':1,'.001':1,'.':1,'as':1,'ingested':1},'bask':{'on':1},'almost':{'all':5,'constant':1,'suddenly':1,'certain':3,'universal':1,'bound':1,'noisy':1,'confined':1,'see':1,'grazing':1,'at':1,'invisible.':1,'impossible':1,'wholly':1,'uncatchable':1,'as':3,'incredible':1,'cylindrical.':1,'exclusively':1,'surpassed':1,'to':1,'black':1,'girdling':1,'automatic.':1,'circular':1,'complete':1,'any':1,'formed':1,'completely':1,'sagacious':1,'nothing':1,'unique':2,'hairless':1,'a':2,'perfectly':1,'wise':1,'instantaneously':2,'perceptible':1,'no':3,'equal':1,'daily':1,'conquered':1,'ready-made':1,'invisible':2,'squirrel-like':1,'say':1},'unpleasant':{'expressions':1},'vi':{'evolution':1,'.':3},'taken':{'a':1,'by':5,'from':1,'generously':1,'for':1,'that':1,'into':2,'as':1,'.':1,'to':3,'charge':1,'at':7,'in':5,'the':2,'more':1,'any':1,'nearly':1,'out':1},'injury':{'or':1},'temps':{'would':1},'polyps':{'whose':1,'each':2},'stock--an':{'anthropoid':1},'lichens':{'and':1,'on':1},'globe.':{'for':1},'ejected':{'in':1},'site':{'and':1,'www.gutenberg.org':1,'of':2,'includes':1,'which':1,'often':1},'instrumental':{'music':2},'tapeworm':{'certainly':1},'moistened':{'finger-tip':1},'broke':{'up':1},'mounted':{'on':1,'equatorially':1,'batteries':1,'that':1},'producing':{'a':1,'visible':1,'x-rays':1,'an':1},'weathering':{'of':2,'now':1,'have':1},'cremated':{'every':1},'helped':{'by':2,'success':1,'us':1},'rotifer--we':{'are':1},'wafts':{'into':1},'sweeps':{'this':1},'egg-shell':{'and':1,'just':1},'moisture-laden':{'air':1},'nine':{'and':2,'thousand':1,'months':2,'to':1,'moons':1,'cases':1,'hundred':2},'propounded':{'to':1},'spontaneous':{'generation':1,'breaking':1,'above':1,'change':1},'history':{'an':1,'for':1,'no':1,'of':25,'museum':4,'museum.':2,'back':1,'behind':2,'which':1,'in':1,'.':13,'called':1},'f3':{'.':1},'pushes':{'itself':1},'gas.':{'but':1,'illustration':1},'stinging':{'animals':1,'cells':2,'tentacles':1,'lassoes':1},'eclipsed.':{'illustration':1},'pushed':{'will':1,'along':1,'it':1,'out':1},'sun-spot':{'of':2,'is':1},'phrase':{'and':1,'project':4,'has':1,'.':1},'lacks':{'both':1},'species':{'and':1,'1859':2,'use':2,'waddle':1,'off':1,'descent':1,'e.g':1,'perhaps':2,'of':4,'is':1,'there':1,'discover':1,'.':2,'in':1,'represented':1,'what':1,';':2,'hitherto':1,'the':2},'firmly':{'and':1,'established':1,'on':1,'that':1,'.':1,'to':1},'viviparity':{'is':1,'.':1,'the':1,'naturally':1},'starting-point':{'of':1,'the':1,'they':1},'lithographic':{'stones':1},'surpassed':{'only':1,'expectations':1},'friction.':{'but':1},'freezing-point':{'of':1,'or':1,'.':2},'surpasses':{'that':1,'in':1},'daughter-cells':{'into':1},'millikan':{'s':2},'ft':{'.':2},'tried':{'a':1,'and':1,'for':1,'one':1,'to':1,'as':1},'fv':{'contains':1},'communicating':{'cells':1,'nerve-cell':1},'derived':{'energy':1,'from':3,'infinitely':2},'sneak':{'upon':2},'gestation':{'is':1},'triumphs':{'of':5},'consequence':{'of':2,'the':1,'has':1,'enormously':1},'tries':{'to':2},'invasion':{'of':3,'was':1,'due':2,'which':2},'horizontal':{'bar':1,'except':1},'inconceivable':{'distances':1,'ages':1,'.':1,'to':1,'numbers':2,'velocity':1},'a':{'limited':1,'hampton':1,'code':1,'partial':1,'skeleton':2,'remarkable':9,'defenceless':1,'magnetic':7,'varying':1,'focus':2,'month':1,'sequoia':1,'mild':3,'mile':4,'higher':12,'zinc':1,'sweep':1,'dish':1,'golf':2,'conservative':1,'carpet':2,'compact':1,'glimpse':5,'preformed':2,'chain':2,'physiological':3,'pouch':3,'young':4,'passage':1,'granular':1,'tail':2,'cradle':1,'microscopist':1,'stable':1,'fountain':1,'friendly':1,'trilobite':2,'descendant--the':1,'brown':4,'string':1,'deeper':1,'chameleon':4,'very':59,'sun-spot':1,'wave':2,'soapy':1,'smack':1,'graphic':1,'fan':1,'leisurely':1,'microbe':1,'tank':1,'difference':2,'continued':1,'feeble':1,'minute':4,'cool':1,'generalised':3,'sea-anemone':3,'speed':5,'respiratory':1,'beginning':1,'parrot':1,'naturalist':1,'stimulus':1,'skeletal':1,'shock':1,'list':3,'gun':1,'cloudy':1,'large':32,'farthing--contains':1,'swirling':1,'starlit':1,'key--a':1,'succession':1,'small':24,'lever':1,'perceptual':1,'pool':1,'pterodactyl':2,'veritable':3,'bull-terrier':1,'force':1,'meadow':1,'full-grown':2,'trend':2,'crow':2,'sea-squirt':1,'sensation':3,'crop':1,'milligram':1,'past':1,'widened':1,'second':27,'burrower':1,'subtle':1,'further':2,'estimated':1,'port':1,'theory':3,'blue':4,'cargo':1,'stately':1,'clock':1,'waning':1,'fine':7,'section':1,'gatepost':2,'crust':1,'lizard':1,'thickness':2,'cell':2,'reconstruction':2,'new':31,'falling':3,'row':1,'method':2,'multitude':4,'body':19,'condensed':1,'full':3,'trypanosome':1,'degree':3,'compilation':1,'loose':2,'birthplace':1,'fifteenth':1,'drawing':2,'plant-like':2,'protection':1,'tangent':2,'free':4,'separate':6,'tremor':1,'strong':8,'four-chambered':1,'teacher':1,'light-year':1,'sensory':2,'great':39,'substance':4,'survivor':1,'brilliant':3,'study':2,'larger':4,'slave':1,'second--more':1,'soldier':2,'simultaneous':1,'survey':3,'suggestion':4,'social':2,'real':1,'narrow':5,'pathological':1,'steady':1,'diameter':4,'showing':1,'land-crab':1,'useful':4,'secure':1,'halfpenny':1,'stimulus.':1,'discontinuous':1,'fauna--the':1,'loose-limbed':1,'layer':1,'marked':1,'decrease':1,'motor':1,'limb':1,'glance':1,'total':3,'unit':1,'fee':3,'lens':5,'vivid':1,'distinct':3,'revelation':1,'faint':1,'visit':1,'charge':2,'frog':7,'distributing':1,'few':40,'sample':1,'saucerful':1,'centre':1,'knoll':1,'diving-bell':1,'stage':2,'type':3,'more':14,'sort':15,'flat':1,'clever':1,'door':1,'rich':2,'conductor':1,'successful':1,'whirling':1,'screen.':1,'chimpanzee':1,'bodily':1,'fan-like':1,'moistened':1,'surface':1,'rabbit':1,'particular':6,'baby':1,'coyote':1,'hole':2,'hold':1,'rivalry':1,'fly':2,'rebounding':1,'frequently':1,'flora':1,'word':1,'primate':1,'needle':1,'work':2,'stroke':1,'cat':3,'mammalian':1,'suggestive':1,'sudden':3,'thin':1,'universe':1,'chin':2,'fauna':2,'male':2,'history':2,'decorative':1,'continuity':1,'reflector':1,'stream':6,'process':5,'climax':3,'share':1,'parachute':3,'beautiful':3,'minimum':2,'caution':2,'sense':5,'pond':3,'story':1,'hydrogen':1,'species':1,'masterly':1,'terrestrial':2,'huge':8,'united':1,'winter':3,'defective':1,'keen':1,'rather':3,'finger-post':1,'discussion':1,'coot':1,'copious':1,'solidifying':1,'far':1,'hot':1,'pair':2,'forest':2,'fourth':4,'widespread':1,'native':1,'civilisation':1,'stock':3,'mould':1,'yellowish':1,'plant':1,'dull-red':1,'maternal':1,'scion':1,'candle;':1,'thickened':1,'tse-tse':2,'spot':1,'movable':1,'collection':1,'narrow-beaked':1,'diagram':3,'deep-sea':1,'lot':2,'lattice-work':2,'bird-dropping':3,'horizontal':1,'coloured':1,'spiral':7,'man':8,'a':1,'free-swimming':1,'short':9,'natural':2,'liquid':5,'conscious':1,'light':1,'projecting':1,'complexity':1,'green':4,'skilful':1,'deterioration':1,'basket':1,'diary':1,'coral-snake':1,'dream':1,'wing':1,'hen-pigeon':1,'wine':1,'plaice':1,'sperm-cell':1,'shield':1,'feather-wing':1,'double-breather':1,'gradual':6,'minnow':2,'billion':2,'cross':1,'brain':2,'stile':1,'paper':2,'thinning':1,'cold':1,'still':1,'tendency':4,'bunch':3,'chemical':6,'some':2,'group':4,'fit':1,'positively-electrified':1,'glowing':1,'roving':1,'better':2,'window':1,'permanent':1,'microscopic':1,'vast':6,'tubeful':1,'precipitate':1,'main':1,'puzzle':1,'finer':1,'non':1,'good':19,'return':1,'greater':6,'fragment':2,'safe':1,'hunter':1,'number':19,'band':2,'caterpillar':2,'billiard':1,'flint':1,'snake':1,'stout':1,'half':9,'foot':5,'lifelong':1,'day':2,'bank':1,'successor':1,'bony':2,'rocky':2,'profound':1,'mastery':4,'degree.':1,'male-producing':1,'potassium':1,'lifetime':1,'seashore.':1,'hundredth':1,'jellyfish':3,'promise':1,'creature':4,'meal':1,'predatory':1,'turtle':2,'week':3,'molecule.':1,'mental':1,'beginner':1,'map':1,'scanty':1,'garment':6,'fish':6,'hard':1,'spider':7,'related':1,'solution':1,'ball':1,'year':5,'laboratory':1,'first-class':1,'special':2,'magnet':7,'flower':2,'lobster':1,'truly':1,'pigeon':3,'day.':1,'time.':1,'race':2,'flattening':1,'portentous':1,'wide':2,'mammal':1,'brilliantly':1,'sluggish':1,'red':6,'common':12,'foundation':2,'fly.':1,'thrush':1,'belief':2,'many-celled':1,'zoological':1,'southern':1,'million':13,'little':31,'possibility':2,'quite':1,'paralysing':1,'backboneless':2,'reason':1,'lump':1,'hollowed-out':1,'plague':1,'region':2,'cough':1,'marine':3,'wall':3,'monkey':6,'vestige':3,'unique':3,'fixed':2,'yard':1,'hostile':1,'rule':4,'perceptible':1,'moment':6,'british':2,'thing':1,'length':1,'keel':1,'place':2,'nebula':7,'tempting':1,'consequence':1,'weakling':1,'user':2,'blind':3,'copper':3,'sheep-driving':1,'limestone':2,'surviving':1,'striking':7,'spoken':1,'wasp':1,'prehistoric':2,'powerful':4,'scene':2,'sack':1,'system':3,'well-known':1,'fertilised':1,'light-brown':1,'lighter.':1,'spanish':1,'twig-like':1,'ring':2,'tangle':1,'cogged':1,'romance':1,'hood':1,'speck':1,'sheep':1,'city':1,'given':1,'fuller':1,'temperature':1,'swarm':2,'leading':1,'brisker':1,'wing-span':1,'colossal':1,'nebular':1,'wonderful':6,'ton':3,'too':1,'storm':1,'periwinkle':1,'white':7,'compartment':1,'final':1,'friend':2,'low':7,'sex-call':2,'million.':1,'shell':4,'vigorous':1,'fraction':1,'starfish':2,'that':1,'tool':2,'shallow':1,'japanese':3,'crevice':1,'vegetarian':2,'reflecting':1,'zeppelin':1,'somewhat':1,'rifle':4,'prodigious':3,'copy':4,'photographic':3,'peculiar':5,'positively':1,'population':1,'distance':6,'bodyguard':1,'hundred':13,'third':6,'body.':1,'double':1,'tree':7,'rate':2,'medley':1,'bee':2,'youth':1,'matter':9,'legacy':1,'treasure-house':1,'recapitulation':2,'gigantic':4,'steep':1,'distinguished':1,'sublime':1,'collecting':1,'brittle-star':1,'withered':1,'modern':4,'defect':2,'glass':4,'direct':1,'rat':1,'ramifying':1,'sharp':1,'manner':2,'uganda':1,'gaseous':3,'breezy':1,'slab':1,'dozen':4,'conspicuous':1,'female--first':1,'convenient':1,'speculative':1,'shore':1,'soap-bubble':1,'silvery':3,'walk':1,'fish-eater':1,'high':8,'useless':1,'satisfactory':1,'long-drawn-out':1,'soap':4,'propitious':1,'butterfly':1,'memory':1,'continuous':2,'multiple':1,'normal':1,'coconut':1,'leaf.':1,'molecule':5,'boiling':1,'reef-building':2,'regular':1,'connected':1,'non-protrusive':1,'device':1,'coin':1,'hide-and-seek':1,'model':5,'wind.':1,'refractor':1,'known':1,'so-called':1,'piping':1,'thigh-bone':1,'surprising':1,'washerwoman':1,'mobile':2,'heartening':1,'clear':4,'later':6,'metal':1,'dog':6,'wasp-like':2,'tooth':1,'pipe':1,'short-lived':1,'reputation':2,'mammoth':2,'principle':1,'foster-mother':1,'distinctive':2,'velocity':3,'typical':1,'salt':1,'moon':1,'night.':1,'quantity':1,'refund':5,'selected':1,'particularly':1,'sparrow':3,'visitor':1,'manifestation':3,'skin-wing':1,'rotating':2,'bright':1,'shore-pool.':1,'seaweed':1,'constituent':1,'velvety':1,'corner':2,'pill-like':1,'uniform':4,'feat':1,'hustler':1,'staff':1,'current':4,'giant':4,'longer':1,'latent':1,'knowledge':1,'copyright':2,'series':6,'nervous':2,'less':2,'proportion':1,'jolt':1,'fluid':1,'considerable':12,'fox-terrier':1,'winged':1,'bush':1,'going':1,'black':1,'meteorite':1,'pretty':1,'spice':1,'female-producing':1,'ball-room':1,'plate':2,'single-chambered':1,'loss':2,'well-advanced':1,'means':5,'solution.':1,'familiar':1,'vascular':1,'sunny':1,'kind':8,'warm-blooded':1,'pocket':1,'whistle':1,'b':1,'roundabout':1,'measured':2,'silk':1,'spur':1,'live-and-let-live':1,'target':1,'flywheel':1,'bar':1,'progressive':2,'covering':1,'cry':1,'median':2,'violent':4,'doubled':1,'bird':11,'microscope':1,'groove':1,'bison':2,'troop':1,'memory-image':1,'freshwater':2,'web-wing':1,'human':5,'fascinating':1,'habit':1,'flash.':1,'nut':1,'globe':1,'canine':1,'richer':1,'relative':1,'computer':1,'result':2,'frog-like':1,'close':2,'luminous':3,'nocturnal':1,'wonder':1,'peanut':1,'shower':3,'crown':1,'wire':2,'capacity':3,'probable':1,'crooked':1,'subsequent':1,'century':1,'monstrous':1,'definite':6,'seventieth':1,'case':3,'state':10,'proof':1,'hiss':1,'promised':2,'progress':1,'mouthful':1,'perfectly':1,'lethargic':1,'crookes':2,'measurable':2,'notice':1,'recently':1,'cauliflower':1,'parental':1,'fold':1,'screen':3,'weak':2,'dome':1,'veil':1,'rapid':3,'conflagration':1,'waste-product':1,'flowering':1,'swift':2,'problem':2,'colonisation':1,'deep-water':1,'drum':2,'cliff.':1,'country':4,'pre-material':1,'strange':2,'waterfall':2,'quadruped':1,'sensitive':1,'connection':1,'grain':4,'mane':1,'retrograde':1,'lash':1,'comet':4,'passing':1,'whole':8,'humanoid':2,'photograph':9,'stony':1,'cooling':1,'dago':1,'point':3,'simple':9,'continuation':2,'colony':3,'donkey':1,'tapeworm':1,'height':8,'newborn':1,'moot':1,'written':1,'learning':2,'path':2,'greenish':1,'sea-cucumber':2,'hermit-crab':1,'grazing':2,'millimetre':2,'dwindling':3,'deep':1,'basis':2,'tremendous':3,'prelude':1,'damp':1,'tiny':5,'legend':1,'protozoon':1,'reduction':1,'much':5,'newt':1,'certain':18,'reflective':1,'feather':1,'reflex':3,'board':1,'firm':2,'box':2,'direction':1,'penny':2,'corresponding':1,'squirrel':1,'wood-snail':1,'brush':1,'thousand':15,'gas':4,'search':1,'spectrum':1,'coherent':1,'representative':2,'child':3,'laying':1,'careful':3,'land':1,'sound':3,'specialised':1,'novel':3,'conception':1,'remote':1,'solid':4,'plain':3,'straight':3,'prominence':1,'reminiscence':1,'form-resemblance.':1,'technical':1,'while':3,'teaspoonful':1,'biped':3,'voice':2,'cock':1,'guide':1,'mistake':2,'key':2,'food-signal':1,'pound':3,'project':5,'crowning':1,'moth':1,'it':1,'bipedal':1,'quiet':1,'tell-tale':1,'brake':1,'in':1,'twig':2,'simian':6,'property':1,'receptacle':1,'floating':1,'helmet':1,'different':5,'shooting':1,'descent':1,'trial':1,'domesticated':3,'roman':1,'check':1,'member':2,'motley':1,'unity':3,'complex':2,'diplodocus':1,'widely':1,'grand':1,'heavier':1,'web':1,'relatively':5,'yucca':1,'specimen':1,'difficult':2,'wheel':3,'satellite':1,'current.':1,'temporary':2,'cubic':3,'nest':8,'collie':1,'hand':2,'running':1,'dynamo.':1,'moving':1,'delicate':2,'climbing':1,'whale':4,'railway':1,'single':15,'destruction':1,'lower':7,'suitable':1,'stupendous':1,'flattish':1,'weapon':1,'disembodied':1,'tentacle':1,'skull-cap':1,'spoonful':1,'glorious':1,'partner':1,'position':3,'the':1,'reward':1,'musical':1,'left':1,'summer':2,'manifold':2,'kettle':4,'canal':1,'bristle':1,'being':1,'sporting':1,'newton':1,'morsel':1,'loaf':1,'three-chambered':2,'disguise':1,'steamer':1,'victim':1,'touch':1,'jackal':1,'rushing':1,'previous':6,'blow':1,'tailless':1,'disturbance':1,'wedge-shaped':1,'hint':2,'general':5,'bell':2,'master-key':1,'pitcher-plant':1,'silver':1,'straw':1,'spread':2,'transformed':2,'galloping':2,'ray':7,'5':1,'room--pour':1,'transformation':2,'finder':1,'kingdom':1,'puzzle-box':1,'nightjar':1,'fire':2,'format':1,'big':11,'couple':1,'knife-blade-like':1,'period':8,'dark':2,'cromagnon':2,'fusion':2,'royalty':1,'god.':1,'background':1,'vacuum':8,'text-book':1,'world':1,'part':1,'crusher':1,'vague':1,'name':1,'desire':1,'satisfaction':1,'necessary':1,'dislodged':1,'particle':2,'cock-pigeon':1,'signal':2,'performing':1,'sound--':1,'diffraction':1,'specific':2,'soup-plate':1,'vortex':1,'cotton-reel':2,'security':2,'soft':2,'replacement':3,'mathematical':1,'reaches':1,'right':2,'trained':1,'people':1,'prolonged':1,'process--a':1,'plausible':1,'wattle':1,'fully-formed':1,'library':3,'muscle-fibre':1,'sponge':1,'pack':1,'mighty':4,'second.':4,'mirror':4,'diving':1,'battalion':1,'bigger':1,'transparent':1,'saucer':1,'savage':1,'lung.':1,'dense':1,'calculating':1,'prolific':1,'curious':3,'broad':1,'tube':4,'footing':1,'fox':1,'nook':1,'favourite':1,'critical':2,'mutation':1,'changeful':1,'starch':1,'repeopling':1,'transmutation':1,'trap':1,'beetle':1,'knitting-needle':1,'thunderstorm':1,'reasonable':2,'power':2,'slight':3,'notable':4,'pupil':1,'cork':1,'life-or-death':1,'step':1,'caricature':1,'chick':1,'peer':1,'tidal':1,'revolution':3,'chapter':2,'plastic':1,'stone':5,'quarter':4,'central':1,'cigarette':1,'heat-measuring':1,'of':1,'biscuit':1,'bit':3,'slender':1,'greatly':1,'nucleus':5,'bright-green':1,'basin':1,'provisional':1,'pre-human':1,'swimming':1,'heavy':1,'primitive':2,'whole.':1,'cell-wall':1,'predominance':1,'colour':2,'variable':1,'wrack':1,'lung':2,'lively':1,'female':4,'cultivated':1,'pivot':3,'.':16,'telescope':3,'strangely':1,'minute.':1,'weight':2,'well-developed':1,'wonder-horse':1,'grave':1,'tennis':1,'question':1,'reindeer':1,'long':27,'fight':1,'continental':1,'standstill':1,'sea-spider':1,'double-armed':1,'hundred-millionth':1,'house':2,'bubble':2,'hare':1,'bud':1,'greyish':1,'medium':3,'relic':1,'complete':2,'form':2,'voracious':1,'magnificent':1,'registered':2,'converse':1,'neanderthal':1,'triangular':1,'mysterious':1,'cloud':1,'billion.':1,'game':2,'dead':7,'boon':1,'sprinkling':1,'line':9,'true':5,'dull':5,'versatile':1,'luxuriant':1,'continuance':1,'minnow--the':1,'rush':1,'partitioned':1,'genealogy':1,'flood':1,'characteristic':4,'spectroscope':1,'purpose':1,'maximum':3,'supple':1,'planet':2,'crystal':1,'growth':2,'limit':1,'centenarian':1,'mature':2,'monument':1,'soldering':1,'water-bag':1,'distribution':1,'piece':15,'similar':3,'leaf':7,'strongly':1,'stock--an':1,'constant':3,'flow':5,'universal':2,'measure':1,'brightly':1,'whelk':2,'sticky':1,'scientific':1,'diamond':4,'well-defined':1,'leptocephalus.':1,'home':5,'sheath':1,'ship':1,'horse':5,'living.':2,'curtain':1,'film':2,'physical':2,'water-filled':1,'brick':1,'variety':5,'glacier':1,'way':6,'there':1,'prerogative':1,'fruit-laden':1,'portion':1,'reality':2,'neolithic':1,'field':3,'prism':2,'setting':2,'stagnant':1,'branch':5,'most':6,'puppy':1,'superfluous':1,'sufficient':2,'10':1,'polar':1,'quintillion':1,'star':10,'phoenix':1,'living':3,'shelter':1,'flinty':1,'preceding':1,'planet.':1,'drift':1,'prepared':1,'choice':1,'scale':1,'recent':5,'fresh':2,'rolling':1,'yorkshire':1,'hair':1,'score':1,'sneeze':1,'concatenation':1,'source':2,'tree.':1,'vaseline':1,'meteor':1,'bivalve':2,'lead':1,'bullet':2,'dogma':1,'deep-seated':1,'movement-controlling':1,'yacht':1,'jelly':1,'drifting':1,'gorilla':2,'depth':1,'train':1,'mass':5,'fact':2,'time':17,'big-brained':1,'stick':1},'pithecanthropus':{'erectus':1,'erectus.':1,'.':1,'the':8,'was':1,'seem':1},'spectra':{'of':2,'six':1,'.':1,'corresponds':1,'36':1},'bugs':{'ever':1},'renewing':{'the':1},'deterioration':{'of':1,'the':1},'healthfulness':{'and':1},'egg':{'and':1,'a':1,'shed':1,'just':1,'for':1,'of':2,'is':1,'-cell':1,'should':1,'to':1,'which':1,'in':1,'depository':5,'signalling':1,'has':1},'chicks':{'peck':1,'had':1},'earthworm':{'is':1,'.':1,'1':1,'76':1,'s':2,'72':1,'half':1,'fragments':1,'or':1,'earthworms':1},'help':{'preserve':1,'them':1,'of':1,'flotation':1,'it':1,'to':2,'see':1,'produce':1,'in':2,'the':1},'reservoir':{'of':3},'hierarchy':{'of':1},'soon':{'a':1,'picked':1,'began':1,'it':1,'to':1,'as':1,'became':1,'realise':1,'learn':2,'learned':1,'has':1,'was':1,'appears':1,'partially':1},'indistinguishable':{'but':1},'held':{'closely':1,'to':1,'back':1,'together':2,'up':1,'their':1,'above':1,'by':1},'committed':{'to':1},'three-horned':{'skull':1},'kinetic':{'and':1,'energy':3},'liquefies':{'gases':1},'positively-electrified':{'body':1,'atoms':2},'tickings':{'of':1},'lateral':{'line':2},'solving':{'the':1},'teeming':{'.':1},'gentleness.':{'illustration':1},'absence':{'of':7,'or':1},'disclosed':{'by':1},'founders':{'of':1},'peanuts':{'which':1},'mammal--instinctive':{'aptitudes--power':1},'finer':{'world':1,'form':1},'evening':{'work':1,'star':1,'primrose':1},'food':{'and':10,'accentuated':1,'danger':1,'requiring':1,'into':1,'within':1,'it':1,'are':1,'in':3,'consists':1,'crisis':1,'note':1,'vacuole':1,'from':3,'for':2,'there':2,'.':2,'particles':2,'outside':1,'going':1,'was':1,'is':2,'on':1,'shelter':1,'but':1,'227':1,'with':1,'by':1,'enemy':1,'like':1,'largely':1,'many':1,'inside':1,'near':1,'without':1,'the':1,'or':3},'theory--the':{'structure':1},'pglaf':{'owns':1},'floating':{'plants':2,'and':1,'log':1,'sea-meadows':4,'dead':1,'buns':1,'seaweed':1,'in':1,'dust':1,'bacteria':1,'out':1},'anticipated':{'forty-one':1},'permissible':{'to':1},'foot':{'and':2,'flat':2,'of':2,'but':1,'high':2,'became':1,'long':1,'in':2},'feet':{'and':2,'four':2,'from':3,'just':1,'of':1,'whereas':1,'long':2,'.':5,'high':2,'deep':1,'7':1,'in':2,'or':1,'are':2},'stopper':{'of':1},'finite':{'or':1},'dulled':{'by':1},'occasions':{'we':1},'male-producing':{'egg':1},'enlarged':{'pectoral':1,'illustration':1,'in':1},'infer':{'this':1},'flowers--attractive':{'to':1},'stopped':{'until':1},'radial':{';':1,'animals':1,'canals':1},'neanderthalers--the':{'general':1},'dominating':{'the':1},'referred':{'to':3,'to.':1},'heavy':{'great':1,'blankets':1,'gas':1,'brain':2,'as':2,'complicated':1,'with':1,'ape':1},'transcribe':{'and':1},'matthew.':{'diagram':1,'1':1},'restless':{'inquisitiveness':2,'experimenting':1},'jaws':{'and':1,'shaped':1,'of':2,'.':1,'engulfing':1,'which':1,';':1},'down--the':{'day':1},'sulked':{'for':1},'energy.':{'sec':1},'ball':{'revealing':2,'and':1,'of':4,'found':1,'the':2,'or':1},'punitive':{'or':1},'trilobites--jointed-footed':{'antenna-bearing':1},'beyond':{'a':1,'even':1,'that':2,'this':1,'radium':1,'science.':1,'possibility':1,'its':1,'these':1,'which':1,'our':4,'the':6,'playing':1,'ordinary':1},'event':{'when':1,'seems':1,'than':1,'which':1},'oviparous':{';':1},'unsurpassed':{'gifts':1},'percepts':{'and':1},'crustacean':{'s':1},'surrounded':{'by':3},'abysses':{'and':1,'from':1,'of':1,'took':1,'.':1,'so':1,'are':1,'the':1},'america.':{'3':1,'2':1,'4':1,'6':1},'coincidences':{'.':1},'safety':{'on':1,'for':1,'of':3,'is':2,'within':1,'.':1,'until':1,'or':1,'first':1},'7':{'and':1,'palaeolithic':1,'inches':1,'why':1,'.':3,'000':1,'918':1,'1871':1,'250':1,'with':1,'the':2,'250000':1},'brownish':{'caterpillars':1},'sharp-eyed':{'enemies':1},'house-flies':{'and':1},'issue':{'of':2},'meteoric':{'matter':3},'metchnikoff':{'the':1},'drink':{'from':1},'inert':{'matter':2,'just':1,'in':1},'protruding':{'bag':1},'lights':{'as':1,'the':2},'schwalbe':{'has':1},'backboneless':{'stocks':1,'animals':3,'or':1,'animal':2},'reason':{'for':6,'to':9,'being':1,'of':2,'is':4,'in':1,'but':1,'.':1,'how':1,'--an':1,'i.e':1,'quite':1,'why':2},'base':{'and':1,'of':5,'an':1},'jaw.':{'illustration':1},'brightest':{'star':1},'put':{'a':2,'on':6,'her':1,'into':1,'out':2,'some':1,'it':3,'together':3,'two':1,'to':2,'together.':1,'zinc':1,'in':2,'forward':1,'our':1,'the':5,'themselves':1,'safely':1,'your':1,'evenly':1},'earliest':{'known':3,'remains':1,'inhabitants':1,'metal':1,'representatives':1},'algae':{'and':2,'symbiosis':1,'.':1},'revolutionary':{'changes':1},'capacities.':{'body':1},'perceptible':{'to':1,'impression':1},'persuading':{'some':1},'tortoises':{'to':1,'from':2},'fifty-four':{'muscles':1},'american':{'killdeer':1,'monkey':1,'forests':1,'monkeys':1,'.':1,'minnows':1,'astronomer':1,'tree-frogs':1,'continent':1},'conquered.':{'it':1},'daisy':{'are':1},'undergo':{'disintegration.':1},'zoophyte':{'called':2,'.':2},'assign':{'no':1},'most...':{'.':1},'partnerships':{'between':1},'knots':{'subsequently':1,'or':1,'smoke':1,'for':1},'probability':{'is':4,'that':1,'the':1,'in':1},'encoding':{':':1},'knocking':{'off':1},'reflected':{'rays':1,'from':3,'back':1,'to':1,'depends':1,'through':1},'antiquity':{'and':1,'of':3,'the':1,'with':1},'moorings':{'.':1},'elder':{'brothers':1},'unexpected':{'manoeuvres':1},'incubated':{'in':1},'warty':{'chameleon':3,'creature':1},'1871':{'when':1},'mist':{'that':1},'miss':{'gertrude':1,'the':1,'part':1,'frances':1},'ninth':{'printing':1},'foraminifera':{'and':1,';':1,'each':2},'utters':{'instinctively':1},'horse':{'and':7,'eohippus':1,'use':1,'merychippus':1,'orohippus':1,'of':2,'showing':2,'pliohippus':1,'running':1,'.':1,'shunting':1,'will':1,'s':1,'mesohippus':1,'a':1,'have':1,'which':1,'has':1,'beginning':2,'or':1,'is':1},'pelagica':{'this':1,'125':1},'findings':{'of':1},'interwoven':{'with':1,'that':1},'obedience':{'to':1},'483.3':{'11.86':1},'wonderful':{'instruments':1,'modern':1,'cluster':1,'devices':1,'colour-scheme':1,'fabric':1,'to':1,'system':1,'.':1,'instrument':3,'new':1,'elements':1,'intellectually':1,'revelations':1,'photograph':1,'corona':1,'manifestations':1,'mass':1,'source':1,'piece':1,'changes':1,'discoveries':1,'x-ray':2,'result':1},'gibraltar':{'professor':1,'so':1},'einstein.':{'illustration':1},'scheme':{'represents':1,'of':1},'danger-call':{'of':1},'passed':{'and':5,'perhaps':1,'down':1,'to':1,'as':1,'through':3,'the':2,'by':1,'before':2},'pure-bred':{'wheat':1},'measurable':{'.':1,'quantity':2},'basal':{'appetites':1},'1918':{'flew':1,'upwards':1},'blindly':{'and':1},'1911':{'showing':1,'23':1},'half-made':{'wing':1},'1912':{'.':1,'in':1},'1914':{'this':1,'and':1,'41':1,'an':1},'1917':{'a':1,'we':1,'upwards':1},'grew':{'to':1,'wheat':1,'by':1,'up':1},'tunic':{'of':1},'kindly':{'emotions':1},'grey':{'red':1,'in':1},'haddock':{'or':1},'intensities':{'of':1},'toward':{'the':2,'death':1,'increasing':1,'us':1},'stickleback':{'enters':2,'being':1,'of':1,'is':2,'s':1,'making':2},'fisheries':{'in':1},'withered':{'leaf':1,'herbage':1},'clerk-maxwell':{'james':1,'246':1,'one':1},'bells.':{'in':1},'alongside':{'of':3},'juice':{'has':1},'sentences':{'of':1,'were':1},'events':{'included':1},'concentration':{'than':1},'organs':{'and':1,'of':1,'pass':1,'but':1,'.':4,'in':1,'throughout':1,'or':1},'gathering':{'light':1,'some':1,'round':1,'to':1,'of':1},'atoms--the':{'energy':1,'discovery':1},'lid':{'.':1},'lie':{'on':1,'disregarded':1,'outside':1,'low':1,'in':1,';':1,'at':1},'u.s':{'.':2},'speculative':{'and':1,'picture':1,'point':1},'flaming':{'jets':1,'hydrogen':2},'scotland':{'1920':1,'s':1,'since':2,'were':1,'.':1},'camouflage':{'and':1,'a':1},'lit':{'our':1,'the':1,'by':1,'up':1},'relieved':{'of':1,'by':2},'labour':{'and':2,'becomes':1,'has':1,'set':1,'.':1},'lip':{'of':1,'the':1,'which':1,'but':1},'useless':{'vestige':1,'responses':1,'movements.':1,'halfpennies':1,'heat':1,'movements':2},'command':{'travels':2},'presently.':{'regions':1,'if':1},'embryological':{'evidence':1,'proof':1},'towards':{'a':1,'what':2,'or':1,'becoming':1,'us':2,'fruit-eating':1,'him.':1,'flesh-eating':1,'harmony':1,'nobler':1,'the':17,'increasing':1,'clothing':1,'its':2,'those':1},'figures--bison':{'reindeer':1},'quote':{'professor':1,'the':1},'literal':{'demonstration':1,'blood-relationship':1},'systems':{'comes':1},'indefinitely.':{'the':1},'eaten':{'or':1},'position':{'and':1,'would':1,'these':1,'of':3,'is':2,'.':1,'held':1,'as':1,'in':1,'invisible':1,'increasing':1,'where':1,'into':1},'alpha':{'the':2,'rays':1,'particle':1,'centauri':2},'approved':{'fashion':1},'19.--comet':{'september':1},'muscle':{'and':1,'for':1,'which':1,'blood-vessel':1},'evolution--factors':{'in':2},'prolongation':{'of':2},'mobile':{'ribs':1,'vehicle':1,'pigment-cells':1,'.':1,'water':2,'in':1,'tongue':1},'performances':{'and':1,'depended':1},'clear':{'and':2,'for':1,'that':8,'ideas':1,'illustration':1,'.':2,'water':1,'as':1,'without':1,'adaptation':1,'in':1,'passage':1,'why':2},'broadened':{'and':1,'out':1},'snapping':{'at':1},'25--giant':{'spiral':1},'electrons':{'and':7,'copper':1,'all':1,'being':1,'possessing':1,'move':1,'moving':1,'it':2,'an':2,'produced':2,'streaming':2,'as':2,'are':7,'in':6,'particles':1,'compose':1,'from':8,'would':1,'electricity':1,'flying':1,'circulating':1,'travel.':1,'.':11,'rushes':1,'to':2,'behind':1,'without':1,'therefore':1,'contained':1,'revolving':1,';':2,'has':3,'pass':1,'is':2,'do':1,'may':1,'circulated':1,'but':2,'263':1,'267':1,'revolve':1,'now':1,'spin':1,'a':1,'rush':1,'resulting':1,'receive':1,'leave':1,'into':1,'258':1,'across':1,'will':1,'continue':1,'so':1,'were':1,'become':1,'increase':1,'or':3},'foster-mother':{'hen':1},'velocity':{'for':1,'of':8,'sufficient':1,'.':2,'which':1,'beyond':1,'masses':1},'usual':{'interchange':1,'direction':1,'definite':1,'difficulty':1,'mode':1,'way':1,'shortness':1,'notion':1},'tubes':{'and':1,'.':1,'by':1,'until':1},'one-eighth':{'of':1},'phenomenon':{'of':1,'is':1,'.':1},'registers':{'the':1,'itself':1},'caries':{'hitherto':1},'velvety':{'skin':1},'stores':{'of':3,'nor':1},'heavens':{'we':1,'7':1,'being':1,'is':1,'.':5,'are':1,'constitutes':1,'which':2,'the':1,'more':1,'with':1,'along':1,'at':1},'164.78':{'34800':1},'wriggle':{'through':1,'up':1},'debts.':{'moreover':1},'with.':{'in':1},'betokens':{'a':1},'northern':{'hemisphere':1,'rhodesia':2,'spain':4,'lakes':1},'duncan':{'.':1},'series':{'of':13,'is':1,'e.g':1,'.':2},'distances;':{'the':1},'less':{'satisfactory':1,'secure':1,'striking':1,'expensively':1,'successfully':1,'powerful':1,'genial':1,'likely':1,'definite':1,'in':1,'radiation':1,'clearly':1,'protrusive':1,'prolific':1,'domed':2,'able':1,'.':2,'moist':1,'stable':2,';':1,'degree':1,'continuous':1,'accurately':1,'important':4,'strenuous':1,'known':1,'regular.':1,'than':17,'conspicuous':1,'aimless':1,'central':1,'fit':2,'brusque':1,'of':3,'steady':1,'severe':1,'promising':1,'the':1,'spontaneous':1},'darted':{'furiously':1},'orbits.':{'circling':1,'yet':1},'surveyed':{'.':1},'pretty':{'generally':1,'fluorescence':1,'pieces':1},'quadrupedal':{'fashion':1},'circle':{'this':1,'of':1,'here':1,'are':1,'round':3,'shows':1},'darwin':{'origin':1,'sir':1,'said':1,'showed':3,'charles':1,'56':1,'observed':1,'s':9,'greatest':1,'in':1,'the':3,'called':1},'ball-room':{'.':1},'dominant':{'spring':1,'reptiles':1},'meanwhile':{'the':1,'we':1,'it':1},'trees':{'a':2,'and':2,'like':1,'with':1,'of':1,'.':2,'where':2,'were':1,'the':1,'has':1,'was':1,'why':1},'famous':{'jesuit':1,'theory':1,'form':1,'of':1,'for':4,'book':1,'manchester':1},'feels':{'for':2},'combinations':{'of':1},'during':{'a':3,'her':1,'eclipses':1,'this':3,'many':1,'an':2,'these':1,'which':5,'the':19,'its':2},'molten':{'interior':1,'matter':1,'by':1},'birds.':{'during':1,'according':1,'it':1},'catches':{'a':1,'the':1},'intrude':{'on':1},'alteration':{'modification':1,'of':1},'flight.':{'illustration':1},'underlying':{'photosphere':1},'withdrawal':{'of':1},'hours--a':{'prodigious':1},'hobbled':{'with':1},'seventeen':{'and':1,'years':1},'religiosa':{'a':1,'138':1},'electro-magnet':{'and':1},'throwing':{'the':1,'off':1},'plausible':{'view':1},'culture':{'gave':1,'migrating':1,'.':1},'invisible.':{'the':2,'sec':1,'illustration':1},'close':{'and':1,'rapidly':1,'indeed':1,'enough':1,'together':1,'to':3,'resemblances':1,'contact':2,'at':1,'reproduction':1,'of':1,'resemblance':1,'by':2},'plankton.':{'hunger':1},'gravitation':{'that':1,'of':1,'is':1,'.':3,'to':1,';':1,'etc.':1},'probable':{'date':1,'age':1,'that':12,'period':1,'however':2},'plasticity':{'of':1,'.':2},'not-living':{'material':1,'materials':1},'tibet':{'indo-china':1},'seventieth':{'of':1},'educability':{'is':1,'but':1,'.':1},'won':{'most':1},'years.':{'and':1,'in':1},'probably':{'associated':1,'illustrates':1,'an':1,'not':1,'are':1,'begun':1,'in':2,'cloud':1,'profitable':1,'from':2,'adapted':1,'there':1,'when':1,'indicate':1,'much':2,'helps':1,'survive':1,'means':2,'lived':1,'that':2,'far':1,'safe':2,'clearer':1,'less':1,'connected':1,'represented':1,'during':1,'breeding':1,'intrinsically':1,'a':3,'did':1,'of':2,'taking':1,'preyed':1,'suggests':1,'points':1,'evolved':2,'the':3,'encased':1,'counted':1,'came':1},'conditions':{'and':1,'that':2,'this':1,'of':15,'when':1,'culminating':1,'.':5,'will':1,'while':1,'internal':1,'are':4,'they':1,'in':2,'reached':1,'the':1,'our':1},'aeons':{'of':1},'ps':{'.':1},'stagnation':{'.':1},'egg-cells':{'and':4},'fox-bat':{'with':1},'missing':{'an':1},'description.':{'it':1},'moults':{'three':1},'craters':{'and':1,'on':1,'indicated':1,'of':3,'.':1,'which':1},'ranked':{'amongst':1},'basalts':{'.':1},'invisible':{'and':2,'because':1,'star':1,'thread':1,'visible':2,'light':2,'gas':1,'against':1,'.':3,'particles':1,'to':1,'rays':1,'electrons':1,'but':1,'molecules':1,'waves':1,'world':1,'medium':1,'if':1},'both':{'jaws':2,'is':1,'in':1,'are':1,'paragraphs':1,'birds':1,'cases--marvellous':1,'from':1,'ways':1,'when':2,'.':1,';':1,'difficult':1,'eyes':2,'his':1,'kinds':1,'photography':1,'chimpanzee':1,'minnows':1,'adult':1,'cases':3,'with':1,'sides':2,'man':1,'on':1,'processes':1,'land':1,'these':3,'of':4,'hemispheres':1,'below':1,'time':1,'small':1,'the':2,'fertility':1,'herons':1},'humidity.':{'there':1},'gaunt':{'and':1},'greater--a':{'sudden':1},'sensitive':{'and':1,'period--the':1,'bromogelatine':1,'hairs':1,'no':1,'to':2,'that':1,'line':1,'than':3},'picture.':{'b':1,'illustration':2},'vaster':{'irregular':1},'experimental':{'plot':1,'discoverer':1,'study':1,'men':1,'character':1,'evidence':1,'behaviour':1,'initiative':1,'way':1,'embryology':1,'conditions':1,'devices.':1,'proof':1},'battery':{'consisted':1},'hewn':{'but':1},'whatever':{'be':1,'kind':1,'medium':1,'means':1,'advances':1,'colour':1,'number':1,'part':1,'way':1,'sets':1,'the':1},'chromosomes.':{'3':1,'5':1,'illustration':1,'6':1},'galileo':{'s':1,'who':1},'climbers':{'of':1,'in':1},'undulating':{'flashes':1},'revolutionising':{'our':1},'persecuted':{'.':1},'described':{'on':1,'later':1,'it':1,'one':1,'to':1,'as':3,'without':1,'stars':1,'in':4,'the':1,'.':1,'by':1},'stamp':{'of':2},'damp':{'meadow.':1,'weather.':1,'grass':1,'meadow-grass':1},'exert':{'this':1,'a':1},'geddes':{'and':1},'describes':{'the':1},'maintenance':{'of':1},'territory':{'we':1},'empty':{'available':1,'shell':2,'space':2,'of':1,'nest':2,'space--ether':1,'coco-nut':1,'infinite':1,'chambers':1,'the':1,'tubular':1},'jesuit':{'astronomer':1},'lived':{'on':1,'like':1,'for':1,'there':1,'.':1,'in':3,'100':1,'between':1},'partly':{'on':2,'because':9,'opened':1,'due':2,'accounts':1,'by':2},'success.':{'the':1},'intelligently.':{'intelligence':1},'freezing-point.':{'the':1},'exempt':{'status':2,'from':1},'permeating':{'the':1},'else':{'it':1,'soon':1,'in':2,'.':1,'seek':1,'mere':1},'lives':{'a':1,'on':2,'there.':1,'for':1,'inside':1,'together':1,'.':3,'at':1,'which':1,'in':4,'or':1},'liver':{'and':1},'magnetised':{'iron':1},'look':{'towards':1,'like':1,'for':3,'exactly':1,'.':1,'to':1,'at':4,'forward':2,'further':1,'precisely':1,'after':3,'more':1},'opportunity.':{'there':1},'ape-like':{'and':1,'eyebrow':1},'pace':{'sternly':1,'of':1},'while':{'and':1,'all':1,'contemporaneously':2,'energy':1,'some':1,'it':1,'one':1,'at':1,'zinc':1,'in':1,'our':1,'neanderthal':1,'her':1,'there':1,'two':1,'to':1,'we':1,'they':2,'others':2,'monkeys':1,'a':2,'on':1,'fleas':1,'these':1,'many':1,'this':1,'the':12,'similar':1},'ought':{'to':4,'definitely':1},'286':{'transformation':1},'mitchell':{'it':1},'guide':{'the':1,'him':1,'.':1},'pack':{'of':1},'albatros':{'fashion.':1},'forelegs':{'as':1},'selected':{'spot':1,'was':1},'dictum':{'that':1},'fed.':{'the':1},'overlooked':{'the':1},'geologists':{'to':1,'cannot':1},'reads':{'the':1,'like':1},'ready':{'to':4,'way':1},'simian':{'tribe.':1,'branch':1,'stock--physiological':1,'characters':1,'line':1,'type':1,'stock':5},'communal':{'life.':1},'predominates':{'.':1},'forewing':{'.':1},'belong':{'to':6,'as':1,'.':1},'unpromising':{'haunt':1},'shad':{'which':1},'grand':{'hardwood':1,'total':1,'.':1},'modification':{'or':1},'composition':{'of':3,'what':1,'was':1,'we':1},'clearness':{'and':1},'hind-leg':{'of':2},'used':{'on':1,'we':1,'for':6,'fire':1,'is':1,'up':2,'.':1,'to':14,'as':4,'threads':1,'in':10,'such':1,'the':1,'was':1,'by':5,'if':1},'temporary':{'and':2,'diseased':1,'nest':1},'suggestion':{'of':5,'that':2,'was':1,'.':1},'optic':{'nerve':1},'tube.':{'it':1},'u.s.':{'unless':1},'wilson':{'a':1,'observatory':2,'reflector':1,'45':1,'reflecting':1,'california':2,'observatory.':8},'000':{'and':1,'barrels':1,'miles':35,'years.':1,'pounds':3,'of':6,'times':3,'feet':1,'to':6,'000':20,'miles--eighteen':1,'are':1,'atoms.':1,'inch':2,'deg':2,'years':17,'bushels':2},'uses':{'it':1},'cleaning':{'the':1},'saucer-shaped':{'body':1},'assortment':{'of':1},'brussels':{'sprouts':1},'tufts':{'growing':1,'of':1,'in':1},'changed.':{'we':1},'luminescence':{'will':1,'makes':1,'that':1},'older':{'astronomers':1,'and':1,'loess':1,'yucca':1,'than':1},'spectrum.':{'that':1},'copper.':{'illustration':1},'consistence':{'of':1},'obviously':{'that':1,'much':1,'means':2,'desirable':1,'depends':1,'complex':1,'the':1,'must':1},'segmented':{'marine':1},'forms.':{'illustration':1},'calcutta':{'which':1,'.':1},'suddenness':{'the':1,'like':1},'scouring':{'a':1,'tide':1},'distances':{'and':1,'distance':1,'from':5,'of':3,'within':1,'deriving':1,'are':1,'which':1,'between':1,'the':1,'with':1},'alytes':{'not':1},'cave':{'in':2,'drawings':1,'northern':4,'.':1},'judgments':{'about':1,'expressed':1,'in':1},'migratory':{'flight':1},'overflows':{'over':1},'rabbit--who':{'by':1},'quarters':{';':1},'perforating':{'the':1},'planetoids':{'splashed':1,'or':1},'useful':{'and':1,'associations':2,'ready-made':1,'branches':1,'means':1,'pennies':1,'teeth':1,'law--senses':1,'to':6,'deposit':1,'advertisement':1,'in':3,'offices.':1,'law':1,'quality':1,'first':1},'praying':{'mantis':3},'informal':{'introductions':1},'possessors':{'to':1,'back':1,'than':1},'stock--physiological':{'proof--embryological':1},'debatable':{'questions':1},'remaining':{'on':1,'six.':2,'provisions.':1},'elver':{'at':1},'unravelled':{';':1},'march':{'23':2},'insert':{'here':1},'reptilian':{'splendour.':1,'mind--mind':1,'life':1,'mind':1,'features':1},'showing':{'a':10,'division':1,'seven':2,'him':1,'upper':1,'gradual':2,'that':1,'evolution':1,'marked':1,'.':1,'how':1,'various':2,'no':1,'under':1,'in':1,'variable':1,'what':1,'the':16,'many':1,'their':1,'trout':1},'game':{'of':4,';':1,'or':1},'wiser':{'than':1},'text-book':{'of':2},'damage':{'or':1},'distance.':{'illustration':1},'wings':{'of':3,'is':2,'turned':1,'it':1,'.':4,'suggests':1,'while':1,'are':3,'have':1,'in':1,'the':1},'translucent':{'blue':1},'ponds':{'and':1,'where':1,'they':1,'.':1},'fore-limb':{'and':1,'of':2,'is':1,'has':2,'transformed':1},'long-drawn-out':{'sublime':1},'pillar':{'to':1,'the':1,'parallel':1},'resorted':{'to':1},'holes':{'and':1},'manifest':{'themselves':1},'eel':{'and':1,'is':1,'early':1,'haddock':1,'anguilla':2,'ever':2},'popular':{'lectures':1,'astronomy':1,'idea':1,'sense':1,'interpreter':1,'estimation':1},'death-feigning':{'for':1},'minced':{'snail':1},'mathematical':{'discussion.':1,'astronomers':1,'genius':1,'points':1,'consequence':1,'astronomy':1,'reasoning':1},'wrack':{'behind':1},'cones':{'and':1,'to':1},'negative.':{'a':1},'creation':{'of':1,':':1,'when':1,'.':3},'some':{'pollen':1,'remarkable':1,'insects':2,'cromagnards':1,'muscle-fibres':1,'worms':1,'parts':4,'years':2,'volcanic':1,'cases':10,'knowledge':1,'hint':1,'interesting':1,'young':1,'improvement':1,'source':1,'writers':1,'black':1,'botanists':1,'deep-seated':1,'thousands':1,'dispute':1,'which':1,'food':1,'leisure':1,'dark':2,'they':1,'radio-active':1,'uncertain':1,'adventurous':1,'stimulus':1,'deficient':1,'miles':1,'truth':1,'small':2,'force':1,'people':1,'animals':4,'idea':2,'namely':1,'are':3,'measure':8,'disturbing':1,'nocturnal':1,'creatures':1,'respects':3,'organisms':1,'solemn':1,'anatomists':1,'eminent':2,'uniform':2,'fossil':1,'new':4,';':1,'twenty-five':1,'sluggish':1,'trout':1,'degree':2,'men':1,'lakes':1,'quite':1,'water':1,'extraordinary':1,'reason':1,'extent':5,'path':1,'canals':2,'strong':1,'great':2,'thirty':1,'of':55,'region':1,'undisguised':1,'aboriginal':1,'butterflies':1,'place':1,'deep-sea':1,'other':15,'mound-birds':1,'members':1,'striking':1,'simple':2,'fishes':3,'hermit-crabs':2,'carry':1,'ape':1,'little':1,'nebulae':2,'would':2,'harmless':1,'lizards':1,'unknown':1,'long':1,'way':5,'more':1,'sort':8,'that':1,'vanishing':1,'mammals':2,'explanation':1,'precision':1,'races':1,'particular':1,'prodigious':1,'primeval':2,'careful':1,'spirit':1,'task.':1,'150':1,'distance':2,'kind':5,'word':1,'solid':1,'theories':1,'nine':1,'were':1,'beautiful':2,'imaginative':1,'larger':1,'beetles':1,'process':1,'modern':1,'geologists':1,'states':1,'say':1,'have':2,'regulate':1,'species':2,'education':1,'considerable':1,'detail':1,'astronomers':4,'very':1,'strange':1,'electrical':1,'animal':1,'semi-fluid':1,'intelligent':1,'day':2,'fairly':1,'unimaginable':1,'kinds':2,'earlier':1,'delicacy':1,'secluded':1,'waves':1,'authorities':6,'such':2,'land':1,'dragon-flies':1,'surprising':1,'magical':2,'think':1,'fundamental':3,'time':1,'wood-snails':1,'eighty-odd':2,'bodies':1,'typical':1},'yolk':{'fully':1,';':1,'has':1,'y.s.':1,'.':1},'apes--gorilla':{'orang':1},'urgent':{'need':1},'lips':{'and':2,'four':1,'audibly':1},'economic':{'and':1},'besides.':{'interpretation':1},'nerve-fibres':{'one':1},'lingers':{'in':1},'body-mind':{'.':1},'universes':{'why':1,'comparable':1,'.':1,'like':1,'in':1},'bruising':{'the':2},'savage':{'nature':1},'nonproprietary':{'or':1},'fifty-millionth':{'of':1},'pitchblende':{'about':1,'which':1},'exceeding':{'the':1,'that':1},'competitions':{'arose':1},'pounding':{'breakers':1},'civilization':{'.':1},'sympathetic':{'ganglia':1,'colouring':1},'claimed':{'that':1},'knitting-needle':{'in':1},'eating':{'at':2,'one':1},'protrusible':{'tongue':1,'tentacles':1},'processing':{'or':1},'lakes':{'and':1,'there':1,'are':2},'stem':{'still':1,'diverged':1,'help':1,'goes':1,'.':2},'step':{'meant':1,'towards':1,'two-thirds':1,'which':1,'in':6,'toward':1,'was':3},'lasts':{'till':1,'through':1,'no':1},'become':{'equally':1,'words':1,'beautifully':2,'satisfactory':1,'an':1,'at':1,'sea':1,'in':3,'luminous':1,'living':1,'bipeds':1,'unavailable':2,'unavailable.':1,'burrowers':1,'silvery':1,'shorter':2,'permanent':1,'fatal':1,'more':3,'real':1,'yellowish':1,'separate':1,'secondarily':1,'invisible--just':1,'faintly':1,'steadied':1,'parr':1,'utterly':1,'not':1,'instinctive':1,'dissipated':1,'quite':1,'invisible.':1,'a':13,'organically':1,'perfectly':1,'like':1,'liquid':1,'of':1,'large':1,'the':2,'adapted':1},'abroad':{'during':1},'facility:':{'http:':1},'shine':{'very':1,'out':1},'faith':{'that':1},'76':{'photo':1,'the':1,'venus':1,'capella':1},'entailed':{'on':1},'prothyl':{'as':1},'warm-bloodedness':{'is':2},'four-footed':{'ancestry':1},'chaps.':{'illustration':1},'silence':{'and':1,'immense':1},'seeing':{'there':1,'it':1},'baboons':{'.':1},'visit':{'to':1,':':1,'http:':1},'within':{'into':1,'60':1,'as':2,'itself':2,'.':1,'their':2,'which':2,'themselves':1,'them':2,'his':1,'reach':1,'five':2,'90':2,'recent':1,'a':7,'about':2,'limits':1,'this':1,'30':1,'bounds':1,'reasonable':1,'the':20,'fixed':1},'libelled':{'as':1},'encircling':{'rampart':1},'one-millionth':{'of':2},'france':{'and':3,'in':3},'smells':{'indeed':1},'theory.':{'the':1,'while':1,'illustration':1},'statistics':{'worked':1},'feelers.':{'illustration':1},'renewal':{'.':1},'sea-snail':{'and':1,'.':1},'transcending':{'the':1,'anything':1},'placing':{'a':1,'the':1},'moseley':{'found':1,'s':1,'some':1},'heritage':{'not':1,'much':1},'spawning':{'none':1,'solution':1,'.':1,'beds':1,'are':1,'method':1},'revolving':{'very':1,'as':1,'electrons':1,'in':1,'round':1,'blades':1},'tortoise-shell':{'butterfly':1},'manufacture':{'and':1,'subtle':1,'much':1,'chlorophyll':1},'himself':{'and':1,'established':1,'educated':1,'the':1,'.':1,'in':1,';':1,'by':1},'registered':{'on':1,'trademark':2},'frost':{'and':1,'acting':1,'but':1},'torch':{'of':1},'shore-crab':{'is':1,'shows':1,'.':1},'properly':{'the':1},'authority':{'on':2,'thinks':1},'newer':{'loess':1},'hares':{'and':1},'dull':{'sheaths':1,'white':3,'red-hot':1,'red':1,'.':1},'zooelogical':{'discoveries':1},'lamp-shells':{'trilobites':1,'molluscs':1},'folk-ways':{'to':1},'drifters':{'the':1,'or':1,'plankton':1},'skull':{'and':6,'represents':1,'from':1,'then':1,'of':2,'is':2,'was':3,'.':3,'discovered':2,'looks':1,'which':1,'the':2,'with':1,'warns':1,'170':1},'circuits':{'as':1},'sifting':{'process':1,'.':1,'to':1,'continue':1,'which':3,'the':2,'by':1,'out':3},'foresight':{'and':1,'to':1,'means':1},'state--':{'radiant':1},'cautiously':{'out':1},'similar':{'palatable':1,'needs':1,'disturbance':1,'inference':1,'adaptations':1,'organisms':1,'sedimentary':1,'performances.':1,'processes':1,'results':1,'forms':2,'to':5,'experiments':1,'statements':1,'in':1,'things.':1,'disorders':1,'pieces':1,'conditions':1,'deposits':1,'stage':1},'non-living':{'sea-dust':1,'world.':1},'adults':{'of':1,'the':1,'like':1},'introducing':{'dust':1,'2':1},'metals':{'afforded':1,'would':1,'began':1,'but':1,'as':1,'were':1,';':1,'seem':1,'the':1},'unwise':{'to':1},'1894':{'in':1},'1895':{'sir':1,'roentgen':1},'1896':{'becquerel':1},'1890':{'that':1},'shown.':{'in':1},'kidney':{'filters':1},'cotton':{'packet':1,'were':1},'ancestors':{'a':1,'belonged.':1,'breathing':1,'on':1,'may':1,'of':5,'.':4,'which':1,'were':2,'during':1},'amounts':{'almost':1,'according':1},'heat.':{'recent':1,'illustration':1,'that':1},'prerogative':{'of':2},'mantises':{'which':1},'dissolved':{'away':2,'in':2,'salts':1,'out':1},'electrical':{'industries':1,'force':1,'installations':1,'nature':1,'influence':1,'energy':2,'phenomena.':1,'phenomena':2,'.':1,'cell':1,'attraction':2,'storm':1},'themselves.':{'illustration':1},'milk-glands':{'of':1},'dashes':{'round':1},'bodies.':{'4':1},'draw':{'water':1,'this':1,'a':1,'back':1},'clean':{'and':1},'calculating':{'boy':2},'crouching':{'bird':1,'lying':1},'potentialities':{'of':1},'triumph':{'that':1},'visits':{'us':1,'another':1},'frances':{'pitt':1},'william':{'king':1,'james':1,'bragg':2,'leche':2,'ramsay':1,'crookes':5},'astronomy.':{'ball':1},'chameleon':{'140':1,'attacked':1,'may':1,'is':2,'.':1,'s':1,'which':1,'in':1,'the':1,'inflated':1,'anolis':1},'does;':{'with':1},'cuttlefish':{'do':1,'or':4,'swimming':1},'structure':{'201':1,'and':3,'or':1,'would':1,'do':1,'far':1,'of':8,'is':1,'between':1,'mainly':1,'.':4,'adaptation':1,'which':1,'in':1,';':1,'has':1,'the':1},'independently':{'established':1,'darting':1},'correlated':{'with':1},'e':{';':1,'vivo':1,'.':9},'practically':{'a':1,'dates':1,'cosmopolitan':1,'anything':1,'certain':2,'extinguished':1,'all':1,'as':1,'every':4,'invisible.':1,'invisible':1,'the':1,'ready-made':1,'illimitable':1},'physics':{'and':2,'is':1,'.':1,'cannot':1,'so':1,'at':1,'has':1,'with':1,'are':1},'portentous':{'furnace':1,'event':1,'mines':1},'required':{'to':2,'five':1,'by':1,'thirty-five':1,'for':3},'resolving':{'to':1,'the':1},'orbit':{'to':1,'of':2,'round':1,'.':1},'utilised':{'to':1,'we':1,'by':1,'directly.':1},'depth':{'of':2,'the':1,'limit':1,'.':1},'night.':{'meteors':1,'higher':1},'utilises':{'the':1},'ignorant':{'of':2},'underrated':{'.':1},'berries':{'and':1},'requires':{'to':2,'the':1,'for':1,'ten':2},'sounded':{'by':1},'evenly':{'together':1},'gr':{'granules.':1},'cheerful':{'and':1},'34800':{'1':1},'go':{'and':1,'into':3,'back':4,'down':2,'through':3,'farther':2,'irresponsibly':1,'in':2,'out':2,'their':1,'up-stream':1,'since':1,'to':4,'too':1,'forward':1,'round.':1,'badly':1,'far':2,'free':1,'hand':1,'they':1,'a':1,'on':8,'fully':1,'straight':1,'up':1,'so':1,'deeply':1,'wrong:':1,'the':1,'round':2},'compact':{'little':2,'readily':1},'birthplace':{'after':1,'where':1,'.':1},'baron':{'cuvier':2},'arid':{'and':1,'summer':1},'suits':{'their':1,'the':1},'task.':{'quick':1},'friendly':{'home':1},'fond':{'of':3},'moribund':{'animalcules':1},'rebounding':{'branch':1},'1796':{'the':1},'miners':{'when':1},'wave':{'would':1,'thunder':1,'of':1,'.':1,'shapes':3,'forms.':1},'board.':{'the':1},'trough':{'to':1,'is':1,'in':1},'more.':{'there':1,'sec':1},'whirlpools':{'.':1,'in':1},'scrapers':{'gravers':1},'stiff':{'when':1,'tail-feathers':1},'positions':{'of':1,'towards':1,'so':1,'.':2},'button':{'at':1},'michael':{'s':1,'hart':1},'hive':{'bees':1},'tree.':{'the':1,'sec':1},'verdict':{'omne':1},'sedentary':{'plants':1,'sea-squirts':1,'sponges':1,'or':1,'types':1},'betelgeux':{'has':1},'deg.-34':{'deg':1},'teeth.':{'adaptations':1,'illustration':1},'dilute':{'substances':1},'booty':{'.':1},'detaches':{'a':1},'gumboil':{'too':1},'picked':{'them':1,'off':1,'it':1,'up':3},'creatures--the':{'first':1},'notwithstanding':{'our':1},'fishermen;':{'without':1},'plays':{'possum.':1,'upon':2,'its':1,'an':2},'paintings':{'on':2},'opaque':{'covering':1,'substances.':1,'substance':1,'with':1,'substances':2},'b-c.':{'older':1},'atoms--different':{'kinds':1},'cell':{'that':1,'to':1,'as':1,'in':2,'the':1,'has':1,'come':1},'prejudicially':{'affected':1},'experiment':{'and':1,'showed':1,'would':1,'that':1,'with':1,'.':4,'will':1,'2':1,'which':1,'in':1,';':1,'has':3,'was':2,'he':1},'poles':{'of':3,'especially':1,'.':1},'rotted':{'into':1},';':{'just':1,'indeed':1,'soon':1,'yet':3,'before':1,'copernicus':1,'interesting':1,'3':3,'to':2,'out-breeding':1,'4':2,'8':1,'his':1,'rational':1,'meanwhile':1,'food':1,'they':25,'not':1,'nor':1,'h':1,'where':1,'round':1,'energy':1,'some':4,'ourselves':1,'out':1,'even':2,'living':1,'what':2,'organisms':1,'its':2,'enough':1,'discovers':1,'7':2,'probably':1,'we':7,'here':1,'water':3,'others':2,'by':5,'on':4,'c':1,'of':2,'larger':1,'or':1,'simple':1,'ca':1,'one':3,'another':2,'mercury':1,'from':1,'there':11,'two':1,'thirdly':1,'2':4,'therefore':1,'6':2,'corresponding':1,'that':12,'ages':1,'but':39,'those':1,'he':3,'sound':1,'b':2,'mc':1,'this':3,'while':1,'r':1,'and':61,'almost':1,'thus':1,'it':51,'an':1,'as':1,'at':1,'in':17,'partly':1,'if':6,'perhaps':4,'foretells':1,'how':1,'5':2,'which':2,'9':1,'though':3,'gradually':1,'most':1,'man':1,'a':7,'lower':1,'short':1,'for':3,'sometimes':2,'so':1,'the':65},'completion':{'assuming':1},'melancholy':{'the':1,'in':1},'cellulose':{'walls':2,'but':2},'filings':{'on':1,'arrange':1},'commercial':{'redistribution.':1},'fifteenth':{'of':1},'arrow-worm':{'and':1},'following':{'short':1,'for':1,'that':1,'this':1,'list':1,'professor':1,'sentence':1,'definite':1,'up':2,':':1,'which':1,'each':1,'the':3,'stages':1},'boot.':{'sec':1},'collar-bone':{'which':1},'canals':{'and':2,'of':1,'running':1,'have':1,'.':2},'water-weeds':{';':1},'convert':{'even':1,'to':1,'nitrogenous':1},'indivisible':{'thing':1,'.':3,'particle':1,'they':1,'in':1},'anvil':{'a':1,'the':1,'could':1,'221':1,'.':1},'haunts':{'and':1,'both':1,'of':5,'there':1,'.':2,'untenable':1,'are':1,'in':1,'the':1,'or':1},'animalcules':{'especially':1,'which':1},'benevolence':{'which':2},'repel':{'one':1},'products':{'the':1},'stars--the':{'shape':1,'nebular':1,'age':1},'hearty--we':{'might':1},'stump-like':{'legs':1},'daybreak':{'and':1},'addresses':{'.':2},'danger':{'home':1,'but':1,'of':1},'foothold':{'and':2,'to':1,'in':2},'limited--there':{'are':1},'wit':{'of':2,'enough':1,'to':1},'vegetation--a':{'very':1},'singing':{'of':1},'cloud':{'and':1,'formations.':1,'of':1,'to':2,'32':1,'not':1,'makes':1,'or':2},'reflector':{'differ':1,'of':1,'.':1,'at':1,'instead':1,'the':1,'has':1},'remains':{'adjusted':1,'bring':1,'as':2,'are':1,'in':1,'unaltered':1,'to':1,'known':1,'that':1,'very':1,'occurred':1,'unfrozen':1,'164':1,'quite':1,'with':1,'man':1,'a':2,'obscure.':1,'of':7,'clear':1,'were':2,'found':4,'the':1,'fixed':1,'stationary':1,'consisted':2},'hydra':{'growing':1,'and':1,'72':1,'a':1,'many':1},'contentment':{'.':1},'crab':{'and':1,'then':1,'gets':1,'on':1,'these':1,'is':3,'continues':1,'soon':1,'to':1,'s':2,'116':1,'has':1,'prefers':1,'must':1},'vehicle':{'and':1,'of':2},'stage':{'and':1,'what':1,'or':1,'fastened':1,'like':2,'of':4,'is':1,'there':1,'.':1,'in':4,';':1,'its':1,'before':1},'depreciate':{'the':1},'started':{'the':1,'his':1,'with':1,'less':1},'becomes':{'a':4,'limited':1,'gradually':1,'feebler':1,'lead':2,'very':1,'radium':2,'hard':1,'uranium':1,'electrified':1,'possible':1,'shorter':1,'much':1,'impure.':1,'radiated':1,'negatively':1,'aware':1,'the':5,'great.':1,'more':4},'visibility':{'are':1,'but':1},'43.4':{'alpha':1},'rivalry':{'of':2},'huxley':{'regarded':1,'1825-95':2,'by':2,'called':1},'sea-floor':{'and':1,'a':1},'crosses':{'a':1,'the':2},'consort':{'with':1},'lapse':{'of':1},'averaged':{'off.':1},'recession':{'of':1},'3--the':{'moon':1},'meet':{'and':1,'exceptional':1,'this':1,'where':1,'their':1,'frequently':1,'the':3,'with':1},'nurture':{'habits':1,'seems':1},'drops':{'of':2,'as':1},'control':{'a':1,'of':2,'over':1,'in':1,'but':1,'.':1,'as':1,'each':1,'the':1},'corpuscular':{'theory':1},'escapes':{'this':1,'attention':1,'from':1,'by':1,'.':1},'escaped':{'and':1},'his':{'chariot':1,'magnetic':1,'actions':1,'hind-legs':1,'polish':1,'throne.':1,'previous':1,'pectoral':1,'limbs':1,'rapid':1,'disposal':1,'beagle':1,'kingdom.':1,'astonishment':1,'world.':1,'grip':1,'plate':1,'big':2,'navigable':1,'wives':1,'famous':1,'breast':1,'facial':1,'vacuum':1,'foot':2,'experiments.':1,'distrust':1,'science':1,'fertility':1,'teeth.':1,'ethical':1,'lowly':2,'infancy':1,'best--':1,'dead':1,'affiliation':1,'cost':1,'living':1,'pedigree':1,'tube':1,'fingers':1,'lowliness':1,'conduct':2,'origin.':1,'achievements':1,'theory':1,'business':1,'dental':1,'behaviour':1,'ancestry':1,'flanks':1,'eye':2,'tortoise':1,'conviction':1,'pursuits.':1,'messages':1,'interesting':1,'or':1,'origin':1,'own':3,'family':1,'bonnet':1,'erect':1,'god-like':2,'refined':1,'greatness.':1,'mental':2,'parentage':1,'fields.':1,'monkey':1,'own.':1,'brute':1,'long':1,'milieu':1,'observations':1,'greatness':1,'right.':1,'telegraph':1,'descent.':1,'head':3,'relationship':1,'bodily':2,'hole':1,'breast-pocket':1,'structure.':1,'encouragement.':1,'work':1,'individual':1,'more':1,'eyes':1,'domesticated':1,'everyday':1,'innings':1,'leisure-time':1,'electro-magnetic':1,'power':2,'faults':1,'reach.':1,'arguments':1,'answer':1,'stock':1,'development':2,'noble':2,'elbows':1,'social':1,'hand':1,'mouse-pupil':1,'mouth':2,'mate':2,'solidarity':1,'attempt':1,'observation':1,'charges':1,'starting':1,'chickens':1,'daily':1,'hypotheses':1,'fundamental':1,'tubes':1,'left':1},'pulling':{'things':1,'the':2},'sought':{'after':1,'out':1},'cave-men':{'of':1,'lived':1,'or':1,'show':1},'herring-gulls':{'lift':1},'embodiment':{'to':1,'or':2,'of':1},'defective':{'you':1,'work':1,'or':2},'digested':{'or':1},'confessed':{'that':2},'andes':{'.':1},'arrangement':{'of':4,'is':1,'there':1,'by':1},'solidifying':{'of':1},'located':{'on':1,'in':1,'at':2,'also':1},'sentiments':{';':1,'in':1},'instinctively':{'a':1,'recognize':1,'as':1,'for':1,'but':1},'re-use':{'it':2},'circular':{'magnetic':1,'orbit':1,'craters':1},'pink':{'mouth':1},'fostered':{'and':1,'not':1},'furiously':{'upon':1},'thunderstorm':{'we':2,'.':1},'trinil':{'in':1},'regrown':{'double.':1,'.':1},'sugar-bird':{'in':1},'free-swimming':{'larval':1,'larvae':1},'1.88':{'4230':1},'gulps':{'.':1},'conspicuousness':{'serves':1},'divided':{'their':1,'the':1,'into':5,'.':1},'immensity':{'of':1,'is':1},'least':{'meant':1,'a':3,'cold':1,'within':1,'600':2,'has':1,'interesting':1,'half':1,'there':1,'twenty':1,'one':1,'as':1,'of':2,'two':1,'in':1,'progress':1,'tremor':1,'.':2,'the':1,'by':1,'inclination':1},'astronomical':{'instruments':1,'society.':2,'instrument':1},'spots--they':{'are':1},'sperm':{'-cell':1},'boils':{'because':1},'primates':{'and':1,'sprang':2,'began':1,'soon':1,'.':1,'emerged':1,'in':1,'was':1},'including':{'climate':1,'shrews':1,'that':1,'some':1,'life':1,'legal':2,'obsolete':1,'checks':1,'but':1,'how':1,'the':5,'river':1,'outdated':1,'any':1},'obelia':{'68':1,'consisting':1},'converting':{'it':1},'facilitates':{'the':1},'brittle':{'spikelet-bearing':1},'avebury':{'s':1},'27-1':{'2':1},'outer':{'layers':1,'and':1,'stream':1,'space':1,'envelope':1,'one-mile':1,'crust':1,'surface':1,'crust.':1,'mile':1,'world':2,'ring':1},'exclusion':{'or':1},'thence':{'to':1},'up-stream':{'as':1},'masses':{'and':2,'of':6,'the':2,'or':1,'a':1},'water-weed':{';':1,'glued':2},'brook':{'of':1},'him':{'and':1,'partly':1,'of':1,'.':2,'how':1,'which':1,'in':1,'with':2},'registration.':{'illustration':1},'pre-dravidians':{'and':1},'master.':{'learning':1},'dead-leaf':{'butterfly':2},'popularly':{'known':1,'supposed':1},'shasta':{'daisy':1},'hills.':{'the':1},'rising':{'and':2,'from':1,'into':1,'sometimes':2,'water':1,'to':1,'in':1},'africa.':{'illustration':2},'stout':{'knitting':1},'hands':{'and':1,'did':1,'.':1,'in':1,'of':1},'front':{'and':3,'of':3,'door':1,'side':1,'.':1},'revealed.':{'even':1,'illustration':1},'masters':{'of':1},'f.e.s.':{'a':5,'diagram':1,'protective':1,'earthworm':1,'when':1,'hermit-crab':1,'hind-leg':1,'glass':1,'green':1,'new':1,'the':5,'trypanosoma':1,'venus':1},'mastery':{'of':5,'by':1,'.':1},'university':{'of':2,'library':3,'10':1},'plate-holder':{'on':1},'magnitude':{'and':2,'of':1,'what':1,'which':1},'mode':{'of':1},'pools':{'and':1,'of':2,'it':1,'dried':1,'which':1,'in':1},'evolution--how':{'it':1},'legions':{'of':1},'upward':{'and':2,'to':1,'at':1},'mare.':{'illustration':1},'map':{'of':2},'globe':{'and':1,'from':1,'like':1,'turns':1,'.':3,'will':1,'to':1,'bounded':1,'which':1,'was':1},'steadied':{'into':1},'mollusc':{'and':1,'s':1,'shells':1},'sands':{'of':2},'measure':{'be':1,'them':1,'for':1,'this':1,'speed':1,'explained':1,'it':1,'.':2,'how':1,'controlling':1,'unveiled':1,'dependent':1,'the':1,'with':1,'climb':1},'separating':{'the':1,'from':1,'positively-electrified':1},'special':{'protective':1,'vertical':1,'danger':1,'rules':1,'study':1,'protection':1,'interest':1,'make-up':1,'skin-leaves':1,'photographic':1,'properties':1},'143':{'protective':1},'ejecting':{'beta':1,'an':1},'vaporisation':{'of':1},'9.--the':{'great':1},'confess':{'to':1},'protoplasm':{'which':1,'flowing':1},'may':{'afterwards':1,'consider':1,'obtain':1,'rest':1,'bring':1,'go':2,'follow':2,'still':2,'find':1,'help':1,'29':2,'charge':1,'choose':1,'save':1,'swim':1,'do':1,'get':1,'read':1,'express':1,'mention':2,'not':4,'tend':1,'fitly':1,'realise':1,'contain':1,'become':3,'mean':1,'traverse':1,'set':1,'we':1,'see':1,'1924':1,'pass':6,'creep':1,'even':1,'by':1,'yet':1,'wriggle':1,'approach':1,'refer':1,'make':3,'be':124,'notice':1,'extend':1,'associate':1,'here':1,'qualify':1,'distinguish':1,'bask':1,'change':1,'convert':1,'keep':1,'credit':1,'place':1,'retain':1,'safely':1,'think':1,'elect':1,'divide':1,'conclude':1,'merely':1,'determine':1,'speak':4,'use':2,'raise':1,'prove':2,'there':2,'add':1,'.':1,'call':1,'therefore':1,'only':1,'form':2,'serve':1,'hear':1,'gain':1,'demand':1,'copy':2,'look':2,'remain':1,'suppose':1,'learn':3,'spawn':1,'give':3,'escape':1,'it':1,'say':3,'at':1,'have':27,'seem':3,'seek':1,'occur':2,'lie':1,'turn':2,'perhaps':1,'travel':1,'also':3,'take':1,'rise':1,'quote':1,'produce':2,'recognise':1,'assume':1,'well':3,'roughly':1,'spend':2},'time.':{'the':2,'illustration':1,'in':1},'pendent':{'whalebone':1},'cause':{'a':3,'and':1,'clouds':1,'of':2,'tiny':1,'chemical':1,'to':1,'the':1,'bodies':1},'achievements':{'of':2,'so':1},'fly.':{'the':1,'illustration':1},'that--':{'first':1},'withering':{'leaves':1,'leaf':1},'completely':{'disappear':1,'invisible.':1,'mysterious':1,'camouflaged.':1,'worked':1,'empty':1},'ancestry':{'of':2,'.':1,'but':1,'in':1},'egg-cocoons':{'in':1},'x':{'indicates':1},'mares':{'brought':1},'spongillidae':{'the':1},'hostile':{'way':1},'determining':{'the':1},'route':{'of':1},'times':{'and':4,'among':1,'smaller':5,'over':1,'it':1,'as':7,'thinner':2,'human':1,'in':3,'still':1,'from':1,'for':2,'whipping':1,'there':1,'when':1,'long':1,'.':2,'cooling':1,'until':1,'more':1,'we':2,'around':1,'that':6,'lizzie':1,'rise':1,'during':1,'emergence':1,'longer':1,'a':3,'faster':1,'of':3,'the':6,'round':1},'counterpart':{'of':1,'in':1},'keen':{'and':2,'a':1,'senses':1,'struggle':2,'are':1},'keel':{'on':1,'which':1,'for':1,'if':1},'apennines':{'have':1},'glories':{'of':1},'sargasso':{'sea.':1,'weed':2},'fertilises':{'these':1,'the':2},'baleen':{'whale':1},'possessing':{'the':1,'with':1},'powerful':{'a':1,'telescopes.':1,'muscles':1,'friar-birds':1,'leg':1,'strokes':1,'legs':1,'tides':1,'factors':1,'possible':1,'agencies':1,'magnet':1,'microscope':1,'current':1,'as':1,'.':1,'than':2,'lens':1},'disembodied':{'electricity':2,'atom':1},'fertilised':{'egg-cell':7,'egg':2,'ovum':2,'by':1},'light-brown':{'colour':1},'lighter.':{'the':1},'proterospongia':{'69':1,'one':1},'activity.':{'this':1},'precisely':{'the':2,'because':1,'controlled':1,'like':1},'quality':{'and':1,'which':2,'that':1,'of':4,'is':1,'.':2,'they':1,'in':1,'than':1},'suck':{'.':1},'long':{'slope':1,'golden':1,'strings':1,'afterwards':1,'weighs':1,'process':2,'series':1,'is':1,'ages':4,'it':2,'as':6,'gristly':1,'summer':1,'result':1,'another':1,'curved':1,'lifetime':1,'racial':1,'tubular':1,'arm':1,'before':3,'story':1,'gamut':1,'pedigree':1,'prehensile':1,'ones':1,'since':3,'.':4,'to':4,'tail':1,'low':1,'way':3,'time':2,'has':1,'red':1,'stilt-like':1,'ago':12,'begin':1,'run':2,'arboreal':1,'history':2,'inclined':1,'after':1,'body':1,'haunt':1,'ovipositor':1,'step':1,'journey':2,'threads':1,'with':1,'day':1,'chapter':1,'on':1,'and':3,'like':1,'stalks':2,'we':1,'the':1,'lizard-like':2,'face':2,'range':1,'branched':1,'period':2,'night.':1,'night':1,'periods':1,'rising':1,'tongue':1,'narrow':1,'summer.':1,'or':1,'pre-human':1,'are':1},'bears':{'very':1,'the':1,'in':2},'dove':{'and':1},'land--the':{'air.':1},'relations':{'and':1,'making':1,'of':1,'with':1,'to':1},'well-formed':{'when':1},'attach':{'to':1},'attack':{'it':1},'fishes.':{'eventually':1,'there':1,'cambrian':1},'declines':{'to':1},'wrapped':{'up':4,'it':1},'perfectly':{'still':1,'aerated':1,'straightforward':1,'circular':1},'final':{'spectrum':1,'.':1,'dispersion':1,'stable':1,'answer':1,'clue':1,'unification.':1},'circulate':{'round':1},'hydrosphere':{'.':1},'2-1':{'2':1},'rays--the':{'alpha':1},'exactly':{'like':1,'where':1,'equal':1,'the':2,'balance':1,'similar':1},'well-finished':{'statuettes':1},'stress':{'on':1},'lists':{'of':1},'feint':{'towards':1},'chemicals':{'which':1},'manipulation':{'of':1,'another':1},'natural':{'process':1,'spectrum':1,'rate':1,'leafy':1,'knowable':1,'size':1,'death':7,'inheritance.':1,'inheritance':2,'question':1,'to':1,'reduction':1,'therefore':1,'size.':1,'conditions':2,'resources':1,'surroundings.':1,'death.':1,'law':1,'death--procession':1,'reflex':1,'history':22},'waist':{'of':1},'photograph':{'a':1,'from':2,'reproduced':1,'of':11,'showing':4,'below.':1,'tied':1,'an':1,'note':1,'255':1,'attaining':1,'are':1,'taken':4,'the':3,'.':1,'shows':3,'clearly':1,'is':2,'fig':1},'glow-worm':{'or':1},'well-established':{'jellyfish':1},'bed':{'of':1},'bee':{';':1,'or':1,'can':1,'.':1},'providing':{'large':1,'access':2,'it':1,'copies':1},'distinguished':{'from':2,'of':1,'astronomers':1,'physicists':1,'solar':1,'anthropologist':1,'man':1},'spurs':{'of':1},'exhibit':{'in':1,'pieces':1},'enforced':{'descent':1},'lightly':{'built':3},'unchanged':{'since':1},'abyssal':{'area':1},'yielding':{'and':1},'p.m':{'.':1},'nototrema':{'there':1},'need':{'and':2,'a':1,'for':3,'be':1,'is':1,'.':1,'not':6,'foundations':1,'hardly':4},'precursors':{'of':4},'screw':{'in':1},'student-citizen':{'otherwise':1},'pursued':{'by':1},'able':{'even':1,'to':36,'with':2,'artificially':1,'in':1},'darkened':{'nest':1},'celandine':{'with':1},'instance':{'a':1,'by':1,'iron':1,'that':3,'of':6,'is':2,'in':4,'when':1,'having':1,'will':1,'how':2,'which':2,'have':1,'were':1,'the':1,'.':1,'was':1,'occurs':1,'to':1,'must':1},'relatives':{'there':1,'some':1,'like':1,'illustrate':1},'rischgitz.':{'professor':1,'baron':1},'pursues':{'a':1,'it':1,'another':1},'blades':{'of':1},'lectures':{'and':1},'moths':{'in':1,'are':1,'that':1},'connected':{'to':2,'story':1,'with':4,'by':1},'last--that':{'is':1},'learnt':{'something':1},'intrinsic':{'racial':1},'gallery':{'there':1},'speed--and':{'must':1},'enregistrations':{'are':1},'radiating':{'away':1,'heat':1,'or':1},'ovum-producer':{'for':1},'upset':{'both':1},'prickle':{'or':1},'astonishing':{'fact':1,'rapidity':1},'prickly':{'fruits':1},'se':{'.':1},'wot':{'isn':1},'impression':{'147':1,'that':1,'of':7,'is':1,'when':1,'illustration':1,'which':1,'on':1,'left':1},'emerging':{';':1,'from':4},'sent':{'on':1,'an':1,'to':1,'through':1,'forth':1,'out':1},'multicellular':{'animals':7},'influences.':{'but':1},'well-being':{'throughout':1},'pigling':{'creeps':1},'graptolites':{'and':1},'slow.':{'illustration':1},'based':{'on':5,'upon':1},'sheriff':{'of':1},'millennia':{'of':1,'in':1},'brighten':{'almost':1},'bases':{'embedded':1},'bud':{'a':1,'by':1},'inherited':{'nature.':1,'from':1},'attained':{'dark':1,'to':3,'a':1,'by':1},'employed':{'and':1,'to':1,'the':1,'in':1},'mortality':{'and':1,'had':1,'hardly':1,'.':1},'seizing':{'and':2,'every':1,'killing':2},'120':{'large':1,'deep-sea':1,'the':1,'flinty':1},'121':{'the':1,'egg':1},'123':{'miles':1},'124':{'photo':1,'woolly':1},'125':{'of':1,'albatross':1,'000':1,'storm':1},'sifting--the':{'groaning':1},'128':{'the':1},'thomson':{'sir':2,'evolution':1,'end':1,'262':1,'this':1,'was':1,'professor':1,'j':1,'regius':1,'as':1,'release':1,'imagined':1,'experimental':1,'darwinism':1},'endless':{'nooks':1,'disturbances':1},'three-hundredth':{'of':1},'gutenberg:':{'1.e.1':1},'processes':{'on':1,'that':1,'of':6,'into':1,'.':1,'to':1,'are':2,'which':1,'such':1},'automatic.':{'upper':1},'gutenberg.org':{'license':1},'trucks':{'.':1},'imperious':{'for':1},'introductions':{'to':1,'like':2,'too--the':1},'she':{'flies':2,'often':1,'soon':1,'at':1,'picked':1,'reached':1,'would':1,'had':2,'handed':1,'does':2,'got':2,'has':1,'was':4,'secures':1,'gave':1,'then':1,'never':1,'very':1,'brushes':1,'flew':1,'wanted':1,'succeeded':1,'presented':1,'did':2,'ever':1,'applies':1},'contain':{'a':1,'wheat':1,'within':1,'electrons':1,'defects':1,'more':2},'amphibia':{'senses':1},'embryonic':{'gill-clefts':1,'food-canal':1,'reptiles':1},'spotted':{'and':1,'leopard':1,'.':1},'multiplying':{'usually':1,'the':2,'by':2,'but':1},'burying':{'them':1},'34.7':{'smaller':1},'cuts':{'both':1,'the':1,'off':2,'it':1},'canine':{'tooth':2,'teeth':1},'inkling':{'of':1,'that':1},'breathe':{'dry':5,'on':1,'depend':1,'oxygen':1},'photosphere--is':{'of':1},'legacy':{'of':4,';':1},'powder':{'to':1,'which':1},'frog-like':{'mouth':1},'humane':{'sentiments':1},'surmised':{'about':1},'unconscious':{'elimination':1,'co-operation':2},'apes--the':{'gorilla':2,'gibbon':1},'southward':{'migration':1},'tend':{'to':15,'toward':1},'state':{'of':23,'visit':1,'applicable':1,'.':3,'to':1,'as':1,'in':1,'growing':1,'such':1,'s':1,'law':1,'the':2},'mind.':{'and':1,'there':1,'other':1,'sec':1,'viii':1,'another':1,'in':1},'carapace':{'of':1,'is':1,'or':1},'allotted':{'to':1},'tens':{'of':2},'neither':{'atmosphere':1,'stores':1,'very':1,'agreement':1,'aspect':1,'in':1},'kidneys':{'are':1,'the':1,'at':2,'.':1},'generations.':{'this':1,'to':1},'comparable':{'on':1,'in':2,'to':4},'attention':{'saving':1,'they':1,'may':1,'of':2,'to':1,'at':1,'decide':1,';':1},'renamed.':{'creating':1},'constituted':{'of':2},'importance':{'and':1,'on':1,'though':1,'becomes':1,'is':1,'were':1,'when':1,'namely':1,'to':1,'as':1,'of':6,'too':1,'in':1,'was':1,'than':1},'hurrying':{'streams':1},'edge-on':{'to':1,'44':1,'notice':1,'of':1},'8.--the':{'sun':1},'efficiency':{'and':1,'of':1,'is':1,'.':1,'in':1},'key':{'to':2,'after':1,'from':1,'opening':1,'.':1},'group':{'and':1,'always':2,'of':6,'only.':1,'the':1,'or':1},'precious':{'and':1,'to':1,'animal':1,'contents':1},'distribution':{'and':1,'underwent':1,'of':6,'.':1,'must':1},'secchi':{'the':1},'hits':{'the':1},'sediments':{'were':1},'limits':{'of':7,'the':1,'in':1,'that':1},'mongol':{'australian':1},'minds':{'of':2,'the':1},'preyed':{'upon':2},'strains':{'of':1,'differing':1,'that':1},'admit':{'a':1,'of':3,'the':1,'that':1,'to':1},'manifestations':{'and':1,'of':1,'in':1},'joy.':{'finally':1},'plankton':{'and':1,'is':1,'as':1,'.':1},'estimation':{'.':1},'torn':{'off':1},'studying.':{'some':1},'886.0':{'29.46':1},'colonisation':{'of':1,'was':1},'habitual':{'surroundings':1,'intelligent':1},'penetrating':{'deeply':1,'consequences':1,'opaque':1},'kin-sympathy':{'and':1},'distinguish':{'the':1,'six':1,'several':1,'different':1},'preparedness':{'until':1},'together.':{'except':1},'sea-cucumber':{'119':1,'it':1},'sense.':{'bibliography':1},'tread':{'of':1},'gregarious.':{'the':1},'addition':{'to':5,'that':1,'it':1,'of':1},'disintegrate':{'much':1,'under':1},'own.':{'the':1,'contents':1,'illustration':1},'cent':{'of':1,'selection':1,'.':3},'immense':{'extent':1,'distance':1,'stretches':1,'darkness':1,'distances':1,'column':1,'void':1,'fossilized':1,'amount':1,'importance':1,'rate':1,'mass':1,'monotony':1,'sea':1,'outbursts':2,'velocity':1,'electrical':1,'accumulation':1,'upward':1},'slowly':{'and':1,'on':1,'about':1,'dying':1,'creeping':1,'into':1,'changed':1,'it':1,'back':1,'down':1,'dissolved':1,'dissolve':1,'changing':1,'worked':1,'.':1,'taking':1},'flinders':{'petrie':1},'dead.':{'illustration':1},'shoulders':{';':1},'senses':{'and':2,'do':1,'recognise':1,'of':4,'.':1,'besides':1,'to':1,'which':1,'in':1,'touch':1,'interpret':1},'diversity':{'and':1,'in':1},'digged':{'and':1},'releasing':{'electrons':1},'four-toed':{'horse':2},'176-177':{'side':1},'expenditure':{'possible.':1},'1769-1832':{'86':1,'one':1},'mail':{'.':1},'mammals--with':{'their':1},'novel':{'and':1,'situation':1,'restlessness.':1,'way':1},'unsegmented':{'worms':1},'domestication':{'illustrate':1},'asexual':{'reproduction':4},'air-tubes':{'blood-channels':1,'takes':1,'or':1},'16.--the':{'moon':1},'chalk':{'cliffs':1},'ten-millionth':{'of':1},'owns':{'a':2},'comets':{'and':2,'is':1,'or':1,'we':1,'.':1},'ago--a':{'few':1},'tide.':{'arctic':1},'inhabits':{'british':2},'surface':{'and':8,'among':1,'often':1,'is':4,'it':1,'an':1,'through':2,'are':1,'in':2,'trailing':1,'millions':1,'from':1,'.':19,'to':3,'does':1,'therefore':1,'which':2,';':2,'was':1,'waters':2,'resembles':1,'but':2,'water':1,'by':4,'must':2,'of':27,'receives':1,'were':1,'the':2,'or':1,'bodies':1,'view':2},'examined':{'to':1,'must':1,'.':1},'lambs':{'and':1,'.':1},'conical':{'projection':1,'teeth':1},'inference--or':{'reason':1},'capture':{'small':1,'and':1,'especially':1,'air.':1},'shooting':{'star':1,'outwards':1,'stars':1,'out':1},'zoophytes':{'corals':1,'and':1},'above.':{'illustration':1},'began':{'on':1,'their':2,'long':1,'.':2,'to':25,'as':1,'in':3,'the':3,'with':2},'views':{'and':1,'we':1,'with':1,'.':1},'parts':{'and':1,'about':1,'to':1,'of':13,'company':1,'was':1,'.':1,'sufficiently':1,'only':1,'take':1,'which':1,'in':2,'ebbs':1,';':1,'save':1,'fluctuate':1,'are':3},'ante-natal':{'life':4,'sleep':1,'period':1,'hood':1},'underground':{'world':2},'party':{'distributing':1},'chlamydosaurus':{'of':1},'tapped':{'supplies':1},'capelle':{'in':1},'experimented':{'on':1,'with':1},'formations.':{'illustration':2},'appearances':{'may':2},'effect':{'and':1,'on':3,'would':1,'may':1,'of':5,'when':1,'.':1,'owing':1,'which':3,'movement':1,'measured':1,'than':1,'before':1},'clouds--some':{'with':1},'compared':{'to':4,'with':8},'surroundings.':{'the':1},'colouring':{'this':1,'remains':1,'the':1,'was':1,'of':1},'prophesied':{'for':1},'fierce':{'and':2,'flood':1},'frequently':{'transfer':1,'spread':1,'recurrent':2,'doubled':1},'destruction':{'of':1,'the':1},'poultry':{'are':2},'scarcely':{'taken':1},'reflection':{'of':1,'.':1},'cliff-loving':{'bird':1},'i':{'am':1,'had':1,'.':4,'came':1,'have':1,'the':1,'was':1,'present':1},'obstacles':{'.':1},'well':{'and':4,'named':1,'says':1,'developed':6,'illustrated':1,'known':2,'as':8,'dried':1,'have':1,'in':2,'shown':1,'able':1,'.':2,'to':1,'be':2,'afford':1,'concealed':1,'suited':3,'alone':1,'advanced':1,'placed':1,'protected':1,'accustomed':1,'mixed':1,'adapted':3},'shell--there':{'is':1},'nebulous':{'matter':2},'rife':{';':1,'in':1},'mccabe':{'a':1,'joseph':1},'years--but':{'in':1},'deadly':{'trypanosome':1},'glowed':{'under':1},'neutralised':{'and':1},'45':{'photo':1},'enormously':{'great':1,'slow':1,'greater':1,'.':2,'high':1,'enlarged':1,'denser':1,'distended.':1,'elongated':3,'increased':1},'increasingly':{'a':1},'accurate':{'analytical':1,'to':1,'measurements':1,'student':1},'mistaken':{'.':1},'leisure-time':{'observations':1},'radium--the':{'discovery':1},'sources':{'of':2},'ermine':{'is':1,'has':1,'mainly':1},'mistakes':{'often':1,'like':1,'that':1},'distant':{'planet':1,'aquatic':1,'star':1,'planets':1,'from':2,'ages':1,'past':1,'shores':1,'blaze':2,'stars':2,'date':1,'world':1},'skill':{'and':1,'.':1,'as':1,'without':1,'they':1,'in':2,'the':1},'jackal':{'and':1},'recapitulated':{'by':1},'grappling':{'and':1,'tentacles':1},'1.f.1':{'.':1},'1.f.6':{'.':1},'ovum':{'and':1,'introducing':1,'from':1,'is':1,'or':1,'with':1,'divides':1},'1.f.4':{'.':1},'density':{'heat':1,'stretching':1,';':1},'deposits':{'of':1,'which':3,'would':1,'were':1},'lured':{'upwards':1},'extends':{'not':2,'from':1,'at':1},'maintaining':{'tax':1},'recapitulates':{'at':1},'size.':{'illustration':1},'warrant':{'for':2},'clouded':{'that':1},'fate':{'of':2,'with':1,'by':1},'disappearance':{'of':2,'as':1},'devised':{'by':1},'utah':{'.':1},'propelled':{'themselves':1},'fats':{'and':1},'262':{'electrons':1,'from':1},'historic':{'interest':1},'267':{'arrangements':1,'disintegration':1},'contingents':{'from':1},'burden':{'and':1},'propeller':{'.':1},'immediately':{'preceding':1,'has':1,'lying':1,'for':1,'.':1},'crusher':{'is':1},'prominent':{'eyebrow':2},'loss':{'of':6,'there':1,'in':1},'fleas':{'and':1},'necessary':{'mathematical':1,'for':1,'that':1,'may':1,'it':1,'.':2,'to':9,'in':1,'apprenticeship':1},'lost':{'and':1,'faunas':1,'is':1,'some':1,'three':2,'races':1,'so':1,'or':1},'sizes':{'of':5,'according':1,'which':1},'ctenophores':{';':1,'or':1},'exhausted':{'by':1,'are':1},'payments':{'and':1,'must':1,'should':1},'lose':{'all':1,'one-millionth':1},'page':{'34.':1,'.':2,'also':1,'are':1,'280':1,'the':1,'92':1,'at':2},'likes':{'to':1},'therein':{'lays':1},'shed':{'germ-cells':1,'in':1,'.':1},'glare':{'of':2,'out':1},'offshore.':{'conditions':1},'arrows':{'tycho':1},'belonged':{'.':1},'phenomena':{'and':1,'then':1,'may':1,'of':3,'studied':1,'near':1,'.':1,'as':1,'cannot':1,'including':1,'are':3,'in':2,'not':1,'mean':1},'library':{'very':1,'of':2,'.':3},'husk':{'.':1},'warmer':{'water':1},'home':{'for':4,'of':1,'university':3,'.':5,'in':5,'anger':1,'was':1,'or':1},'peter':{'perhaps':1,'could':1,'was':1,'which':1},'planetesimal':{'dust':1},'scales':{'and':1,'to':1,'of':1,'shows':1},'before.':{'illustration':1},'projection':{'of':2},'broad':{'flat':1,'massive':1,'way':1,'outlines':2,'fact':2,'saucers':1},'kettle':{'on':2,'over':1,'containing':1},'cabbages':{'such':1},'injects':{'the':1},'appreciative':{'awareness':1},'tadpole':{'becomes':1,'has':1,'with':1,'mouth':1},'fountain':{'of':4},'mutation':{'and':1,'is':1},'demonstrated':{';':1},'limitations':{'are':1,'.':1},'incandescence':{'and':1},'inaccurate':{'or':1},'butterfish':{'or':1},'reaching':{'a':1,'to':1,'the':1,'which':1,'project':1},'millions.':{'the':1},'expansion':{'of':3},'imperfectly':{'known':1,'finished':1,'warm-blooded':1},'instinct':{'and':3,'may':1,'is':2,'by':2,'to':1,'as':1,'cannot':1,'in':1,';':1,'with':1,'professor':1},'stows':{'this':1},'sways':{'from':1},'macpherson.':{'illustration':1},'embryos':{'of':4,'an':1,'that':1},'freedom':{'and':1,'of':3,'understanding':1,'in':1},'interlinked':{'system':1,'in':1},'discovered.':{'primitive':1,'illustration':1},'chance':{'on':1,'as':1,'.':1},'flesh-and-blood':{'natural':1},'dominion':{'astrophysical':1},'tongue':{'a':1,'on':1,'and':1,'of':2,'upon':1,'ending':1,'can':1,'which':2},'liberating':{'the':1,'egg-cells':1},'equally':{'spaced':1,'illumined':1,'well':1,'large':1,'stimulated':1,'important':1,'unwise':1,'by':1},'contending':{'theories':1},'cell-wall':{'of':1},'crossland':{'observed':1},'previously':{'unknown':1,'in':1},'primal':{'mud':1},'washington':{':':1},'due':{'to':28,'as':1},'scharff':{'r':1},'times.':{'there':1,'b-c.':1,'illustration':1,'one':1,'c-f.':1,'the':1},'additions':{'or':1},'properties--ready':{'to':1},'endeavours':{'which':1},'utility':{'the':1,'for':1},'doubtless':{'a':1,'this':1,'discover':1,'as':1,'in':1,'gets':1,'present':1},'mississippi':{'and':1},'additional':{'distance':1,'cost':1,'terms':2,'weight':1,'contact':1},'zoologist':{'in':1,'means':1},'museum':{'and':1,'natural':14,'of':3,'57':1,'after':2,'it':1},'phrases':{'as':1},'associates.':{'in':1},'noticed':{'that':4,'already':1,'in':1,'by':1,'.':1},'night--relieved':{'only':1},'daniell':{'alfred':1},'inner':{'upper':1,'life':3,'aspects':1,'stream':1,'one':1,'aspect':1,'ear':1,'or':1},'cell.':{'this':1},'reiteration':{'of':1},'crushing':{'seeds':1},'north':{'and':1,'europe':3,'from':1,'scandinavia':4,'e.g':1,'when':1,'pole':2,'pacific':1,'an':1,'to':1,'1500':1,'sea':2,'in':1,'227':1,'american':1,'america':4,'or':2},'gluten':{'albumin':1},'make-up':{'which':1},'triangular':{'piece':1},'fountains':{'of':1},'gait':{'is':1,'human':1,'but':1},'gain':{'of':1,'leisure':1,'an':1},'sprinkling':{'of':1},'highest':{'level':1,'of':2,'up':1,'reaches':1,'brilliancy':1,'octave':1,'authorities':1,'line':1,'animals--birds':1},'eat':{'it':1,'in':1},'he':{'replied':1,'discovered':1,'ceased':1,'differs':1,'had':7,'destroyed':1,'belongs':1,'constitutes':1,'has':16,'then':2,'means':1,'produced':1,'did':2,'revolutionised':1,'found':4,'went':1,'traces':1,'reduced':1,'says':3,'often':1,'declines':1,'estimated':1,'thinks':1,'puts':1,'learns':1,'wondered':1,'induces':1,'laid':1,'does':2,'got':3,'shows':1,'measures':1,'chose':1,'reacts':1,'maintains':1,'disappeared':1,'approaches':1,'interposed':1,'asks':1,'poured':1,'could':1,'became':1,'confronted':1,'asked':1,'first':2,'one':1,'likes':1,'cultivated':1,'considers':1,'passes':1,'would':2,'jerks':1,'much':1,'wrapped':1,'was':8,'knows':2,'took':3,'repeatedly':2,'worked':1,'must':1,'plants':1,'made':1,'showed':1,'believes':1,'will':1,'arranges':1,'can':5,'of':1,'plunges':1,'called':2,'and':1,'is':7,'walks':1,'thus':1,'buried':1,'allowed':1,'claimed':1,'tells':1,'said.':1,'drained':1,'began':1,'also':2,'speaks':1,'tapped':1,'concedes':1,'used':1,'may':1,'who':1,'drives':1,'accurately':1,'tries':1,'said':1,'likes--and':1,'so':1,'lays':1,'fitted':1,'once':1},'volplaning':{'of':1,'parachutists':1},'cells':{'and':2,'on':2,'kept':1,'boxed':1,'that':1,'of':4,'showing':1,'no':1,'together':1,'.':5,'marked':1,'but':1,'have':1,'which':2,';':2,'whereas':1,'are':3},'two-spined':{'sticklebacks':1},'exerts':{'a':1},'stories':{'of':1,'if':1},'pumped':{'although':1,'out':1},'eyes.':{'furthermore':1},'piece':{'of':29,'became':1},'display':{'perform':1,'of':3,'.':1,'in':1},'neanderthalensis':{'first':1},'cheek-bones':{'and':1},'universal':{'inevitableness':1,'commodity':1,'freedom':1,'acceptance':1,'or':1,'attraction':1,'carrier':1,'open':1,'ether':3},'penny':{'you':1,'in':3},'climax.':{'the':1},'lobes':{'ps':1,'l':1},'crystals':{'and':1,'of':1,'the':1,'or':1,'in':1},'education':{'and':1,'of':3,'included':1,'she':1},'draco':{'volans':2},'heat--forms':{'of':1},'forest.':{'there':1},'functions':{'of':1,'alike':1,'.':1},'apple-trees':{'of':1},'vibrations.':{'the':1},'offensive':{'persons':1},'vacuole':{'cv':1,'fv':1},'onwards':{'it':1,'.':1},'meteor':{'reached':1,'shattering':1},'chemist':{'use':1,'john':1,'was':1,'but':1},'disposing':{'of':1},'over':{'and':8,'all':3,'fifty':2,'diverse':1,'80':1,'functioning':1,'their':1,'again':5,'space':1,'two':4,'.':1,'to':4,'2':1,'8':1,'200':1,'life':1,'hundreds':1,'five':2,'a':6,'new':1,'100':1,'one':1,'11':1,'31':1,'30':1,'taut':1,'the':23,'800':1,'its':2},'star':{'and':2,'distances':1,'appeared':1,'had':3,'is':4,'corresponds':1,'cluster':1,'as':1,'registers':1,'at':2,'in':2,'sinks':1,'whose':1,'for':2,'perhaps':1,'seems':1,'due':1,'.':6,'to':2,'goes':1,'clusters':1,'which':1,'light-years':1,'means':1,'may':1,'but':1,'it':1,'revealed':1,'crosses':1,'clouds':1,'of':1,'against':1,'near':1,'following':1,'algol':1,'makes':1,'or':2},'scrutinising':{'these':1},'living':{'and':1,'flesh':1,'tissues':1,'mainly':1,'an':1,'at':2,'creatures--the':1,'images':1,'ape':1,'organisms':1,'things':2,'representatives':3,'.':2,'creatures':32,'creature':8,'body':1,'a':1,'we':1,'adaptations':1,'form':1,'fire':1,'in':5,'material':1,'hand':3,'burden':1,'to-day':1,'to-day.':1,'man':1,'plants':1,'on':4,'fossils':1,'for':1,'creatures.':1,'items':1,'microcosm':1,'anthropologists':1,'matter':9,'materials':1,'organism':1},'vega':{'34.7':1},'gradations':{'of':1,'from':1},'stag':{'and':1},'pathways':{'marked':1},'out.':{'if':1},'drainpipes':{'to':1},'dewey':{'that':1},'persistent':{'nevertheless':1,'patience':1,'experiment':1,'death-feigning':1,'grasp':1,'tendency':1},'eighties.':{'it':1},'inset':{'circle':1},'15-20':{'feet':1},'determination':{'to':1},'skimming':{'on':1},'indirectly':{'into':1,'from':1,'the':1,'hastened':1},'disruptive':{'chemical':1},'secondly':{'it':1},'saturating':{'outside':1},'psycho-analyst':{'must':1},'is--but':{'it':1},'mackerel':{'and':1},'better.':{'now':1},'dynamic':{'.':1,'systema':1},'unfurl':{'more':1},'straws':{'he':1,'were':1,'she':1,'.':2},'rampart':{'is':1},'shrinkages':{'which':1},'up.':{'the':1},'whose':{'distance':1,'luminescence':1,'skull':3,'origins':1,'point':1,'fine':1,'warm-bloodedness':1,'stinging':1,'atoms':1,'instrumental':1,'motions':1,'webbed':1,'movements':1,'type':1,'gravitational':1,'mental':1},'gamut':{'between':1},'calculate':{'how':1,'the':1,'your':1,'that':1},'swam':{'close':1,'instinctively':1},'auk':{'were':1},'berridge':{'f.z.s.':8},'bragg':{'247':1,'one':1,'says':1,'that':1},'miall':{'l':1},'presents':{'a':1,'the':1},'fine-grained':{'lithographic':1},'investigation':{'shows':1,'.':1},'vocabulary--he':{'has':1},'teaching':{'very':1},'bird--too':{'far':1},'descendant--the':{'modern':1},'updated':{'editions':1},'hind-limb':{'of':1},'counted.':{'but':1,'in':1},'void':{'the':1,'.':1},'cockchafers':{'are':1},'vase':{'which':1},'thinopus':{'the':1},'smack':{'of':2,'their':1},'asia.':{'man':1},'nourished':{'from':1},'govern':{'what':1},'radio-active':{'substance':1,'substances':3,'.':1,'matter':1,'elements':4,'or':1,'bodies':2},'affect':{'a':2,'our':1,'the':5,'your':1},'vast':{'and':1,'stores':2,'reservoir':1,'disturbances':1,'process':1,'energy':1,'as':1,'numbers':1,'crowd':1,'masses':1,'regions':1,'majority':1,'figures':1,'structures':1,'vegetation':1,'whirlpool':1,'medium':1,'that':2,'new':1,'population':1,'streams':1,'changes':1},'transformed.':{'before':1},'kataleptic':{'state':1},'baking':{'qualities':1},'naturalist':{'louis':1,'of':1},'crops':{'with':1},'conductor--six':{'times':1},'present.':{'the':1},'herbert':{'spencer':1},'indefinitely':{'.':1,'in':1},'danger-signal':{'sounds':1},'1859.':{'heritable':1},'greenish':{'plants':1,'warty':1,'phosphorescence':1},'employees':{'expend':1,'are':1},'breast-bone':{';':1,'has':1,'it':1,'.':1},'clothes':{'it':1},'favoured':{'the':1,'speculation':1},'carnivore':{'by':1},'force':{'and':2,'them':1,'proceed':1,'developed':1,'between':1,'due':1,'but':1,'equal':1,'at':1,'which':1,'of':3,'.':2},'senescence':{'but':1},'concise':{'view':1},'dome-like':{'and':1},'japanese':{'deep-sea':2,'variety':1},'current--the':{'dynamo--magnetism--ether':1},'intelligible.':{'sec':1},'hundredfold':{'in':1},'cactus':{'and':1},'even':{'thinner':1,'learning':1,'ten':2,'less':1,'it':1,'an':1,'as':1,'planetoids':1,'through':1,'at':5,'picked':1,'in':9,'before':1,'cut':1,'wholesome':1,'for':1,'make':1,'when':7,'gases':1,'by':1,'to':4,'then':1,'routine':1,'if':6,'more':6,'picture':1,'his':1,'greater':1,'though':1,'after':1,'suffused':1,'rise':1,'although':1,'suck':1,'with':2,'than':1,'conspicuous':1,'hints':1,'a':8,'on':1,'several':1,'liquid':1,'these':2,'of':4,'proud':1,'against':1,'this':1,'without':1,'vaster':1,'the':17,'calculates':1},'unborn':{'young.':1,'reptile':1,'child':1,'offspring':1,'.':1},'asia':{'and':2,'that':1,'is':1,'africa':1,'.':2,'in':1,'was':1,'minor':1},'liberated':{'and':2,'on':1,'from':3,'eggs':1,'when':1,'were':1},'haze':{'and':1},'rest.':{'illustration':1},'reverently':{'and':1},'dr.':{'schoetensack':1,'cyril':1,'romanes':1},'new':{'corner':1,'ebooks.':1,'knowledge':4,'forms':1,'surroundings':1,'physics--the':1,'world.':1,'associations':1,'views':1,'food':1,'revelations':1,'ones':1,'world':2,'devices.':1,'worlds':1,'corners':1,'freedom.':1,'parasite':1,'possibilities':1,'microscope':1,'habits':2,'view':5,'body':1,'domain':1,'methods':1,'habitat':1,'generation':2,'parasites':1,'individualities':1,'home':1,'ebooks':1,'psychology':1,'habits--experiments':1,'competitions':1,'method':1,'discovery':1,'rhodesian':1,'theory':1,'leg':1,'joy':1,'objects':1,'york':11,'linkage':1,'computers':1,'haunts':1,'kingdoms':1,'72-inch':1,'factor.':1,'kinds':1,'or':1,'departures':10,'one':2,'use':1,'nebulae':1,'area':1,'.':2,'territories':1,'card':1,'interest':1,'suit':1,'shell':1,'clue':1,'zealand.':1,'lives':2,'kind':1,'conception':3,'star.':1,'variations':2,'devices':2,'state--':1,'cards':1,'property':2,'and':2,'permutations':1,'discoveries.':1,'sense':1,'flora.':1,'rays':1,'variety':2,'views--the':1,'feature':1,'inquiry':1,'gateways':1,'doors':1,'development':1,'elements':1,'star':1,'opportunity':1,'zealand':2,'modes':1,'light':2,'departure':2,'element':1,'materials':1,'physics':1},'net':{'detaches':1,'result':1},'ever':{'because':1,'tap':1,'show':1,'within':1,'discover':1,'in':1,'seen':2,'matures':1,'imminent':1,'been':1,'.':2,'take':1,'be':1,'life':1,'lived':1,'devised':1,'thrown':1,'perceived':1,'made':1,'rescued':1,'resolving':1,'rose':1,'passing':1,'arising':1,'could':1,'comes':1,'realised':1},'evolving':{'and':1,'brain':1,'set':1,'system':1,'on':1},'muzzle':{'region':1},'seventh':{'printing':1},'never':{'even':1,'nearer':1,'absent':1,'like':1,'ceases':1,'less':1,'becomes':2,'getting':1,'see':1,'been':1,'germinates':1,'completely':1,'understand':1,'showed':1,'mixing':1,'learned':1,'more':1,'focussed':1,'at':1},'drew':{'this':1,'the':1},'anthropology':{'will':1,'home':1,'and':1,'.':1},'met':{'the':1,'with':2,'by':1,'in':2},'108':{'600':1},'active':{'development':1,'and':1,'life':1,'links':2,'for':1,'cuttles':1,'protozoa':1,'strenuous':1,'cooperative':1,'in':1,'deep-sea':1,'the':1,'swimmers':1,'nor':1},'100':{'tons.':1,'miles':1,'000':9,'after':1},'cardboard':{'and':1,'we':1,'were':1},'interpret':{'as':1,'except':1},'contraction':{'process':1,'of':1,'is':1,'and':1},'dry':{'land':27,'land--the':1,'season':1,'work':1,'air':10,'land.':2,'branch':1,'pasture':1,'ground':3,'was':1,'air--by':1,'after':1},'plates':{'hanging':1,'form':1,'exposed':1},'-reptile':{'embryo':1},'buckled':{'up':1},'rests':{'and':1,'on':2},'light.':{'we':1,'no':1,'all':1,'illustration':1,'it':1,'now':1},'credit':{'of':3,'the':3,'amphibians':1,'card':1,'man':1},'permit':{'of':1,'all':1},'california':{'is':1,'has':1,'.':1},'adopting':{'this':1},'suitable':{'site':1},'fell':{'on':1,'near':2},'eyebrows':{'of':1},'growth.':{'under':1},'mobility':{'very':1},'mail.':{'the':1},'war.':{'the':1,'illustration':1},'peahen':{'stag':1},'god-like':{'intellect':2},'protozoa.':{'the':1},'counts':{'we':1,'rarely':1,'for':1},'lung.':{'it':1},'circumvent':{'the':1},'tertiary':{'strata':1,'times.':1,'era':1},'head-on':{'fashion':1},'is--substitutes':{'for':1},'duck-billed':{'platypus':3},'wingless.':{'it':1},'invaders':{'of':1},'dog-toothed':{'cynodonts':1},'duesseldorf.':{'according':1},'stinging-cells':{'the':1},'overhead':{'at':1,'means':1},'calm':{'and':1,'of':1,'unbroken':1},'cassowary':{'201':1,'its':1},'water-spider':{'argyroneta':1,'the':1,'conquering':1},'right.':{'illustration':1},'type':{'is':1,'reaches':1,'say':1,'have':1,'in':2,'should':1,'relatively':1,'from':1,'for':1,'.':2,'intermediate':1,'rich':1,'has':2,'was':1,'we':1,'but':1,'marked':1,'known':1,'such':1,'with':1,'must':1,'off':1,'like':1,'of':9,'equal':1,'makes':1,'finds':1},'tell':{'all':1,'for':1,'us':6,'at':1,'the':4,'where':1},'gorilla.':{'activity':1},'peeping':{'above':1,'out':1},'lungs':{'a':2,'as':1,'where':1,'but':1,'.':1},'wary':{'trout':1},'oscar':{'riddle':1},'expose':{'the':1},'under':{'a':2,'stones':1,'different':1,'his':1,'her':2,'this':3,'surface':2,'side':1,'water':2,'parts':1,'stimulation--giving':1,'our':2,'the':15,'its':1},'dogma':{'of':1},'warm':{'countries':1,'moist':1,'volcanic':1,'shallows':1},'bipedal':{'dinosaur':1,'progression--always':1,'erect':1},'spawning-pond':{'from':1},'ward':{'f.e.s.':20,'.':1},'latent':{'indefinitely':1,'life':1,'state':1},'flora':{'and':1,';':1,'as':1,'which':1},'room':{'and':1,'we':1,'for':1,'in':1},'civilisations':{'and':1,'of':1},'suggestive':{'fact':2},'guise':{'of':1,'would':1},'root':{'and':2},'humerus':{'or':1},'allantois':{'is':1,'persist':1},'squirting':{'jets':1},'give':{'and':1,'just':1,'certain':1,'modern':1,'it':2,'an':1,'in':1,'out':1,'her':3,'six':1,'definite':1,'to':1,'way':1,'you':1,'more':1,'notice':1,'very':1,'rise':8,'them':1,'such':1,'a':4,'off':2,'prominence':1,'up':2,'us':3,'way.':1,'the':7,'utterance':1},'climax':{'and':1,'among':1,'of':3,'in':5},'involve':{'any':1},'fizzing':{'about':1},'down-stream.':{'1':1},'advancing':{'slope':1,'dog':1,'troop':1},'masterly':{'skill':1,'book':1},'halobatidae':{'wingless':1},'january':{'30':1,'21':1,'22':1,'6':1},'shell-shock':{'is':1},'coral-snakes':{'cobras':1},'faults':{'he':1},'amazing':{'particles':1,'quantities':1},'messrs':{'.':3},'answer':{'even':2,'and':1,'them':1,'forecloses':1,'that':1,'follows':1,'is':7,'back':2,'.':1,'to':4,'first':1,'opens':1,'must':2},'willing--has':{'come':1},'blanket':{'of':2},'minority':{'have':1,'give':1},'undergoing':{'disintegration':2,'disintegration--and':1,'radical':1},'reconciled':{'.':1},'abdomen':{'beneath':1},'food.':{'illustration':1},'long-continued':{'structure':1},'curiosity':{'and':1,'are':1,'its':1},'mud-minnows':{'did':1},'amoeboid':{'cells':4,'line':1},'overtaken':{'.':1},'still;':{'but':1},'descends':{'again':1},'think':{'to':1,'for':1,'that':12,'of':19,'less':1,'.':2,'also':1,'they':2,'clearly':1},'still.':{'and':1},'maintain':{'a':1,'the':1,'that':2},'frequent':{'meals.':1,'paddling':1,'changefulness':1,'occurrence':1,'exhibition':1},'1872':{'charles':1},'carbonic':{'acid':2},'inhabitant':{'of':1},'overtakes':{'it':1},'operations':{'on':1},'fife':{'started':1,'which':1,'in':1},'enter':{'suddenly':1,'our':1,'into':2,'the':2,'deeply':1},'sheltering':{'blanket':1,'is':1},'co-operating':{'with':2},'murray':{'sir':2,'called':1,'.':2},'helena':{'the':1},'hibernation':{'.':1},'down.':{'some':1,'however':1,'illustration':1},'budding':{'or':1,'.':2},'copyright':{'status':1,'royalties':1,'notice':1,'agreement':1,'research':1,'1922':1,'in':2,'holder':4,'or':1,'laws':2},'partisans':{'at':1},'famille':{'lieu':1},'before':{'the':13,'they':5,'it':4,'an':1,'birth.':1,'betraying':1,'our':3,'birds':1,'that.':1,'proceeding':1,'matter':1,'with':1,'there':7,'.':3,'anyone':1,'their':1,'reptiles':1,'you':2,'man':1,'was':1,'we':2,'downloading':1,'reaching':1,'mammals':1,'birth':3,'amphibians':1,'water':1,'heat':1,'them':1,'but':1,'hatching':2,'true':1,'him':1,'he':1,'anything':1,'i':1,'this':1,'she':1,'passing':2,'or':3},'10.5':{'regulus':1},'gyges':{'ring':1},'crew':{'of':1},'better':{'case':1,'by':1,'still;':1,'brains':2,'is':1,'than':1,'forms':1,'to':2,'brain':1,'insertion':2,'teeth':1,'method':1,'or':1,'heel':1},'differently':{'from':1},'persist':{'not':1,'there':1,'when':1},'weeks':{'old':2,'perhaps':1,'removing':1,'when':1,'of':1,'or':1},'overcome':{'the':3,'in':1},'donors':{'in':1},'23.--star':{'cluster':1},'disintegration--and':{'the':1},'swim-bladder':{'of':1,'into':1,'which':1},'combination':{'of':3,'which':1},'within.':{'but':1},'strangest':{'of':1},'caterpillar':{'and':1,'on':1,'.':1},'weaponless':{'animal':1},'indulge':{'for':1},'bluish':{'colour':1},'secured.':{'there':1},'bony':{'fish':3,'collar':1,'flat-fishes':1},'meat':{'and':1,'darted':1},'brightness':{'in':1},'indivisible.':{'the':1},'fogs':{'were':1},'arrested':{'defective':1,'.':1},'proofreading':{'team':2},'mounts':{'guard':3},'went':{'before':1,'on':4,'towards':2,'through':1,'out':1},'meal':{'.':1},'bone':{'and':1,'for':2,'of':1,'u':1,'which':1,'in':1,'the':1,'muscle':1},'mean':{'and':1,'distance':1,'great':1,'save':1,'that':7,'stagnation':1,'one':1,'1':1,'to':1,'so':1,'not':1,'the':1,'.':1,'by':3},'telescope.':{'illustration:':1,'but':1},'afforded':{'the':1,'much':1,'by':3},'problems.':{'sec':1},'successively':{'worked':1},'suspended':{'particles':2,'at':1,'for':1,'in':1},'conifer':{'and':1},'principles':{'employed':1,'of':2},'hive-bees':{'italians':1},'taught':{'to':2,'two':1,'us':1,'that':2},'wave-lengths':{'.':3,'that':1},'first-class':{'sensory':1,'cereal':1},'extract':{'from':1},'conspicuous.':{'at':1},'conjectures':{'which':1},'superposing':{'a':1},'restricted':{'to':2,'that':1,'.':1},'content':{'even':1,'to':2,'ourselves':1,'for':1},'sparkle':{'in':1},'cave-man':{'may':1},'is.':{'energy':1,'let':1},'reader':{'a':1,'who':1,'may':1,'imagines':1,'an':1,'will':1,'to':1},'surprise':{'none':1},'sluggish':{'fishes':1,'turtle':1,'the':1,'animals':1,'creatures':1},'langur':{'monkeys':1},'turning':{'upon':1,'off':1,'the':1,'every':1,'up':1},'meridian.':{'the':1},'hangers-on':{'and':1},'wave-length.':{'deep-red':1},'ascending':{'the':1},'skin.':{'but':1},'246':{'photo':2},'240':{'white':1},'243':{'the':1},'telescopes':{'begins':1,'and':1,'smaller':1,'for':1,'of':2,'.':1,'at':1},'shaggy':{'hair':1},'began.':{'archaeozoic':1,'ordovician':1},'starts':{'as':1,'.':1},'messages':{'from':1,'.':3},'thus':{'diverts':1,'set':1,'just':1,'produces':1,'certain':1,'some':1,'it':4,'separated':1,'as':2,'at':2,'sir':1,'from':2,'appear':1,'securing':2,'no':2,'began':1,'there':5,'uranium':2,'two':1,'been':1,'to':1,'helps':1,'molecules':1,'volvox':1,'we':12,'arises':1,'form':1,'again':1,'becomes':1,'formed':1,'possible':1,'completely':1,'although':1,'fishes':1,'flowers':1,'producing':2,'a':1,'animals':1,'driving':1,'this':1,'professor':2,'shunted':1,'ascertain':1,'the':12,'spiders':1},'isn':{'t':1},'survive--although':{'they':1},'arrived':{'at':3},'cave-lion':{'and':1,'cave-hyaena':1},'loud':{'noises':1},'user':{'provide':1,'to':1,'who':1},'untutored':{'bird':1},'features':{'and':1,'of':3,'there':1,'but':1,'so':1,'which':1,'such':1,';':1},'grade':{'bring':1},'unlit':{'lamp':1},'peculiarity':{'of':1},'disappearing':{'a':1},'enumerate':{'the':1},'radiate':{'away':1,'long':1,'out':1},'immensely':{'large':1,'larger':1,'greater':1,'faster':1},'ditch':{'or':1,'.':1},'hood':{'is':1,'spread':1,'called':1,'or':1},'monotonous':{'world':1,'green':1},'anyone':{'providing':1,'may':1,'.':1,'anywhere':2,'can':2,'in':1,'else':1},'pelagic':{'plants':1,'life':1,'bird':2,'haunt':1,'area':1},'84116':{'801':1},'shiver':{'.':1},'periwinkle':{'or':1},'witnessing':{'the':1},'dwell':{'too':1},'growth':{'and':1,'of':6},'fiery':{'tongues':1,'vapour.':1,'fate':1,'journey':1,'eruptions':1,'outbreak':1},'radiation':{'and':1,'from':2,'of':2,'.':1,'cannot':1,'in':1},'ages--the':{'procession':1},'feathers':{'of':2,'proving':1,'.':1,'are':2,'have':1,'91':1,'the':1,'or':1},'pre-material':{'world':1},'floor.':{'jasper':1},'digs':{'away':1},'glumes':{'or':1},'somewhat':{'like':2,'suddenly':1,'of':1,'as':1,'higher':1,'in':1,'simpler':1,'difficult':2},'feature.':{'some':1},'conger-eels':{'and':1},'brazil.':{'the':1},'peculiar':{'and':1,'people':2,'physiological':1,'characteristics':1,'interest':2,'bones':1,'cases':1,'circumstances':1},'begins':{'on':1,'his':1,'.':1,'to':2,'as':1,'at':1,'in':1},'distance':{'a':1,'and':3,'towards':1,'from':8,'that':1,'of':13,'is':2,'in':2,'thus':1,'period':1,'.':5,'varies':1,'between':1,'it':2,'plays':1,'the':3,'once':1,'was':1,'away':1,'more':1},'creatures.':{'we':1,'the':1,'illustration':2},'dredge':{'has':1},'structures':{'and':5,'reveal':1,'inherited':1,'are':1,'tend':1},'regularised':{'and':1},'sea-serpents':{'terrestrial':1},'preparation':{'for':2},'matter':{'and':16,'chlorophyll':1,'says':1,'exists':1,'is':14,'it':1,'four':1,'as':2,'itself':1,'exist':1,'are':7,'have':3,'in':7,'consists':2,'throughout':1,'ether':2,'254':1,'if':1,'cannot':1,'from':2,'there':2,'.':18,'contained':1,'therefore':1,'which':7,'flowing':1,';':1,'really':1,'was':3,'into':2,'passed':1,'energy':1,'that':4,'may':1,'than':1,'of':10,'however':2,'but':2,'quite':1,'were':2,'cutting':1,'moving':1,'here':1,'itself.':3,'not':1,'end':1,'along':3,'by':1,'a':1,'on':1,':':2,'this':1,'ever':1,'attracts':1,'required':1,'up':1,'agoing.':1,'or':2,'trillions':1,'so':1,'can':1,'contain':1,'through':1,'the':2,'out':1,'reduced':1},'messengers':{'regulate':1,'from':1,'are':1,'which':2,'more':1},'silly':{'ants':1},'shore-waters':{'to':1},'hailstones':{'on':1},'enables':{'the':2,'them':1,'us':3,'it':1},'extracting':{'the':1},'chrysalis':{'probably':1},'recommence':{'when':1},'membranes':{'the':1,'vocal':1},'modern':{'mathematical':1,'researches':1,'mammals':1,'brain...':1,'times.':1,'comparative':1,'times':2,'birds':2,'size':1,'horse':4,'representatives':1,'philosopher':1,'spectroscopist':1,'astronomers':1,'investigation':1,'physicists':1,'instruments':1,'flowering':1,'type':5,'divers':1,'tree-shrews':1,'civilisation--coal':1,'life':1,'theory':2,'brains':1,'line':1,'giant':1,'direct-reading':2,'physicist':1,'binoculars':1,'world':1,'estimate':1,'astronomy':6,'telescopes':1,'man':10,'advance':1,'observatory':1,'language':1,'species.':1,'science':8,'industry':1,'science.':1,'diffraction':1,'british':1,'theories':1,'bird':3,'man.':1,'dynamo':1,'representation':1,'history':1,'physics':1,'view':1},'mind':{'and':3,'among':1,'is':3,'at':1,'in':6,'seemed':1,'from':1,'for':1,'.':12,'which':1,'has':4,'we':4,'205':1,'that':3,'cannot':1,'let':1,'the':2,'a':1,':':1,'of':15,'craves':1,'can':1,'entirely':1,'out':1},'eyes':{'and':4,'the':1,'of':5,'could':1,'.':5,'to':1,'are':3,'become':1,'protrude':1,';':1,'themselves':1,'having':1},'rigorous':{'boundary':1},'seed':{'being':1,'was':1,'for':1},'nervures':{'on':1},'seen':{'among':1,'emerging':1,'sometimes':1,'gripping':1,'just':1,'is':2,'an':1,'as':1,'full':1,'through':1,'at':4,'another':1,'in':15,'shooting':1,'its':1,'even':1,'what':2,'from':1,'for':2,'to':5,'giving':1,'when':2,'.':5,'how':1,'enough':1,'under':1,'energy':1,'we':1,'towards':1,'that':5,'edge-on':2,'but':1,'quite':1,'boys':1,'every':1,'entangled':1,'by':2,'a':1,'on':5,'washing':1,'driving':1,'of':1,'later':1,'making':1,'the':3,'or':1,'are':1},'seem':{'strangely':1,'do':1,'we':1,'for':1,'always':1,'bound':1,'early':1,'to':18,'bad':1,'does':1,'in':1},'grind':{'a':1},'seek':{'to':1,'any':1,'out':1},'tells':{'and':1,'of':2,'its':1,'us':6},'starfish':{'is':1,'sea-lilies':1,'acorn-shell':1,'which':2,'with':1,'called':1,'asterias':2},'point.':{'and':1},'chest':{'and':1,'.':1},'chess':{'with':1},'blotched':{'by':1},'permian':{'light':1,'period':3,'ice':2,'.':1,'reptiles':1,'the':1,'was':1},'established':{'on':1,'all':1,'may':1,'is':1,'between':1,'an':1,'.':2,'in':3,'themselves':1,'one':1,'by':2,'fact':1},'changefulness':{'and':1,'of':2,'rather':1},'vermiform':{'appendix':2},'regular':{'flux':1,'relation':1,'orbit':1,'movement':1},'meaning':{'of':10,'the':2,'.':1,'an':1},'see.':{'as':1,'that':1},'promising.':{'illustration':1},'refractor':{'and':1,'is':3,'measures':1,'the':1,'48':1},'zealand':{'is':1,'which':1},'broadcast':{'in':1},'observation':{'and':1,'on':1,'by':1,'that':1,'.':1,'or':1},'consumed':{'and':1},'deliberate':{'introductions':1},'m':{'and':1,'.':1},'dog':{'scouring':1,'and':4,'shown':1,'turning':1,'that':2,'of':2,'professor':1,'or':2,'as':1,'carrying':1,'at':1,'a':1,'in':1,'van':1,'the':1,'has':3,';':1},'breathes':{'dry':1,'by':1},'definitely':{'formulated':1,'proved':1,'begun':1,'that':2,'free':1,'guiding':1,'the':1},'principle':{'we':1,'of':2,'is':1,'can':1,'which':2,'applies':1,';':1},'molluscs':{'and':1,'.':1,'are':1,'ascidians':1,'in':1},'dover':{'and':1},'planetary':{'system.':1,'families':2,'nucleus':1},'aquatic':{'ancestors':1,'animals':1,'insects':1,'surinam':1,'ancestry':2,'locomotion':2},'rayleigh':{'stated':1},'visitor':{'gave':1},'probe':{'for':1},'skin-wing':{'a':1},'ending':{'in':1},'brilliancy':{'.':1},'attempts':{'to':4,'made':1,'at':1,'have':1},'fungas':{'spots':1},'counteractive':{'measures':1},'creature--far':{'from':1},'ear.':{'illustration':2},'representing':{'nude':1,'one':1},'explain':{'what':1,'presently':1,'for':1,'this':3,'how':1,'the':6,'why':1},'folded':{'in':1},'sugar':{'fats':1,'.':1},'judged':{'as':1,'from':1,'by':1},'above':{'and':1,'distances':1,'all':1,'is':1,'seven':2,'our':1,'scale':1,'shrinkage':1,'six':1,'them':1,'illustration':2,'it':1,'diagram':1,'five':1,'with':1,'boiling-point':1,'sea-level':1,'a':1,'illustration.':1,'these':1,'pictorial':1,'them.':1,'the':12},'compounded':{'of':2,'so':1},'indicus':{'--are':1},'morsel':{'of':1},'chromosphere':{'great':1,'extends':1,'are':1,'.':1},'stop':{'and':1,'vii':1,'when':1,'but':1,'at':1,'the':2},'perceive':{'a':1,'their':1},'coast':{'of':1},'12':{'is':1,'000':2,'what':1},'energy--what':{'a':1,'heat':1},'21.--typical':{'spectra':1},'ignoble':{'creatures':1},'comply':{'with':5,'either':1},'bat':{'the':1,'flying':1,'s':1,'shares':1},'bar':{'of':1,'.':1},'17':{'origin':1,'1905':2},'room--pour':{'molecules':1},'fields':{'.':1},'bay':{'and':1,'of':1},'bag':{'of':1,'containing':1},'microscope':{'behaving':1,'these':1,'which':1},'discs':{'of':1,'that':1,'.':1},'troop':{'of':1,'masked':1},'18':{'photo':1,'solar':1},'fertility':{'and':1,'in':1},'upwards':{'and':3,'of':2,'from':1,'that':1},'ears':{'and':2,'of':2,'.':1},'ethical':{'face':1},'head-brains':{'the':1},'reference':{'to':1,'has':1,'in':1},'testing':{'probing':1,'all':2},'alterations':{'would':1,'in':1},'tag--but':{'larger':1},'zones':{'of':1,'each':1},'decided':{'to':1,'that':1},'interruptions':{'of':1},'subject':{'and':1,'we':1,'of':2,'is':2,'here':1,'to':4,'as':1,'deeply':1},'pebbles':{'gripped':1,'.':1},'voyage':{'found':1,'darwin':1},'said':{'and':1,'is':1,'some':1,'in':1,'what':2,'for':2,'there':2,'long':1,'.':1,'to':9,'enough':1,':':1,'that':19,'but':1,'a':1,'about':1,'like':1,'of':2,'later':1,'so':1,'the':4,'consisted':1},'scrap':{'from':1},'sail':{'or':1,'in':1},'artificial':{'floor':1,'light':2,'fogs':1,'light.':1,'surroundings':1,'item':1,'transmutation':1},'pets':{'of':1},'simplest':{'forms':2,'animals':1,'form':2,'of':2,'possible':1,'multicellular':1,'bacteria':1,'creatures':1},'unsolved.':{'the':1},'sorts':{'and':1,'of':4,'occupations':1,'out':2},'polygamous':{'.':1},'lethargic':{'state':1},'profitable':{'to':3,'movements':1,'habit':2,'one':1},'cleverer':{'mammals':1,'animals':1,'than':1},'venture':{'out':1},'mountain-top-like':{'cusps':1},'physicist':{'and':1,'set':1,'brings':1,'.':1,'to':1,'has':1},'harvard':{'college':4},'386':{'times':1},'cousin':{'to':1},'motto':{'in':1},'suggested':{'genealogical':2,'this':1,'that':6,'however':1,'.':1,'to':1,'at':1,'another':1,'in':2,'by':2},'air--a':{'globule':1},'sperm-producer':{'and':2},'canines':{'and':1},'against':{'a':5,'downward-projecting':1,'branches':1,'her':1,'instability':1,'these':1,'certain':1,'it':1,'evaporation':1,'their':1,'intensities':1,'of':1,'accepting':1,'the':17,'one':2},'feathering':{'of':1},'puffin':{'s':2},'1.--diagrams':{'of':1},'distinction':{'of':1,'has':1,'so':1},'confronted':{'his':1},'simplified.':{'we':1},'fore-leg':{'of':1,'has':1},'appeared':{'suddenly':1,'upon':1,'related':1,'.':2,'to':1,'in':1,'inconceivable':1,'or':1},'repertory':{'of':5},'buries':{'itself':1},'incessant':{'colliding':1,'movement':2},'inquisitive':{'insects':1,'adults':1,'interest':1},'purling':{'brook':1},'lick':{'observatory.':4},'initiative':{';':1,'so':1},'lowly':{'forms':1,'origin.':2},'ether':{'and':11,'because':1,'exists':1,'disturbances':1,'is':2,'surrounding':1,'as':1,'are':1,'carry':1,'if':1,'permeates':1,'what':1,'disturbance':4,'.':8,'2':1,'which':1,'flowing':1,';':3,'has':2,'was':2,'then':1,'may':1,'but':2,'waves':2,'he':1,'by':2,'must':1,'of':2,'carries':1,'light':1,'or':1},'now.':{'the':1},'recognises':{'the':1},'puts':{'a':1,'the':1,'his':1,'forth':1,'it':2},'basis':{'of':5,'for':5,'but':1},'ramifying':{'system':1},'three':{'and':3,'cautions':1,'letters':1,'reasons':1,'arms':2,'feet':2,'in':2,'females':1,'species':1,'centuries':1,'different':1,'or':3,'dimensions':3,'distinct':2,'fingers':1,'to':3,'wonderful':1,'weeks':3,'hundred':3,'conditions':1,'lowest':1,'aspects':1,'complete':1,'inches':2,'thousand':3,'great':4,'atoms':1,'hours':1,'semicircular':1,'pairs':1,'months':2,'times':5,'chief':1,'miles':1,'fundamental':1,'quarter':1,'other':1},'erect':{'posture':1,'after':1,'lines':1,'attitude':2,'the':1,'he':1,'consisted':1},'milieu':{'.':1},'chrysanthemum':{'of':1},'trigger':{'of':4,'is':1,'which':1,'.':1},'interest':{'and':2,':':1,'for':3,'that':2,'of':2,'is':1,'us':1,'.':4,'to':3,'are':1,'in':5,'increasing':1,'was':1,'or':1},'entered':{'our':1,'into':2,'upon':1,'so':1,'on':1},'chaffinch':{'disguise':1},'threw':{'in':1},'light-year':{'is':1},'deeper':{'down':1,'and':1,'waters':1,'hollows':1},'quantities':{'not':1,'of':2,'pour':1,'destined':1},'sunshine':{'then':1,'of':1},'cold--an':{'eternal':1},'meadow-grass':{'before':1},'locations':{'where':1,'.':1},'168':{'profile':1},'164':{'suggested':1,'the':1},'165':{'the':1},'166':{'photo':2},'167':{'photo':1},'160':{'professor':1,'000':1,'tons':1},'161':{'photo':1,'after':1},'encyclopaedia':{'giving':1},'ether.':{'waves':1},'exception':{'and':1,'of':1},'were--the':{'working':1},'tank':{'of':1},'winding':{'in':1},'originate':{'and':1,'is':1},'spontaneously':{'and':1,'become':1,'or':1,'liberated':1,'becomes':1},'horse-power':{'in':1},'near':{'them':1,'that':2,'scarborough':2,'duesseldorf.':1,'victoria':1,'relative':1,'its':1,'shore':1,'at':2,'enough':2,'the':18,'with':1,'heidelberg':3,'as':2},'neat':{'way':1},'aeroplane':{'s':1,'in':1},'balance':{'of':1,';':1,'used':1,'between':1,'.':2},'study':{'and':1,'rabbits':1,'in':1,'of':12,'under':1,'mammals':1,'.':1,'which':1,'leading':1},'twenty-four':{'hours':2},'spawn':{'and':1,'only':1,'in':4,'.':3},'longer.':{'illustrations':1},'seven':{'hours':2,'different':1,'rays':1,'neck':1,'inches':1,'months':1,'two':1,'colours':5,'other':1,'planets':1,'stages':2},'thought.':{'sec':1,'yet':1},'mexico':{'to':1,'by':1},'diaphragm':{'came':1},'is':{'all':4,'evidence':5,'believed':3,'caused':2,'comparatively':2,'four':1,'remarkably':1,'abundant':2,'looking':1,'certainly':5,'inverse':1,'electricity':2,'concerned':2,'young':2,'to':52,'thinnest':1,'preserved':1,'inconspicuous':1,'worth':2,'tethered':1,'worse':1,'outside':1,'very':48,'indubitable':1,'radio-active':1,'vastly':1,'continued':1,'illustrated':1,'asexual':1,'probably':7,'woven':1,'familiarly':1,'smaller':1,'insignificant':1,'overlying--the':1,'past':1,'likely':1,'utter':1,'estimated':1,'situated':2,'shining':1,'even':2,'established':1,'what':7,'necessary.':1,'comparable':1,'beaten':1,'contributed':1,'expressed':1,'liberated':1,'above':1,'shared':2,'falling':1,'ever':1,'melancholy':1,'never':5,'leaping':1,'desired':1,'learnedly':1,'represented':5,'obtained':1,'great':5,'commonly':1,'descended':1,'usually':3,'conveniently':1,'composed':6,'love':1,'suddenly':1,'merely':1,'explained':2,'apt':3,'highly':10,'brought':4,'rarely':2,'from':4,'would':1,'superficially':1,'two':1,'doubt':1,'therefore':1,'taken':1,'unthinkable':1,'lessened':2,'more':23,'rich':1,'started':1,'pursuing':1,'one-sided':1,'suffused':1,'varying':1,'known':11,'given':4,'carried':2,'locked':1,'room':1,'this':6,'moulted':1,'itself':1,'obvious':1,'can':1,'growing':1,'making':2,'stimulating':1,'proof':2,'nearest':2,'bent':1,'pushed':2,'something':2,'wonderful':2,'struck.':1,'huge':1,'rather':4,'divided':1,'breaking':1,'fortunate':1,'1':1,'located':2,'instead':1,'left--to':1,'maternal':1,'intended':1,'inconceivably':1,'derived':2,'movable':1,'disgusted':1,'eighty-eight':1,'coming':1,'such':4,'horizontal':1,'inconceivable':1,'revealed':1,'a':196,'short':1,'natural':3,'effective':1,'yielding':1,'fortunately':1,'so':21,'pulled':4,'secured':1,'justifiable':2,'unpalatable':1,'indeed':1,'mainly':3,'discharging':1,'produced':3,'held':1,'through':3,'committed':1,'still':9,'its':5,'admirably':1,'superior':1,'26':1,'how':2,'susceptible':1,'interesting':14,'actually':1,'better':2,'covered':1,'travelling':2,'admirable':1,'easier':3,'then':4,'popularly':1,'affected':1,'greater':2,'thereby':1,'food':1,'safe':4,'wise':1,'not':79,'now':18,'always':7,'reasonably':1,'tenanted':1,'arrested':1,'establishing':1,'transmitted':1,'reasonable':1,'radial':1,'found':6,'entirely':4,'physiologically':1,'afforded':3,'doing':1,'there':10,'crushing':1,'related':2,'our':3,'beyond':5,'thick':2,'really':4,'living':1,'shown':5,'surrounded':3,'content':1,'contained':1,'denoted':1,'revolving':1,'twenty-five':1,'borne':2,'disputed':2,'built.':1,'incalculable':1,'quite':10,'reason':3,'surely':2,'struggle':2,'intensely':1,'thrown':1,'enormous':1,'organic':1,'keen':2,'disturbed':2,'moving':5,'assuredly':1,'most...':1,'first':1,'complete.':1,'constantly':4,'blown':1,'synonymous':1,'reflected':6,'one':23,'well-known':1,'done':1,'sunlight':1,'another':13,'impossible':8,'immensely':1,'discharged':1,'bitten':1,'little':3,'necessarily':2,'needed':1,'unknown':2,'their':2,'2':1,'too':3,'passed':1,'molecular':1,'vigorous':1,'that':76,'relieved':2,'continuous':2,'wisdom':1,'wasted':2,'prodigious':1,'undoubtedly':2,'flightless':1,'16':1,'divisible':1,'double':1,'enabled':2,'slowed':1,'866':1,'matter':2,'supposed':5,'historical':1,'accessed':1,'and':2,'unrestricted.':1,'gathering':2,'lightly':1,'turned':2,'vitally':1,'unlikely':2,'cleaned':1,'imperfect':2,'obviously':3,'apparently':1,'any':3,'relatively':1,'forced':1,'built':2,'efficient':1,'thoroughly':1,'able':5,'snow':1,'also':18,'trying--the':1,'absorbed':2,'embryological':1,'sure':1,'diminishing':1,'-273':1,'most':5,'connected':1,'printed':1,'nothing':7,'alpha':1,'measured':1,'conspicuous':2,'considered':1,'calculated':1,'sometimes':8,'repeated':1,'dissolved':1,'accounted':1,'normally':1,'lying':1,'precise':1,'particularly':2,'supported':1,'scattered':1,'discovered':2,'scarce':2,'enormously':2,'nearer':1,'founded.':1,'shuffling':1,'with':2,'excessively':1,'enough':6,'unhappy':1,'only':19,'going':7,'touched':1,'molecules':1,'regrowing':2,'adequate':1,'evinced':1,'meant':5,'compounded':2,'exceptional':1,'dependent':1,'familiar':2,'famous':3,'unimportant':1,'123':1,'nearly':1,'closely':5,'drawn':2,'instinctive':2,'dr':1,'justified':1,'beset':1,'evolution':2,'instructive':2,'influenced':1,'common':2,'rung':1,'characteristic':3,'fixed':2,'steam':1,'strengthened':1,'swept':1,'physically':1,'condensed':1,'observed':1,'are':1,'enhanced':1,'tender':1,'close':1,'luminous':1,'forthcoming':1,'best':1,'subject':2,'said':5,'probable':4,'distinctive':1,'missing':1,'continually':1,'written':1,'between':2,'conceptual':2,'progress':2,'neither':1,'available':1,'we':1,'reproduced':1,'nature':2,'tending':1,'however':5,'efficiency':1,'386':1,'suggested':4,'both':1,'essentially':2,'reported':2,'freely':1,'ill':1,'thickly':1,'against':1,'called':21,'sensitive':1,'passing':1,'among':2,'volcanic':1,'simple':1,'acted':1,'maintained':1,'simply':4,'learning':3,'associated':2,'pouring':1,'described':1,'capable':1,'scented':1,'due':5,'.':3,'recognised':1,'hardly':6,'resting':1,'life':2,'partly':5,'sufficient':5,'formed':2,'an':40,'diverted':1,'applied':3,'these':3,'plain':6,'eclipsed':1,'intimately':1,'reflex':1,'64-6221541':1,'flooding':1,'taking':1,'owed':1,'almost':8,'endowed':1,'thus':4,'it':7,'according':1,'helped':1,'good':2,'clinging':1,'in':33,'ready':1,'if':2,'tumbled':1,'perhaps':3,'occupied':1,'limited--there':1,'clearly':1,'solidary':1,'capped':1,'split':2,'finite':1,'difficult':6,'independent':1,'used':7,'wisest':1,'running':2,'arrived':1,'climbing':1,'circumvented':1,'centred':1,'lower':2,'largely':2,'paralysed':1,'humanly':1,'well':10,'magnified':1,'rife':1,'without':1,'the':158,'left':3,'departed':1,'just':5,'less':4,'being':3,'profoundly':1,'disguise':1,'stored':1,'atomic':1,'rocked':1,'behind':1,'useful':1,'renewed':1,'corroborated':1,'possible.':1,'passive':1,'spread':1,'transformed':1,'easy':2,'born':1,'struck':1,'increased':1,'loss':1,'showing':1,'decomposed':1,'possible':15,'marked':2,'advanced':1,'acute':1,'sorting':1,'necessary':7,'like':11,'lost':2,'shaped':1,'cooler':1,'admittedly':1,'62':1,'lapsed':1,'fully':1,'soft':1,'essential':1,'towards':2,'right':1,'often':22,'some':4,'somehow':1,'urgent':1,'added':2,'jupiter':1,'52':1,'perfected':1,'irresistible':1,'provided':1,'gradually':3,'condensed--who':1,'for':4,'unlocked':1,'recorded':1,'critical':1,'masked':2,'conquering':1,'good.':1,'freed':1,'indestructible':2,'peculiarly':2,'continuing':1,'broken':4,'worthy':1,'by':3,'on':6,'about':8,'mingled':3,'anything':1,'getting':1,'of':16,'mutually':1,'steadily':2,'introduced':1,'consequently':1,'swimming':1,'diversely':1,'equally':1,'within':1,'bound':1,'because':2,'lively':1,'primarily':1,'einstein':1,'nowadays':1,'doubtless':2,'seen':18,'indispensable':1,'flying':1,'long':1,'much':12,'infected':1,'low':1,':':4,'considerably':1,'complete':1,'secreted':1,'abundantly':1,'constituted':1,'heat':1,'true':20,'considerable':3,'posted':3,'absent':1,'made':10,'arranged':1,'evident':1,'obscure.':2,'whether':2,'dangerous':1,'placed':3,'converted':1,'emotional':1,'clear':7,'hotter':2,'certain':9,'slowing':1,'general':1,'transfused':2,'as':9,'at':11,'effected':2,'again':1,'raised':1,'inborn':2,'no':60,'unaccustomed':1,'out':1,'poor':1,'white-hot':1,'convincing':1,'ultimately':1,'generated':1,'important':2,'suited':3,'included':1,'aware':1,'promising.':1,'to-day':1,'happening':1,'practically':6,'cohesion':1,'ascertained':1,'implied':1,'time':1,'far':5},'it':{'holds':1,'illustrates':2,'scooped':1,'over':1,'fall':1,'splitting':1,'leads':1,'boils':1,'through':2,'looks':8,'cuts':1,'consists':2,'facilitates':1,'agrees':1,'causes':1,'crashing':1,'sprang':1,'sinks':1,'burns':1,'betokens':1,'furnished':1,'seems':23,'should':3,'forms':4,'to':18,'only':2,'spread':1,'firmly':1,'positively':1,'easy':1,'under':2,'8':1,'hammers':2,'has':82,'might':6,'sent':1,'gave':1,'meant':3,'then':1,'his':1,'wished':1,'goes':3,'listeth':1,'means':7,'contracts':2,'breaks':1,'continues':1,'stop':1,'possible':8,'flew':1,'engulfs':2,'matters':1,'cannot':5,'they':1,'altogether':2,'not':2,'meets.':1,'now':3,'neither':1,'discovered':1,'necessary':1,'went':2,'lies':1,'did':3,'always':2,'fixes':1,'serves':1,'loses':2,'herald':1,'off':1,'expels':1,'turns':1,'found':2,'feeds':2,'works':1,'mean':1,'reveals':1,'often':5,'exists':1,'sends':1,'folds':1,'acquires':1,'back':1,'alive':1,'differs':1,'used':1,'swims':3,'are':1,'picked':1,'reached':2,'collects':1,'out':1,'ascends.':1,'what':1,'probable':1,'for':4,'profit':1,'away':2,'revolves':1,'stops':1,'climbs':1,'misses':1,'does':14,'provides':2,'without':2,'got':1,';':1,'seemed':1,'ever':1,'occurs':4,'shows':2,'be':5,'we':1,'give':2,'led':2,'chose':1,'passes':3,'pours':1,'jumps':1,'works--the':1,'disintegrates':1,'works.':1,'surely':1,'put':1,'refers':1,'emits':1,'change':1,'takes':6,'on':6,'dates':1,'hunts':1,'consisted':1,'limits':1,'rests':1,'could':2,'settles':2,'approaches':1,'against':2,'must':20,'suggests':1,'became':5,'greatly':1,'usually':1,'leaps':1,'makes':2,'finds':1,'comes':4,'being':1,'own':1,'afterwards':1,'weighs':1,'had':17,'into':6,'were.':1,'corresponds':1,'reaches':1,'one':1,'running':1,'skips':1,'casts':1,'likes.':1,'impossible':3,'.':31,'doubtless':1,'utters':1,'rises':3,'from':3,'collides':1,'would':23,'remains':4,'expands':1,'there':1,'chooses':1,'vibrate':1,'by':2,'fully':1,'belongs':1,'appears':3,'recognised':1,'furnishes':2,'tells':1,'grew':1,'hardly':1,'until':1,'perishes':1,'slips':1,'that':3,'becomes':2,'contains':3,'convinces':1,'took':1,'strikes':1,'gently':1,'implied':1,'lives':3,'stiffens':1,'probably':1,'with':2,'than':1,'present':1,'he':1,'begins':1,'save':1,'were':18,'builds':1,'looks.':1,'was':98,'originate':1,'bids':1,'up':3,'promotes':1,'will':20,'exerts':1,'can':19,'applies':1,'about':1,'happened':1,'leaves':1,'breeds':1,'and':12,'buries':1,'changed':1,'go':1,'jettisons':1,'escapes':2,'almost':1,'is':473,'occupies':2,'thus':1,'naturally':1,'or':1,'an':1,'as':7,'at':1,'in':13,'need':4,'follows':4,'made':1,'proceeds':1,'if':1,'gives':2,'again':4,'needs':1,'shuts':1,'thereby':1,'amounts':1,'began':4,'acts':1,'when':3,'aside':1,'intelligently':1,'also':1,'parts':1,'which':1,'brings':1,'you':1,'gets':2,'pecked':1,'pursues':1,'practicable':1,'effected':1,'looked.':1,'wrongly':1,'radiates':1,'may':59,'fails':1,'occurred':1,'develops':1,'grows':2,'uses':1,'thrills':1,'contain':1,'concentrating':1,'died':1,'glow':1,'a':2,'implies':1,'advantageous':1,'records':1,'behaves':1,'clear':2,'sometimes':4,'flow':1,'breathes':1,'obviously':1,'more':1,'points':1,'so':2,'fitted':1,'harks':1,'the':4,'once':2,'requires':1,'possesses':1,'came':2,'repeatedly':1},'iv':{'the':1,'.':3},'ii':{'the':1,'.':3},'clinging':{'to':1},'in':{'limited':2,'all':20,'evidence':1,'skeleton':1,'particular':2,'four':2,'sleep':1,'canes':1,'hunting':1,'reptiles':1,'those':3,'masculine':1,'very':4,'indubitable':1,'duck-ponds':1,'every':5,'asia.':1,'hibernating':1,'monkeys':3,'minute':1,'archaeopteryx':1,'apprehension':1,'succession':2,'relation':1,'sedentary':1,'pterodactyl':1,'revolution':1,'ten':4,'dealing':2,'rivers':2,'cost':1,'nests':1,'what':2,'constitution':1,'nature.':2,'favour':1,'asia':2,'uniform':1,'new':3,'nails':1,'contrast':1,'movement':2,'body':1,'degree':2,'ninety-nine':1,'atoms':1,'water':2,'others':1,'directions':1,'fifteen':2,'great':7,'bygone':1,'northern':2,'healthy':1,'compliance':2,'miniature':1,'amount':2,'action':2,'locomotion':2,'mistake':2,'amphibians;':1,'diameter':14,'egypt':1,'africa':3,'gristly':2,'1907':2,'1900':2,'1901':1,'attendance':2,'from':2,'two':3,'cretaceous':1,'france':3,'comparing':1,'doubt':1,'black':1,'fossiliferous':1,'more':2,'horses':1,'pencil':1,'bodily':1,'glass':1,'warm':2,'virtue':3,'varying':1,'andalusia':1,'keeping':1,'animals':3,'this':48,'facilitating':1,'paragraph':6,'nine':1,'stature':2,'following':1,'making':4,'nurture':1,'control':1,'figure':1,'process':5,'persuading':1,'india':1,'pieces':1,'autumn':1,'orion':2,'times':2,'spite':6,'winter':5,'destroying':1,'six':1,'machine':1,'buns':1,'vital':1,'animal':2,'elephant':1,'ordinary':1,'civilisation':1,'edinburgh':1,'southern':1,'orbits':1,'unawares':1,'mankind':4,'waves':1,'1887':1,'such':8,'response':1,'trinil':1,'man':19,'a':188,'short':3,'natural':2,'outline':1,'so':1,'order':7,'typical':1,'imagining':1,'reproduced':1,'breaking':1,'september':1,'hand.':2,'years':1,'radio-active':3,'pascal':1,'existence':1,'cold':1,'its':36,'apes':1,'interesting':1,'amazing':1,'writing':3,'forms':1,'fig':1,'travelling':1,'admirable':1,'them':3,'good':1,'greater':2,'similar':1,'practice':1,'underneath':1,'overpowering':1,'not':1,'courtship':1,'sea-urchins':1,'respiration.':1,'all.':1,'truth':1,'each':3,'pools':2,'liberating':1,'doing':1,'year':1,'our':16,'operation':1,'1898.':1,'special':1,'canada':1,'living':2,'space':4,'safety':2,'kent':3,'millions':1,'turning':1,'monkeys--activity':1,'others--which':1,'little':1,'reason':1,'fastening':1,'organic':4,'e.g':1,'determining':1,'cosmic':1,'british':1,'behaviour.':1,'motion':1,'turn':4,'length':7,'place':1,'consequence':2,'locating':1,'south':1,'flying':1,'faculty':1,'number':6,'one':14,'dominating':1,'another':11,'precisely':1,'quality':1,'sockets':1,'size':11,'horse':1,'obedience':1,'their':35,'sumatra':1,'intermediate':1,'fiery':1,'reign.':1,'white':1,'store':1,'exploring':1,'that':5,'relieved':1,'kangaroo-like':1,'1918':1,'part':6,'western':1,'conger-eels':1,'1912':2,'1917':1,'kind':3,'accordance':3,'isolation':1,'matter':1,'supposed':1,'gigantic':2,'photosynthesis':1,'and':7,'modern':8,'mind':5,'locations':1,'interruptions':1,'any':19,'domestication':1,'relatively':2,'strength':1,'studying':1,'suddenness':1,'scotland':3,'isolated':1,'moist':1,'perigord':1,'internal':1,'which':43,'forming':2,'green':1,'circles':3,'inky':1,'play':1,'permian':1,'opposite':2,'scotland.':1,'most':15,'nothing':1,'difficulties.':1,'whalebone':1,'professor':1,'perceiving':1,'section':2,'fact':5,'quantity':1,'saying':2,'walking':1,'insects':2,'brief':1,'multicellular':1,'manchester':1,'prodigious':1,'changeful':1,'subtle':1,'thickness':3,'fine':1,'gilded':1,'knowledge':1,'stormy':1,'situations':1,'proportion':2,'considerable':1,'surroundings':1,'flood.':1,'darwin':1,'abeyance.':1,'photographs':1,'his':23,'exceptional':2,'expectation':2,'trees':2,'nearly':1,'words':1,'conjunction':1,'areas':1,'evolution':12,'luminosity':1,'violent':2,'flight.':1,'insectivorous':1,'miles':1,'croatia':1,'common':1,'activity':1,'view':1,'unison':1,'multiplying':1,'reference':1,'habit':1,'electrons--and':1,'intelligence':3,'radium':1,'silurian':1,'relative':1,'1921':5,'migration':1,'andromeda':2,'creating':1,'combustion':1,'ways':1,'opening':1,'birds--intelligence':1,'birds':14,'3':1,'various':4,'crookes':1,'europe':5,'we':1,'terms':4,'august':1,'parental':1,'ignorance':1,'queensland':1,'coma':2,'cities':1,'both':6,'many':26,'connection':8,'whole':1,'experimental':2,'point':1,'simple':1,'sweet':1,'vain':1,'ants':3,'height':1,'concluding':1,'adaptation':3,'scottish':1,'majestic':1,'extinct':1,'ether':5,'adults':1,'considering':2,'late':1,'unusual':1,'java':3,'addition':6,'damp':1,'three':6,'.':1,'tropical':2,'interest':2,'bewildering':1,'empty':1,'life':4,'sufficient':1,'search':1,'amphibians':1,'1864':1,'1869':1,'1868':1,'general':2,'captivity':2,'respiration':1,'plants':1,'sixes':1,'prehistoric':1,'these':10,'britain':4,'air':1,'lesser':1,'formats':1,'wild':3,'picturing':1,'girth':1,'albatros':1,'almost':1,'is':1,'it':7,'bipedal':1,'itself':2,'1895':2,'different':4,'locomotion;':1,'estuaries':1,'several':1,'crevices':1,'higher':1,'development':1,'safe':1,'leopard':1,'cleaning':1,'recent':1,'lower':1,'colour':6,'contact':2,'regulating':1,'biology.':1,'the':800,'chemistry':1,'summer':3,'less':2,'being':4,'ideas':1,'front':3,'shape':1,'hercules':3,'distant':1,'human':5,'succeeding':2,'rapid':3,'gentleness':1,'evolution.':1,'thinking':1,'alternate':1,'wet':1,'showing':2,'sussex':2,'early':2,'vacuum':1,'belgium':1,'cape':1,'hollow':1,'dreams':1,'ponds':1,'backboned':1,'brain-development':1,'lightning':1,'true':1,'either':2,'popular':1,'65':1,'methods':1,'some':52,'choosing':1,'sight':1,'illumination':1,'proper':2,'ourselves':3,'preparing':1,'dense':1,'dimensions':1,'for':2,'broad':1,'normal':1,'fluids':1,'1856':1,'tertiary':1,'cuttlefishes':1,'intimate':1,'miles.':1,'of':1,'agreement':1,'illustration':1,'constructive':1,'broken':2,'by':2,'comparison':3,'about':1,'central':3,'getting':3,'freedom':1,'hot':1,'gentler':1,'despair':1,'ox':1,'vogue':1,'or':1,'swimming':1,'1859.':1,'gearing':1,'fishes':3,'bats':1,'lieu':2,'your':2,'ontario':1,'her':5,'shells':1,'support':1,'sargasso':2,'question':1,'war':1,'north':6,'form':1,'mammals':4,'regard':15,'gait':1,'wireless':1,'1871--a':1,'thickness.':1,'with':1,'themselves':2,'partially':1,'blanketing':1,'places':3,'dordogne':1,'iron-mines':1,'diameter.':1,'laplace':1,'nature':8,'constant':1,'mesozoic':1,'certain':5,'paragraphs':1,'an':21,'as':2,'1894':1,'kind.':1,'1896':1,'work':1,'mutual':1,'inborn':1,'no':2,'overcoming':1,'peace':1,'erecting':1,'reality':1,'other':21,'electrical':2,'themselves.':1,'thickness--a':1,'conclusion':2,'gaining':1,'explaining':1,'star':1,'scrutinising':1,'sal-ammoniac':1,'shore-pools':1,'william':1,'scores':1,'variable':1,'astronomy':2,'structure':5,'building':2,'remote':1,'ancestral':1,'holes':1,'2001':1,'thames':1,'time':4,'fresh':7,'starting':1,'having':5},'unbranched':{'radial':1},'mouse':{'as':1,'is':1,'which':1,'chose':1},'boom':{'of':1},'disappear':{'for':1,'in':1},'if':{'unimpeded':1,'all':5,'it':25,'one':5,'nothing':3,'as':2,'at':1,'in':2,'our':2,'hydrogen':1,'any':5,'no':1,'there':8,'to':1,'going':1,'instead':1,'white':1,'ever':1,'division':1,'we':39,'that':2,'painted':2,'after':1,'every':1,'they':15,'progress':1,'not':1,'an':6,'you':17,'he':1,'a':11,'substances':1,'this':2,'light':1,'asexual':1,'she':3,'the':49},'grown':{'to':1,'now':1},'them--or':{'great':1},'belle':{'vue':1},'make':{'aerial':1,'mental':1,'some':1,'it':11,'society':1,'itself':1,'its':1,'galls':1,'for':4,'no':1,'any':2,'their':1,'new':1,'instinctively':1,'more':2,'to':1,'nothing':1,'themselves':1,'a':11,'up':8,'fewer':1,'mistakes':1,'donations':1,'the':9,'shows':1},'respectively.':{'the':1},'solidary':{'with':1},'concavity':{'.':1},'belly':{'very':1},'mixtures':{'of':1},'vegetable':{'mould':1,'matter':1,'kingdom.':1},'colonies':{'communities':1,'inside':1},'grows':{'hotter':1,'larger.':1,'hotter.':1,'to':1,'broader.':1,'old':1,'until':1,'out':1},'bells':{'drove':1},'evolve':{'such':1,'in':1,'.':1},'dissolution':{'must':1},'differing':{'for':1},'delight':{'in':1},'renaissance':{'of':1},'waterfall':{'is':1,'or':1},'sea-water':{';':1,'with':1,'back':1},'kin':{'by':1,'at':1},'supposing':{'our':1,'the':1,'that':3},'opportunity':{'and':1,'for':2,'of':1,'to':2,'during':1,'was':1},'butter':{'in':1},'bell.':{'copper':1},'changes':{'and':1,'again':1,'from':1,'e.g':1,'very':1,'of':7,'that':2,'.':3,'to':1,'as':1,'are':1,'which':1,'in':9,'occurring':1,'involved':1,'with':1,'wrought':2,'endless':1},'stimuli':{'and':1,'to':1,'from':1},'neptune':{'and':1,'2971.6':1,'quite':1,'s':1,'.':1,'by':1},'sea-anemone-like':{'polyps':2},'skull-cap':{'a':1,'indicates':1,'thigh-bone':1,'157':1},'809':{'north':1},'materials':{'nearer':1,'deeper':1,'for':1,'that':1,'this':1,'of':2,'are':1,'have':1,'such':2,'or':1},'impure.':{'the':1},'qualities':{'not':1,'of':1,'with':2,'sir':1,'.':2},'bootlace':{'and':1},'claims':{'of':1},'801':{'596-1887':1},'800':{'illustrations':1,'trillion':1},'left':{'and':4,'wall':1,'is':1,'it':2,'high':1,'alone':2,'at':1,'in':1,'only':1,'out':1,'isolated':1,'their':1,'behind':3,'his':1,'showing':1,'free':1,'else':1,'not':1,'hand':1,'a':1,'severely':1,'of':1,'having':1,'the':2,'side':1},'just':{'one':1,'as':28,'examined':1,'mentioned':3,'seen':1,'before':1,'detect':1,'two':1,'been':2,'foam-bells':1,'liberated':1,'peeping':1,'means':1,'outlined':1,'said':1,'mentioned.':1,'a':1,'on':1,'like':3,'this':1,'leaving':1,'dealt':1,'the':1},'sentence':{':':1,'set':1,'with':1},'ignorabimus.':{'a':1},'sporting':{'jellyfish':1,'or':1,'stock':1},'presume':{'that':1},'longish':{'hair':1},'fife--a':{'first-class':1},'identify':{'do':1},'salivary':{'juice':1},'fullness':{'freedom':1},'facts':{'and':3,'appear':1,'that':1,'of':2,'is':2,'there':1,'favour':1,'.':2,'to':2,'are':2,'point':1,'suggest':1,'not':1,'with':1,'recall':1},'yes':{'card':1},'yet':{'there':1,'just':1,'it':6,'discovered':1,'as':1,'at':1,'another':1,'in':1,'its':1,'even':1,'again':1,'would':1,'flash':1,'admit':1,'been':1,'to':1,'without':1,'passed':1,'stable':1,'we':2,'greater':1,'that':1,'here':1,'discover':1,'met':1,'they':1,'not':1,'now':1,'the':8,'man':1,'a':2,'steadfastly':1,'this':1,'many':1,'possessed':1,'studied':1,'these':1,'remain':1,'definitely':1,'she':1,'though':1,'found':1,'unborn':1},'infinitely':{'small':1,'long':2,'minute':1},'agile':{'hunters':1,'clever':1},'regarded':{'as':13,'the':2},'royal':{'astronomical':2,'observatory':6,'college':2},'long-lost':{'heir':1},'save':{'them':1,'that':1,'in':1,'it':1,'itself':1,'blood':1,'time':1,'fun':1,'the':1,'its':1,'man':1},'resting-place':{';':1},'ago.':{'when':1,'illustration':2},'nightjar':{'with':1,'.':1},'seventy-five':{'inches':1},'loose-limbed':{'fellow':1},'roadside':{'we':1},'forester':{'or':1},'gyrating':{'with':1},'background':{'and':1,'of':2,'professor':1,'parallax':1,'.':1},'destroy':{'a':1,'energy':1,'all':2},'hibernating':{'mammals':1},'dreamt':{'much':1},'grape-sugar':{'.':1},'dreams':{'mixed':1},'shoulder':{'.':1},'ascent.':{'illustration':1},'post-glacial':{'pleistocene':2},'nude':{'female':1},'autumn.':{'we':1},'manual':{'of':1},'unnecessary':{'display':1},'x-rays.':{'below':1},'admittedly':{'provisional.':1},'signal':{'noli':1,'illustration':1,'for':1},'greenland':{'whale':2},'deal':{'about':1,'of':5,'is':1,'.':1,'in':1,'further':1,'the':1,':':1,'with':8,'more':1},'sound--':{'five':1},'deaf':{'for':1},'somehow':{'condensed;':1,'associated':1,'breaking':1,'been':1,'underneath':1,'connected':1,'or':1},'dead':{'plants':1,'star':4,'stars':1,'forests':1,'cuticle':1,'.':1,'matter':1,'reverently':1,'fishes':1,'world':3,'animals.':1,'herring':1,'or':1,'before':1},'jupiter':{'and':3,'shine':1,'saturn':1,'from':1,'23':1,'is':3,'however':1,'.':2,'s':1,'which':1,'in':1,'the':1,'483.3':1,'as':1},'paragraphs':{'1.e.1':2,'1.e.8':1},'chromosomes':{'represented':1,'nuclear':1,'2':1,'lie':1},'disadvantage--a':{'broiling':1},'shapes':{'of':1,'282':1,'.':1,'in':1,'wave-motions':1},'dense':{'by':1,'waters':1,'forests':1,'or':1,'moisture':1,'region':1,'masses':1},'stations.':{'what':1},'normal':{'development':1,'number':1,'routine':1,'baby':1,'path':1,'condition':1,'circumstances':1},'distrust':{'which':1,'for':1},'nerve-cord.':{'4':1},'flounder':{'is':2},'conquering':{'them':1,'time':1,'the':2,'two':1,'space':1},'scotland.':{'what':1},'bold':{'enough':1},'novelties':{'may':1,'.':1,'or':1,'that':1},'burn':{'itself':1},'34':{'000':1},'translated':{'the':1,'mind.':1,'into':1},'bolt':{'escaped':1,'their':1},'tartan':{';':1},'flinty-shelled':{'radiolarians':1},'invertebrate':{'stocks':1,'animals':1},'bury':{'their':1},'air--by':{'means':1},'skin-twitching':{'muscle':1},'flourished':{'probably':1,'in':1},'conceal':{'.':1},'acceptation':{'of':1},'ribs':{'and':1,'of':1,';':1,'are':1,'.':1},'azure':{'blue':1},'islands':{'and':1,'off':1,'of':1,'but':1,'.':3,'in':1},'plesiosaurs':{'dinosaurs':1},'little-changed':{'descendant':1},'automatically':{'to':1,'adjusts':1},'ores':{'of':1},'nerve':{'to':1,'for':1,'man':1},'thinner':{'and':1,'as':1,'than':3},'for.':{'information':1},'formerly':{'had':1},'intellectual':{'keys':1,'tool':1,'property':2,'adventure':1,'coin':1},'chooses':{'for':1},'down':{'and':7,'into':1,'it':1,'as':1,'sec':1,'at':1,'in':2,'before':1,'even':1,'again':1,'from':2,'their':1,'when':1,'.':4,'to':9,'behind':1,';':2,'more':1,'towards':1,'unless':1,'upon':1,'losing':1,'with':1,'by':4,'a':1,'on':5,'branches':1,'these':1,'of':5,'taking':1,'without':1,'many':1,'the':20},'lies':{'in':1,'safe':1,'.':2,'at':1,'between':1,'the':1},'doctrine':{'of':2},'lieu':{'of':2,'travail':1},'refined':{'methods':1},'crab-apple':{'of':1},'ring-formations':{'on':1},'weathered':{'by':1},'amazingly':{'.':1},'initial':{'picture.':1},'jealousy':{'and':1},'approximate':{'and':1,'way':1},'saucerful':{'.':1},'fraction':{'1':1,'of':3,'about':1},'marten':{'for':1},'form':{'and':2,'accessible':1,'is':2,'some':1,'an':2,'as':1,'including':1,'are':1,'any':1,'what':1,'no':2,'.':5,'molecules':2,'we':2,'that':1,'atoms':1,'water':1,'part':2,'reappears':1,'a':16,'fossils':1,'this':1,'of':20,'centres':1,'the':9,'or':1,'once':1},'pinna':{'a':1},'analyse':{'it':1},'feminine':{'structures':1,'characters':1,'.':1},'powerfully':{'along':1},'snow-caps':{'in':1},'magellanic':{'cloud':1},'minuteness':{'of':2},'221':{'photo':1},'evinced':{'and':1},'manatees':{'and':1},'builds':{'up':1},'understood':{'before.':1,'unless':1,'that':1,'when':1,'to':1,'as':1},'harmony':{'and':2},'attached':{'to':3,'full':1},'bounds':{'of':1,'until':1},'pistil':{'thus':1},'centipede':{'s':1},'bird-dropping':{'perhaps':1,'on':2,'spider':1},'egg-eating':{'african':1},'cosmos':{'more':1},'attaches':{'to':1},'temper':{'rather':1,'the':1,'but':1,'.':1},'fractions':{'showing':1},'strengthening':{'of':1},'sticks':{'to':1},'discovery.':{'certain':1,'2':1},'seeds--and':{'resolving':1},'covers':{'them':1,'the':1},'sticky':{'club':1},'gland':{'of':1,'.':1},'mediocre':{'stock':1},'marking':{'the':1},'profit.':{'illustration':1},'discriminate':{'infallibly':1,'differences':1,'sifting':1,'between':1,'cards':1,'the':1},'x-rays--the':{'discovery':1},'font-de-gaume':{'on':2,'cavern':2},'generally':{'described':1,'burst':1,'correspond':1,'deep':1,'as':1,'accepted':1,'adopted.':1},'handed':{'a':1,'on':1,'over':3},'carnivorous':{'confined':1,'turtles':1},'mediaeval':{'and':1},'delivered':{'up':1},'dies':{'to':1},'felt':{'thought':1,'.':1,'than':1,'that':1},'diet':{'mainly':1,'in':1},'genealogical':{'tree':6},'journey':{';':1,'through':1,'round':1,'.':3},'routine--not':{'that':1},'authorities':{'on':1,'neanderthal':1,'recently':1,'referring':1,'is':1,'there':1,'regard':1,'who':1,'have':1,'the':1,'include':1,'think':1},'died':{'away':1,'when':1,'suffered':1,'.':1},'billion':{'is':1,'the':1},'immemorial':{'and':1,'spawning':1},'happening':{'to':1,'is':1},'potato':{'and':1},'assume':{'different':1,'its':1,'that':1},'blushing':{'but':1},'microcosm':{'only':1},'daily':{'.':1,'paper':1,'mail':1,'i.e':1,'mail.':1,'round':1},'jacket':{'and':1},'gorilla':{'g':1,'inhabiting':2,'.':1,'brain':1,'s':1,'164':1,'the':2,'man':3},'almanac':{'and':1,'.':1},'teeth':{'and':3,'on':2,'that':1,'of':1,'.':5,'obeying':1,'till':1,'without':1,'so':1,'are':3,'which':2,'in':3,'fixed':1},'skull-cap.':{'illustration':1},'restored':{'.':2,'it':1,'by':1},'milt':{'and':1},'managed':{'to':1},'limbless':{'lizard':1,'larva':1},'woodwork':{'knew':1},'relieve':{'the':1},'vestiges':{'have':1},'pierces':{'with':1},'hind-legs':{'and':5,'about':1},'manages':{'to':1},'skin':{'and':5,'able':1,'is':1,'pushed':1,'as':1,'are':1,'when':1,'responds':1,'.':2,'to':1,'was':1,'extended':1,'becomes':1,'during':1,'with':1,'minute':1,'begins':1,'on':1,'of':2,'involved':1,'the':1,'or':1},'leche':{'of':2},'shot':{'out':4,'in':1,'humming-bird':1},'mill':{'in':1,'.':1},'abundant':{'modern':1,'from':1,'material':1,'evidence':1,'flux':1,'near':1,'representation':2,'oxygenation':1},'milk':{'.':2},'resourceful':{'of':1},'retention':{'of':2},'anticipation':{'of':1},'depend':{'on':4},'disorders':{'are':1},'educable':{'and':1,'loquacious':1,'creature':1,'.':1},'pouch':{'and':2,'83':1,'the':1,'on':1},'father':{'secchi':1,'of':1,'sea-horse':1,'s':1,'lumpsucker':1,';':1,'stickleback':1,'was':1,'sea-spider':1},'travel.':{'but':1},'answered':{'that':1},'finally':{'and':1,'we':1,'marquis':1,'becomes':1,'there':1,'it':2,'discover':1,'to':1,'words':1,'resulted':1,'become':1,'the':1},'appendicitis':{'.':1},'reptiles':{'and':7,'appeared':1,'some':1,'are':1,'in':4,'birds':2,'before':2,'suggest':1,'when':1,'.':1,'finding':1,';':1,'burrowing':1,'but':2,'such':2,'with':1,'on':1,'e.g':1,'did':1,'of':1,'the':1,'or':1},'swoop':{'from':1},'marks':{'on':1,'most':1,'with':1,'an':1},'vegetation.':{'the':1,'illustration':1,'they':1},'suffered':{'and':1,'from':1},'must':{'often':1,'give':1,'describe':1,'influence':1,'it':1,'one':1,'recall':1,'exist':1,'at':1,'have':17,'go':1,'still':1,'open':1,'find':1,'use':1,'necessarily':1,'appear':1,'suffice':2,'point':1,'also':4,'live':1,'therefore':1,'include':1,'be':59,'draw':1,'move':1,'return':1,'extend':1,'rise':1,'gradually':1,'however':2,'surely':1,'struggle':1,'recognise':4,'imagine':1,'not':11,'affect':1,'come':1,'comply':2,'look':2,'convert':1,'remember':3,'of':1,'require':1,'leave':1,'admit':3,'always':4,'cease':1,'first':3,'obtain':1,'think':3,'sink':1},'fancied':{'there':1},'abundance':{'of':5,'so':1,'at':1},'mud-turtle':{'or':1},'string':{'of':1,'beads':1},'einstein--the':{'tides--origin':1},'theme.':{'when':1},'soapy':{'water':1,'froth':1,'film':1},'figment':{'of':1},'first-known':{'bird':1},'merit':{'of':1},'word':{'development':1,'obviously':1,'about':1,'now':1,'like':1,'for':1,'pencilled':1,'may':1,'processing':1,'atom.':1,'surface':1,'atoms':1,'specificity':1,'.':1,'s':1,'learn':1,'need':1,'has':1,'history':1},'dim':{'and':1,'luminous':1,'at':1},'banished':{'from':1},'did':{'fly':1,'naturally':1,'great':1,'good':1,'service':1,'this':1,'all':1,'long':1,'it':1,'to':1,'much':1,'exist':1,'at':1,'they':1,'not':14,'.':1,'really':1},'die':{';':1,'after':1,'or':1,'.':2},'cavendish':{'professor':1,'physical':1},'travels':{'from':1,'straight':1,'down':2,'at':3,'in':2,'along':2,'by':2},'item':{'in':1},'excellence':{'and':1,'that':1},'perceptual':{'inference.':1,'inference':5,'influence.':1},'round':{'and':3,'it':7,'at':1,'planets':1,'in':3,'its':2,'rapidly':1,'would':1,'.':1,'which':1,'mars':1,'hers.':1,'them':2,'his':1,'that':2,'each':1,'a':5,'on':2,'about':1,'this':2,'smooth':1,'these':1,'centres':1,'the':38},'attracting':{'other':1,'or':1},'talked':{'of':1},'dealing':{'with':4,'from':1},'radium.':{'the':1},'run':{'to':1,'leap':1,'on':2},'langmuir':{'has':1},'bipeds':{'and':1},'adds':{'to':1},'1910.':{'illustration':1},'heaviest':{'and':1,'uranium':1,'.':1},'favour':{'of':1,'the':2,'in':1},'rub':{'it':1},'international':{'donations':1},'filled':{'with':1},'dwarf':{'a':1},'fibre':{'.':1},'mr':{'.':11},'appetites':{'of':1},'french':{'mathematician':1,'copper':1,'authority':1},'tangent':{'is':1,'.':1},'congestion':{'and':1},'four-chambered':{'mammalian':1},'nooks':{'of':1},'wait':{'for':2},'box':{'and':3,'of':1,'containing':1,'green':1,'.':1},'boy':{'a':1,'or':1},'cranial':{'cavity':2,'walls':1,'capacity':1},'1924':{'the':1,'made':1},'shift':{'of':2,'against':1},'intelligence.':{'illustration':1},'works.':{'sec':1,'1.e.9':1,'professor':1,'-':1},'animals--the':{'most':1,'flying':1},'smoke-like':{'haze':1},'exploitation':{'is':1},'simultaneous':{'discharge':1},'atoms.':{'molecules':1,'illustration':1},'conveniently':{'divided':2},'hither':{'and':2},'adjustable':{'in':1},'elect':{'to':1,'were':1},'merely':{'passes':1,'striking':1,'of':1,'that':1,'approximate':1,'air':1,'as':1,'have':1,'represented':1,'finger-posts':1,'means':1,'the':3},'reef-building':{'coral':2},'everybody':{'knows':1,'.':1},'coaxing':{'he':1},'wealth':{'of':1},'sake':{'of':1,'professor':1,'there':1},'hundred-thousandth':{'part':1},'uncritical':{'generosity':1},'--are':{'related':1},'trilobites.':{'looking':1},'ways.':{'iii':1},'flaunting':{'conspicuousness':1},'100-inch':{'telescope':2,'reflector':1},'phosphorescent--they':{'become':1},'cooperated':{'with':1},'lessened':{';':1,'by':1},'alpines':{'and':1},'fish-eating':{'turtles':1},'sharing':{'project':1},'labyrinth':{'if':1},'malay':{'and':1,'to':1,'islands':1},'rigid':{'during':1},'knowledge--the':{'senses':1},'effort':{'to':2,'good':1,'.':1,'much':1},'robe':{'of':1},'capturing':{'a':2,'the':1},'bushels':{'of':1,';':1},'fly':{'off':4,'for':1,'far':3,'into':2,'spreads':1,'.':1,'which':2,'in':1,'flicking':1,'once':1},'flagellum':{'by':1},'avoiding':{'death':1,'enemies':1},'sum-total':{'of':1},'amarus':{'a':1,'124':1},'reappear':{'perhaps':1,'at':1},'growing':{'on':1,'point':1,'over':1,'moulting':1,'stronger':1,'period':1,'to':1,'under':1,'thicker':1,'out':1},'making':{'a':5,'great':1,'towards':1,'daring':1,'these':1,'of':7,'cache':1,'life':1,'what':1,'it':1,'antagonistic':1,'more':1,'experiments':1,'them':1,'sentences':1,'the':10,'.':1,'intelligent':1,'animate':1,'tentatives--new':1},'thicknesses':{'of':1},'sea-spider':{'carries':1,'or':1},'claim':{'a':1},'portals':{'were':1},'bullhead':{'and':1},'predict':{'the':1},'596-1887':{'email':1},'permutations':{'and':1},'agent':{'or':1,'.':1},'sample':{'sent':1,'david':1},'stroke.':{'illustration':1},'1.f.':{'1.f.1':1},'above--that':{'is':1},'redness':{'.':1},'pages.':{'illustration':1},'rays':{'streamed':1,'visible':1,'see':1,'are':5,'have':1,'in':1,'carry':1,'out':1,'from':2,'their':1,'had':2,'except':2,'.':5,'to':3,'poured':1,'which':1,'was':1,'crookes':1,'passed':1,'that':2,'becomes':1,'emitted':1,'but':1,'263':1,'impinged':1,'carrying':1,'post':1,'must':1,'shoot':1,'diverging':1,'of':4,'as':2,'will':1,'were':2,'at':1,'the':2,'consisted':1},'comb-bearers':{'or':1},'get':{'crumbs':1,'into':3,'mind':1,'an':2,'at':3,'another':1,'in':3,'out':3,'even':1,'little':1,'from':1,'two':1,'much':1,'white':1,'more':1,'good':1,'some':2,'free':1,'correspondingly':1,'plenty':2,'a':8,'both':1,'about':1,'this':1,'the':3,'farther':1},'mongols':{'include':1,'curly-or':1},'till':{'a':1,'we':1,'daybreak':1,'there':1,'all':2,'dawn.':1,'only':1,'the':5,'he':1},'orang-utan':{'a':1,'3':1,'4':1,'232':1,'233':2},'1.e.9':{'.':1},'1.e.8':{'or':2,'.':1},'pure':{'radium':1},'skates':{'and':1},'1.e.5':{'.':1},'1.e.4':{'.':1},'1.e.7':{'and':1,'or':1,'.':1},'1.e.6':{'.':1},'1.e.1':{'through':2,'with':1,'.':1},'1.e.3':{'.':1},'1.e.2':{'.':1},'146':{'the':1,'protective':1},'147':{'cuckoo-spit':1,'photo':2},'144':{'dead-leaf':1,'another':1},'142':{'photo':1,'000':1},'swayed':{'their':1},'140':{'photo':1,'photos':1},'141':{'protective':1},'strokes':{'and':1,'of':2},'max':{'schultze':2},'accessory':{'factors':1},'mankind':{'given':1,'evolution':1,'though':1,'migrations':1,'.':3,'so':1,'at':1,'the':1,'or':1},'gill-plates.':{'illustration':1},'grow':{'down':1,'for':1,'older':1,'it':1,'large':1,'in':1,'out':1},'jellyfish':{'easily':1,'starfish':1,'is':1,'there':1,'it':1,'aurelia':1,'has':1,'with':1},'scrambling':{'on':1},'aimless':{'wandering':1},'neck':{'and':1,'passes':1,'of':1,'.':1,'vertebrae':1,'or':1},'johnson':{'and':2},'duckmole':{'and':2,'or':3},'tale':{'.':1},'idea--of':{'taking':1},'sun--measuring':{'the':1},'rarified':{'form':1},'deposit':{'on':1,'in':1,'their':1},'african':{'representative':1,'mudfish':1,'race':1,'snake':1,'the':1,'ape':1},'basket':{'a':1,'of':1,'euplectella':2,'on':1},'mottlings':{'especially':1},'proposal':{'.':1},'development.':{'continental':1},'shield':{':':1,'.':1},'cathedral':{'would':1,'each':1},'civilisation.':{'pleistocene':1,'before':1},'pointed':{'ear':1,'out':2},'wishing':{'to':1},'entity':{'just':1,'that':1,'.':1,'to':2,'which':2,'providing':1},'stability':{'and':1},'globe-fishes':{'which':1},'rings.':{'illustration':1},'planetesimals':{'into':1,'formed':1,'which':1},'pitch':{'.':1},'differs':{'from':3,'greatly':1},'tropisms':{'a':1,'obligatory':1,'play':1,'.':1},'mind--mind':{'in':1},'rhinoceros':{'had':1,'the':1,'bison':1,'irish':1},'ice-fields':{'of':1,'cleared':1},'police':{'dog':1},'monitor':{'varanus':2},'interesting':{'and':1,'because':1,'saving':1,'give':1,'is':1,'sidelight':1,'questions':1,'in':2,'birds':1,'subject':1,'information':1,'glimpse':1,'ways':1,'point':3,'to':16,'way':2,'living':1,'minor':1,'case':1,'that':1,'gradations':1,'archaic':1,'than':1,'condition':1,'recent':1,'chapter':1,'picture':1,'outcome':1,'consequences':1,'study':2,'work':1,'circumstance':1,'race':1,'greenish':1,'problem':1,'works':1,'discoveries':1,'fact':5},'yorkshire':{'stream':1},'consequential':{'punitive':1},'ours':{'would':1,'does':1,'judged':1,'but':1,'are':1},'main':{'layers':2,'use':1,'force':1,'methods':1,'primate':1,'motive-force':1,'lines':2,'processes--':1,'stem':2,'seat':1,'trends':1,'mass':2,'pg':1,'groups':1,'stems':1,'chapters--the':1,'line':14,'one':1,'types':1,'scientific':1},'captivated':{'the':1},'fire-mist':{'that':1},'sooner':{'or':2},'gregariousness':{'and':1},'begun.':{'splitting':1},'markings':{'and':1,'on':1},'leopards':{'238':1,'trained':1},'killed':{'on':1,'by':1,'in':1},'possess':{'a':2,'what':1,'well-developed':1,'.':1,'in':1,'the':3,'an':1},'stock--common':{'to':1},'obviates':{'any':1},'meets.':{'these':1},'thymus':{'gland':1},'careless':{'statement':1},'rock':{'formations.':1,'to':1,'of':1,'kangaroo':2,'record':5,'whence':1,'many':1,'dove':1,'or':1},'vogue':{'but':1},'sheep-ranches':{'were':1},'eyelid':{'is':1,'used':1,'in':1},'elephants':{'and':1,'what':1,'the':1,'is':1,'.':1},'water-bird':{'such':1},'treacherous':{'internal':1,'ooze':2},'tobogganing':{'on':1},'richly':{'endowed':1},'unlock':{'locks':1},'glaciation':{'had':1},'sifted':{'and':1,'again':1,'.':3,'for':1,'out':1},'telescoped':{'manner':1},'description':{'aeschylus':1,'from':1,'.':1},'canada':{'and':1,'about':1},'emerges':{'the':1,'from':1},'afghans':{'alpines':1},'greeks':{'applied':1,'of':1,'said':1,'thought':1},'interference':{'as':1,'with':1},'miles':{'and':1,'into':1,'deep':2,'an':1,'winding':1,'distant':1,'per':4,'in':13,'odd':1,'out':1,'away.':1,'from':5,'would':1,'away':9,'long':1,'.':9,'to':1,'above':3,';':1,'was':1,'across':1,'though':1,'coloured':1,'driven':1,'satellites':1,'a':17,'wide':1,'getting':1,'of':8,'the':2,'or':1,'at':1},'emerged':{'a':1,'on':1,'about':1,'rich':1,'in':1},'dioxide':{'and':1},'correct':{'path':1,'the':1},'assurance':{'the':1},'behaving':{'to':1},'earlier':{'a':1,'chapter':1,'form':1,'generation':1,'organisation':1,'page':1,'stages':1,'or':1},'telegraphy':{'and':1},'sideways':{'towards':1,'scooping':2},'atomism.':{'an':1},'electrically':{'and':1},'imaginable':{'.':1},'paralysing':{'effect':1},'surface-atoms':{'of':1},'existed.':{'even':1},'sunlight.':{'saturn':1},'cough':{'or':2},'orb':{'on':1},'advance':{'and':1,'towards':1,'of':3,'is':1,'in':2,'has':2},'grist':{'to':1},'derivation':{'from':1},'language':{'and':1,'logos':1,'of':1,'there':1,'to':1,'as':1,':':1},'thing':{'and':1,'we':1,'works':1,'to':3,'may':1,'is':1,'.':2,'did':1,'as':3,'existed.':1,'has':1,'yet':1,'happened':1},'invalidity':{'or':1},'2971.6':{'164.78':1},'alevin':{'encumbered':1},'assuredly':{'much':1},'waited':{'on':1,'in':1},'first':{'and':3,'discovered.':1,'telescope':1,'bird--was':1,'beholding':1,'animals':5,'preparation':1,'crop':1,'dynasty':1,'observed':1,'known':6,'animals--beginnings':2,'view':1,'sight':3,'such':1,'alternative':1,'amphibians.':1,'vital':1,'creatures':1,'terrestrial':1,'living':4,'plants--the':2,'one-toed':1,'organisms':1,'make':1,'there':3,'question':1,'three':2,'.':1,'to':3,'prism':1,'became':1,'reptiles':1,'finger':2,'time':6,'learned':1,'if':1,'was':1,'bird':2,'body':1,'be':2,'men':1,'wheat':1,'that':1,'mammal':1,'becomes':2,'voice--surely':1,'divergence':1,'use':1,'but':1,'step':2,'part':1,'sir':1,'amphibians':2,'atom':1,'fishes':1,'invasion':1,'printing':1,'one':1,'come':1,'bronze':1,'a':2,'great':5,'backboned':1,'impressive':1,'showed':1,'gale':1,'successes':1,'of':2,'books.':1,'formed':1,'discoveries':1,'thought':1,'plants':1,'definitely':1,'place':2,'evolved':1,'error':1,'fishes.':1,'found':1,'the':2,'quarter':1,'called':1,'two':1,'know':1},'dwelling':{'on':1},'americana':{'with':2},'discharges':{'at':1},'miocene':{'and':2,'n':1,'was':1,'or':1,'others':1},'arrhenius':{'svante':1},'amidst':{'the':1},'violet-light':{'waves':1},'specificity':{'which':1},'carry':{'them':1,'his':1,'many':1,'messages':1,'it':2,'us':1,'an':1,'their':2,'out':1},'sounds':{'and':2,'on':1,'become':1,'were':1,'except':1,'two':1,'are':1,'in':1,'such':1,'the':1,'.':1},'fiji':{'.':1},'rome':{'observed':1,'were':1},'discharged':{'by':2,'.':1},'interchange':{'of':2},'little':{'reptile':2,'secure':1,'family':1,'taste':1,'of':1,'is':2,'mud-turtle':1,'colony':2,'primitive':1,'evidence':1,'likely':1,'books':1,'creatures.':1,'in':3,'conical':1,'species':1,'lid':1,'glimpse':1,'books--an':1,'monkey':1,'plankton':1,'detail':1,'chemical':1,'lower':1,'doubt':4,'finger':1,'colony.':1,'units':1,'bubble':1,'over':1,'store':1,'more':1,'plate':1,'ball':1,'garden':1,'fish':1,'that':1,'structure':1,'mammals':1,'wax':1,'use':1,'glass':1,'ferment':1,'resemblance':1,'dull':1,'pool':1,'room':1,'building':1,'about':1,'freshwater':1,'like':1,'grains':1,'uneasy':1,'whether':1,'scraping':1,'patch':1,'green':1,'ten-miles-wide':1,'pockets':2,'pinch':1,'the':1,'piece':2,'book':1},'man--the':{'culmination':1,'fountain':1,'metal':1},'unduly':{'obscure':1},'parallel':{'to':2,'wires':1},'1a':{'fore-limb':1},'plains':{'and':3,'to':1,'were':1},'pockets.':{'in':1},'alfred':{'a':1,'russel':1},'speaking':{'of':2},'mining':{'no':1},'dived':{'and':1,'appropriately.':1,'disappeared':1},'american.':{'professor':1},'continuous':{'and':3,'natural':1,'relationship':1,'since':1,'gradations':1,'.':1,'current':1,'accretion':1,'night':1,'raft':1},'accurately':{'the':1,'measured':1},'crevice':{'of':1},'ridges.':{'illustration':1},'undoubtedly':{'great':1,'radio-active--then':1,'an':1},'splendid':{'failures':2},'11':{'feet':1,'the':1,'magnetism':1},'10':{'what':1,'ft':1,'photo':2,'professor':1,'.':1,'feet':1,'000':3,'uranus':1,'1910.':1},'13':{'is':1,'substitutes':1},'cracks':{'of':1},'15':{'matter':1,'from':1},'14':{'dissipation':1,'photo':1,'the':1,'you':1},'sailing':{'of':1,'round':1},'16':{'rise':1,'minutes':1,'until':1},'19':{'1911':2,'photo':2,'consists':1},'scraping':{'of':1},'coco-palm':{'for':1},'victorian':{'.':1},'protected':{'and':1,'as':1,'e.g':1},'fertilisation':{'may':1,'of':1,'it':1},'centigrade':{'below':1},'were':{'all':3,'shot':1,'being':2,'soon':1,'forests':1,'discovered':1,'introductions':1,'through':1,'handed':1,'jointed-footed':1,'still':2,'birds':1,'waiting':1,'teeming':1,'destroyed':3,'to':1,'microscopic':1,'dead.':1,'employed':1,'hidden':1,'surprised':1,'presently':1,'very':3,'wiser':1,'not':5,'hunted':1,'like':1,'presented':2,'always':2,'porous':1,'intrigued':1,'found':4,'entirely':1,'prompted':1,'somehow':1,'born':1,'sifted':1,'borne':1,'even':1,'established':2,'opened':1,'for':1,'wrought':1,'laid':3,'dominated':1,'probably':4,'neither':1,'involved':3,'fed':1,'free':1,'quite':1,'met':1,'experimenting':1,'imperfectly':1,'represented':1,'atoms':1,'beginning':1,'gained':1,'on':1,'about':1,'feeling':1,'evolved--destined':1,'indivisible':1,'broken':1,'many':2,'substituted':1,'streams':1,'usually':1,'symmetrical':1,'first':2,'composed':1,'raised':2,'afterwards':1,'slipped':1,'suddenly':1,'within':1,'marked':2,'due':1,'brought':2,'done':1,'suspended':1,'often':1,'ichthyosaurs':1,'given':1,'ancient':1,'from':1,'hunters':1,'three':1,'approximately':1,'.':1,'few':1,'much':1,'too':1,'fish-lizards':1,'taken':1,'reptiles':1,'minor':1,'composed.':1,'separated':1,'formed':4,'amphibians':2,'it':1,'overcrowded':1,'trying':1,'true':2,'expounded':1,'electrified':1,'made':6,'these':1,'originally':1,'created':1,'extraordinarily':1,'replaced':3,'evolved':2,'of':4,'prematurely':1,'more':1,'buried':1,'crowning':1,'almost':1,'composed--':1,'an':2,'entombed':1,'as':1,'at':2,'in':5,'bones':1,'sharp':1,'no':1,'breaking':1,'able':4,'continually':1,'eagerly':1,'also':4,'prospecting':1,'accumulating':1,'several':1,'rediscovered':1,'gaining':1,'living':2,'immersed':1,'after':1,'most':1,'connected':1,'rejected':1,'eaten':1,'fishes':2,'such':1,'twenty-nine':1,'a':2,'succeeded':1,'largely':1,'later':1,'magnified':1,'so':3,'the':11,'left':3,'once':3},'gigantic':{'flywheel':1,'eye':1,'streamers':1,'orbits.':1,'sun':1,'orbits':1,'.':1,'magnet':1,'glowing':1,'shreds':1,'bubbles':1,'intellect':1,'as':1,'size':2},'proofread':{'public':1},'1.':{'illustration':1},'awns':{'or':1},'coconut':{'palm':1,'from':1},'conjectural':{'.':1},'mundane':{'goal':1},'occupies':{'only':1,'more':2,'an':1},'lice':{'have':1},'entombed':{'in':1},'kurtus':{'carries':1},'metcalf':{'outline':1},'spectacle':{'again':1,'197':1,'is':1},'occupied':{'the':1,'by':2},'euclid':{'or':1},'hitherto':{'known':1,'unknown':1,'shut':1,'we':1,'the':1},'intruder.':{'when':1},'bavaria':{'and':1},'efficient':{'to':1,'answers':1,'they':1},'isolate':{'it':1},'potential':{'energy':3,'.':1},'interior':{'of':4,'is':1,'yet':1,'energy':1,'periodically':1},'performance':{'of':1,'was':1,'hundreds':1},'inveterate':{'enemies':1},'volplanes':{'in':1},'jungle':{'fowl':1,'of':1,'ends':1,'folk':1,'tribes':1},'201':{'photo':2},'200':{'well-marked':1,'cassowary':1},'203':{'jackdaw':1},'202':{'a':1,'the':1},'205':{'a':1},'norman':{'lockyer':2,'inorganic':1},'trace':{'of':5,'the':1,'some':1,'any':1},'206':{'.':1},'arguing':{'whether':1},'208':{'photo':1,'from':1},'correlation':{'of':1},'paid':{'a':1,'for':3,'within':1,'toll':1,'the':1,'by':1},'blackest':{'ignorance':1},'beta':{'and':2,'rays':3,'electrons':1},'sheets':{'of':1},'tract':{'of':2},'contrasts':{'as':1,'in':1,'between':1},'conspicuous':{'and':3,'on':1,'is':1,'material':1,'canines':1,'against':1,'60':1,'black':1,'during':1},'especially':{'among':1,'from':1,'for':1,'prominent.':1,'on':1,'of':1,'when':3,'as':1,'commercial':1,'in':4,'those':2,'look':1},'surprising':{'power':1,'that':2,'when':1,'as':1,'effects':1,'fact':1},'fills':{'the':1},'bustard':{'the':1},'hedgehog':{'mole':1},'alone.':{'the':1},'precise':{'origin':1,'needs':1,'unless':1,'scientific':1,'form-resemblance':1,'object':1,'mechanism':1,'anthropology':1,'time':1,'studies':1,'answers.':1,'vision':1},'grouselike':{'above':1},'show':{'intelligence':1,'evidence':1,'even':1,'gill-clefts--':1,'what':2,'no':2,'interesting':1,'definite':1,'.':1,'to':1,';':1,'that':9,'notable':1,'how':2,'not':1,'man':1,'a':4,'on':1,'great':2,'this':1,'arrested':1,'us':1,'face':1,'without':1,'artistic':1,'teeth':1,'the':6},'gill-cover.':{'the':1},'forbidding':{'by':1},'drawings':{'and':1,'over':1,'by':2},'uranus':{'and':1,'neptune':1,'is':1,'1781.9':1,'.':1},'saying':{'nothing':2,'.':1,'merely':1,':':2,'that':4},'threshold':{'of':1},'corner':{'and':1,'of':5,'near':1,'at':1},'gaseous.':{'now':1},'directions--an':{'alternating':1},'fend':{'for':1},'stormy':{'weather':1},'plume':{'or':1},'treasure':{'at':1},'storms':{'on':1,'.':1,'to':1,'manifest':1},'enough':{'even':1,'has':2,'for':2,'of':2,'when':1,'however':1,'.':1,'to':17,'in':1,'the':1,'air':1},'either':{'case':1,'solitary':1,'of':2,'packet':1,'plants':1,'in':1,'the':1,'with':1,'before':1},'black':{'and':2,'body':1,'quills':1,'tip':1,'spots':2,'.':2,'surroundings':1,'stuff':2,'marks':1,'tips':1,'patch':1,'or':1},'germs':{'of':1},'down-rushing':{'water':1},'pegged':{'down':1},'abeyance.':{'disappearance':1},'awareness':{'and':2,'of':2,'.':1},'single-chambered':{'shell':1},'bittern':{'and':2,'begin':2,'is':1},'contracts':{'and':1,'under':1},'persisting':{'in':1},'midriff':{'or':1},'unimportant':{'and':1,'elements':1,'bladder':1},'nearly':{'a':2,'all':5,'every':1,'thirty':1,'everything':1,'twenty':1,'three':1,'related':2,'up':1,'twice':1,'so':3,'4':1,'9':1,'186':1,'the':2,'any':1,'two':1},'distinctly':{'later':1},'conjunction':{'with':1},'secondary':{'bodies':1},'pollen-nucleus':{'of':1},'bearings':{'cannot':1},'median':{'section':2},'yield':{'us':1},'morning':{'and':1,'coat':1,'especially':1,'to':1},'stupid':{'as':1,'bird':1},'photographically':{'reduced':1},'kernel':{'of':1,'is':1,'divides':1},'declared':{'that':1},'milling':{'and':1},'seas':{'and':2,'many':1,'had':1,'.':1,'to':1,'became':1,'are':1,'were':1,'went':1,':':1,'phosphorescent':1},'seat':{'of':4},'relative':{'distances':2,'sizes':2,'peace':1,'to':1,'absence':1,'in':1,'fixity':1,'shortness':1,'beginning':1},'j.':{'thomson':2},'mud-nests':{'or':1},'mcgregor.':{'profile':2,'a':1,'photograph':1,'sand-pit':1,'piltdown':3,'restoration':1,'the':3},'unaltered':{'.':1},'sameness':{'and':1},'permeates':{'all':1},'steadfast':{'sign':1},'eoliths':{'.':1},'habits--experiments':{'in':1},'behind':{'and':1,'both':1,'them':1,'it--a':2,'it':2,'us':1,'.':2,'while':1,'the':5},'chimpanzees':{'photos':1,'233':1,'but':1,'in':1},'radiated':{'away':2,'by':1,'in':1},'accustomed':{'to':2},'reading':{'of':1,'the':1,'ourselves':1,'anything':1,'or':1},'across':{'a':3,'space':3,'it':2,'the':11,'its':1,'empty':1},'roentgen':{'discovered':2,'s':1},'deletions':{'to':1},'august':{'1922':1,'1924':1},'parent':{'on':1,'of':5,'colony':1,'s':2,'has':1,'until':1},'parental':{'care.':1,'call':1,'care':17},'ascribed':{'the':1},'sea.':{'the':3,'2':2,'conquest':1,'proterozoic':1,'land':1},'tree-lizards':{'tree-kangaroos':1},'killing':{'and':2,'out':1},'dates':{'we':1,'from':3,'except':1,'varying':1},'vaporous':{'matter':1},'feelers':{'whereas':1},'diameter.':{'the':1,'innumerable':1},'diamond.':{'as':1},'according':{'to':24},'disappointment':{'when':1},'among':{'strongly':1,'all':1,'aquatic':1,'simple':1,'domestic':1,'them':1,'spiders':1,'domesticated':1,'birds':1,'cuttlefishes':1,'terrestrial':1,'lizards':1,'animals--by':1,'other':1,'which':2,'plant':1,'mammals':1,'mammals.':1,'dissimilars':1,'animals':4,'monkeys':1,'plants':3,'backboned':1,'this':1,'cosmic':1,'sand':1,'kindred':2,'the':21},'stretches':{'of':3,'from':1},'mound-birds':{'of':1,'young':1},'terse':{'and':1},'function--we':{'may':1},'flower-vase':{'well':1},'parachutists':{'and':1,'climbers':1},'maintained':{'this':1,'that':2,'by':1,'in':1},'stretched':{'in':1},'spans':{'the':1},'associated':{'a':1,'files':1,'his':1,'is':1,'enlargement':1,'reduction':1,'in':3,'the':2,'with':17},'reason--lays':{'her':1},'technicalities':{'.':1,'in':1},'considering':{'the':3},'sensible':{'things':1},'millimetre':{'and':1,'is':1},'caricature':{'of':1},'capable':{'of':3},'one-celled':{'plants--paint':1,'marine':2,'organism':1,'animal':1,'animalcules':1},'conditions.':{'illustration':2},'wilkinson.':{'jackdaw':1,'two':1},'mark':{'races':1,'individuals':1,'.':1},'attaching':{'too':1},'marked.':{'it':1},'mars':{'and':7,'is':3,'it':1,'maintained':1,'jupiter':1,'at':1,'141.5':1,'in':1,'there':1,'29':1,'.':2,'to':1,'going':1,';':1,'showing':1,'on':1,'october':1,'as':1,'were':1,'--jupiter':1,'the':1,'makes':1,'are':1},'tree-shrews':{'tupaia':1,'tree-mice':1,'hedgehog':1},'fiftieth':{'trip':1},'educated':{'who':1},'nautilus.':{'keen':1},'offered':{'some':1,'by':2,'for':1},'suns.':{'our':1},'dangerous':{'and':1,'to':1,'motto':1,'days':1,'maladies':1},'gripped':{'and':1,'in':1},'hippolyte':{'of':1,'which':1},'cod-banks':{'is':1},'dramatic':{'discoveries':1},'wake':{'of':1},'it.':{'the':1,'there':1,'whereupon':1,'other':1,'sun-spots':1},'captivity':{'has':1,'.':1},'sound':{'and':1,'conception':1,'though':1,'of':3,'.':3,'travels':1,'cannot':1,'another':1,'consists':1,'has':1,'judgment':1,'or':1},'turtles':{'and':3,'lay':1,'have':1,'which':1},'cannonade':{'of':1},'humming-bird':{'moths':1},'promising':{'wild':1,'a':1,'as':1,'.':1},'awakened':{'from':1},'margin':{'of':3,'are':1,'interlock':1},'luidia':{'which':1},'eventually':{'there':1,'like':1,'formed':1,'it':1,'to':3,'succeed':1,'they':1,'the':1,'creep':1,'after':1},'characteristics':{'of':2,'which':1,'e.g':1},'sleeping':{'prawns':1,'sickness':5},'strain':{'and':1},'sudden':{'and':2,'protrusion':1,'throwing':1,'irruption':1,'irritation':1,'withdrawal':1,'beginning':1,'acquisition':1,'movement':1},'tse-tse':{'fly':3},'dangerously':{'.':1},'ferns':{'conifers':1},'jackdaw':{'is':1,'balancing':2},'everyday':{'functions':1,'life':1,'intellectual':1,'bodily':1,'routine':1,'conditions':1},'movements':{'and':7,'on':1,'by':2,'that':3,'of':7,'is':1,'should':1,'how':1,'as':1,'implied':1,'are':2,'which':2,'in':1,'.':1,'until':1},'bags':{'of':1},'different':{'and':1,'set':1,'physiological':1,'methods':1,'instruments':1,'wave-lengths':2,'ages':1,'metals':1,'fellow':1,'rate':1,'manner':1,'times.':1,'in':3,'kinds':9,'as':1,'colours':5,'functions':1,'rays':1,'from':7,'ways':3,'relations':1,'.':3,'forms':1,'parts':1,'rates':1,'sedimentary':1,'105':1,'degrees':2,'main':1,'sections':1,'temperature.':1,'tacks':2,'idea--of':1,'aspects':1,'substances':4,'solution':1,'lines.':1,'groups':1,'fishes':1,'world':2,'rivers':1,'types':3,'areas':1,'lengths':2,'sizes':1,'this':1,'habitat-zones':1,'countries':2,'lines':2,'haunts':1,'thicknesses':1,'patterns':1,'length':1,'levels':2,'velocities':1,'latitudes':1,'terms':1},'paw':{'and':1,'to':1,'in':1},'pay':{'a':1,'out':1,'no':1},'oven':{'at':1},'same':{'and':1,'impression':1,'macaque':1,'facility':1,'appearance':1,'is':7,'table':1,'primary':2,'general':1,'attitude':2,'mistakes':1,'in':1,'bones':1,'corner':1,'face':3,'speed':1,'disadvantage--a':1,'as':3,'size':1,'story':1,'rays':1,'temperature':2,'opaque':1,'interesting':1,'nature':1,'proportion':1,'.':2,'state':1,'experiment':1,'way':9,'must':1,'conditions':1,'side':2,'foundation':1,'sex':1,'animal':1,'power':1,'format':1,'nest':1,'material':1,'gas':2,'effect':1,'period':1,'moment':1,'everywhere':1,'waves':1,'stem':1,'distance.':1,'day':1,'change':1,'stage':1,'kind':3,'type':1,'lines':1,'shape':1,'element':1,'magnet':1,'thing':1,'place':1,'principle':1,'fundamental':1,'time':8,'species':1,'applies':1,'table.':1,'essential':1},'eggs--up':{'towards':1},'thinning':{'of':1},'speech':{'.':1},'arguments':{'on':1,'.':1},'--all':{'the':1},'played--for':{'better':1},'intermediary':{'associative':1},'movement.':{'under':1},'extended':{'on':1,'tail':1,'from':1,'the':1,'their':1},'73000':{'10':1},'prominences':{'22':1,'these':1,'of':1,'which':3,'seen':2,'shooting':1,'ever':1},'assist':{'in':1},'companion':{'and':1},'running':{'on':2,'from':1,'no':1,'birds':1,'water':1,'leap':1,'leaps':1,'down.':2,'across':1,'down':2},'dynamo.':{'by':1,'illustration':1},'driven':{'outward':1,'by':2},'is--should':{'evolve':1},'waves.':{'the':1},'ripening':{'hard':1},'break':{'out':1,'up':2,'one':1},'largely':{'a':2,'feed':1,'based':1,'due':2,'with':1,'by':1},'roughly':{'group':1},'spoonful':{'of':1},'objection':{'there':1},'frontispiece':{'laplace':1,'.':1},'bottle':{'containing':1,'upside':1},'repulsive':{'or':1},'consisted':{'of':5,'only':2,'in':1},'generalisation':{'that':1},'money':{'paid':2,'if':1},'adjustments':{'which':1},'egg-cell':{'a':1,'certain':1,'within':1,'.':3,'fertilised':1,'in':1,'with':2,'divides':1},'down-drifting':{'food':1},'aspect':{'of':5,'can':1},'multiples':{'of':1},'sprang':{'the':1,'from':4,'but':1},'pinkish':{'eggs':1},'beagle':{'voyage':1},'crocodiles':{'and':1,'a':1,'there':1,'bury':1},'dipper':{'and':1,'or':1},'4':{'and':4,'another':1,'our':1,'living':1,'depict':1,'from':1,'tentative':1,'there':1,'.':11,'1':1,'500':1,'chromosomes':3,'information':1,'forming':1,'000':1,'external':1,'by':2,'a':2,'likeness':1,'this':1,'neptune':1,'the':6,'drawing':1},'grating':{'instead':1,'is':1},'pupa':{'stage':1},'extensive':{'repertory.':1},'heavier':{'to':1,'the':1,'materials':2,'more':1,'atoms':1},'pill':{'fizzing':1},'grip':{'and':1,'the':3},'1914.':{'baby':1,'4':1,'nos':1},'bitterling':{'cannot':1,'rhodeus':2},'tenses':{'.':1},'dissected':{'out':1},'tissues':{'and':1,'no':1,'of':1,'.':1,'to':1,'are':1,'or':1},'sight.':{'the':1},'water-measurers':{'in':1},'long-haired':{'angoras':1},'disadvantageous':{'dints':1},'aiming':{'at':1},'blankets':{'otherwise':1},'thames':{'gravels':1},'vertically':{'through':1},'dingo':{'or':2},'identifying':{'a':1,'different':1,'substances':1},'brain-development':{';':1},'serves':{'as':5},'lightning':{'278':1,'of':1,'in':1,'.':1},'facing':{'towards':1,'page':1},'chamber':{'only':1,'that':1},'behaviour-variations':{'which':1},'nose':{'that':1},'spinthariscope':{'making':1},'ascends':{'to':1,'into':1},'hunterian':{'professor':1},'mimicry.':{'colour':1},'flattely':{'and':1},'reveals':{'to':1,'the':2,'about':1},'alternately':{'and':1},'titan':{'a':1},'ascend':{'to':1,'the':2},'second.':{'their':1,'the':2,'sir':1},'specified':{'in':2},'images':{'of':1,';':1},'pasture':{'.':2},'ascent':{'of':7,'.':2,'not':1,'the':1,'by':1,'170':1},'gross':{'profits':1},'entities':{'of':1,'really':1,'.':1,'in':1},'apprenticeship--an':{'apprenticeship':1},'bubbles.':{'illustration':1},'footing':{'on':1},'fluids':{'and':1,'.':1},'considers':{'is':1},'pioneer':{'scorpion':1,'backboned':1,'animal':1},'critical':{'scientific':1,'discussion':1,'to':1,'time':1,'velocity':1,'spirit':1,'testings':1},'lunar':{'dawn':1,'apennines':1},'expressing':{'themselves':1,'or':1,'judgments':1,'feelings':1},'pipes':{'from':1,'by':1},'aboriginal':{'races':1},'rooks':{'and':1,'nests':1,'deal':1},'measuring':{'the':1,'does':1,'from':1,'it':2},'prerogative.':{'the':1},'buckling':{'up':1},'seconds':{';':1,'later':1,'takes':1,'.':2},'manufactured':{'by':1},'each':{'and':1,'other.':2,'foot':1,'pole':1,'constituent':1,'limb':1,'subject':1,'standing':1,'variety':1,'distinct':1,'incipient':1,'flash':1,'spiral':1,'.':2,'cell':2,'to':1,'prism':1,'other':9,'brick':1,'is':2,'foot.':1,'body':1,'star':1,'sinks':1,'molecule':1,'kind':2,'electrified':1,'electron':1,'descending':1,'atom':2,'date':1,'article':1,'with':3,'case':1,'independently':1,'substance':1,'particle':2,'of':11,'age':1,'tenanted':1,'metal':1,'element':2,'wave-length':1,'shade':2,'about':3,'side':1,'limb.':1},'notable':{'differences':1,'was':1,'feature':3,'power':1},'unusual':{'circumstances':1},'notably':{'the':3,'to-day':1,'planarians':1,'those':1},'trials':{'was':1},'arithmetical':{'question':1},'refers':{'to':1,'in':1},'stock--some':{'of':1},'psychical':{'level.':1,'research':1},'staff.':{'please':1},'stations':{'.':1},'instantaneously':{'into':1,'.':1,'he':1},'fringe':{'round':1},'insect':{'living':1,'lived':1,'flight':1,'larvae':3,'may':1,'is':1,'.':1,'visitors':3,'s':6,'lighting':1,'are':1,'pierces':1,'has':1,'with':1},'mixes':{'with':1},'practical':{'proposal':1,'judgments':1,'interest':1,'disappearance':1},'pockets':{'on':2},'west':{'of':1,'indian':1,'salt':1,'at':1,'coast':1},'corals':{'and':1,'worms':1,'which':1},'lasting':{'power':1},'provisional':{'picture':1},'road':{'home':1},'cautions':{'to':1},'lands':{'and':1,'in':1},'fertile':{'soil':1,'land':1,'meadows':1},'sea-grass':{'a':1,'area.':1,'red':1},'spreading':{'over':1,'meadows':1},'bountiful':{'and':1},'mills.':{'sir':1,'professor':1},'haddon':{'a':2},'gambiense':{'very':1,'69':1},'einstein':{'s':1,'has':1,'the':1,'who':1},'shortening':{'of':2,'the':1},'bon':{'has':1},'shells':{'of':1,'keeping':1,'are':3,'like':1},'camouflaging':{'giving':2,'and':1,'but':1},'brute':{'associates.':1,'man':1},'appears':{'on':1,'melancholy':1,'that':2,'to':1,'therefore':1,'the':1,'or':1},'caterpillars':{'and':2,'of':1,'to':1,'through':1,'they':1,'fasten':1},'laboriously':{'manufacture':1,'taught':1},'deepened':{'interest':1},'granules':{'and':1,'are':2},'unsettled':{'parts':1},'strikes':{'these':1,'the':1,'it':1},'white.':{'and':1,'banded':1},'trouble--an':{'instance':1},'land.':{'ages':1,'illustration':1,'getting':1},'spice':{'of':1},'arranged':{'his':1,'in':5},'romantic':{'and':1},'reflex':{'arc':2,'actions':8,'.':1,'action.':1,'action':4,'response':1,'chains':1,'than':1},'vice':{'versa':1},'dordogne':{'galley':1},'arranges':{'the':1},'pre-cambrian':{'eras':1},'blackbird':{'a':1},'shell.':{'the':1,'sec':1},'mimicked.':{'the':1},'moles':{'freshwater':1,'are':1},'affection':{'for':1,'.':1},'celestial':{'objects':1},'deliberation':{'and':1},'travailing':{'becomes':1,';':1,'of':1},'fanwise':{'to':1},'deer':{'of':1,'rabbit':1},'body-making':{'is':1},'deep':{'and':1,'water':2,'cups':1,'retreat.':1,'waters':3,'isolated':1,'waters.':1,'dark':1,'reason':1,'so':1,'sea':6,'in':2,'sea--the':1,'borings':1,'cold':1,'difference':1,'lake':1,'lying':1},'general':{'and':1,'impression':1,'outlook':1,'glare':1,'features':1,'symmetry':1,'trend':1,'life':1,'statements':1,'information':1,'question':1,'ideas':7,'relations':1,'statement':1,'significance':1,'public':2,'conclusion':1,'direction':1,'terms':3,'way':5,'very':1,'reader':1,'agreement':1,'flattened':1,'astronomy':1,'outlines':1,'we':1,'colour':2,'lines':1,'rule':1,'method':1,'aim':1,'agreement.':1,'succession':1,'opinion':1,'fact':1},'imagination':{'to':1,'.':1,'of':2},'examine':{'one':1},'planets':{'and':5,'they':1,'back':1,'spinning':1,'including':1,'are':2,'in':1,'seem':1,'what':1,'from':1,'would':3,'.':4,'to':1,'drawn':2,'life':1,'showing':1,'but':1,'five':1,'besides':1,'put':3,'of':3,'together':1,'or':1,'venus':1,'round':1},'lifetime':{'will':1,'namely':1,'by':1,'.':1},'cables':{'but':1},'film':{'and':1,'of':3,'is':1,'cling':1,'on':1},'fill':{'every':3},'tedious':{'time':1},'again':{'and':6,'as':3,'are':1,'in':5,'from':1,'knowledge':1,'would':1,'there':3,'.':1,'to':2,'does':1,'recaptures':1,'meant':1,'be':1,'we':3,'after':1,'led':1,'elsewhere':1,'that':1,'becomes':1,'never':1,'but':1,'with':1,'for':1,'many':1,'the':5,'having':1},'gbnewby':{'pglaf.org':1},'retiring':{'disposition':1},'field':{'and':3,'around':1,'of':6,'is':2,'it':1,'.':2,'as':2,'book':1,'240':1,'seen':2},'prism':{'and':1,'we':2,'produces':1,'into':1,'.':3,'entering':1,'separates':1,'is':1},'unaccustomed':{'and':1},'salamanders':{'of':1},'carapaces':{'form':1},'lafayette':{'alsatian':1},'coughing':{'or':1},'shelter':{'and':1,'of':2,'with':1,'for':1},'planet.':{'so':1,'if':1},'deriving':{'their':1},'important':{'stones':1,'and':2,'because':1,'is':5,'idea':1,'general':1,'phase':1,'as':1,'in':2,'mill':1,'activity--that':1,'for':2,'to':6,'role':1,'parting':1,'was':1,'however':1,'part':4,'food-plants':1,'parasites':1,'than':1,'linkage':1,'acquisitions':1,'advance':1,'acquisition':1,'the':1,'fact':6},'itself.':{'forms':1,'of':1,'but':1,'in':1},'tackle':{'the':1},'rainbow-colour':{'.':1},'revolve':{'the':1,'round':2},'sun--a':{'kind':1},'sneeze':{'on':1,'.':1},'hoofed':{'mammals':2},'remote':{'aquatic':1,'star':1,'age':1,'antiquity':1,'future':1,'ancestors.':1,'the':1},'recapitulation':{'of':3},'casts':{'off':1},'innocent-looking':{'little':1},'burrow':{'becomes':1,'which':1,'in':1},'u':{'of':1,'the':1},'resembles':{'a':1},'ovary':{'.':1},'once':{'and':3,'adjusted':1,'useful':1,'one':1,'rotating':1,'understood':1,'in':8,'said':1,'.':1,'attained':1,'got':1,';':1,':':1,'was':2,'tell':1,'more':4,'dominant':1,'that':1,'very':2,'eight':1,'they':1,'represented':1,'a':2,'on':1,'made':1,'effective':1,'larger':1,'rule':1,'every':1,'pulled':1,'or':1},'starting':{'a':1,'new':2,'point':1,'of':1},'represent':{'the':1,'stars':1,'tentative':1},'pheasant':{'and':1,'for':1},'forget':{'the':1},'founder':{'of':1},'suns':{'many':2,'.':1,'in':1},'invariable':{'.':1},'worms':{'and':2,'like':1,'that':1,'sea-cucumbers':1,'of':1,'began':1,'but':1,'.':1,'notably':1,'to':3,'2':1,'starfishes':1,'were':1,'requires':1},'founded':{'on':1},'sunk':{'very':1,'into':1,'in':1},'cooperative':{'relations':1},'expressions':{'of':3,'have':1},'plodding':{'methods':1},'shattered':{'to':1},'red-hot':{'ball':1,'gas':2,'.':1},'brain-box':{'and':1},'inexhaustible':{'fountain':1,'floating':1,'stores':1},'former':{'.':1},'bushmen':{'.':1},'those':{'upper':1,'pieces':1,'produced':1,'excessively':1,'farther':1,'in':1,'fine':1,'whose':1,'two':1,'regions':1,'immense':1,'contained':1,'other':1,'which':3,'between':1,'open-sea':1,'we':2,'kinds':2,'elsewhere':1,'that':13,'mammals':1,'offered':1,'who':3,'problems':1,'provided':1,'now':1,'with':1,'sensational':1,'great':1,'made':1,'of':15,'days':1,'glittering':1,'called':1,'bodies':1,'at':1},'hideous':{'and':1},'turnips':{'devouring':1},'distorting':{'effect':1},'straightforward':{'.':1},'sitting':{'a':1,'among':1,'figure':1,'for':1,'156':1,'the':1},'worm.':{'the':1},'interglacial':{'period.':1,'period':1,'times':1,'times.':1,'.':1,'or':1},'sun.':{'a':1,'look':1,'this':1,'it':1,'illustration':1,'one':1,'to':1,'sec':1,'but':1,'our':1,'the':2,'laplace':1},'fall':{'a':1,'on':4,'casting':1,'is':2,'upon':2,'suggested':1,'together':1,'down':1,'without':1,'from':1,'into':4},'difference':{'and':2,'is':1,'between':4,'to':1,'saturates':1,'does':1,'in':2},'expulsive':{'force':1},'mild':{'current':1,'moist':1,'electric':1,'temperatures':1,'of':1},'forking':{'of':2},'washing':{'the':1},'benevolent':{'visitors':1},'skeletal':{'rod':1},'applicable':{'to':1,'state':1,'taxes':1},'grubs':{'and':1},'camouflaged.':{'the':1},'hollowed-out':{'cotton-reel':1},'inorganic':{'world':1,'evolution':7,'groaning':1},'economically':{';':1},'pterodactyl':{'and':1,'or':2,'wing':1},'range.':{'the':1},'selected.':{'illustration':1},'aristocrat':{'apple-trees':1},'zero':{'of':2},'perception':{'and':1,'of':1,'rapidity':1},'further':{'and':3,'slowing':1,'down':1,'books':1,'human':1,'out':1,'knowledge':1,'for':2,'opportunities':1,'experiment':1,'until':1,'revision':1,'advantage':1,'complicated':1,'with':1,'contraction':1,'inland':1,'heightened':1,'ahead':1,'found':1,'the':1,'discovery':1,'changes':1},'double-slide':{'plate':1,'plate-holder':1},'creatures':{'and':4,'appeared':1,'it':1,'sec':1,'are':3,'have':3,'in':2,'if':1,'living':1,'from':1,'varied':1,'to':1,'began':1,'there':1,'.':6,'superficially':1,'which':3,'return':1,'that':1,'may':2,'act':2,'upon':2,'but':1,'let':1,'penetrate':1,'not':1,'such':1,'with':3,'by':1,'a':1,'on':1,'like':3,'of':4,'make':2,'turn':1,'were':1,'dance':1,'the':2,'round':1},'cilia':{'shown':1,'when':1},'stood':{'in':1,'at':1,'round':1},'short-lived':{'fishes':1,'relic':1},'swamps':{'and':1,'low':1},'storks':{'and':1,'pelicans':1},'associate':{'certain':1,'the':1,'particular':1},'caffeine':{'and':1},'everlasting':{'hills.':1},'schoetensack':{'.':1},'movement':{'and':6,'all':1,'is':4,'at':1,'in':2,'251':1,'if':1,'from':1,'for':1,'recalling':1,'.':1,'which':1,';':1,'was':1,'but':1,'a':1,'on':1,'of':6,'creates':1,'can':1,'the':1,'or':1},'outgoing':{'tide':1},'malaria':{'rife':1,'respectively.':1,'from':1,'organism':2},'martians':{'draw':1},'compilation':{'of':1,'copyright':1},'calculates':{'that':1},'component':{'cells':1},'ranges':{'and':2},'favourable':{'for':1},'cylindrical':{'.':2},'operating':{'on':1},'capacities--limited':{'when':1},'standard':{'of':2,';':1},'advance--the':{'central':1},'search':{'of':1,'after':1,'for':1,'facility:':1,'.':2},'tortoise':{'and':1,'of':1,':':1,'in':1,'has':1},'ichneumon':{'grubs':1},'cock':{'with':1},'stretching':{'as':1,'from':1,'for':1},'gleams':{'of':2},'milky':{'way':15},'formation':{'of':7,'due':1,'ten':1,'in':1},'narrow':{'and':1,'core':2,'like':1,'zone':1,'crowded':1,'sheaf':1,'passage':2,'marshes':1},'beak-like':{'jaws':1},'pathological':{'variation':1},'splashes':{'in':1},'24.--the':{'great':1},'transit':{'instruments':1,'is':1,'no':1},'mastering':{'the':1},'africa':{'a':1,'and':1,'india':1,'but':1,'coloured':1,'to':1,'asia':2,';':1,'where':1},'fastening':{'them':1,'pieces':1},'most--control':{'freedom':1},'empties':{'are':1},'extinction':{'of':1,'in':1},'establish':{'themselves':2,'race':1},'readily':{'separated':1,'lifted':1,'because':1,'heard':1,'swamped':1,'classified':1,'utilised.':1,'evaporate':1,'.':1,'understood':1,'see':1,'seen':1,'captured':1},'eye':{'and':3,'sees':1,'is':1,'are':1,'in':1,'.':6,'birds':1,'there':1,'next':1,'to':1,'which':2,';':2,'has':1,'that':1,'may':1,'fell':1,'continued':1,'by':1,'these':1,'of':1,'can':1,'the':1,'glued':1},'uniformity':{'and':1},'distinct':{'and':2,'individuality':1,'elements':1,'from':2,'species.':1,'sensation':1,'ancestors--a':1,'as':1,'classes':1,'tails':1,'sparks':1,'species':1},'hillock':{'of':1},'wiped':{'out':1},'destination':{'and':1},'two':{'years':1,'straws':2,'fore-limbs':1,'fine':1,'feather-stars':1,'forms':1,'molecules':1,'main':2,'photographs':2,'moorhens':1,'doors':1,'very':1,'minute':1,'feet':3,'positions':1,'spiny':1,'humps':2,'lashes':1,'phenomena':1,'back':1,'elements':1,'magnets':1,'creatures':1,'fingers':2,'halves':1,'chimpanzees':1,'new':1,'revolved':1,'ends':2,'electricities':1,'answers':1,'atoms':2,'hours':3,'wave-motions':1,'terminals':1,'groups':4,'others':1,'quite':2,'come':1,'days':1,'opossums':2,'of':4,'months':2,'haunts':1,'extremes':1,'streams':1,'or':11,'comes':1,'reflected':1,'screens':1,'skeletons':1,'millions':1,'working':1,'spiral':1,'long':1,'.':3,'macaques':1,'stars':2,'which':1,'hundred':7,'fractions':1,'eyes':1,'inches':4,'painted':1,'thousand':3,'exactly':1,'races':1,'cases':2,'cells':1,'shelves':1,'classes':1,'minutes':1,'and':8,'suggestions':1,'metals':1,'pieces':2,'periods':1,'have':1,'in':1,'paths':1,'different':5,'perhaps':1,'things':1,'widely':1,'lithium':1,'centrosomes':1,'facts.':1,'wires':1,'kinds':6,'opposite':1,'eggs':1,'teeth':1,'sides':3,'types':3,'together':3,'chief':1,'points':3,'sets':2,'serious':1,'the':1,'bodies':2,'foetal':1},'comparing':{'these':1,'notes':1,'reptiles':1},'cultivation':{'of':1},'endowed':{'with':4,'monkeys':1},'raft':{'across':1},'ovules':{'within':1,'in':1},'lapland':{'.':1},'leisure.':{'along':1},'unlink':{'or':1},'ahead.':{'the':1},'diamond':{'the':1,'point':1,'267':1,'.':1},'staggering':{'.':1},'views--the':{'nature':1},'chimpanzee':{'and':3,'illustrating':2,'157':1,'sitting':2,'is':1,'there':1,'.':1,'gorilla':2,'s':2,'2':2,'238':1,'at':1,'the':1,'an':1,'called':1,'233':1},'magpies':{'coral-snakes':1},'controlling':{'his':1,'nerve-centres':1},'particular':{'they':1,'some':1,'paper':1,'substance.':1,'sounds':1,'things':2,'emotions':1,'colours':1,'instance':1,'state':1,'difficulties':1,'interest':1,'conditions':1,'crab':1,'combination':1,'men':1,'atoms':1,'words':1,'circumstances':1,'case':1,'kind':4,'spawning-pond':1,'items':1,'moorhen':1,'place':1,'piece':1,'order':1},'straight-haired':{'mongols':2},'it--radium.':{'that':1},'none':{'being':1,'of':6,'the':1,'knew':1,'.':1},'hour':{'passes':1,'later':1,'would':1,'radium':1,'after':1,'.':1,'at':1},'middle':{'and':1,'zone':1,'of':2,'pleistocene':1,'ages':1,'oligocene':1,'.':1,'eocene':1},'recall':{'the':3},'sucks':{'in':1,'its':1,'milk':1},'cochroaches':{'and':1},'guards':{'them':2,'the':1},'remain':{'true.':1,'to-day':1,'inert':1,'just':1,'very':1,'freely':1,'together':1,'quite':2,'coherent':1,'in':2,'latent':1,'ether':1,'glorious':1,'apart':1},'pressing':{'a':1},'taut':{';':1,'or':1,'membranes':1},'pink-flush':{'on':1},'nothing.':{'evolution':1,'it':1},'specialized':{'in':2},'marble':{'for':1},'deg':{'.':6},'stubborn':{'as':1},'compare':{'with':2,'the':1,'jupiter':1},'gravels':{'in':1},'share':{'of':2,'it':1,'appreciatively':1,'in':1},'shard':{'the':1},'sphere':{'of':1},'minimum':{'the':1,'without':1},'numbers':{'and':2,'go':1,'above':1,'of':4},'hours.':{'at':1},'sharp':{'mountain-top-like':1,'prickle':1,'mouth-parts':1,'teeth':1,'nip':1,'conical':1,'points':1},'robinson':{'showed':1},'needs':{'to':2,'with':1,'occurring':1},'awkward':{'situation':1,'alacrity':1,'feint':1},'receptacle':{'for':1},'1873-6':{'gave':1},'acts':{'on':1,'as':4,'upon':1,'in':1},'responsibilities':{'.':1},'procellaria':{'pelagica':2},'sacred':{'river-tortoises':1},'profiting':{'by':2},'stir':{'water':1},'ensemble':{'of':1},'indian':{'and':2,'islands':1,'macaque':1,'ocean':1},'advice':{'to':1},'genius.':{'illustration':1},'narrow-beaked':{'crab':1},'tangere':{'leave':1},'blood':{'and':1,'corpuscles':2,'from':1,'relationship':1,'of':5,'is':1,'never':1,'it':1,'throughout':1,'.':4,'to':1,'as':1,'goes':2,'injected':1,'the':1,'has':1,'bringing':1,'or':3},'polynesian':{'mariners':1},'coming':{'and':1,'from':1,'down':2,'to':1,'with':1,'by':1,'out':1},'bloom':{'with':1},'response':{'to':1,'the':1,'from':1},'alps':{'at':1},'reappeared':{'his':1},'crowded':{'meteors':1,'when':1,'with':1,'haunt':1,'difficult':1},'coat':{'to':1,'used':1,'helps':1},'eats':{'its':1},'dragon':{'the':1,'flying':1,'draco':1,'94':1},'coal':{'burns':1,'consider':1,'would':1,'supply':1,'derived':1,'deposits':1,'for':1,'which':1,'.':3,'or':1},'skilful':{'artificer':1},'playing':{'mammals':1,'is':1,'period':2,'possum':1,'the':1,'with':2},'covered':{'a':1,'great':1,'over':1,'all':1,'everything':1,'the':3},'chopped':{'earthworm':1},'infant':{'and':1,'s':1,'.':1,'about':1,'three':1},'rounded':{'skull':2},'winged':{'phase':1,'snails':1,'insect.':1},'much-disputed':{'lines':1},'hypertext':{'form':1},'quiet-looking':{'cloud':1},'lumpsucker':{'mounts':1,'guards':1},'through':{'and':2,'it':3,'one':1,'our':1,'any':2,'unthinkably':1,'space':1,'.':1,'which':3,'orange':1,'1.e.7':2,'them':3,'his':1,'trees':1,'estuaries':1,'every':1,'but':1,'denser':1,'contrasts':1,'an':4,'a':19,'stone':1,'glass':1,'these':2,'air':2,'this':2,'the':54,'stages':1,'its':3,'bodies':1},'lava':{'rising':1},'filters':{'and':1},'existence':{'what':1,'135':1,'of':6,'is':3,'it':1,'.':2,'namely':1,'without':1,'are':1,'animal':1,'in':2,';':1,'by':1,'as':1,'if':2},'visceral':{'clefts':2},'bell-like':{'blossoms':1},'soddy':{'has':1,'frederick':1,'have':1,'puts':1,'one':1},'24':{'the':1,'were':1},'25':{'and':1,'of':1,'trillions':1,'000':6},'26':{'and':1,'we':1,'000':2,'tons':1},'27':{'illustration:':1,'000':1},'thrilling':{'a':1,'story':1},'21':{'1914.':1,'.':1},'22':{'from':1,'would':1,'tons.':1,'yerkes':1,'miles':1,'2007':1},'sodium':{'is':1,'lines':1,'iron':2},'rigel':{'466':1},'physophora':{'hydrostatica':2},'28':{'the':1,'deg.-34':1,'mars':1},'29':{'1919':1,'a':1,'drawings':1,'1908':2,'1919.':1},'late':{'polished':1,'professor':3,'years':1,'autumn':1,'as':1,'triassic':1,'.':1},'detected':{'a':1,'anywhere':1},'microscopic':{'cilia':1,'burdens':1,'organisms':1,'food':1,'study':1,'globules':1,'fertilised':1,'animal':3,'each':1,'animals':1,'algae':1},'--and':{'that':1},'bugbear':{'it':1},'sheaves':{'in':1},'triumphantly':{'from':1},'beginnings.':{'our':1},'good':{'and':1,'atmosphere':1,'old':2,'deal':6,'reasons':1,'idea':1,'as':3,'seed':2,'in':1,'insulators':1,'will':1,'touches':1,'.':2,'instance':1,'samples':1,';':2,'conditions':1,'eyes':1,'send-off':2,'illustration':1,'reason':1,'restoration':1,'purpose':1,'pair':1,'many':1,'second':1,'example':2,'practical':1,'conductor--six':1,'temper':1,'heel':1},'seeking':{'rather':1,'automatically':1},'gardens.':{'the':1},'sappers':{'and':1},'noticing':{'the':1,'that':1},'walls':{'and':1,'of':6,'so':1,'are':1,'nor':1},'compound':{'reflex':2},'olcott':{'field':1},'detach':{'or':1},'struggling':{'too':1},'association':{'a':1,'established':1,'and':1,'of':2,'professor':1,'when':1,'to':1,'which':1,'between':1,'meeting':1},'limpet':{'s':1},'mystery':{'of':1,'they':1,'drowned':1,'.':1},'easily':{'tamed':1,'be':1,'acquiesce':1,'blown':1,'supported':1,'washed':1,'selected.':1,'called':1,'as':1,'disturbed':1,'part':1,'seen':1,'get':1,'find':1,'comply':1},'deteriorates':{'.':1},'fish-like':{'characters':1},'evade':{'the':3},'abdomen--for':{'the':1},'ashes':{'of':1},'habits':{'and':5,'all':1,'there':1,'.':2,'while':1,'which':1,';':1},'2a':{'orohippus':1},'repeating':{'the':1},'possession.':{'if':1},'exquisite':{'tactility':1,'refinements':1},'horsetail':{'and':1},'harm':{'in':1},'everyone':{'is':2,'who':2,'recognises':1,'knows':1},'mental':{'activities':1,'life':2,'endeavour':1,'ability':1,'inheritance':1,'pictures':1,'subtlety':1,'life;':1,'equipment':2,'experimenting':1,'health':1,'aspect':1,'activity':1,'images':1,'aspect.':1,'mill':1,'endowment':1,'side':2,'powers':1,'qualities':1},'hundred':{'and':2,'trillion':4,'varieties':1,'strokes':1,'of':1,'thousand':2,'million':4,'years':2,'ways':1,'planetoids':1,'degrees':2,'stars':1,'in':1,'miles':3,'the':1,'times':1,'odd':1,'generations.':1,'millions':1},'hare':{'willow':2,'it':1,'.':1,'may':1,'s':1,'in':2,'the':1,'or':1},'hard':{'and':2,'saying':1,'work':2,'times':1,'substratum':1,'to':4,'in':2,'legs':1,'or':1,'red':2},'idea':{'that':4,'of':13,'is':1,'but':1,'how':1,'has':1,'was':1,'or':1},'foxes':{'and':2,'stoats':1},'macmillan':{'the':2,'.':4},'oil':{'on':2,'from':1,'is':1,'upon':1,'down':1,'must':1},'schuchert':{'again:':1,'s':1},'connect':{'them':1},'ripple':{'of':1},'hart':{'the':1,'is':1},'antarctic':{'circle--which':1,'shore':1},'shoulders.':{'the':1},'flower':{'and':4,'puts':1,'is':1,'.':1,'basket':3,'collects':1},'associations.':{'there':1},'pigeon':{'a':1,'because':1,'212':2,'gliding':1,'is':1,'continues':1,'s':1,'but':1,'brooding':1,'carrier':1,'which':1},'acting':{'on':3,'upon':2},'49.4':{'rigel':1},'flowed':{'along':1},'print':{'editions':1},'three-quarter':{'days':1},'waterholes':{'full':1},'rejuvenescence':{'e.g':1},'circumstance':{'that':1},'dealt':{'with.':1,'with':6},'extraordinary':{'protrusion':1,'strength':1,'proceeding':1,'power':1,'variety':1,'educability':1,'things':2,'results':1,'vigour':1,'therefore':1,'interest':1,'outbursts':1,'properties':1,'adaptability':1},'terminals':{'thus':1,'.':1},'members':{'of':12,'at':1},'backed':{'by':3},'entrancing':{'interest.':1},'beginning':{'again':1,'for':1,'this':1,'of':35,'when':1,'it':1,'.':1,'to':5,'at':1,'in':2,'was':2,'with':2},'poles.':{'our':1,'there':1},'demands.':{'as':1},'snails':{'various':1,'or':1},'omit':{'one':1},'brain...':{'.':1},'audacity':{'to':1},'72-inch':{'reflector':1},'varanus':{'139':1,'the':1},'down--sometimes':{'dangerously':1},'exercising':{'the':1},'reinforced':{'by':1},'copper':{'and':1,'wires':1,'coin--smaller':1,'that':1,'immersed':1,'in':1,'together':1,'.':1,'age.':1,'wire':3,'zinc':2,'were':1,'beech':1,'age':1,'is':5,'came':1},'bullies':{'of':1},'disregarded':{'only':1},'instances':{'of':1,'where':1,'must':1},'7918':{'1':1},'done':{'is':1,'.':1,'to':1,'as':1,'with':1,'by':1},'vibrate':{'about':1,'.':1,'in':1},'climbing':{'grasping':1,'up':1},'cups':{'whereas':1},'island-universes':{'they':1},'family.':{'viviparity':1},'light-gatherer':{'.':1},'construct':{'a':2},'hollows':{'of':1},'obligatory':{'movements':1},'183':{'evolutionary':1},'assumption':{'of':2},'186':{'photograph':1,'nautilus':1,'shoebill':1,'000':7},'187':{'photo':1},'statement':{'will':1,'that':4,'often':1,'in':1},'185':{'000':1},'rates':{'.':1},'compartment':{'a':1,'b':1,'was':1},'too':{'faint':3,'plainly':1,'simple':1,'soon':2,'high':2,'inhospitable':1,'cold':3,'thick':1,'stingy':1,'easygoing':1,'little':1,'deeply':1,'there':1,'long':1,'hot':2,'much':6,'sheltered':1,'was':1,'complete':1,'shallow':1,'generous':1,'complicated':1,'closely':1,'precious':1,'great':1,'short':1,'large':1,'severe':1,'were':2,'small':2,'serious':1,'soft':1},'muscles':{'and':4,'of':2,'to':1,'going':1,'are':1,'which':1,'in':1,'than':1,'at':1},'travail':{'of':1},'lightest':{'hydrogen':1,'atom':2},'needle':{'on':1,'magnified.':1,'.':1},'park':{'in':1},'procession':{'of':3,'or':1},'part':{'the':1,'corresponding':1,'for':1,'vaporised':1,'of':54,'into':1,'in':3,'.':1,'to':3,'at':1,'under':1,'obscure':1,'with':4,'company':1},'parr':{'become':1,'about':1,'which':1},'prodigious':{'expulsive':1,'speed--and':1,'speed.':1,'outpour':1,'quantities':1,'age':1,'.':1,'scale.':1,'rapidity':2},'selenium-cell':{'which':1},'believe':{'that':11,'in':1,'an':1,'to':1,'were':1,'the':1,'by':1},'don.':{'it':1},'jump':{'at':1,'out':1},'supposes':{'that':2},'b':{'c':1,'that':1,'of':1,'showing':1,'there':1,'when':2,'it':1,'.':7,'in':1,'some':1,'alteration':1,'others':1},'parent--little':{'likely':1},'damages':{'even':1,'costs':1,'-':1},'clodd':{'story':1},'866':{'000':1},'recording':{'of':1},'dissection--or':{'screwing':1},'totteringly':{'for':1},'supposed':{'that':4,'dead':1,'to':4,'indication':1,'have':1,'the':1,'he':1},'messrs.':{'macmillan':3},'treated':{'merely':1},'anthropoid':{'embryo':1,'stock--common':1,'apes':7,'apes--the':3,'type.':1,'apes.':1,'ape':4},'rhacophorus':{'that':1},'efface':{'itself':1},'trifles':{'felted':1},'pre-existing':{'organisms':1},'ages':{'and':3,'set':1,'afterwards':1,'is':1,'sec':2,'in':1,'before':1,'living':1,'organisms':1,'there':1,'had':1,'.':4,'to':2,'which':3,';':2,'has':1,'was':1,'be':1,'we':1,'passed':6,'necessity':1,'along':1,'he':1,'ago':2,'many':1,'of':1,'the':3,'or':1},'left-handed':{'vortices':1},'egg.':{'very':1,'8':1,'3':1},'paltry':{'pigmies':1},'agee':{'when':1},'confirms':{'our':1},'fading':{'away':1},'paths':{'a':1,'of':1,'round':1,'pursued':1},'acid':{'and':1,'water':1,'indigo':1,'caffeine':1},'built':{'a':1,'and':1,'elastic':1,'on':1,'of':1,'up':10,'as':1,';':1,'with':1},'depending':{'upon':1},'trip':{'sideways':1,'which':1},'majority':{'of':7,'is':1,'are':1},'lifts':{'a':2,'the':1},'build':{'a':2,'up':5,'but':1},'deepening':{'hold':1},'sea-perches':{'live':1},'facts.':{'sec':1},'unpalatability':{'or':1},'easygoing':{'kind':1,'conditions':2,'the':1,'swimmers--for':1},'capillaries':{'of':1},'sciences.':{'the':1,'it':1},'eggs':{'and':5,'into':1,'are':2,'have':1,'in':7,'close':1,'during':1,'lie':1,'develop':3,'perhaps':1,'two':1,'.':5,'to':1,'only':1,'which':4,';':1,'77':1,'i.e':1,'with':1,'by':2,'a':1,'on':1,'of':2,'inside':2,'attached':1,'were':1,'or':4},'trains':{'lit':1,'of':1,'and':1},'salmon':{'spawn':2,'do':1,'in':1,'of':1,'is':1,'196':1,'surmounting':1,'leaping':2,'.':1,'1':1,'s':1,'keeps':1,'fry':1,'still':1,'was':1,'or':1,'as':2},'tail-feathers':{'braced':1},'took':{'origin':1,'a':1,'his':1,'longer':1,'advantage':2,'no':1,'flying':1,'up':1,'element':1,'as':1,'place':2,'so':1,'the':2},'depths':{'of':4,'showing':1,'119':1,';':1,'whence':1},'most':{'obdurate':1,'beautiful':2,'primitive':4,'debased':2,'remarkable':4,'people':4,'powerful':4,'valuable':1,'far-reaching':1,'multicellular':1,'bones':1,'inconspicuous':1,'diverse':1,'distant':3,'commonly':1,'abstruse':1,'intricate':1,'fishes':1,'birds':2,'resourceful':1,'impressive':2,'living':1,'salient':1,'daring':1,'patent':1,'interesting':2,'favour':1,'chemical':1,'to':1,'complex':1,'attractive':1,'laborious':1,'mammals':2,'mysterious':3,'promise.':1,'important':8,'difficult':1,'we':1,'popularly':1,'general':1,'scientific':1,'spectacular':2,'intimate':1,'successful':1,'familiar':1,'apparent':1,'convincing':1,'significant':1,'notably':1,'eminent':2,'part':1,'enduring':1,'recent':1,'authorities':1,'cases':9,'trying':1,'monkeys':1,'fascinating':2,'puzzling':1,'a':1,'land':1,'animals':2,'playsomest':1,'effective':2,'famous':1,'marvellous':1,'of':16,'signal':1,'countries':1,'metals':1,'enemies.':1,'distinguished':3,'project':1,'solid':2,'severe':1,'dramatic':1,'tempting':1,'distinctive':1,'ancient':3,'astonishing':1,'essential':1,'extraordinary':1},'petromyzon':{'marinus':2},'significant':{'as':1,'periods':1},'fluctuate':{'the':1},'branching':{'air-tubes':1},'transmissibility':{'of':1},'charitable':{'donations':1},'seething':{'foam':1,'mass':1,'vapours':1},'mammoth':{'drawn':2,'tube':1,'woolly':1,'age':1,'the':1},'weigh':{'a':2,'about':1,'only':1,'them':1,'approximately':1},'overcrowding':{'of':2},'organism':{'explores':1,'reproduced':1,'that':1,'may':1,'is':2,'acts':1,'which':1,';':1,'plays':1,'the':2,'its':1},'thomas':{'henry':2},'secrets.':{'the':1},'particularly':{'rich':1,'characteristic':1,'fond':1,'disposed':1,'important':1,'suited':1,'in':1,'memorable':1},'217':{'the':1},'obligations':{'and':1,'has':1},'fins':{'and':1,'on':1,'used':1,'of':1,'as':1,'taut':2},'scattered':{'the':1,'throughout':1,'was':1,'hither':1,'in':1},'converge':{'in':1},'wasted':{'in':1,'.':1},'shore-pool.':{'sec':1},'relation':{'to':3,'between':3},'carefully':{'just':1,'read':1,'there':1,'considered':1,'examine':1,'drawn':2},'212':{'photo':2},'amphibians.':{'as':1,'palaeozoic':1,'in':1},'fine':{'art':1,'crown':1,'results':1,'textbook':1,'powder':1,'suspended':1,'children':1,'creatures':1,'bulbs':1,'inequalities':1,'particles':2,'enough':1,'details':1,'vapour-like':1,'specimens':1,'product':1,'description':1,'brains':1,'time-recording':1,'translucent':1,'cross-striped':1,'photograph':1,'sections':1,'work':1,'balance':1,'example':1},'find':{'all':1,'some':1,'it':2,'in':3,'any':1,'out':4,'no':2,'two':1,'their':2,'enough':1,'much':1,'if':1,'reflex':1,'them':1,'that':11,'they':1,'included':1,'by':2,'a':4,'none':1,'these':2,'solid':1,'the':5},'downward-projecting':{'sharp':1},'giant':{'recently':1,'instruments':1,'spiral':3,'amphibians':1,'planet':1,'amoeba':1,'reptiles':2,'stars':1,'elephant':1,'whirlpools':1,'reptiles.':1},'double.':{'after':1},'depended':{'and':1,'on':1},'dividing':{'the':1,'into':2,'themselves':1,'as':1},'nervous':{'disturbance':1,'restlessness':1,'system.':1,'system':4,'excitement':1,'rhythm.':1},'bird--was':{'about':1},'distributed':{'old-fashioned':1,'project':1,'to':1,'proofreading':2,'in':1,'throughout':1,'by':1},'unhappy':{'over':1},'lockyer':{'sir':1,'detected':1,'pointed':1},'convoluted':{'.':1},'eruptions':{'at':1},'credulous':{'and':1},'8':{'and':1,'with':1,'there':1,'.':2,'in.':1,'other':1,'100':1,'minutes':2},'gills':{'again':1,'except':1,'.':3,'are':1,'which':2,';':3},'stringops':{'and':1},'merged':{'into':1},'indetal':{'is':1},'forreri':{'which':2},'dust':{'and':1,'no':1,'of':4,'.':2,'to':1,'at':1,'although':1,'in':5},'permission':{'and':1,'from':8,'for':1,'of':15,'.':1,'in':1},'express':{'a':2,'and':1,'the':1,'themselves':1,'or':1},'water-vole':{'and':1},'shore-pools':{'and':2,'makes':1,'in':1},'cheaper':{'.':1},'courage':{'and':1},'breast':{'pocket':1},'silk':{'tassel':4,'from':1,'handkerchief':1,'.':2,'threads':1,'across':1},'target':{'on':1},'transitional':{'experience':1,'between':1},'experiments.':{'illustration':1},'freedom.':{'the':1},'doubled':{'straw':1,'their':1,'over':1},'1825-95':{'86':1,'one':1},'common':{'and':1,'among':1,'habit':1,'is':1,'in':1,'at':2,'sense':1,'insectivore':1,'knowledge':1,'to':4,'chameleon':2,'foraminifer':2,'frog':1,'.':1,'hydra':1,'assumption':1,'animal':1,'chaffinch':1,'stock':1,'mud-skipper':1,'starfish':2,'centre':1,'showing':1,'ancestry--are':1,'shore-crab':2,'objects':2,'drone-fly':1,'from':1,'telescopes':1,'otter':2,'accident':1,'basis':1,'eel':3,'ancestry':1},'doubles':{'of':1},'experiments;':{'and':1},'immigrants':{'from':1},'tended':{'to':2},'disc-like':{'collection':1},'lion':{'.':1},'individual':{'is':1,'life':2,'at':1,'in':1,'movements':1,'from':1,'stands':1,'opportunities':1,'to':1,'stars':1,'has':1,'development':6,'variability':1,'plant':1,'hairs':1,'but':1,'atoms':1,'nurture':1,'types':1,'these':1,'work':1,'experience':3,'liberty':1,'project':2,'habits':1,'can':1,'the':1,'works':1,'ears':1},'starfishes':{'is':1,'spend':1,'sea-urchins':1},'medley':{'of':1},'long-fingered':{'pterodactyl':1},'tender':{'plant':1,'all':1},'forthcoming':{'for':1},'hole':{'and':2,'is':2,'before':1,'only':1,'in':1},'rays.':{'illustration':1},'gunnel':{'escape':1},'degree':{'of':12,'an':1,'which':1,'in':1,'not':1,'the':1,'.':1,'than':2},'halved':{'along':1},'please':{'read':1,'visit':1,'check':1},'splendidly':{'active':1},'halves':{'of':1,'the':1},'smallest':{'particle':2,'web-footed':1,'atom.':1,'french':1,'atom':2,'known':1},'planarians':{'and':1},'vascular':{'hood':2,'tufts':1},'to.':{'during':1},'mouthful':{'of':1},'donate':{'royalties':1,'section':1,'please':1},'sexual':{'reproduction':2},'beetling':{'ape-like':1,'eyebrows':1,'brows':1,'eyebrow':2},'historical':{'evolution':1,'succession':1,'or':1,'fact':1,'evidence':1},'masterful':{'more':1},'deliberately':{'selecting':1},'vanishing':{'mammals':1},'half-hour':{'longer':1},'reverse':{'the':1,'.':1},'journeyed':{'three':1},'annual':{'amount':1},'sons.':{'professor':1,'skeletons':1},'foreign':{'elements':1},'quadruped':{'.':1},'protopterus':{'91':1,'it':1},'elliot':{'fry':1},'point':{'and':1,'on':3,'we':1,'to':9,'that':1,'very':1,'of':9,'is':7,'though':1,'it':1,'.':5,'sound':1,'let':1,'the':3,'forty-five':1,'where':1,'out':1},'simple':{'protists':1,'and':2,'calculation':1,'instincts':1,'worms':1,'one':1,'multicellular':1,'as':1,'bibliographies':1,'creatures':3,'living':1,'many-celled':1,'one-celled':1,'there':1,'ideas':1,'process':1,'book':1,'electrical':1,'animal':1,'maze':2,';':1,'reflex':3,'sort':2,'experiment':1,'worm-types.':1,'that':1,'labyrinth':1,'but':2,'wave':1,'consideration':1,'cases':1,'flagellates':1,'outline':1,'tentatives':1,'form':1,'beginnings':1,'problem':1,'piece':1,'predatory':1},'unremitting':{'vibration':1},'smother':{'many':1},'knipe':{'s':6},'newborn':{'earth--the':1,'cuttlefish':1,'pigling':1},'electrons.':{'this':1,'when':1,'sec':1,'it':1,'illustration':1},'simply':{'a':1,'because':1,'that':2,'to':1,'thin':1,'with':1,'told':2},'unsuccessful':{'movements':1},'zeta':{'orionis':2},'throughout':{'and':1,'set':1,'that':1,'to':1,'the':13,'numerous':1,'its':1},'suppressing':{'useless':1},'expensive':{'and':1},'transformations':{'of':1},'meteorite':{'i.e':1,'or':1,'which':3},'create':{'fresh':1,'are':1,'or':2},'vertebrate':{'race':1,'at':1,'characters':1},'screened':{'the':1},'rivals':{'a':1,'in':2},'secret':{'of':6,'under':1,'from':1,'was':1,'phosphorus':1},'dropping':{'on':1},'stoat':{'becomes':1},'experiments--indications':{'of':1},'astonishment':{'a':1},'slips':{'down':1},'doles':{'of':1},'gas':{'and':3,'shot':1,'less':1,'expanding':1,'is':1,'it':1,'four':1,'as':1,'at':1,'in':3,'still':1,'would':1,'no':2,'there':1,'when':1,'.':2,'glowing':1,'which':1,';':1,'was':1,'be':1,'they':1,'absorbs':1,'about':1,'bill':1,'identified':1,'will':1,'were':1,'the':2,'cooled':1},'gap':{'to':1,'between':1},'vane':{'for':1},'waves--the':{'ultra-violet':1},'tupaia':{'began':1},'likened':{'our':1},'top--the':{'falling':1},'grains':{'of':2},'solid':{'body':2,'core':1,'and':1,'or':1,'liquid':1,'gold':1,'body.':1,'of':1,'could':1,'crust':2,'.':1,'substratum':1,'matter':1,'iron':1,'in':1,'earth':5,';':1,'earth--a':1,'the':1,'is':1,'ground':1},'tree-porcupines':{'and':1},'bill':{'and':1,'adapted':12,'where':1,'would':1},'eclipsed':{'when':1},'cluster':{'of':3,'is':1,'in':3},'plovers':{'lie':1},'replaced':{'by':9},'teaspoonful':{'of':1},'rhinoderma':{'of':1},'schultze':{'.':2},'eclipses':{'can':1},'manner':{'of':3,'away':1,'.':1,'born.':1,'at':1,'rarely':1},'youthful':{'stages':1},'adjusts':{'its':1},'debased':{'with':2},'century':{'we':1,'telescope':1,'that':2,'when':1,'.':4,'the':1,'was':1},'violently':{'and':3,'agitated':3},'metazoa':{'.':1},'regius':{'professor':1},'itself':{'and':3,'because':1,'is':3,'back':1,'an':1,'as':2,'registers':1,'through':1,'at':1,'in':5,'out':1,'again':1,'what':1,'for':1,'.':4,'to':6,'which':2,';':1,'millions':1,'until':1,'more':3,'tentatively':1,'that':1,'along':1,'with':3,'by':1,'he':1,'a':1,'on':1,'up':1,'the':2,'or':1},'atom--the':{'new':1},'saline':{'matter':2},'salina':{'that':1},'evading':{'this':1,'or':1},'discourse':{'.':2},'copying':{'and':1,'distributing':1,'displaying':1,'or':1},'leisurely':{'life':1},'ray':{'of':10,'lankester':4},'sapiens':{'the':1},'alertness.':{'ii':1},'non-digitate':{'paired':1},'eels':{'ascending':1,'are':1,'seem':1,'circumvent':1,'or':1,'illustrate':1},'keys':{'by':1},'leopard':{'is':1,'the':1},'deperet':{'transformation':1},'moment':{'a':1,'to':1,'.':1,'how':1,'s':1,'in':1,'the':3,'by':1},'purpose':{'and':1,'of':1,'is':1,'and--it':1,'here':1,'.':1,'they':1,'such':1,'the':1,'with':1},'timid':{'orioles':1},'circumvented':{'by':1,'.':1},'predecessors':{'rather':1,'of':2,'we':1},'gestures':{'and':1},'organically':{'enregistered':1},'task':{'of':1},'noli':{'me':1},'craves':{'for':1},'gambier':{'bolton.':6},'thoroughly':{'terrestrial':1,'aquatic':1,'aerial':1,'well':2,'it':1,'erect':1,'protected':1},'chemistry':{'and':1,'.':2},'spend':{'their':2,'much':1,'half':1},'examining':{'a':1},'matter.':{'a':1,'lockyer':1,'hitherto':1,'so':1,'another':1,'he':1},'snow':{'mouse':1,';':1,'upon':1,'or':1,'.':4},'profoundly':{'and':1,'influenced':1},'shape':{'and':2,'irresistibly':1,'from':1,'for':1,'that':1,'of':6,'they':1,'changes':1,'change':1},'atomic':{'theory':1,'weight':3,'energy':3,'weights':1,'numbers':1,'in':1,'reservoirs':1},'matter;':{'a':1},'alternative':{'reactions':1,'pathways':1,'but':1,'between':1},'unawares.':{'professor':1},'riki-tiki-tavi':{'which':1},'apes.':{'man':1},'timber':{'for':1},'letting':{'it':1},'superficial':{'differences':1,'work':1,'resemblance':1,'.':1},'cut':{'glass--the':1,'the':1,'up':1,'that':1},'developed.':{'nor':1},'alternate':{'directions--an':1,'format':1},'hereditarily':{'.':1},'source':{'may':1,'of':15,'which':1},'twig-insects':{'put':1},'follow.':{'since':1},'round-mouths':{'cyclostomes':1},'snap':{'at':1,'in':1},'hydrosphere.':{'formative':1},'ganglia':{'.':1},'excited':{';':1,'clucking':1},'silken':{'balloon.':1,'threads':1,'cocoon--the':1},'overhanging':{'bank':1},'big':{'and':1,'telescope':1,'spring':2,'canine':1,'sea-anemone':1,'brain':3,'as':1,'legacy':1,'simply':1,'seal':1,'toe.':1,'clock':1,'forehead':1,'toe':2,'robber-crab':2,'full':1,'brains':2,'lens':1,'with':1,'collar':1,'tree':1,'worm':1,'eyebrow':1,'seeds':1,'fact':5},'adventures.':{'there':1},'smallness':{'by':1},'far-fetched':{'and':1},'disappeared.':{'there':1},'life--a':{'progress':1},'bit':{'of':5},'stingless':{'.':1},'knock':{'over':1,'against':1},'photosphere--the':{'sun':1},'degenerated':{'in':1},'follows':{'a':1,'on':1,'from':2,'that':3,'an':1,'therefore':1,'the':1},'flux':{'and':1,'is':1,'in':1},'indication':{'of':2,'that':1},'beyond-blue':{'waves':1},'cotton-reel':{'as':1,'attached':2},'cloudlets':{'cannot':1,'come':1},'complicated.':{'sec':1},'gibbon.':{'bone':1},'valleys':{'.':1},'often':{'beautiful':1,'exhibit':1,'flies':1,'followed':1,'flapped':1,'pays':1,'overlooked':1,'float':1,'some':1,'libelled':1,'crop':1,'an':1,'say':1,'been':2,'vitally':1,'at':2,'in':2,'touch':1,'seen':1,'dug':1,'nests':1,'linked':1,'seems':1,'forced':1,'given':1,'from':1,'also':1,'apparently':1,'faint':1,'reminded':1,'outside':1,'expressed':1,'find':1,'attracted':1,'only':1,'complex':1,'easy':1,'buys':1,'got':1,'swims':1,'gets':1,'intelligent':1,'grows':1,'shows':1,'poor':1,'badly':1,'attended':1,'to':1,'make.':1,'very':3,'great':1,'safe':1,'about':2,'it':1,'saves':1,'succeed':1,'a':3,'become':1,'not':1,'associated':1,'revealed.':1,'subtle':1,'is':1,'fly':1,'and':1,'made':2,'created':1,'did':1,'of':1,'when':1,'with':4,'reads':1,'different':1,'adjust':1,'so':1,'.':1,'found':3,'lined':1,'involves':1,'referred':1},'absolutely':{'true':1,'essential':1},'hair-like':{'whilst':1},'triceratops':{':':2},'abundantly':{'these':1,'tenanted':1},'back':{'and':6,'into':1,'as':1,'at':1,'in':1,'our':1,'still':1,'again':2,'from':2,'for':1,'downwards':2,'.':1,'to':20,'which':1,';':1,'over':1,'becomes':1,'illustration':1,'125':1,'affording':1,'with':1,'by':3,'of':11,'sometimes':1,'became':1,'teeth':2,'the':1,'or':1},'evolution--there':{'is':1},'martian':{'day':2},'examples':{'of':5},'mirror':{'and':1,'for':1,'produces':1,'is':4,'.':1,'the':1,'than':1},'candle':{'but':1},'ourselves':{'to':2,'into':1,'here':2,'.':1,'how':1,'the':2,'quite':1},'pronounced':{'that':1},'crooked':{'stick':1},'condensed--who':{'can':1},'contacts':{'between':1},'affects':{'the':1},'per':{'hour':1,'second':3,'cent':5,'hour.':1,'step':1,'minute':1},'brain-case':{'of':2},'too--the':{'rabbit':1},'eliminate':{'useless':1},'king-crab':{'limulus':1},'peg':{'pulls':1},'11.--mars':{'october':1},'good.':{'bibliography':1},'scaly':{'fore-limbs':1,'covering':1},'stilt-like':{'legs':1},'life-history':{'of':7,'into':1,'.':1,'for':1,'to':1},'patient':{'with':1},'magnifies':{'this':1},'300':{'000':2,'chickens':1,'times':2},'peculiarly':{'interesting':1,'penetrating':1,'liable':1},'continuing':{'the':1,'.':1,'before':1},'fed':{'on':1,'when':1,'by':1,'.':1},'subconscious':{'cerebration':1},'more-pork':{'or':3},'flanks':{'and':1},'times--glacial':{'and':1},'feigning':{'death':3},'web-wing':{'of':1,'or':1},'nematodes':{'many':1},'piled':{'around':1},'ounce':{'or':1},'offshoot':{'is':1,'from':5},'consequently':{'the':1,'good':1,'changed.':1},'tree-loving':{'animals':1},'aliens':{'like':1},'night-light':{'noctiluca':1},'invading':{'the':1},'inhospitable':{'had':1},'gramme':{'of':1,'.':1},'relapses':{'to':1},'realisation':{'of':1},'deep-violet':{'light-waves':1,'waves':2},'ontario':{'about':1},'live-and-let-live':{'compromise':1},'plane.':{'the':1},'drosophila':{'among':1},'mudstones':{'and':2,'which':1},'trying--the':{'deep':1},'infected':{'with':1,'by':1},'manifested':{'by':1,'in':1},'checks':{'online':1},'forward':{'past':1,'to':2,'as':1,'by':1,'.':1},'examination':{'of':4},'adjusting':{'their':1,'its':1},'exterminated':{'the':1},'niagara':{'we':1,';':1,'are':1,'for':1,'falls':2},'boys':{'place':1},'quiescent':{'well-protected':1,'pupae':1},'hopes':{'that':1},'role':{'of':1,'in':2},'hipparion':{';':1},'directed':{'forwards':1},'blanketing':{'the':1},'non-existence':{'they':1},'rejection':{'of':1},'casein':{'which':1},'detachable':{'electrons':1},'generating':{'strong':1},'lungbooks':{'.':1},'planet':{'and':3,'on':1,'from':1,'around':1,'turns':1,'is':3,'after':1,'neptune':1,'but':2,'.':4,'will':1,'to':2,'s':1,'so':1,'always':1,'venus':2,'might':1,'the':1},'fitter':{'folk':1},'exploration':{'of':2},'planes':{'.':1},'water-bag':{'over':1},'groove':{'.':1},'sea-urchin':{'s':2,'which':1},'recognition':{'among':1,'of':2},'sort':{'and':1,'of':28,'when':1,'at':1,'may':1},'constant':{'interchange':1,'movement.':1,'temporary':1,'temperature':1,'state':2,'able':1,'spectrum':1,'effect':1,'amount':1,'in':1,'movement':1},'punnett':{'that':1},'expedition':{'1873-6':1},'metal':{'tags':1,'uranium':1,'globe':1,'that':1,'ages':1,'to':1,'ages.':1,'displays':1,'the':1,'vapour':1,'is':1,'vapours':1},'scarlet':{'solar':2},'single':{'word':2,'cubic':1,'molecule':1,'young':1,'feature':1,'cell':2,'prism':1,'electron':1,'grain':4,'gramme':1,'leaf':1,'atoms':1,'cell--a':1},'clever':{'synthetic':1,'associations':1,'dwarf':1,'things':2,'dog':2,'as':4,'in':1,'creatures':1},'curl':{'of':1},'dragging':{'effect':1},'prevail':{'.':1},'brethren':{'by':1},'corners':{'being':1,'of':3,'in':1},'biology.':{'the':1},'dimmed':{'by':1},'teemed':{'with':1},'confine':{'ourselves':1},'explaining':{'a':1,'positive':2,'the':1},'best--':{'a':1},'accidental':{'introductions':1,'discovery':1},'neck.':{'illustration':1},'heir':{'is':1},'surface--before':{'in':1},'prepared':{'chemical':1,'the':1,'spectrum':1},'lively.':{'illustration':1},'restoration':{'of':1,'by':3,'modelled':6,'shows':1},'relatives.':{'illustration':1},'utterly':{'dependent':1,'extinct':1,'beyond':1,'artificial':1},'fishes':{'and':5,'emerge':1,'appeared':1,'is':1,'191':1,'it':1,'as':1,'are':2,'in':2,'moreover':1,'saw':1,'before':1,'perhaps':1,'pay':1,'there':2,'had':1,'.':5,'to':2,'much':1,'which':3,'crustaceans':2,'probably':1,'was':1,'do':1,'we':1,'utilise':1,'that':1,'becomes':1,'males':1,'120':1,'cannot':1,'fishes':1,'such':1,'hold':1,'continued':1,'a':1,'like':3,'these':1,'of':1,'could':1,'will':1,'near':2,'were':3,'the':3},'stoppages':{'register':1},'desert':{'where':1},'worsted':{'instinctive':1,'mistake':1},'implies':{'a':2,'ability':1,'that':2,'rather':1,'certain':1,'becoming':1,'an':1,'complexity':1,'if':1},'vehicles':{'of':2},'speculations':{'.':1},'responded':{'to':1},'ascertained':{'is':1},'unhatched':{'crocodile':1,'or':1},'presenting':{'the':1},'ignoramus':{':':1},'failures':{'notably':1,'which':2,'that':1},'ready-made':{'capacities':1,'centres':1,'responses':1,'cleverness':1,'or':2},'tube':{'and':3,'a':1,'fertilises':1,'that':1,'of':1,'began':2,'258':1,'.':5,'bringing':1,'s':1,'as':1,'are':1,'which':1,'leading':1,'from':1,';':1,'with':1,'the':2,'is':1,'at':1},'discards':{'when':1},'tombs':{'that':1},'commoner':{'still':1,'sight':1},'telescope--the':{'largest':1},'served':{'as':3,'for':1,'an':1},'intricate':{'canal':1,'colony':2,'branches':1},'vicious':{'circle':1,'snaps':1},'disintegration':{'or':1,'that':1,'of':3,'.':1,'vital':1,'proceeds':1},'interlock':{'preventing':1},'compose':{'atoms':1},'peanut':{'and':1},'literary':{'archive':13},'blaze':{'of':1,'had':1,'means':1},'masculine':{'and':3,'features':1},'weather':{'conditions':1,'comes':1,'.':3},'gravel':{'and':1,'by':1,'.':1},'coal-field':{'.':1},'little-brain':{'type':5},'stupefying':{'effect':1},'random':{'.':1},'presently':{'the':2,'recognised':1,'what':1,'.':2},'listeth':{'and':1},'time-recording':{'machine':1},'putting':{'food':1,'themselves':1,'two':2},'aerolite.':{'sec':1},'intelligence--of':{'putting':1},'arrange':{'a':1,'themselves':1,'the':1},'severely':{'alone':1},'origin.':{'the':1,'we':1,'none':1,'7':1},'diverging':{'towards':2,'from':1},'shock':{'and':1,'or':1},'mottled':{'brown':1,'appearance':1},'penguins':{'come':1,'are':3},'murrayi':{'and':1},'believed.':{'sec':1},'unsatisfied':{'tendency':1},'orohippus':{'a':1,';':1},'bleeding':{'a':1},'crow':{'and':1,';':1},'other.':{'the':1,'there':1},'crop':{'of':2,'up--a':1,'up':2},'rivers':{'and':4,'from':1,'of':2,'but':1,'.':4,'to':1,'as':1,'in':2,'with':1,'or':1},'frog-mouth':{'sleeps':1},'insertion':{'of':2},'exuberant':{'radiation':1},'laws.':{'the':1},'nests':{'on':2,'or':1,'swaying':1},'pale-white':{'belt':1},'zest':{'with':1,'.':1},'giving':{'condensed':1,'animals':2,'these':1,'rise':4,'up':1,'us':1,'an':1,'birth':1,'off':2,'the':2,'out':1},'assisted':{'the':1},'fat':{'below':1,'.':1},'habituation':{'the':1},'paddle':{'of':1,'which':1},'access':{'to':10},'away--you':{'may':1},'crossed':{'by':1},'3a':{'mesohippus':1},'exercise':{'fifty-four':1},'rhodesian':{'cave-man':1,'man':4},'beasts':{'of':1,'have':1},'works--the':{'furnishings':1},'pelage':{'than':1},'outlying':{'electrons':3},'nimble':{'and':1},'river.':{'2':1},'intercept':{'some':1},'sink':{'and':1,'from':1,'away':1,'down':1,'to':3,'in':1,'beyond':1},'others':{'likewise':1,'as':2,'are':3,'have':2,'in':3,'rapidly':1,'for':1,'there':1,'.':4,'to':1,'which':1,'regard':1,'that':2,'read':1,'who':1,'such':1,'worked':1,'like':4,'thought':1,'suggests':1,'remain':1,'were':2,'at':1,'the':1,'weaves':1,'or':1,'climbers':1},'tremor':{'it':1,'.':1},'safer':{'to':1},'implicit':{'in':2},'widening':{'spread':1},'respiration':{'and':1,'than':1},'stalks':{'a':1,'which':1},'broken':{'and':2,'down':2,'off':2,'shells':1,'up':6,'.':1,'past':1,'their':1,'hill':2,'empties':1},'33':{'photo':2},'32':{'a':1,'comet':1,'600':1},'31':{'15':1,'735':1,'vast':1},'30':{'000-50':1,'1885':1,'000':2,'days':1},'37':{'photo':2},'alaska':{'and':1},'35':{'feet':1,'tons.':1,'000':1},'redbreast':{'and':1},'wasplike':{'which':1},'climb':{'on':1,'the':1,'up':1},'tubercles':{'on':1},'composed':{'of':13,'.':1},'named':{'coronium.':1,'the':1,'darwin':1,'20417.txt':1,'brown':1},'land-crab':{'birgus':1},'67.2':{'0.62':1},'sculling':{'and':1},'vulcanite':{'and':1},'decrease':{'of':1,'until':2,'in':1},'names':{'in':1},'oval':{'and':1,'than':1,'.':1},'tap':{'this':2},'lime':{'the':1,'64':1},'links':{'and':1,'to':1,'or':1},'readable':{'by':1,'form':1},'cretaceous':{'white':1,'there':1,'strata':1,'era':1,'period':2},'themselves':{'nearest':1,'into':3,'pass':1,'as':1,'are':3,'have':1,'in':6,'go':1,'if':1,'from':1,'.':5,'to':1,'adequate':1,'traceable':1,'then':1,'we':1,'very':1,'sufficient':1,'affording':1,'by':3,'whenever':1,'of':1,'up':1,'spontaneously':1,'unmistakably':1,'so':1,'energetically':1},'pre-arrangements':{'of':2,'we':1},'oily':{'water':1},'excitedly':{'.':1},'engender':{'where':1},'ancestral.':{'the':1},'myriads':{'of':1},'magnesium.':{'illustration':1},'proton':{'.':1},'train':{'travelling':1,'.':1},'indifferent':{'or':1},'batesian':{'after':1},'harvest':{'of':1,'at':1,'field':1},'elbow-room':{'for':1},'hints':{'of':1},'swooping':{'gull':1,'leaps':1,'87':1},'account':{'of':4,'has':1,'for':8},'understanding.':{'for':1},'f':{'.':7},'crickets':{'and':2},'pelicans':{'and':1},'non-radiant':{'matter':1},'closing':{'of':1,'words':2},'continuity':{'of':1},'experiential':{'learning.':1},'violence':{'.':1},'instinct--a':{'useful':1},'e.g.':{'nitrates':1},'proportions':{'on':2,'for':1},'reconstructed':{'from':2},'renewed':{'our':1},'mixture':{'of':2},'water.':{'the':2,'illustration':3,'in':1},'bones':{'and':2,'e.g':1,'of':2,'some':1,'.':1,'running':1,'slowly':1},'native':{'of':1},'daring':{'operations':1,'of':1},'democracy':{'.':1},'noises':{'does':1},'holds':{'a':1,'also':1,'its':1,'together':1,'in':1},'regions':{'of':3,'to-day.':1,'are':1,'or':1,'empty':1,'farther':1},'flood.':{'there':1,'sec':1},'lamp':{'and':1},'proceeded':{'far':1,'further':1},'called--it':{'will':1},'furnace':{'the':1,'like':1},'imprints':{'from':1},'says:':{'all':1,'they':1},'watery':{'with':1},'dull-red':{'heat':1},'gill-clefts':{'are':1,'they':1},'waters':{'and':1,'that':1,'afford':1,'of':5,'allows':1,'.':4,'under':2,'covered':2,'the':1,'beyond':1,'where':1,'quite':1},'philosophy':{'of':1},'collection':{'will':1,'of':4,'so':1,'are':1,'.':1},'mixed':{';':1,'all':1,'together':1},'them--simple':{'one-celled':1},'united':{'states':13,'states.':1},'preferred':{'to':1},'multiplication':{'of':4,'into':1,'takes':1,'covers':1},'soup-plate':{'but':1},'primers':{'beginning':1},'chasing':{'mates':1},'tethering':{'the':1},'bind':{'animals':1,'long':1},'lines':{'and':2,'it':1,'replace':1,'not':1,'as':1,'are':3,'have':1,'in':2,'birds':1,'would':1,'.':3,'to':2,'which':1,'drawn':1,'we':1,'they':1,'fishes':1,'he':1,'on':2,'of':7,'will':1,'placed':1,'became':1,'the':2},'correspond':{'to':4},'chief':{'among':1,'use':1,'kinds':1,'scientific':1,'importance':1,'executive':1,'theories':1,'four':1,'plains':2,'reason':1,'classes':2,'stocks':1},'counterbalances':{'its':1},'stony':{'meteorite':1},'subsequently':{'fed.':1,'ignored':1},'lined':{'with':2},'furnish':{'a':1,'the':2,'data':1},'motions.':{'sec':1},'africans':{'straight-haired':1},'lens.':{'a':1},'symbols':{'of':1,'help':1},'alacrity':{'towards':1,'with':1},'horns':{'but':1},'agricultural':{'pioneers':1},'bunch':{'of':4},'industries':{'of':1,'.':1},'bridges':{'the':1,'were':1,'he':1},'negotiated':{'he':1},'le':{'verrier':1,'bon':1},'lb':{'.':1},'la':{'chapelle-aux-saints':2},'labor':{'in':1},'age':{'and':4,'just':1,'it':1,'as':1,'in':5,'whereas':1,'seems':1,'.':4,'to':3,'which':1,';':2,'has':1,'was':1,'more':1,'that':1,'after':2,'amphibians':1,'by':1,'dates':1,'of':13,'could':1,'lasted':1,'without':1,'the':2},'squatting':{'figure':1},'marsh':{'and':2,'birds.':1,'.':1},'bridged':{'very':1},'diverts':{'.':1},'junction':{'of':1},'greater':{'distance':2,'distorting':1,'plasticity':1,'intelligence':1,'in':1,'antiquity--perhaps':1,'celandine':1,'resistance':1,'possibilities':1,'rate':1,'part':2,'mass':1,'compactness':1,'interest':2,'activity':1,'concentration':1,'than':7,'accuracy':1},'descendants':{'as':1,'to-day':1,'.':1},'faunas':{'of':1},'dam':{'of':1,'.':1},'gauging':{'their':1},'cock-paidle':{'probably':1,'or':1},'phagocytes':{'may':1,'which':1},'accumulates':{'a':1},'faunal':{'drift':1},'day':{'and':10,'is':3,'it':2,'comprised':1,'as':1,'are':1,'in':1,'seem':1,'from':1,'for':1,'rather':1,'when':3,'long':1,'.':7,'also':1,'therefore':1,'covered':1,';':1,'was':1,'we':2,'alighting':1,'becoming':2,'sink':1,'one':1,'by':2,'he':1,'of':1,'equal':2,'were':1,'the':2},'6.--solar':{'prominences':1},'least.':{'these':1},'radiant':{'heat':2,'matter.':1,'than':1,'element':1},'tenanted':{'and':1,'the':1,'to-day':1,'by':1},'identified':{'an':1,'by':2,'.':1},'blazing':{'star':1},'exploring':{'new':1,'the':1,'with':1,'habit':1},'slipping':{'down':2,'back':1},'harness':{'this':1,'and':1,'the':1},'integumentary':{'structures':1},'references':{'to':2},'giants.':{'thus':1},'jasper':{'did':1,'studied':1},'movement-controlling':{'organ':1},'vestigial':{'muscles':1,'structures':4,'third':1},'attendant':{'on':1,'field':1},'pivot':{'the':1,'through':2},'slumped':{'together':1},'tubular':{'sea-anemone':1,'shells':1},'suctorial':{'mouth':1,'tube-feet':1},'kids':{'and':1,'foals':1},'inch':{'and':2,'less':1,'of':3,'long':2,'.':6,'at':1,'in':7,'thick':3,'one':2,'or':1,'thick.':1},'wholly':{'of':1},'mate':{'and':1,'kith':1,'s':1,'has':1},'oriental':{'race':1},'technically':{'this':1,'called':1},'red':{'and':4,'fife':1,'spring':1,'deer':1,'yellow':1,'disc':1,'at':1,'tumultuous':1,'mouth.':1,'giant':1,'end':1,'sandstone':2,'.':3,'glowing':1,'stars':3,'orange':1,'star':3,'on':1,'prominences':1,'spot':1,'seaweeds':1,'ones':1,'blood':1,'waves':1,'fife--a':1,'card':1,'a':1,'worsted':2,'flames':3,'glory':1,'light':1,'region':1,'will':1,'calcutta':2,'the':1,'tinge':1,'or':3,'seaweed':1},'approached':{'too':1},'many-celled':{'wheel':1,'animals':1,'organism':1,'animal':1,'creature':1},'lizzie':{'had':1,'the':1,'never':1,'was':2,'s':1},'others--which':{'is':1},'discover':{'a':1,'that':2,'this':1,'differences':1,'some':3,'their':1,'how':1,'in':1,'the':2},'fourteen':{'hours':1,'days':2,'or':1},'coronium.':{'measuring':1,'we':1},'approaches':{'to':1,'the':3},'electricity--electric':{'current--the':1},'trends':{'of':1},'qui':{'vive':1},'likelihood':{'far':1,'the':2},'young--a':{'use':1},'backwards':{'and':1,'we':3,'for':1,'over':1,'when':1,'it':1},'yard':{'in':1},'mortar':{'of':2},'chicken':{'procellaria':2},'allied':{'to':4},'barriers':{'.':1,'must':1},'retain':{'a':1,'their':1},'mammal-like':{'and':1},'empire.':{'he':1},'south':{'sir':1,'poles.':1,'of':4,'africa.':1,'american':3,'pacific':1,'.':3,'pole':1,'poles':1,'in':1,'america':4},'predominate':{'over':1},'complete.':{'illustration':1},'rudely':{'dressed':1,'shaken':1},'finest':{'triumphs':1,'measurements':1,'exhibition':1,'gold':1},'braced':{'against':1},'investigated.':{'ether':1},'condensed;':{'but':1},'food-plants':{'of':1},'improvements':{'and':1,'like':1,'in':2},'sacs':{'which':1},'reached':{'a':1,'then':1,'about':1,'animals':1,'this':1,'their':1,'nearly':1,'immediately':1,'the':4,'its':1},'michelson':{'and':1},'humblest':{'living':2},'ancient':{'copper':1,'type.':1,'seas':3,'astronomer':1,'seashore':1,'human':1,'extinct':1,'times':1,'skeletons':1,'hunters':1,'crust':1,'peoples':1,'mediaeval':1,'life':1,'amphibians':1,'days.':1,'sea.':1,'than':1,'types':4,'days':2,'civilisations':2,'rocks':1,'beds':1},'sadly':{'impressed':1},'monkey':{'and':1,'has':1,'b':2,'that':1,'of':1,'there':1,'it':1,'an':1,'how':1,'s':3,'which':1,';':1,'.':2,'yet':1,'as':1},'guiana':{'82':1,'the':1},'all--the':{'atom':1},'ripples':{'measuring':1,'in':1},'hotter.':{'it':1},'nebular':{'theory.':2,'theory':2,'region':2,'theory--spiral':1,'gases':1,'hypothesis':4,'mass':1},'intermediate':{'positions':1,'layer':1,'between':1},'sky--this':{'we':1},'anatomises':{'the':1},'completed':{'a':1,'her':1},'acquire':{'kinetic':1,'the':1},'negro':{'and':1},'device--more':{'reflex':1},'environmental':{'sometimes':1},'slopes':{'down':1,'of':1},'plumage':{'like':1,'of':1,'is':1,'are':1,'makes':2,'or':1},'bodyguard':{'of':1},'furnishings':{'of':2},'kant':{'had':1},'shrapnel':{'which':1},'brusque':{'variations':2},'lizard-like':{'tail.':1,'tail':1},'depends':{'on':10,'all':1,'partly':1,'upon':4,'.':2,'to':1},'heavens.':{'of':1},'light':{'and':12,'emerging':1,'besides':1,'previously':1,'penetrates':1,'is':14,'coming':1,'reaches':1,'an':1,'visible':1,'as':1,'rings.':1,'are':4,'in':3,'consists':2,'our':1,'passes':2,'differ':2,'rays':1,'from':10,'tread':1,'would':1,'electricity':1,'travel':1,'there':1,'wave-lengths.':1,'sunlight':1,'.':14,'to':3,'returns':1,'production':1,'which':7,'according':1,'travelling':1,'has':3,'was':1,'into':1,'red':1,'more':1,'body':2,'then':1,'we':1,'283':1,'travelled':1,'that':4,'may':1,'becomes':1,'gathered':1,'emitted':1,'took':1,'but':2,'falls':2,'magnetism':1,'will':3,'falling':1,'waves':2,'i.e':1,'with':1,';':4,'upwards':1,'a':1,'on':9,'made':1,'takes':3,'of':20,'radiant':1,'depends':1,'against':1,'reduced':1,'travels':2,'without':2,'so':1,'can':1,'many':1,'the':4,'or':1,'comes':1},'lurching':{'movements':1},'flashes':{'of':1},'anthropologist':{'professor':1},'imaginative':{'range':1,'or':1,'minds':1},'involution':{'but':1},'wood-cock':{'which':1},'curves':{'of':1},'comfortable':{'far':1,'as':1},'tide':{'and':2,'the':2,'in':1,'or':1,'out':1},'corrupt':{'data':1},'comfortably':{'in':1},'astrophysical':{'observatory':3},'unlikely':{'that':2},'uganda':{'bug':1},'sporadic':{'and':1,'members':1},'throat':{'bulges':1},'curved':{'bodies.':1,'pillar':1,'on':1,'than':1,'fingers':1},'activity--that':{'of':1},'complete':{'and':1,'living':1,'proof':1,'stereoscopic':1,'reflection':1,'absorption':1,'.':2,'pace':1,'revolutions':1,'master':1,'fossil':1,'in':1,'one':1,'its':1,'change':1,'theory':2},'mic':{'.':1},'wits':{'and':1,';':1,'in':1,'when':1,'.':1},'gravity':{'pressure':1,'is':1,'.':1,'near':2,'the':1},'provokes':{'simple':1},'pectoral':{'fins':5,'muscles':1},'gliding':{'on':1,'from':2,'alligator-like':1,'one':1},'rediscovered':{'by':1},'jumna':{'doles':1},'unless':{'a':1,'we':2,'indeed':1,'there':2,'it':1,'they':1,'our':1,'the':3,'you':3},'trundles':{'about':1},'mathematician':{'leibnitz':1,'le':1,'can':2,'.':1},'mimics':{'they':1},'eight':{'large':1,'unbranched':1,'of':1,'months':1,'years':1,'feet':1,'sense-organs':1,'tons':1,'branched':1,'planets':2,'the':1},'peppered':{'moth':1},'cleverest':{'animals':1,'monkey':1},'sally':{'the':1,'some':1,'above':1},'plastic--a':{'generalised':1},'profoundest':{'of':1},'palaeolithic':{'and':1,'cave-men':2,'men':1,'culture':1,'peoples':1},'firelight':{'must':1},'inexorable':{'laws':1},'gullet':{'unbroken':1},'heartening':{'encouragement':1},'enthusiastic':{'.':1},'gather':{'to':1,'the':2,'round':1,'on':1},'request':{'of':1},'disease':{'and':1,'is':1,'after':1,'.':2},'animal--perhaps':{'the':1},'park.':{'profile':1,'side-view':1,'chimpanzee':3,'surface':1,'comparisons':1,'the':3},'artificially':{'and':1,'to':1,'it':1},'occasion':{'and':1,'on':1,'.':1,'suggested':1,'of':1},'normally':{'a':1,'concealed':1,'handed':1},'ten-armed':{'cuttlefish':2},'true.':{'if':1},'area.':{'swimmers':1,'it':1},'selection':{'of':3,'advantage':1},'kith':{'and':1},'text':{'to':1,'emits':1,'.':2},'supported':{'on':1,'in':1,'like':1,'by':1},'braking':{'action':1},'pinhead':{'brain':1},'continually':{'added':1,'being':2,'recuperate':1,'worn':1,'tends':1,'changing':1,'passing':1,'travelling':3},'thicker':{'fur':1},'staff':{'shows':1},'wear':{'and':1,'any':2},'knowledge':{'and':1,'be':1,'means':2,'respecting':1,'advances':1,'is':1,'there':1,'had':1,'it':1,'but':1,'.':2,'may':1,'that':2,'were':1,'extends':1,'of':13,'the':1,'has':1,'as':1,'more':1},'sparks':{'which':1},'scorpion':{'we':1},'luminescent':{'and':1,'animals':1},'body-making.':{'in':1},'insectivores':{'not':1,'and':1,'including':1},'fatiguing':{'exertions':1},'emitting':{'light':1,'rays':1},'wild.':{'two':1},'hand.':{'attempts':1,'cross-fertilisation':1,'half':1},'inferior':{'either':1},'equilibrium':{'positions':1,'has':1,'results':1,'otherwise':1},'photographs':{'we':1,'show':2,'of':1,'.':1,'fig':1,'taken':2,'by':1,'figs':1},'coin--smaller':{'than':1},'exceptional':{'and':1,'spring':1,'auroral':1,'in':1,'cases':2,'conditions':1},'beat':{'a':1,'things':1,'it':1},'photography':{'and':1},'bear':{'and':2,'on':1,'of':2,'straight':1,'illustration':1,'to':1,'numerous':1,'in':3,'the':1,'was':1},'perfection':{';':1,'is':1,'in':1,'by':1,'.':1},'swiftest':{'flywheel':1},'stigma':{'the':1},'striped':{'tiger':1,'muscles':1,'muscle':1},'halo':{'surrounding':1,'there':1,'such':1},'areas':{'and':1,'differ':1,'land':1,'corresponding':1,'was':1,'of':1,'.':1,'to':1,'at':1,'known':1,'where':1,'or':1},'crabs':{'and':1,'are':1,'that':1},'egg-laying':{'is':1,'.':1},'caves':{'unsunned':1,'in':1},'organ':{'of':3,'is':1,'called':1,'for':1,'.':1},'pglaf.org':{'fundraising':1,'for':1,'section':1,'.':1,'while':1,'donate':1},'fixes':{'a':1,'to':1,'sea-anemones':1},'shore-animals':{';':1,'e.g':1,'which':1,'have':1,'.':1},'eyebrow':{'ridges.':1,'ridges':6},'saturates':{'through':1},'excesses':{'of':1},'light--is':{'the':1},'gibson':{'gives':1},'cave-hyaena':{'mammoth':1},'farthest':{'out':1},'exists':{'because':1,'there':1,'only':1,'as':1,'in':2,'the':1},'universe--the':{'evolution':1,'solar':2},'national':{'physical':2},'flapped':{'very':1},'inextricably':{'interwoven':1},'carnivores':{'and':1},'intensity':{'of':4},'cenozoic':{'making':1,'began':1,'era':1,'or':1,'eras':1},'enhanced':{'by':2},'greece':{'and':2},'ruse':{'succeeded':1},'36.0':{'0.24':1},'shallows':{'.':1},'phases':{'of':1},'pedigree':{'of':1,'the':2,'.':2,'is':1,'must':1},'apparently':{'clever':1,'red-hot':1,'unconscious':1,'simple':1,'inexhaustible':1,'instantaneous':1,'in':1,'served':1,'you':1,'sluggish':1,'inevitable':1},'nebula':{'and':1,'what':1,'round':1,'march':2,'although':1,'of':1,'57':1,'we':1,'but':1,'.':2,'seen':2,'to':7,'need':1,'which':1,'in':8,'it':1,'revolving':1,'has':2,'laplace':1,'is':4},'difficulties':{'and':5,'may':1,'of':5,'is':1,'in':1,'when':1,'.':1,'are':3,'have':1,'were':1,'the':1},'routine':{'and':1,'cannot':1,'is':3,'.':1,'became':1,'so':2,'activity':1,'instinctive':1,'has':1,'metabolism':1},'progress':{'we':1,'towards':2,'unless':1,'demands.':1,'many':1,'is':1,'of':4,'.':5,'depends':1,'have':1,'in':3,';':1,'has':1,'was':1},'boundary':{'line':1,'lines':1},'janes':{'leonard':2},'various':{'distances':1,'methods':2,'elements.':1,'conditions.':1,'proportions':1,'intervals':1,'human':1,'subtle':1,'racial':1,'classes':1,'physical':1,'layers':1,'forms':5,'concrete':1,'ways':1,'interesting':1,'flying':1,'ways.':1,'colours':2,'parts':1,'electrical':1,'open-sea':1,'kinds':4,'bolts':1,'mammals':1,'atoms':1,'races':1,'fishes':1,'shore-haunts.':1,'stocks':1,'articles':1,'processes':1,'places':1,'departments':1,'theories':1,'lengths':2,'experiments':1,'formats':1,'stages':1,'other':1},'reproduced':{'in':3,'from':7,'below.':1,'by':18},'cauliflower':{'sticking':1,'and':1},'superior':{'to':1},'emitted':{'by':3},'deliver':{'insects':1},'willing':{'to':2,'is':1},'nightfall':{'hippolyte':1},'exist.':{'there':1,'some':1},'guiding':{'his':2},'sharply':{'away':1},'asunder':{'the':1},'freely':{'and':1,'available':1,'sharing':1,'distributed':1,'as':1,'suspended.':1,'shared':1,'round':1},'taking':{'a':1,'longer':1,'advantage':2,'it':1,'running':1,'place':2,'5':1,'the':2,'care':1},'equal':{'weight':1,'pieces':1,'to':7,'length':1,'perfection':1,'.':1},'attributed':{'this':1,'to':1},'pulp':{'.':1},'flesh-eating':{'and':1},'sexes':{'and':1,'wander':1},'wringing':{'the':1},'swim':{'much':1,'at':1,'against':1,'for':1},'conquered':{'and':1,'the':3,'one':1},'swallow':{'a':1},'temporal':{'or':1},'glorious':{'failures':1,'display':1},'otherwise':{'would':1,'there':1,'when':1,'quite':1,'the':3,'called':1},'basins':{':':1,'.':1},'acorn-shell':{'and':1},'heritable':{'novelties':1},'deflected':{'as':2},'unearthed':{'.':1},'pouring':{'floods':1,'out':2},'marett':{'r':1},'tremendous':{'energy':3,'movements':1,'question':1,'but':1,'movement':1},'everything--so':{'there':1},'muddy':{'feet':1,'precipitate':1},'copies':{'of':7},'armadillos':{'.':1},'migrate':{'about':1},'dogfish':{'have':1},'natans':{'stands':1},'curtain':{'of':1,'floating':1},'copied':{'and':1,'or':1},'sluggish.':{'animals':1},'home.':{'long':1},'herbage':{'fastening':1,'and':1,'by':1,'.':1},'composed.':{'the':1},'antlers':{'in':1},'arises':{'what':1,'from':1},'sex--emotions':{'of':1},'looked.':{'using':1},'essentially':{'a':1,'of':2,'the':1,'wrapped':1,'is--should':1},'assert':{'themselves':1},'finished':{'and':1},'angles':{'to':4,'which':1},'angler':{'of':1,'s':2},'fellow':{'short':1,'from':1},'food-canal':{'and':3,'a':1,'the':1,'muscular':1,'.':2},'arisen':{'as':1,'in':1,'from':1,'by':1,'.':1},'volunteer':{'support.':1},'homes':{'of':1,'from':1},'economised':{'reproduction':2},'splits':{'up':1},'article.':{'bibliography':1},'appearance':{'and':1,'we':1,'very':1,'of':5,'.':2,'habits':2,'cloaked':1,'which':1,'in':1},'value':{'.':1,'or':1,'in':1},'promotes':{'both':1},'dendrites':{'of':1},'amenity':{'.':1},'file':{'or':1,'should':1},'chaotic':{'molecular':1},'squid':{'in':2},'weighed':{'but':1},'arrangements':{'of':2,'for':1},'arabia':{'ceylon':1},'partner':{'s':1,'sea-anemones':2,'.':1},'tumbled':{'into':1},'watchful':{'mother':1},'physiologists':{'like':1},'locomotion;':{'new':1},'mid-europe':{'red':1},'jurassic.':{'for':1},'prognostications':{'as':1},'well-grown':{'fishes':1},'felted':{'together':1},'aquitania':{'is':1},'locomotion.':{'illustration':1},'twelfth':{'printing':1},'neolithic':{'age':1,'days':1,'community':1,'.':1,'culture':1,'men.':1,'times':1,'man':6},'material':{'and':2,'in':1,'which':4,'e.g':2,'things':2,'is':1,'of':2,'particles.':1,'particles':1,'studying':1,'aspect':1,'universe':5,'such':1,'throughout':2,'than':1,'resources':2},'soddy--as':{'any':1},'cubic':{'inch':2,'inches':2,'centimetre':2},'absent;':{'stars':1},'water-filled':{'quarry':1},'binoculars':{'is':1},'discredited':{'atomism.':1},'26.--a':{'spiral':1},'judgment':{'on':1},'buttonholes':{'at':1},'nevertheless':{'these':1,'all':1,'been':1,'master.':1},'pompilius':{'common':1},'weapon':{'on':1},'capella':{'49.4':1},'treacly':{'fluids':1},'thought':{'and':2,'even':1,'that':3,'of':2,'is':1,'it':1,'.':1,'to':1,'was':1,'they':1,'hydrogen':1},'exceedingly':{'small':2},'sets':{'of':3,'off':1,'up':1,'in':1},'comparisons':{'of':2},'wreckage':{'of':1},'arising':{'afresh':1},'latest':{'and':1,'measurements':1},'appropriately.':{'birds':1},'barking':{'down':1},'humdrum':{'non-plastic':1,'race':1},'executive':{'and':1},'domestic':{'pigeons':1,'rabbits':1,'dog':1},'harpy-eagle':{'216':1,'clean':1},'bivalves':{'and':1},'stored':{'may':1,'away':1,'up':2,'for':1},'books':{'may':1,'recommended':1,'now':1,'are':1,'.':1},'protecting':{'blanket':1,'them':1},'swimming-bells':{'and':1},'wrens--to':{'try':1},'one-toed':{'horse':1},'work.':{'1.e.4':1,'the':2,'there':1,'-':1,'first':1},'absorption':{'of':2,'was':1},'onward':{'.':1},'lake':{'and':1,'pond':1,'of':1,'constance':1,'city':1},'mathematically':{'satisfactory':1},'add':{'just':1},'work;':{'the':1},'slits':{'the':1},'spirals':{'present':1,'in':1},'warns':{'us':1},'280':{'wave':1,'in':1},'283':{'photo':1,'niagara':1},'282':{'the':2},'287':{'photo':2},'incarnations':{'and':1,'one':1},'resolved':{'into':1,'the':1,'in':1},'worlds':{'and':1,'in':3,'sec':1,'.':1},'hermonis':{'and':1},'refinements':{'are':1},'mutations':{'and':1,'then':1,'whatever':1},'royalty':{'fee':1,'payments':2},'98.8':{'arcturus':1},'elapses':{'between':1},'implements--knives':{'scrapers':1},'jupiter.':{'the':1},'audibly':{'when':1},'capacities':{'of':4,'work':1,'but':3,'are':1,'usually':1,';':1},'like':{'plaice':2,'deliberateness':1,'toads':1,'london':1,'fungas':1,'birds':1,'shuffling':1,'to':2,'insectivores':1,'very':1,'duckmole':1,'sandstones':1,'one':1,'minute':1,'patrick':1,'globe-fishes':1,'shapes':1,'sloths':1,'amoebae':1,'rats':2,'partridges':1,'sugars':1,'some':3,'sea-squirts':1,'jupiter':1,'our':5,'bark':1,'ourselves':1,'poisonous':1,'its':2,'asking':1,'trout':1,'volvox':1,'opening':1,'of':1,'carnivorous':1,'great':1,'flames':1,'many':1,'otters':1,'ants':1,'skunks':1,'chlorophyll':1,'house-flies':1,'mercury':1,'whales':1,'.':3,'white':1,'genesis':1,'pallas':1,'that':6,'centipedes':1,'coughing':1,'fountains':1,'glass':1,'those':1,'he':1,'this':2,'starts':1,'sea-anemones':1,'matter':4,'fallow':1,'silly':1,'were':1,'and':2,'rooks':1,'certain':1,'is':1,'it':2,'an':8,'as':1,'which':2,'skates':1,'but':1,'waves':1,'fishes':1,'ours.':1,'a':44,'wisps':1,'professor':2,'dog':1,'kipling':1,'so':1,'raindrops':1,'the':56,'brer':1},'success':{'and':1,'of':1,'is':1,'to':1,'as':1,'in':1,'has':1},'spiral.':{'thus':1,'but':1},'porous':{'like':1},'admitted':{'of':1,'that':5},'ozone':{';':1},'radio-active--then':{'we':1},'chick':{'does':1,'out':1},'works':{'and':1,'in':7,'its':1,'if':1,'even':1,'provided':1,'based':2,'harmless':1,'.':2,'to':1,'only':1,';':1,'unless':1,'that':2,'1.a':1,'from':1,'with':1,'by':2,'posted':1,'on':1,'possessed':1,'reports':1,'so':1,'mr':1,'calculated':1},'soft':{'food':1,'soil':1,'muddy':1,'tail':2,'.':1,'to':1,'enough':1,'parts':2,'moss':1,'browns':1,'silvery-looking':1,'abdomen--for':1},'heel':{'a':1,'of':2,'than':1},'italian':{'scientist':1},'accessible':{'by':1},'simple.':{'the':1},'propel':{'our':1},'alive':{'.':1,'at':1,'are':1},'hair':{'and':1,'is':1,'woolly-haired':1,'in':1,'the':1,';':1},'convey':{'an':1},'convex':{'curves':1},'proper':{'answer':1,'proportions':2,'number':1,'way':1,'time':1},'happens':{'for':1,'that':2,'certain':1,'is':1,'.':2,'in':1},'0.24':{'3030':1},'students':{'of':1},'masked':{'their':1,'by':2},'economical':{'reduction':1},'assuming':{'reasonably':1},'results.':{'fog':1,'but':1},'mind-body':{'at':1},'snuggle':{'under':1},'overcharged':{'with':1},'manifesting':{'itself':1},'noise':{'of':1,'.':1},'slight':{'changes':1,'as':1,'improvements':1,'keel':1,'fluttering':1,'clouding':1},'ever-lengthening':{'tail':1},'combative':{'creature':1},'stellar':{'universe.':1,'universe--the':1,'spectra':1,'system':1,'universe':5,'universes':1,'astronomy':1},'crossing':{'the':1},'host':{'of':1,'is':2,'s':1,'for':1,'.':1},'although':{'we':5,'modern':1,'thirsty':1,'all':1,'there':2,'great':1,'it':1,'at':1,'they':1,'mr':1,'small':2,'our':1,'the':8},'worthy':{'of':1},'periodically':{';':1,'bursts':1,'in':1,'pass':1},'christened':{'coronium.':1,'them':1,'electrons':1},'about':{'among':2,'seven':2,'because':1,'twenty-one':1,'ten':1,'on':3,'the':47,'energy':1,'within':1,'all':1,'10':1,'two':6,'60':1,'as':1,'two-thousandths':1,'sec':1,'35':1,'in':3,'our':2,'shooting':1,'its':1,'sun-spots':2,'six':3,'for':1,'eleven':1,'ways':1,'twenty':2,'there':1,'forty':1,'40':1,'.':2,'1':3,'their':1,'3':1,'5':3,'4':1,'which':3,'9':3,'electrons':1,'more':1,'twenty-five':1,'thirty-two':1,'500':1,'equilibrium':1,'life':2,'2-1':1,'an':2,'to':1,'580':1,'that':3,'very':1,'constantly':1,'after':1,'eighty':1,'new':1,'it':1,'them':1,'two-thirds':1,'variable':1,'100':1,'one':5,'with':3,'by':4,'elevations':1,'a':15,'four':2,'12':1,'48':1,'thirty':1,'twice':1,'we':2,'1842':1,'56':1,'half':2,'us':1,'project':2,'these':2,'donations':2,'three':5,'fundamental':1,'things':1,'nine':1,'800':1,'fifty':3},'quills':{'.':1},'branch-gripping':{'member':1,'.':1},'electron--the':{'electron':1},'certainty':{'and':1,'as':1,'has':1},'introduces':{'into':1},'preen':{'gland':1},'avoided.':{'when':1},'rock-record':{'which':1},'introduced':{'perhaps':1,'into':1,'by':1},'fitnesses':{'have':1},'ways':{'and':2,'we':1,'that':1,'of':10,'.':4,'as':1,'including':1,'in':7},'marshes':{'and':1,'fed':1,'resounded':1,'were':1},'dubois':{'in':1},'sense-organs':{'the':1,'round':1},'rhythmical':{'rise':1},'billions':{'of':3},'chemists':{'and':1,'said':1,'of':1,'who':1,'should':1,'physicists':1,'.':1},'guard':{'over':2,'is':1,'against':1},'female':{'or':1,'with':1,'where':1,'is':1,'only':1,'covers':1,'.':1,'s':1,'paper':1,'figures':1,'makes':1,'in':1,'carries':1,'stickleback':2,'yucca':1,'side':1,'at':1},'quickly':{'from':1,'that':1,'contracting':2,'as':1,'recognised':1,'moving':1,'in':1,'coiled':1,'than':2},'kallima':{'inachis':2,'conspicuously':1},'cross-fertilisation':{'of':1,'is':2},'minute.':{'in':1},'punics':{'and':1},'sticklebacks':{'are':1,'learned':1,'were':1,'live':1,'in':1},'ridge':{'for':1},'mazy':{'passages':1},'elastic':{'solid':1,'wings':1},'rushed':{'into':1},'outline':{'we':1,'like':1,'of':17,'is':2,'it':1,'will':1,'where':1,'its':1},'condense':{'it':1,'round':1},'rushes':{'on':1,'through':1,'round':1},'bees':{'and':4,'may':1,'richly':1,'which':1,';':1,'by':1},'development':{'and':1,'has':1,'often':1,'for':1,'of':18,'leaves':1,'should':1,'certain':2,'which':1,'in':1,'.':4,'is':2,'man':1},'biggest':{'gulf':1,'fact':1},'maze':{'and':1,'a':1,'in':1,'by':1,'.':1},'duffus.':{'cuckoo-spit':1,'chimpanzee':1},'woodpecker':{'inserted':1,'hammering':2},'mcgregor':{'from':2},'but':{'all':3,'particularly':1,'among':1,'able':1,'move':1,'worms':1,'bright':1,'its':4,'before':1,'also':1,'electricity':1,'agile':1,'enough':1,'evidences':1,'to':5,'only':3,'has':1,'giants':1,'eventually':2,'very':1,'sooner':1,'quickness':1,'they':19,'new':1,'not':5,'during':1,'now':2,'necessary':1,'like':1,'profound':1,'light-waves':1,'these':9,'she':2,'each':1,'because':1,'farthest':1,'some':4,'imply':1,'are':2,'our':2,'best':1,'even':4,'what':7,'for':2,'since':2,'remain':3,'birds':1,'behind':1,'difficulties':1,'between':1,'probably':1,'millions':1,'movement':1,'we':23,'eminently':1,'nature':1,'little':1,'here':2,'although':3,'others':1,'along':1,'contraction':1,'on':2,'about':1,'many':3,'omit':1,'usually':1,'adapted':1,'naturalists':1,'copper':1,'contains':1,'besides':1,'one':4,'learning':1,'your':1,'often':3,'startling':1,'given':1,'air-sacs':1,'would':1,'few':1,'positive':1,'devouring':1,'there':46,'three':1,'their':3,'was':3,'more':1,'survives':1,'lived':1,'that':4,'blindly':1,'careful':1,'with':1,'those':1,'he':6,'plants':1,'none':2,'whether':1,'science':2,'this':11,'will':2,'while':3,'of':2,'constant':1,'remained':1,'is':1,'it':74,'an':2,'as':7,'at':2,'in':16,'if':11,'different':1,'no':4,'perhaps':5,'when':10,'astronomers':1,'how':3,'another':1,'other':1,'which':2,'you':1,'relatively':1,'inconceivably':1,'ultimately':1,'most':2,'why':2,'man':5,'a':10,'expert':1,'slightly':1,'splendid':1,'enter':1,'the':90},'reminds':{'us':1},'repeated':{'trials':1,'over':1,'until':1,'but':1,'many':1},'billion.':{'illustration':1},'plague':{'of':1},'bug':{'closely':1,'actually':1},'versatile':{'life':1},'partially':{'eclipsed.':1,'reappeared':1,'collided':1,'landlocked':1,'dried-up':1},'constitute':{'light':1,'as':1,'heat':1,'matter':1},'wise':{'and':1,'saying':1,'enough':1},'glory':{'and':1,'that':1},'wish':{'to':1,'however':1,'they':1},'j':{'.':98},'variations':{'and':2,'often':1,'that':1,'are':4,'which':1,'in':3,'or':3},'lynx':{'and':1,'the':2},'minutes':{'and':1,'saving':1,'for':1,'hard':1,'.':5,'holding':1,'in':1,'the':1,';':1,'before':1},'squat':{';':1,'motionless':2},'supreme':{'synthesis':1},'rabbits':{'and':2,';':1,'.':1},'pin':{'s':2},'swimmers--for':{'there':1},'transfused':{'into':2},'reptiles.':{'triassic':1,'carboniferous':1,'permian':1,'illustration':1,'in':1},'well-defined':{'and':1,'hereditary':1},'periods':{'of':4,'but':1,'to':1,'in':1,'the':1,'if':1},'141.5':{'1.88':1},'our':{'planetary':1,'atmosphere':5,'boyhood':1,'flesh':1,'rooms':1,'human':1,'skin':1,'earth':6,'admiration.':1,'web':1,'knowledge':11,'conclusions':1,'energies':1,'dipper':1,'consideration':1,'views':3,'very':1,'oceans':1,'photograph':1,'dark':1,'coal-measures':1,'hands':1,'foot':1,'coal-fields':1,'problems.':1,'solid':1,'race':2,'common':2,'small':1,'telegraphic':1,'bone':1,'methods':1,'colossal':1,'legacy':1,'blues':2,'sun':8,'artificial':1,'moon':2,'finger':3,'new':1,'email':1,'universe.':2,'belief':1,'power':1,'attention':1,'craters':1,'stellar':2,'heads':1,'estimate':1,'cities':1,'hours':1,'great':2,'central':1,'water-oceans.':1,'universe':7,'days':2,'forbears':1,'physiological':1,'survey':1,'steadily':1,'successors':1,'whole':1,'first':2,'own':15,'point':1,'instruments':2,'primary':1,'system':6,'feet':1,'elder':1,'cultivated':1,'total':1,'kind':1,'mental':1,'little':1,'eye':1,'flying':1,'charts':1,'wonderful':2,'way':1,'time':1,'scope':1,'sort':1,'eyes':4,'shell':1,'gas':1,'appreciation':1,'solar':9,'present':1,'apprehension':1,'admiration':1,'comprehension.':1,'imagination.':1,'universe--astronomical':1,'future':1,'exploration':1,'life.':1,'problem':1,'average':1,'mud-fishes':1,'frogs':3,'modern':3,'mind':2,'metals':1,'general':1,'sudden':1,'experience':2,'orchards':1,'domesticated':1,'terrestrial':1,'ancestors':1,'winter':1,'conclusions.':1,'ideas':1,'food':1,'conceptions':1,'largest':1,'ordinary':2,'civilisation':1,'bells':1,'investigations':1,'senses':4,'milky':1,'hand':1,'shores':1,'most':2,'purpose':1,'predecessors':1,'age':1,'coal':1,'chief':1,'greatest':1,'trains':2},'paraguay':{'and':1},'mysteriously':{'regular':1,'from':2},'pit':{'the':1,'whence':1},'proceeds':{'to':1,'what':1,'the':1},'48':{'the':1,'ounces':1},'49':{'photo':1,'by':1},'corporation':{'organized':1},'44':{'photo':1},'fore-arm':{';':2,'.':1},'fruit-laden':{'branch':1},'detail':{'to':1,'so':1,'which':1,'such':1},'40':{'photo':1,'are':1,'tons.':1},'41':{'photo':1},'sandy':{'shores':1,'loess':1,'places':1},'tree-tops':{'express':1},'out':{'and':6,'among':1,'is':1,'into':1,'some':1,'as':4,'at':4,'in':12,'sounds':1,'still':1,'apparently':1,'its':5,'saline':1,'light-waves':1,'from':9,'for':3,'their':1,'1890':1,'there':1,'had':1,'three':1,'.':5,'to':4,'those':1,';':2,'pre-eminent':1,'until':1,'more':1,'we':1,'his':1,'that':6,'very':1,'measures':1,'about':1,'fat':1,'how':2,'heat':1,'waves':1,'during':1,'profitless':1,'with':2,'by':3,'vast':1,'he':1,'a':9,'on':2,'great':1,'like':1,'these':1,'of':54,'according':1,'whether':1,'streams':1,'the':9,'are':2},'quintillion':{'atoms':1},'conveys':{'that':1},'period.':{'illustration':1},'functionless':{'letters':1},'dilatable':{'sac':1},'variation':{'being':1,'of':2,';':1,'in':1},'enlargement':{'of':3},'d-e.':{'an':1},'death.':{'this':1},'astronomy':{'and':1,'be':1,'that':1,'this':1,'of':1,'.':9,'deals':1,'to':1,'as':1,'at':1,'which':1,'the':1,'has':1,'by':1,'are':1},'keane':{'a':1},'race--many':{'animal':1},'pupil':{'the':1},'4a':{'hypohippus':1},'limited':{'warranty':1,'right':2,'.':1,'to':3,'as':1,'extent':1,'than':1,'areas':2},'gossamer':{'forms':1,'the':1,'202':1,'spiders':2,'.':1},'oxygenation':{'and':1},'holman':{'matter':1},'comparatively':{'dry':1,'little':1,'everlasting':1,'shallow':1,'large':1,'few':1,'narrow':1,'recent':2},'dynasty':{'and':1},'neoceratodus':{'has':1,'by':1},'sleep':{'and':1,'the':1},'admiration.':{'sec':1},'poorly':{'developed':2},'belonged.':{'when':1},'flash.':{'it':1},'feeding':{'growing':1,'on':2,'purposes':1,'chiefly':1},'patches':{'of':1,'in':1,'on':1},'paris':{'also':1,'as':1},'34.':{'illustration':1},'ceylon':{'and':1,'the':1},'charles':{'darwin':4,'r':1,'e':1,'descent':1},'thinnest':{'vapours':1,'part':1,'parts':1,'.':1},'340':{'000':1},'whatsoever':{'we':1,'.':2},'caused':{'a':1,'though':1,'this':1,'when':1,'to':1,'in':2,'by':1},'elapsed':{'before':1},'comet--the':{'stellar':1},'risk':{'of':6},'arboreal':{'and':1,'life':5,'apprenticeship--an':1,'mammals':1,'evolution':1,'.':2,'insectivores':1,'habits':2,'apprenticeship--tentative':1,'mother':1,'apprenticeship':8,'marsupials':1},'dispense':{'energy':1,'with':2,'largely':1},'brackish':{'water':1,'swamp':1},'rise':{'and':1,'great':1,'enormously':1,'very':1,'of':8,'into':1,'.':2,'to':17,'in':1},'lurk':{'among':1},'hermon':{'there':1,'grass':1,'.':1},'every':{'ten':1,'laboratory':2,'house':1,'haunt':1,'one':1,'second':1,'human':1,'year':3,'corner':1,'element':2,'species':1,'physical':1,'now':2,'many-celled':3,'atom.':1,'addition':1,'question':1,'two':1,'port':1,'chemical':1,'few':1,'gramme':1,'other':2,'animal':3,'empty':1,'niche':3,'amateur':1,'form':1,'class':1,'gas':1,'possible':1,'killing':1,'protection':1,'atom':1,'vigorous':1,'hole':2,'twenty-thousandth':1,'opportunity':1,'day':4,'man':1,'kind':1,'substance':3,'instant':1,'third':2,'hour':1,'particle':3,'arc-lamp':1,'glowing':1,'introduction':1,'part':1,'bone':1,'time':1,'star':1,'side':4,'clap':1,'twenty-four':2},'gratification':{'of':1},'east.':{'illustration':1},'slipperiness':{'.':1},'monkeys':{'and':5,'is':1,'it':2,'sec':1,'at':1,'have':2,'securing':1,'.':3,'may':1,'other':1,'which':1,';':1,'semnopithecus':1,'learn':1,'but':1,'such':1,'than':1,'on':1,'leaving':1,'were':1,'very':1,'the':2,'where':1,'or':1,'are':2},'encounter':{'the':1},'discovers':{'the':1,'when':1},'school':{'in':1},'parrot':{'of':1,'s':2,'belongs':1,'which':1,'s-beak':1,'stringops':1},'conceive':{'of':2,'the':1,'then':1},'loess':{'of':1,'either':1,'sandy':1},'apprehension':{'so':1,'.':1},'hickson':{'s':1,'puts':1},'relics':{'of':3,'vestigial':1,'.':1},'venus':{'and':1,'flower':3,'67.2':1,'is':1,'s':1,'fly-trap':2,'earth':1,'the':3,'are':1},'humps':{'daily':1,'were':1},'degeneracy':{'in':1},'enjoy':{'pulling':1,'.':2},'veritable':{'museum':2,'physical':1},'zinc':{'and':8,'is':2,'sulphite':1,'which':1,'pass':1,'has':1},'faintest':{'stars':1},'infancy':{'is':1,'would':1},'estimates':{'which':1},'direct':{'and':2,'a':1,'knowledge':1,'descendants':1,'there':1,'competition':1,'passage':1,'to':1,'appropriate':1,'four-footed':1,'statement':1,'indirect':1,'traces':1,'or':1},'nail':{'and':1,'on':1,'as':1,'pulled':1},'yerkes':{'experimented':1,'observatory':1,'studied':1,'40-inch':4,'changed':1,'observatory.':9,'has':1,'refractor':2},'electricians':{'have':1},'street':{'a':1,'or':1},'infiltration':{'of':1},'estimated':{'to':2,'the':3,'fig':1,'that':2},'expressive':{'of':1},'shining':{'disc':1,'through':1},'blue':{'and':2,'box':1,'butterfly':1,'chequer':1,'fit':1,'in':1,'sky':6,'.':1,'hot':1,'disc':1,'green':1,'waves':1,'indigo':1,'the':1,':':1,'or':1,'reptiles':1},'change.':{'a':1,'sec':1},'hide':{'their':2},'pariasaurus':{':':2},'organisms':{'and':1,'to-day':1,'which':4,'of':1,'upon':1,'it':1,'.':1,'are':1,'have':2,'i.e':1,'found':1,'seem':1,'has':1},'solemn':{'occasion':1,'slowness':1},'beaten':{'into':2,'grain':1,'out':1},'revolves':{'round':2},'museum.':{'a':1,'meteorite':1,'carrier':2,'homing':1,'yellow-crowned':1},'liberty':{'.':1},'children':{'and':1,'who':1,'should':1},'characters.':{'in':1},'zoologists':{'with':1},'change;':{'variability--evolution':1},'conduct':{'man':1,'.':1,'in':1,'but':1,'demands':1},'ebbs':{'and':1},'supplies':{'of':1,'the':1,'.':1},'revolved':{'will':1,'on':1,'round':1},'reacts':{'cannot':1},'electricities':{'in':1},'unexhausted':{'possibilities':1},'hundreds':{'and':1,'of':15,'but':1},'seven-weeks-old':{'human':1},'resounded':{'to':1},'represented':{'as':2,'by':9,'for':1,'in':4},'path':{'followed':2,'of':6,'when':1,'marked':1,'round':2,'closely':1,'from':1,'the':1,'by':1,'if':1},'shortness':{'of':2},'through.':{'light':1},'digits':{'of':1,'on':1},'wood-snail':{'in':1},'earth--a':{'transition':1},'distinctness':{'.':1},'ventures':{'were':1},'tons.':{'the':2,'illustration':2},'leaves':{'and':3,'a':1,'or':1,'fanwise':1,'us':1,'one':1,'which':1,'the':1,'.':2,';':2},'settles':{'down':3},'mantis':{'on':1,'religiosa':2,'mantis':2},'mistake':{'to':2,'for':2,'but':1},'settled':{'down':2,'the':1,'within':1},'svante':{'worlds':1},'substances.':{'in':1},'stray':{'present-day':1,'erratic':1},'straw':{'looked':1,'as':1,'so':1},'plants--paint':{'the':1},'equipment.':{'1.f.2':1},'feelings':{'and':2,'such':1,'it':1,'in':1},'patience':{'and':2,'of':1,'were':1},'miles--eighteen':{'times':1},'anyhow':{'as':1},'greatness.':{'it':1},'ape-man--an':{'early':2},'scaffolding':{'but':1},'would':{'help':1,'do':2,'cover':1,'thus':1,'it':1,'one':1,'say':2,'cease':2,'have':15,'in':1,'go':1,'seem':4,'provoke':1,'yet':1,'witness':1,'doubtless':1,'certainly':1,'still':2,'appear':3,'lead':1,'also':1,'estimate':1,'disintegrate':1,'make':2,'unduly':1,'favour':1,'tend':3,'increase':1,'consistently':1,'only':1,'shiver':1,'take':12,'fade':1,'recover':1,'probably':1,'include':1,'cause':1,'shrink':2,'therefore':1,'then':2,'begin':2,'survive':1,'that':1,'mean--matter':1,'burn':1,'confer':1,'obtain':1,'evolve':1,'a':1,'fall':1,'not':9,'penetrate':1,'be':45,'tick':1,'fly':2,'on':1,'frequently':1,'give':3,'like':2,'tear':1,'require':2,'no':1,'account':1,'yield':1,'explode':1,'suppose':1,'contain':1,'become':1,'inevitably':1,'instantly':1,'mean':3},'palings':{'and':1},'distributing':{'a':1,'medium':1,'this':1,'performing':1,'or':1,'project':2,'any':1},'smelted':{'together':1},'romanes':{'used':2},'preserved':{'namely':1,'except':1},'musk':{'will':1,'in':1},'ages--for':{'britain':1},'beauty':{'became':1},'ll.d':{'.':2},'correspondingly':{'longer':1},'arms':{'and':3,'emerging':1,'into':1,'bear':1,'.':1,'which':1,'not':1,'or':1},'excellent':{'milling':1},'20417':{'produced':1,'language':1},'outdated':{'equipment':1},'off.':{'peculiarities':1},'me':{'alone':1,'tangere':1,'a':1,'that':2},'mc':{'the':1},'piltdown':{'man':6,'skull':5,'.':1},'parachuting--a':{'persistence':1},'henry':{'huxley':2},'appendage':{'which':1},'ernest':{'h':2,'rutherford':6},'my':{'own':1},'latitudes':{'appear':1},'clock-work':{'started':1,'so':1},'mud-fishes':{'do':1,';':1,'of':1,'are':1,'or':1},'decorative':{'plume':1},'ingenuity':{'patience':1,'has':1},'powerfulness':{'of':1},'orion':{'the':1,'40':1},'keep':{'them':1,'up':2,'two':1,'their':1,'time':1,'the':3,'themselves':1,'ebooks':1},'attract':{'them':1,'any':1},'returned':{'to':2,'.':1},'ones':{'and':1,'on':2,'about':1,'made':1,'develop':1,'is':2,'pass':1,'make':1,'.':2,'below':1,'are':5,'hatching':2,'in':1,'go':1,'such':1,'come':1,'creeping':1,'first':1},'progression--always':{'a':1},'end':{'all':1,'which':1,'being':1,'of':32,'were':1,'it':1,'against':1,'.':3,'to':2,'they':1,'in':1,'fishes':1,'the':1},'telephonic':{'communications':1},'returning':{'half':1},'intruders':{'with':1,'.':1},'damages.':{'if':1},'particulars':{';':1},'buns':{'without':1,'some':1,'ashore':1},'writers':{'have':1},'modernising':{'of':1},'widespread':{'and':2},'ancestor':{'of':2,'from':1},'badly':{'stung':1,'when':1,'agee':1},'poker':{'again':1,'into':1,'loses':1,'is':2,'in':1},'both.':{'monkeys':1},'scion':{'of':1},'mouths':{'of':2,'on':1},'erected':{'on':1},'invisible--just':{'as':1},'albumin':{'casein':1},'delicacy':{'in':1},'confirmed':{'as':1,'by':1},'lump':{'of':1},'jumping':{'out':2},'poked':{'it':1},'system--with':{'all':2},'leplay':{'school.':1},'amid':{'the':1,'green':1},'spout':{'.':1,'in':1},'hypotheses':{'and':1,'which':1},'perform':{'all':1,'distribute':1},'complexity':{'and':2,'of':3,'possible':1,'or':1},'upside':{'down':1},'eurypterids':{'or':1},'decreasing':{'coal':1},'diary':{'of':1,'is':1},'squirrel-like':{'marmosets':1},'unsteady':{'slippery':1},'flippers':{'which':1,'for':1},'recurrent':{'stimulus':1,'vicissitudes.':1},'untold':{'ages':1},'daughter-units':{'thus':1,'are':1,'that':1},'alternation':{'of':1},'orang':{'and':2,'notice':1,'is':1,'chimpanzee':2,'.':1,'will':1,'are':1,'the':2,'has':2,'than':1,'232':1},'underside':{'of':1},'inattentive.':{'of':1},'london':{'bridge':1,'the':1,'as':1,'zoological':1},'thesis':{'that':1},'terns':{'spending':1},'beside':{'it':1},'daughter-buds':{'go':1,'living':1},'borneo':{'living':1},'anolis':{'of':1},'expectations':{'there':1},'exhibits':{'a':1,'an':1},'writing':{'without':1,'from':1,'or':1},'destroyed':{'and':1,'for':1,'it':1,'but':1,'.':1,'to':1,'the':1,'was':1,'by':2},'trams':{'in':1},'fade':{'entirely':1},'400':{'000':1},'peopling':{'of':4},'centimetre':{'of':2},'250000':{'inch':1},'prevented':{'by':2},'direct-reading':{'spectroscope':2},'tree-stems':{'and':2},'revelations':{'of':2,'it':1,'to':1},'diseased':{'condition':1},'flotation':{'and':1},'skin-leaves':{'about':1},'shadows':{'are':1},'ingested':{'food':1},'swaying':{'on':1},'potatoes':{'settling':1},'water-fleas':{'and':1},'explode':{'and':1,'them':1},'instant':{'of':1,';':1,'it':1},'victory':{'is':1,'alike':1},'fitness':{'of':1,'for':1,'follows':1},'unit-bodies':{'.':1},'attained.':{'now':1},'notifies':{'you':1},'wariness':{'is':1},'flat-fish':{'has':1,'does':1,'like':1},'verrier':{'discovered':1},'provisions.':{'1.f.6':1},'emphasise':{'as':1},'member':{'and':1,'of':2,'.':2},'magnets':{'.':1},'defences':{'of':1},'clothe':{'itself':1},'depress':{'one':1},'gutenberg-tm.':{'1.e.5':1},'gibbon':{'and':1,'is':2,'orang':2,'which':1,'others':1},'driving':{'water':1,'away':1,'off':1,'the':1},'god':{'s':1},'washed':{'away.':1,'away':2,'down-stream.':1},'integrative':{';':1},'day.':{'there':1,'bibliography':1,'but':1},'laid':{'within':1,'it':1,'down':4,'in':2,'the':1,'or':1},'adjust':{'themselves':1},'millennium':{'b.c':2,'further':1,'after':1},'heavenly':{'body':1,'bodies':3},'got':{'possession':1,'a':4,'his':1,'from':1,'apparatus':1,'no':1,'very':1,'into':1,'loose':1,'it':2,'together':1,'the':3,'their':1,'started':1,'green':1,'nothing':1,'rid':2,'across':1,'films':1},'newly':{'born':1,'hatched':4},'twenty-five':{'trillion':1,'tons':1,'miles':1,'million':1},'independence':{'of':1},'splashed':{'into':1},'provide':{'access':1,'a':4,'volunteers':1,'in':1},'carcass':{';':1},'eternal':{'night':1,';':1,'night--relieved':1,'winter':1,'possible':1},'free':{'from':2,'for':1,'oxygen':1,'air':1,'if':1,'.':1,'access':1,'to':3,'future':1,'agents':1,'nitrogen':1,';':1,'hand':4,'distribution':3,'has':1,'intercrossing':1,'anyhow':1,'swimming':1},'carcase':{'of':1},'masterliness':{'of':1},'whereupon':{'the':1},'rain':{'of':1,'dissolving':1,'each':1,'began':1,'to':1},'biological':{'conditions':1,'idea':1,'necessity':1,'ideas--the':1},'calcareous':{'algae':1},'wanted':{'and':1,'.':2},'publication':{'of':1},'solution...':{'.':1},'grasses':{'and':1},'inexpensive':{'physiologically':1},'days':{'and':1,'old':2,'it':1,'in':2,'there':1,'when':1,'29':1,'.':5,'note':1,'to':2,'weeks':1,'then':1,'fourteen':1,'with':1,'he':1,'on':1,'longer':1,'of':5,'stand':1,'were':1,'following':1,'the':1},'rang':{'our':1,'up':1},'appeals':{'to':2},'possibility--involution':{'rather':1},'researches':{'have':1},'primary':{'reservoir':1,'occupations':1,'meaning':1,'emotions':1,'entity':2,'colours':3,'source':1,'reason':1,'atomic':1},'rank':{'mammals':1},'hearing':{'and':1,'this':1,'is':1,'.':1,'heard':1,'are':1,';':1,'has':1,'comes':1},'staying':{'power':1},'philosophical':{'dictum':1},'adopted':{'by':1},'scissors':{'fall.':1,'.':1},'redivides;':{'there':1},'mercury':{'the':2,'is':1,'it':1,'.':1,'s':2,'between':1,'venus':1,'36.0':1},'magnificent':{'spread':1},'toy':{'of':1},'discriminates':{'between':1},'top':{'with':1,'of':9,'end':1,'are':1},'sumatra':{'and':1},'heights':{'of':1,'holding':1,'above':1},'ton':{'of':1,'or':1,'to':1},'motility':{'are':1,'in':1},'wildly':{'down':1},'variational':{'uplifts':1},'unbroken':{'and':1,'silence':1},'toe':{'to':1,'is':1,'reaches':1},'instreaming':{'multitude':1},'tool':{'is':1,'in':1,'.':2},'brushes':{'off':1},'serve':{'to':1,'as':3,'its':1},'conspicuously':{'as':1,'coloured':1},'190':{'photo':1,'the':1},'western':{'and':1},'injected':{'into':1},'mankind--notably':{'the':1},'frankly':{'answered':1},'divisible':{'into':1},'immaterial':{'.':1},'cogged':{'wheel':1},'classes':{'of':2,'into':1,'called':1,'so':1,'which':1,'orders':1},'flame':{'shattered':1,'is':1,'was':1},'hearing.':{'instinctive':1,'power':1},'bridge':{'the':1,'for':1},'donkey':{'grazing':1},'fashion':{'so':1,'of':1,'with':1,'.':2},'handkerchief':{'.':1},'ran':{'riot':1},'progressing.':{'b':1},'agility':{'.':1,'that':1},'raw':{'material':1,'materials':3},'rat':{'or':1},'regulate':{'what':1,'growth':1,'the':1},'leafy':{'surroundings':1},'relatively':{'poor':2,'great':1,'slow':1,'easygoing':1,'less':2,'cooler':1,'shallow':4,'well':1,'uniform':1,'naked':1,'simple':1,'safe':1,'short':1,'larger':1,'small':1,'recent':2,'more':2},'reminding':{'him':1,'one':1},'-':{'of':1,'you':5,'except':1,'if':1},'isolated':{'ponds':1,'from':1,'northern':1,'here':1,'districts':1,'alpine':1},'thorough':{'aeration':1},'curly-haired':{'australian':1},'perigord':{'mentone':1},'rodents':{'and':1,'are':1},'hatch':{'inside':1,'from':1,'out':1},'world.':{'besides':1,'it':1,'illustration':1,'but':1,'another':1,'if':1,'physical':1},'effectiveness':{'of':1},'douching':{'with':1},'beta-rays':{'from':1},'propitious':{'environment':1},'greatest':{'mathematical':1,'distance':1,'accuracy':1,'reflector':1,'density':1,'of':4,'prominences':1,'triumphs':1,'instrument':1,'physicists':1,'in':1,'authorities':1,'were--the':1,'scientific':1},'though':{'it':9,'in':1,'still':1,'its':1,'there':1,'their':1,'other':1,'more':1,'we':3,'viviparous':1,'that':1,'very':1,'most':1,'they':5,'not':1,'now':1,'man':1,'a':1,'this':1,'many':1,'these':1,'the':9},'picturesquely':{'the':1},'leaf.':{'illustration':1},'tree-snakes':{'tree-lizards':1},'swampy':{'low':1},'glimpses':{'of':1},'plays--the':{'reindeer':1},'plenty':{'of':4},'coil':{'of':3,'is':1,'thus':1},'coin':{'and':1,'through':1},'parting':{'of':1},'glow':{'as':1,'made':1,'with':3,'into':1,'.':2},'lift':{'a':1,'it':1,'sea-urchins':1},'flow':{'of':10,'is':2,'in':1,'or':1,'.':1},'spencer':{'formulated':1},'unwary':{'person':1},'curie':{'and':1,'was':1},'orderly':{'hierarchy':1},'reputation':{'of':1,';':1,'for':1},'gratefully':{'accepted':1},'constance':{'or':1},'chariot':{'and':1},'bait':{'and':1},'spikelets':{'in':1},'manifestation':{'of':3,'in':1},'solutions':{'are':2},'nerve-cells':{'and':4,'an':1,'in':1,'.':1},'mingle':{'with':1},'observatory.':{'a':3,'giant':1,'star':1,'diagram':1,'meteorite':1,'3':1,'jupiter':1,'fig':10,'solar':1,'mars':1,'the':4,'100-inch':1},'endowment':{'of':2,'.':1},'availability':{'of':1},'founded.':{'if':1},'spite':{'of':6},'flat-fishes':{'we':1,'like':1},'situations':{';':1,'which':1},'institution':{'of':1,'at':1,'for':1},'turkestan':{'and':1},'fifty-foot':{'beach':2},'disgust':{'.':1},'gods':{'.':1},'lodge':{'reminds':1,'has':1,'sir':1},'announce':{'every':1},'insect-visitors--began':{'to':1},'borrowed':{'house':1,'shell':1},'waltz':{'round':1},'solution.':{'imitation':1},'nerve-cell.':{'7':1},'watch':{'a':4,'.':1},'fluid':{'water':1,'the':2,'that':1,'was':1,'.':1},'system--regions':{'of':1},'existence--which':{'includes':1},'shutting':{'out':1},'tuberculosis':{'.':1},'despite':{'these':1},'report':{'1914.':1,'1915.':4,'1917.':3,'1917':1,'1914':1},'knocks':{'it':1},'wavy-haired':{'pre-dravidians':1},'gutenberg-tm':{'and':1,'web':1,'license.':1,'concept':2,'name':1,'license':7,'is':1,'work':5,'trademark':4,'s':1,'collection':2,'mission':2,'project':1,'depends':1,'including':1,'works.':2,'works':3,'electronic':18,'ebooks':2},'beads':{'screw':1},'to-day--the':{'elk':1},'countries':{'a':1,'of':1,'there':1,'are':1,'.':1},'rowing':{'and':1},'taken--the':{'emergence':1},'public':{'is':1,'would':1,'support':1,'domain':8},'twice':{'.':1,'as':2,'they':1,'during':1,'the':2,'or':1},'progress.':{'vi':1,'sec':1,'conquering':1},'automatic':{'machine':2,'internal':1,'machine.':1},'farther':{'and':3,'away.':1,'from':2,'away':2,'back':2,'in':1,'north':1},'new.':{'the':1,'illustration':1},'swept':{'down':1,'away':1,'slowly':1,'out':1},'habit':{'a':1,'and':1,'may':1,'of':8,'some':1,'amongst':1,'which':1,'has':1},'nut':{'and':2,'drop':1},'send-off':{'in':2},'retreat.':{'the':1,'another':1},'resist':{'such':1,'the':1,'snapping':1},'t.':{'hobhouse':1},'sea-squirts':{'and':1,';':1,'which':1},'life-preserving':{'value':1},'volans':{'of':1,'which':1},'disturbing':{'influence':2},'discriminating':{'and':1,'quality':1},'combustion':{'is':2,'as':2,'it':1},'capacity':{'and':1,'about':1,'for':3,'that':1,'of':1,'is':1,'.':2,'in':1,'the':1},'ranged':{'one':1},'paternal':{'origin':1,'and':1,'care':1},'mud':{'and':3,'getting':1,'encasements':1,'when':1,'.':2,'that':1,'or':1},'wave-lengths.':{'light-waves':1,'light--visible':1},'finger':{'and':3,'on':1,'from':2,'would':1,'joints':1,'.':1,'usually':1,';':1},'monkeyish':{'features':1},'367':{'000':1},'stored-up':{'energy':1},'approach':{'of':1,'the':2,'160':1,'by':1,'us':1},'discovery':{'and':1,'has':2,'that':2,'of':29,'site':2,'to':1,'which':1,'in':1,'go':1,':':1},'guesses':{'as':1,'or':1},'elk':{'and':2,'the':1},'confusion':{'of':1},'incarnation':{'to':1},'weak':{'and':1,'breakage':1,'keel':1,'plane':1,'one':1},'however':{'composed':1,'and':1,'there':4,'is':1,'it':4,'say':2,'another':1,'in':1,'if':1,'different':1,'acknowledge':2,'interesting':1,'faint':1,'long':1,'by':3,'to':1,'only':2,'slowly':1,'take':1,'that':8,'continuous':1,'what':1,'following':1,'they':2,'not':1,'with':1,'than':1,'a':2,'on':1,'this':1,'enabled':1,'as':1,'so':2,'things':1,'small':1,'the':7},'sand-crab':{'takes':1},'larynx':{'.':1},'aquarium':{'.':1},'consists':{'almost':1,'of':11,'essentially':2,'chiefly':1},'flowering':{'plants':7,'plant':1,'plants.':1},'newt':{'or':1},'improve':{'the':1},'protect':{'the':3},'rhythms':{'.':1},'irregular':{'stretches':1,'speck':1},'jelly':{'about':1,'.':1},'threads':{'used':1,'secreted':3,'of':4,'.':1,'sink':1,'the':2,'are':1},'expense':{'to':1},'frequenting':{'forests':1},'diversity.':{'thus':1},'goodrich':{'evolution':1},'discolorations':{'produced':1},'starling':{'and':1},'majestic':{'spirals':1},'trust':{'.':1},'utilised.':{'indeed':1},'colour-scheme':{'of':1},'influence.':{'illustration':1},'phyllopteryx':{'has':1},'cockroaches':{'to':1,'.':1},'been':{'unified':1,'shot':1,'able':6,'pointed':1,'named':1,'profoundly':1,'attempts':2,'elevated':1,'mentioned':1,'wrought':1,'subjected':1,'written':3,'to':3,'detected':1,'going':3,'transformed':1,'attained':1,'emitting':1,'fancied':1,'unravelled':1,'secured.':1,'very':4,'familiar':2,'reconverted':1,'got':1,'vastly':1,'hitherto':1,'adventurous':1,'rotating':1,'lost':1,'banished':1,'dulled':1,'traced':2,'retrogressions':1,'solved':3,'slipping':1,'found':9,'discussing':2,'interbreeding':1,'achieved':1,'some':1,'briefly':1,'understood':1,'invaded':1,'added':2,'sifted':1,'estimated':1,'borne':1,'established':1,'shown':2,'said':4,'witnessed':1,'beaten':1,'expressed':1,'laid':1,'progress':1,'burned':1,'induced':1,'numerous':1,'blotched':1,'demonstrated':1,'recently':3,'opening':1,'analysed':1,'broken':1,'drawn':1,'colonised':2,'christened':1,'suggested':4,'on':1,'great':1,'buckled':1,'many':1,'greatly':1,'introduced':1,'reached.':1,'examining':1,'raised':1,'followed':1,'adepts':1,'hewn':1,'explained':1,'one':3,'brought':1,'visible':1,'done':1,'capacious':1,'.':1,'given':1,'invented':1,'flaws':1,'weathered':1,'exposed':1,'noticed':2,'smelted':1,'much':2,'slowly':1,'taken':2,'fortuitous':1,'more':1,'life':1,'gaseous':1,'discovered':1,'enough':1,'successful':2,'registered':1,'tested':1,'part':1,'known':7,'suspected':1,'worked':1,'true':1,'chequered':1,'applied':1,'made':10,'abandoned':1,'impatiently':1,'regularised':1,'evolved':3,'pumped':1,'propounded':1,'making':1,'called':1,'and':1,'resolved':1,'proved':1,'indicated':1,'exhausted':1,'turned':1,'an':3,'as':2,'at':3,'in':4,'seen':1,'constricted':1,'clearly':1,'if':1,'different':2,'no':1,'emancipated':1,'that':2,'generally':2,'handed':1,'any':2,'hot':1,'speeding':1,'digged':1,'fostered':1,'used':2,'tried':2,'confirmed':1,'prepared':1,'moving':1,'throughout':1,'measured':1,'recent':1,'a':11,'stupendous':1,'described':2,'slightly':1,'calculated':2,'required':1,'becoming':1,'thought':1,'dissolved':1,'so':4,'the':7},'legend':{'of':1},'were.':{'the':1},'spread':{'and':1,'from':1,'of':3,'over':2,'until':1,'underneath':1,'to':2,'through':2,'table':1,'public':1,'out':3},'expected':{'when':1},'poker.':{'they':1},'pallas':{'s':1},'pecked':{'at':2},'bladder':{'growing':1},'uncommon':{'on':1},'gaboon':{'in':2},'proportional':{'to':1},'catch':{'this':1,'small':1,'the':1},'own--a':{'fore-limb':1},'ancestors.':{'given':1},'deeps':{'the':1,'3':1,'are':1},'5a':{'merychippus':1},'lessen':{'the':1},'n':{'is':1,'.':5},'ape':{'and':2,'frequenting':1,'or':1,'for':1,'.':1,'s':1,'s.':1,'man':2,'agree':1,'at':1},'fallow':{'deer':1},'gave':{'off':6,'of':1,'rise':2,'most':1,'place':1,'the':3},'precede':{'the':1},'natives':{'of':1},'cyclones':{'.':1},'cast':{'.':1,'aside':1,'by':2},'jellyfishes':{'the':1,'swimming-bells':1,'worms':1},'expenses':{'including':2},'experts':{'should':1},'decanter':{'for':1},'www.pglaf.org.':{'section':1},'significance--called':{'the':1},'containing':{'a':3,'meat':1,'liquid':1,'very':1,'say':1,'the':1,'more':1},'headley':{'life':1},'circumventing':{'the':1},'suggest':{'the':4,'that':3},'underwood.':{'boiling':1,'the':1},'sollas':{'w':1},'linked':{'to':1,'together':1},'forehead':{'and':2,'a':1,'the':1,'without':1,'beetling':1},'utilitarian':{'in':1},'complex':{'and':2,'fur':1,'of':2,'problems':2,'.':3,'forms':1,'as':1,'nucleus':1,'brains':1},'gambian':{'mud-fish':2},'advances':{'the':3,'that':1,'but':1,'came':1,'in':2},'scapula':{'or':1},'snow-line':{'.':1},'several':{'millions':1,'colours':2,'kinds':1,'centuries':1,'cells':1,'sometimes':1,'human':1,'times':1,'hours':2,'enregistered':1,'complex':1,'printed':1,'molecules':1,'cases':1,'years':1,'thousands':1,'other':1,'transparent':1,'more':1},'satellite':{'of':1},'peaks':{'.':1},'pick':{'them':1,'up':2,'out':1},'constantly--either':{'spontaneously':1},'mouse-pupil':{'with':1},'characters':{'even':1,'of':1,'is':1,'.':1,'such':1,'swarming':1},'darwin.':{'illustration':1},'cycle':{'thread':1},'mentioning':{'birds':1},'tassel':{'being':1,'discharged':2,'branches':1,'electrified':2,'strikes':1},'staving':{'off':1},'paralysed':{'and':2},'possessed':{'of':1,'by':1,'in':2},'boxes':{'golden':1,'similar':1,'difficult':1},'rock-pool':{'where':1},'wide-awake':{'more':1},'mother':{'and':7,'digs':1,'for':1,'places':1,'that':1,'may':1,'of':1,'orang':1,'spider':1,'carey':2,'s':2,'so':1,'are':1,'tramps':1,'earth':1,'.':2},'unification':{'but':1},'jean':{'brownian':1},'photosphere.':{'above--that':1},'possesses':{'.':1,'an':1},'seasonal':{'colour-change':2,'change':1},'food-supply':{'.':2},'departed':{'from':2},'mending':{'of':1,';':1},'harmonise':{'with':2},'eye-hole':{'of':1},'partridge':{'sitting':1},'foundation.':{'-':1},'rivulets':{'and':1},'tailless':{'cat':1},'insectivore':{'stock':1},'evolution.':{'we':1,'metcalf':1,'parasitism':1,'this':1,'hutchinson':1,'illustration':1,'mccabe':1,'v':1,'the':1,'darwin':1,'iii':1,'osborn':1},'vibration':{'increased.':1,'of':1,';':1,'.':1},'master-key':{'that':1},'leibnitz':{'s':1,'who':1},'triangular-shaped':{'piece':1},'apart':{'and':1,'from':14,'of':3,'continuing':1,'.':2,'the':2},'interprets':{'be':1},'humanity':{'of':1,'into':1,'.':1},'foot.':{'there':1},'casting':{'themselves':1},'tracheae':{'.':1},'breaks':{'making':1,'off':2,'up':1,'across':1,'under':1},'sussex':{'and':1,'weald--hinted':1,'in':1},'vulture':{'is':1},'chitin':{'which':1,'.':1},'flattish':{'web':1},'expels':{'vitiated':1},'descending':{'element':1},'judge':{'the':1,'animals':1},'burns':{'the':1,'without':1},'advanced':{'and':1,'again':1,'life':1,'knowledge':1,'.':1,'to':1,'than':1},'foster-parent':{'to':1},'melting':{'ice.':1,'ice':1},'appearing':{'and':1,'on':1,'more':1},'angoras':{'and':1},'gift':{'follows':1},'55':{'cubic':1},'57':{'photo':2},'gifted':{'a':1},'50':{'states':1,'000':1},'53':{'the':1},'52':{'inches':1},'specific':{'gravity':2,'permission':1},'gristly':{'fishes':2,'rod':1},'mosquito':{'is':1,'introduces':1},'fixity':{'of':1},'56':{'photo':2,'lb':1},'outpour':{'of':1},'over-anxious':{'on':1},'successfully':{'applied':1,'by':1},'sponge':{'121':1,'illustration':1,'.':1,'to':1,'densely':1,'which':1,'has':1,'or':2},'clawed':{'mammals':1},'cessation':{'of':1},'finger-posts':{'for':1},'indirect':{'consequential':1,'interference':1,'in':1},'guess':{'and':1,'what':1},'tracheate':{'arthropods':1},'intellect':{'who':1,'which':3},'rapidity':{'and':1,'of':1,';':1,'illustrating':1,'.':1},'first--began':{'to':1},'drowned':{'himself':1},'proceeding':{'to':1,'is':1,'in':1},'rhine':{'and':1},'hibernates':{'but':1},'self-effacing':{'flat-fishes':1},'ear':{'and':1,'a':1,'of':2,'well':1,'marked':1,'to':1,'below':1,'which':1,'in':1,'has':1,'160':1,'came':1},'ice':{'and':1,'when':1,'is':1,'ages':4,'it':1,'.':2,'age.':2,'age':5,'287':1,'travel':1},'everything':{'and':1,'appeals':1,'that':1,'is':1,'as':1,'depends':1,'in':1,'not':1,';':1,'teemed':1},'loins':{'of':1},'select':{'a':1,'the':3},'seals.':{'almost':1},'cord':{'and':1,'lies':1,'the':1,'then':1},'core':{'to':2,'is':1,'254':1,'illustration':1,'left':1},'antiquity--perhaps':{'30':1},'disappeared':{'and':1,'from':1,'leaving':1,'somewhat':1,'.':1,'with':1},'littoral':{'animals':1,'haunts':1,'zone':1,'area':3},'permitted':{'by':2},'chapter':{'on':1,':':1,'give':1,'is':1,'in':7,'one':1,'to':1,'how':2,'.':1,'has':1,'was':1,'more':1},'limitation':{'of':2,'set':1,'permitted':1,'in':1},'attacks':{'the':1},'plum':{'and':1},'spikelet-bearing':{'axis':1},'burbank':{'such':1},'plunging':{'into':1},'coiled':{'round':1,'up':1},'steadily':{'accumulating':1,'through':1,'radiating':1,'decreasing':1},'efforts':{'project':1,'of':1,'and':1,'her':1},'alga':{'like':1,'which':1},'sept':{'.':1},'osborn':{'h':2,'s':4,'points':2,'calls':1},'antique':{'types':1},'primitive':{'animals':1,'nebulae':1,'instrument':1,'insects':1,'constituents':1,'men':3,'mammals':2,'.':3,'forms':1,'bushmen':1,'heat':1,'races':1,'bolt':1,'culture':1,'peoples':1,'mammal':1,'collaterals':1,'creatures':1,'type':1,'types':2,'man':2},'cracking':{'the':1},'presence':{'of':4,'.':1},'orders':{'of':2,'families':1,'like':1},'puzzle':{'in':1},'visible':{'and':2,'on':2,'all':2,'from':1,'266':1,'light':1,'radium':1,'spots':1,'.':2,'to':3,'surface':3,'suspended':1,'in':1,'tens':1,'by':1,'at':2},'bath':{'nor':1},'finely':{'developed':1},'bats':{'certainly':1,'for':1,'.':2,';':1,'volplaning':1,'or':1,'involves':1},'existed':{'.':1},'rely':{'to':1},'weald--hinted':{'at':1},'outbreaks':{'on':1,'of':1},'indispensable':{'as':1,'role':1,'sociality':1,'if':1},'sneezing':{'and':1},'transform':{'mechanical':1},'sunlight':{'and':1,'for':2,'is':2,'reflected':1,'to':2,'can':2,'which':3,'in':2,'has':1,'into':1,'are':1,'he':1},'why':{'a':1,'do':1,'we':1,'animals':1,'they':1,'for':1,'this':1,'is':2,'there':1,'some':1,'it':2,'should':4,'most':1,'so':1,'iron':1,'not':1,'our':1,'the':2,'he':1},'stuck':{'together':1},'tacks':{'of':2},'partridges':{'respond':1},'metabolism':{'.':1},'synthesis':{'the':1},'round.':{'c':1,'in':1},'head':{'and':2,'weighted':1,'from':1,'just':1,'157':1,'of':6,'is':2,'after':1,'downwards':1,'to':1,'when':1,'65':1,'they':1,'the':1,'with':1,';':1,'shows':1},'medium':{'and':1,'on':1,'we':1,'that':1,'of':3,'called':1,'through':1,'a':1,'you':1,'throughout':1,'with':2,'or':1},'amateur':{'knows':1},'hydrogen--which':{'consists':1},'java.':{'2':1},'wireless':{'he':1,'telegraphy':1},'heat':{'and':9,'because':1,'being':1,'is':4,'as':1,'are':1,'in':2,'our':1,'.':9,'is--substitutes':1,'rays':1,'from':4,'for':1,'to':2,'there':1,'had':1,'continually':1,'how':1,'only':1,'radiated':1,';':3,'has':1,'energy':12,'that':1,'becomes':1,'introduce':1,'heat':1,'radiations':1,'by':1,'like':2,'on':2,'would':1,'of':4,'could':1,'chiefly':2,'so':1,'light':1,'the':1,'changes':1,'or':2},'silvery-looking':{'light':1},'hear':{'a':1,'about':1,'the':1,'it':1},'satisfactorily':{'accounted':1},'heap':{'it':1},'manoeuvres':{'she':1},'removed':{'all':1,'in':1,'from':1,'.':1},'donate.':{'international':1},'luxuriant':{'vegetation':1},'admiration':{';':1},'indo-china':{'china':1},'portions':{'and':1,'reached':1,'of':1},'consequences':{'may':1,'.':2,'to':1,'as':1,'follow.':1,'have':1},'born':{'a':1,'and':1,'like':1,'of':1,'in':1,'.':1,'as':1,'so':1,'child':1},'bids':{'fair':1},'vivo':{'as':1},'meteorites.':{'every':1},'undeniable':{'endeavour':1,'apartness':1},'disturbances':{'and':1,'of':3,'we':1,'are':1,'man':1},'prematurely':{'and':1},'brightly':{'illumined':2,'but':1,'coloured':3},'furs':{'.':1},'roamed':{'many':1},'escape':{'the':4,'.':1,'from':3,'between':1},'everest':{'would':1},'0.62':{'7700':1},'scotia':{'voyage':1},'universes.':{'illustration':1},'shines':{'through':1},'entellus':{'venture':1},'furl':{'if':1},'constructed':{'to':1,';':1,'from':1},'looked':{'a':1,'upon':1,'at':1,'like':1},'planets--venus--is':{'there':1},'inborn':{'inspirations':1,'predispositions':2,'novelties':1,'engrained':1,'repertory':1,'capacities':2,'pre-arrangements':1,'efficiencies':1,'impulse':1,'in':1,'not':1,';':1,'changes':1,'or':1,'powers':1},'no':{'atmosphere':1,'less':3,'lack':1,'resistance':1,'commoner':1,'hibernation':1,'facts':1,'nearer':1,'glimpse':1,'effort':1,'better':1,'tail':1,'other':3,'warrant':2,'real':1,'sound':1,'return':1,'animal':1,'descendants':1,'trees':1,'figment':1,'instinctive':2,'difference':2,'twilight':1,'bigger':1,'particle':1,'success':1,'yucca':1,'cry':1,'eel':1,'indication':1,'nerves':1,'bulky':1,'scenery':1,'right':1,'hard':1,'idea':1,'sign':1,'cost':2,'escape':1,'employment':1,'bacteria':1,'enemies':1,'blue':1,'living':2,'thoroughfare':1,'steadfast':1,'opening':1,'definite':2,'spur':1,'kidneys':1,'movement':1,'body':1,'noise':1,'cleverer':1,'power':1,'parental':1,'attention':1,'use':3,'twinkling':1,'difficulty':2,'reason':4,'chapter':1,'restrictions':2,'great':1,'actual':1,'feelers':1,'certainty':1,'transition':1,'motion':1,'connection':1,'place':1,'nervous':1,'successors':1,'transit':1,'one':16,'such':6,'sounds':1,'scent':1,'ether':1,'landscape':1,'exertions':1,'jugglery':1,'additional':1,'union':1,'discrimination':1,'doubt':28,'positive':1,'interest':1,'more':5,'remedies':1,'life':2,'tissues':1,'way':1,'reaction':2,'training':1,'direct':2,'adult':1,'true':1,'plants':2,'animals':2,'conception':1,'cells':1,'air':1,'individual':1,'risks':1,'chlorophyll-possessing':1,'proof':2,'larger':3,'deliberation':1,'lock':1,'modern':3,'mind':1,'mining':1,'evidence':4,'chin':1,'sense':1,'ready':1,'floating':1,'organs':1,'check':1,'winter':1,'depth':1,'chemical':1,'vital':1,'branch':1,'intelligent':1,'plant':1,'star':1,'crowding':1,'trace':3,'backbone':1,'vicious':1,'prohibition':1,'pouch':1,'representations':1,'slums':1,'man':1,'diffusion':1,'longer':8,'rotting':1,'light':2,'shore':1,'fresh':1},'whereas':{'on':1,'lead':1,'these':1,'in':2,'others':1,'the':3},'tip':{'of':5,'t':1,'to':2,'.':1},'perfected':{'on':1,'scientific':1,'by':1},'tin':{'with':1},'setting':{'apart':3,'forth':1,'in':1},'sobral':{'brazil':1,'brazil.':1},'globigerinid':{'foraminifera':1},'investigations':{'in':1},'papers':{'and':1,'the':1},'pipa':{'the':1,'americana':2},'picture':{'represents':1,'these':1,'of':11,'is':1,'acts':1,'an':1,'the':2,'with':1,'shows':1},'ceasing.':{'where':1},'worm-types.':{'among':1},'toad':{'and':1,'winds':1,'s':1,'pipa':3,'looks':1},'preceding':{'state':1,'neanderthal':2,'the':1},'uniformly':{'around':1},'emission':{'came':1},'flower-perfumed':{'nor':1},'leonard':{'johnson':2},'ridges':{'and':3,'the':2,'which':1},'dullest':{'red':1},'discharge':{'takes':1,'of':3,'travels':1,'through':1,'in':4,'with':1},'suffused':{'with':3},'thorax':{'.':1},'buller':{'s':1},'to-day':{'and':2,'is':2,'as':1,'are':2,'in':1,'there':1,'.':13,'attack':1,'recapitulates':1,':':1,'mostly':1,'that':2,'very':1,'after':1,'but':1,'such':1,'by':1,'104':1,'a':2,'about':1,'of':2,'shall':1},'longer':{'be':2,'what':1,'redolent':1,'than':7,'in':1,'deny':1,'or':1,'to':3,'because':1,'at':1,'waves':1,'the':1,'.':1,'emit':1},'n.':{'america.':1},'1800':{'of':1},'vigorously':{'.':1,'continued':1,'for':1,'that':1},'changed':{'and':1,'by':1,'from':1,'but':1,'.':1,'in':1,'the':3,'its':1},'hypohippus':{';':1},'serious':{'and':1,'errors':1,'business':1,'nervous':1,'friction':1,'responsibilities':1,'difficulties':1},'nuclei':{'then':1,'within':1},'undoubted':{'but':1},'remarkable':{'plants':1,'and':2,'bony':1,'physical':1,'knowledge':2,'success':2,'habit':2,'appearance':2,'metamorphosis':1,'combination':1,'results':1,'discovery':2,'except':1,'power':3,'exuberance':1,'perfection':1,'words':1,'locomotor':1,'.':2,'sucking':1},'varying':{'forms':2,'nature':1,'notably':1,'magnitude--and':1,'degrees':1,'situation':1,'with':1},'rod':{'which':1,'.':1},'focus':{'of':1,'whence':1,'within':1},'leads':{'to':2,'one':1,'us':2,'on':1},'inspirations':{'of':1},'computation':{'.':1},'coyote':{'.':1},'jointed-footed':{'invaders':1,'animals':1},'dragon-flies':{'and':2,'are':1},'displaying':{'the':1,'performing':2,'or':1},'tucking':{'it':1},'injure':{'their':1},'doom':{'by':1},'books--an':{'outline':1},'essentials':{'of':1},'ascidians':{'and':1},'fahr.':{'due':1},'metallurgists':{'and':1},'passage':{'from':6,'of':3,'is':2,'onward':1,'direct':1,'in':2},'environment':{'and':4,'we':2,'adaptations':1,'where':1,'acts':1,'.':3,'to':1,'113':1,'which':1,'making':1,';':1,'education':1,'with':1},'charge':{'and':1,'on':1,'anything':1,'for':1,'was':1,'of':3,'to':1,'a':3,'with':1},'promoting':{'the':1,'free':1},'discovering':{'new':1},'hammers':{'on':1,'until':1,'it':1},'ulna':{'of':1,'bone':1},'advantage':{'for':1,'may':2,'of':7,'over':2,'here':1,';':1,'was':1,'is':1},'coot':{'swims':1},'exalted':{'powers--man':2},'inspiriting':{'picture':1},'fleece':{'cutting':1},'untenable':{';':1},'nesting':{'behaviour':1},'refractive':{'granules':1},'regular.':{'now':1},'roving':{'animal':1},'cool':{'and':1,'mass':1,'gas':1},'annihilated':{'distance':1},'clouds':{'of':3,'which':1,'in':1},'impressive':{'triumphs':1,'picture':1,'nebula':1},'level':{'and':1,'on':3,'of':5,'is':1,'there':1,'up':1,'.':3,'at':1,'the':1,';':1,'man':1},'sedimentary':{'rocks':6},'hawaii':{'to':1},'cloudy':{'precipitate':1},'standards':{'is':1,'are':1},'starlit':{'night':1},'slouching':{'gait':1},'vicissitudes':{'due':1},'quick':{'to':5,'or':1},'lever':{'against':1},'accumulation':{'of':2},'bull-terrier':{'called':1},'illustrating':{'the':5,'walking':2,'animal':1},'trend':{'of':3},'becquerel':{'brought':1,'was':1},'obsolete':{'old':1},'inland':{'and':1,'the':1,'than':1},'widened':{'and':1},'invaded':{'age':1,'by':1},'dried':{'and':1,'up':4},'hair.':{'the':1},'trent':{'the':1,'291':1,'290':1,'an':1},'danger-note':{'.':1},'bacteria':{'and':1,'serving':1,'that':1,'of':2,'though':1,'.':1,'can':1,'have':1,'in':1},'substitute':{'the':1},'spectral':{'lines':1},'water-plants':{';':1},'stands':{'about':1,'unique':1,'by':2,'apart':1},'stomach.':{'4':1},'structure--the':{'remains':1},'extinct.':{'unfortunately':1,'others':1},'paragraph':{'1.f.3':3,'1.e.1.':1,'to':1,'1.e':1,'f3':1,'1.e.8':1,'1.c':1,'1.e.8.':1,'1.e.1':1},'goes':{'on':6,'back':1,'leaving':1,'down':1,'to':4,'as':1,'without':1,'through':1},'bearers':{'and':1},'illimitable':{'.':1},'morgan':{'observed':1,'s':1,'who':1,'was':1},'intelligent.':{'sec':1},'ninety-nine':{'cases':1},'mean--matter':{'ether':1},'evolution-idea':{'to':1,'is':2,'has':1},'water':{'and':15,'brightly':1,'because':1,'furnished':1,'being':1,'is':5,'spider':1,'held':1,'as':2,'owing':1,'through':1,'are':1,'in':5,'earth':1,'out':2,'even':1,'will':1,'from':4,'would':2,'to':8,'remains':1,'began':1,'that':4,'28':1,'.':28,'how':1,'only':1,'offers':1,'which':2,';':5,'gets':1,'was':1,'into':2,'do':1,'than':1,'though':1,'may':1,'but':3,'gently':1,'flows':1,'came':1,'rises':1,'with':2,'by':1,'nor':1,'a':2,'on':3,'periodically':1,'has':1,'animals':1,'for':4,'you':1,'fills':1,'did':1,'of':2,'seldom':1,'vigorously':1,'occurs':1,'sometimes':1,'where':1,'near':1,'became':1,'so':1,'can':2,'were':1,'at':3,'beneath':1,'disappears':1,'or':2,'comes':1,'first':1},'meteorites':{'is':1,'it':1,'every':1,'are':1,'have':1,'enter':1,'or':1},'generation.':{'the':1,'they':1},'twentieth':{'trial':1},'groups':{'of':4,'are':2,'drifting':1},'cyril':{'crossland':1},'dissipated':{'as':2,'the':1,'.':1},'cork':{'she':1,'out':1},'f.r.s.':{'conservator':1},'one--of':{'protective':1},'pearly':{'nautilus':7,'nautilus.':1},'bygone':{'ages':1},'thirty':{'miles':1,'million':4,'stars':1,'deep':1,'years':4},'healthy':{'lives':1},'chalmers':{'mitchell':1},'blotch':{'on':1},'sex--beginning':{'of':2},'stomachs':{'of':1},'descended':{'and':1,'from':6},'weird':{'ways':1,'peaks':1},'illustrations.':{'1':1},'say--of':{'various':1},'emerge':{'the':2,'before':1,'from':1,'as':1,'in':1},'credited':{'with':1},'threes':{'and':1},'semang':{'and':1},'swallowed':{'and':1,'by':1,'one':1},'crisis':{'in':1},'wings.':{'vi':1},'bulbs':{'on':1},'russell':{'has':1,'sons.':2},'atom.':{'how':1,'the':1,'like':1,'an':1},'percept':{'of':1},'prey':{'of':1,'by':1,'working':1,'.':3},'memory':{'of':1},'negroes':{'and':1},'lycosa':{'lying':1},'australian':{'and':1,'mudfish':1,'race':1,'more-pork':2,'frilled':2,'the':1,'species':1},'diagrams':{'of':1},'conductor':{'of':1},'bristle-tails':{'show':1},'fuel':{'.':1},'flapping':{'their':1},'southwards':{'following':1,'.':1},'sequoia':{'or':1},'cases':{'is':2,'within':1,'it':4,'purely':1,'at':1,'in':3,'yet':1,'its':1,'out':2,'no':1,'rather':1,'there':2,'two':1,'.':3,'to':1,'supplanted':1,'much':1,'which':1,'under':1,'relatively':1,'be':1,'we':2,'that':2,'stow':1,'however':4,'they':1,'measured':1,'than':1,'like':1,'especially':1,'e.g':3,'this':1,'of':3,'the':9,'where':3},'andalusia':{'arabia':1},'autumn':{'gales':1,';':1,'or':1,'they':1},'diagram.':{'the':1},'collision':{'with':2},'thousands':{'being':1,'of':17,'but':1},'reflux':{'of':1},'modified':{'and':1,'for':2},'means.':{'sec':1},'handle.':{'in':1},'districts':{'here':1,'.':1},'jetsam':{'that':1},'female-producing':{'egg':1},'wrong:':{'hence':1},'fauna':{'of':5,'is':1,'there':1,'namely':1,'.':1,'contemp':1,'as':2,'does':1,'bodily':1},'attain':{'a':1},'streak':{'of':1},'hutchinson':{'h':1},'wrist-bones':{'with':1},'stream':{'and':1,'sometimes':1,'gripping':1,'seeking':1,'of':7,'there':1,'some':1,'.':1,'relative':1,'that':1,'going':1,'the':1,'with':1,'or':1,'ought':1,'through.':1},'irruption':{'of':1},'supra-renal':{'and':1,'.':1},'and--it':{'smells':1},'coal--dissipation':{'of':1},'amalgams':{'and':1},'stroke':{'of':4},'performed':{'viewed':1},'octopus.':{'shifts':1},'flora.':{'the':1},'provoke':{'new':1,'them':1},'hydrogen':{'and':3,'uniting':1,'19':1,'travel':1,'atom':1,'gas':4,'.':2,'to':1,'rising':2,'at':3,'were':1,'so':1,'was':1},'requirements':{'of':1,'we':1,'are':1,'.':1},'white-hot.':{'they':1},'mole':{'and':1},'secured':{'in':1},'eloquent':{'vestige':1,'anticipation':1,'detail':1,'instance':1,'in':1,'than':1},'innumerable':{'tons':1,'methods':1,'minute':1},'fishes--a':{'very':1},'ginkgos':{'and':1},'vital':{'and':1,'activities':1,'processes':2,'power':1,'importance':2,'inter-relations':2,'than':1,'to':1,'connection':1,'interest':1,'activity':1,'laboratory':1,'process':1,'sounds':1,'economy':1},'fourth':{'and':1,'great':2,'haunt':1,'ice':1,'state':3,'printing':1,'millennium':1,'glacial':1},'speaks':{'of':1},'reactions.':{'3':1},'secures':{'the':1},'unutterably':{'stupid':1},'information':{'is':2,'about':6,'can':1},'digesting':{'intruding':1,'them':1},'larmor':{'suggested':1},'eighty':{'figures--bison':1,'distinct':1,'different':1,'miles':1,'million':1},'unawares':{'.':1},'apprenticeship':{'and':2,'often':1,'of':1,'since':1,'.':1,'to':1,'at':1,'in':1,'during':2,'the':1},'eighth':{'printing':1},'branches':{'and':1,'down':1,'still':1,'that':1,'of':6,'in':1,'.':2,'will':1,'gives':2,'firmly':1,'at':1,'hanging':1,'must':1,'come':1,'or':2,'out':1},'drained':{'swamps':1},'commodity':{'on':1},'joint':{'to':1},'enemies.':{'when':1,'if':1},'branched':{'and':2},'lagoon':{'and':1},'water-oceans.':{'in':1},'lamented':{'the':1},'imagining':{'how':1},'estuary':{'and':1},'furnished':{'the':1,'them':1,'an':1},'constituents':{'may':1,'and':1,'.':1,'of':1},'mainly':{'composed':1,'among':1,'arboreal':1,'vegetarian':1,'to':1,'in':2,'vertical;':1,'by':1},'discharging':{'them':1,'sepia':1},'ocean-troughs':{'and':1},'furnishes':{'a':2},'ducklings':{'catch':1},'motions':{'would':1,'of':2,'can':1,'which':1,'along':1,'are':1},'weather.':{'there':2},'side--a':{'mobility':1},'pre-eminent':{'as':1,'e.g':1},'pterodactyls':{'varied':1,'could':1,'had':1,'birds':2,'by':1,'gave':1},'supplemented':{'the':1},'emmer':{'which':1},'wallace':{'maintained':1,'was':1,'darwinism.':1},'organisation':{'than':1},'mantle':{'of':1,'as':1},'offers':{'to':2,'the':1,'grave':1,'an':1},'marvels':{'the':1},'meridian':{'while':1,'.':1},'whirlpool':{'of':1,'or':1},'employment':{'of':2},'pre-dravidians.':{'the':1},'obtaining':{'a':2,'considerable':1},'motion.':{'the':2},'photograph.':{'illustration':2},'evolution':{'and':2,'particularly':1,'is':13,'states':1,'as':1,'are':1,'in':8,'home':1,'if':2,'from':1,'no':1,'remains':1,'there':3,'.':12,'current':1,'to':4,'that':2,'going':11,'fig':1,'which':2,';':1,'has':6,'was':6,'real':1,'we':1,'led':1,'theory':3,'means':1,'but':3,'quite':1,'not':1,'animals':1,'1917':1,'chequered':1,'a':1,':':1,'implies':1,'especially':1,'practically':1,'of':54,'introductory':1,'53':1,'element':2,'will':1,'so':1,'agoing.':1,'though':1,'the':4},'delighted':{'darwin.':1},'underneath':{'things':1,'the':2,'her':1,'.':1},'expertness':{'the':1},'conquer':{'every':2,'for':1},'browns':{'and':1},'sowing':{'and':1,'but':1},'term':{'race':1,'commensalism':1},'name':{'given':1,'from':2,'for':1,'of':1,'cock-paidle':1,'electrons':1,'which':1,'mare.':1,'associated':1,'primates':1},'civilisation':{'of':1,'is':1,'there':1,'here':1,'.':1,'depends':2,'the':1,'more':1},'advent':{'of':1},'possibilities':{'and':1,'of':3,'.':1,'are':1,'in':1,'probably':1},'realise':{'of':1,'the':3,'what':1,'that':3},'telegraphic':{'and':1},'individually':{'and':1},'weighted':{'with':1},'gape':{'and':1,'two':1},'woodpeckers':{'are':1},'sprinkle':{'iron':1},'catching':{'and':2,'small':4,'the':2,'with':1,'some':1},'begun':{'to':1,'before':1,'some':1,'.':1},'distributor':{'under':1},'tumultuous':{'surging':1},'y.s.':{'which':1,'.':1},'ultimately':{'composed':1,'the':1,'dispensed':1},'intercourse':{'and':1,'.':1},'factors':{'and':1,'would':1,'that':2,'of':2,'which':1,'in':5,'the':1},'profit':{'a':1,'by':2,'501':1},'these--which':{'illustrate':1},'attracted':{'to':1,'one':1},'parallax':{'the':1},'kent':{'dating':1,'but':1,'cro-magnon':1},'picture-logic':{'which':1},'overflowing':{'waters':1},'eagle':{'lifts':1,'or':1},'--the':{'mind':1,'planets--venus--is':1},'performing':{'distributing':1,'other':1,'displaying':1,'chimpanzee':1,'copying':1},'theory':{'is':7,'as':1,'sec':1,'in':1,'bears':1,'.':1,'which':3,';':1,'has':1,'was':1,'more':1,'we':1,'provides':1,'that':5,'1796':1,'but':2,'vividly':1,'nor':1,'a':1,'implies':1,'of':16,'or':1},'stimuli.':{'animals':1},'interpose':{'when':1},'ascertain':{'how':1},'electrified':{'270':1,'and':1,'the':1,'with':1,'will':1},'gizzard--certainly':{'the':1},'explorers':{'of':1},'reptiles--snakes':{'lizards':1},'importance.':{'difficulties':1,'sec':1},'www.pgdp.net':{'updated':1,'illustration':1},'corroborating':{'individual':1},'motion':{'and':2,';':2,'would':1,'was':1,'whether':1,'of':3,'is':2,'within':1,'or':1,'to':1,'as':2,'than':1,'in':1,'into':1,'the':1,'.':3,'ever':1,'kinetic':1,'are':1},'turn':{'on':1,'form':1,'stiff':1,'of':3,'is':1,'it':1,'the':2,'to':4,'are':1,'in':1,'into':1,'making':1,'white':1,'with':1,'round':1,'becomes':1,'once':1},'butterflies':{'allied':1,'are':3},'place':{'and':2,'is':1,'inaccessible':1,'it':1,'itself':1,'in':1,'end':1,'for':3,'remains':1,'there':2,'favouring':1,'preventing':1,'to':4,'work;':1,';':1,'let':1,'by':1,'a':1,'on':1,'of':9,'work':1,'sea-anemones':1,'the':1,'where':1,'or':1},'retreating':{'forehead':1},'swing':{'of':1,'to':1},'deep-sea':{'life':1,'animals':2,'fish':3,'sponge':2,'corals.':1,'are':1,'fishes':2,'fauna':1},'gradually.':{'when':1},'close-set':{'eyes':1},'saucers':{'.':1},'weakling':{'it':1},'origin':{'and':3,'of':19,'is':1,'there':1,'direct':1,'are':1,'the':1},'pelican':{'s':2},'surviving':{'the':1,'symbol':1},'revenue':{'service':1},'faculty':{'in':1,'if':1},'greatest.':{'v':1},'soaring':{'upward':1},'them--':{'melanocetus':1},'array':{'of':1},'field-voles':{'perhaps':1},'george':{'h':1},'millions':{'of':39,'the':1,'is':1,'.':1},'gertrude':{'white':1},'given':{'because':1,'over':1,'sense-presentation':1,'as':2,'in':1,'.':1,'to':8,'illustrations':1,'conditions':1,'variability':1,'away--you':1,'sufficient':1,'rise':1,'but':1,'part':1,'an':2,'by':2,'a':5,'off':1,'up':1,'us':2,'place':2,'the':3},'necessarily':{'be':1,'progressive':1,'keep':1,'progressive;':1,'cooling':1,'difficult':1},'persons.':{'the':1},'marine.':{'in':1},'croaking-sacs':{'which':1},'trillion':{'100':1,'miles':5,'revolutions':1,'molecules':1,'waves':1},'tides--origin':{'of':1},'plastic':{'and':3,'appreciation':1,'stock--some':1},'stimulation':{'proves':1},'hardwood':{'forests':1},'returns':{'to':1,'.':1},'virgil':{'refers':1},'fortuitous':{'.':1},'legally':{'required':1},'white':{'and':1,'polar':1,'one':2,'hair':1,'ermine':1,'in':1,'dress':1,'surfaces':1,'winter':1,'except':1,'.':2,'surroundings':1,'combine':1,'stars':2,'cross':1,'save':1,'body':1,'then':1,'star':1,'of':1,'but':1,'pigment':1,'heat':2,'wake':1,'pelage':1,'background':1,'remarks':1,'with':1,'by':1,'card':1,'plumage':1,'fur':1,'coat':1,'colour':1,'will':2,'s':1,'mass':1,'light':9,'blackbird':1,'the':1,'or':1,'blood':1},'anguilla':{'vulgaris':1,'vulgalis':1},'farthing--contains':{'an':1},'gives':{'a':7,'rise':1,'up':1,'us':5,'.':1,'place':1,'the':2},'sex-call':{';':1,'.':1},'million.':{'there':1},'hug':{'the':1},'aurelia':{'.':1},'centipedes':{'and':2,'millipedes':1,'spiders':1},'hum':{'comparable':1},'circulated':{'round':1},'released':{'from':1},'suspended.':{'the':1},'freeze':{'throughout':1},'holder':{'found':1,'the':1,'.':1,'your':1,'on':1},'intrinsically':{'too':1},'population':{'consists':1,'of':5,'could':1,'contains':1,'.':1},'eohippus':{'about':1,';':1},'unfortunately':{'the':1,'we':1},'require':{'a':1,'extension':1,'no':1,'fifty':1,'to':3,'much':1,'such':1,'intelligent':1},'pigmy':{'representatives':1},'modelled':{'by':6},'computer':{'virus':1,'codes':1},'ooze':{'likewise':1,'so':1,'of':1},'aesthetic':{'reasons':1},'proteins':{'e.g':1},'1.e.9.':{'1.e.8':1,'1.e.3':1},'earth.':{'a':1,'we':1,'is':1,'it':1,'illustration':1,'making':1,'the':1,'establishment':1},'and':{'discards':1,'all':10,'pheasant':1,'consider':1,'caused':1,'stems':1,'results':1,'foul':1,'four':1,'crocodile':1,'avalanche':1,'debris':1,'broader':1,'dainty':1,'go':3,'honour.':1,'nematodes':1,'decisions':1,'causes':2,'skeleton':1,'hold':4,'depend':1,'hunting':1,'educable':1,'shrinkage':1,'father':1,'young':4,'send':1,'squirrels':2,'to':29,'finally':5,'reptiles':1,'skill.':1,'stable':1,'portentous':1,'hammers':1,'cochroaches':1,'sent':1,'ulna':1,'activities':1,'protective':1,'presently':1,'club-moss':1,'very':4,'einstein--the':1,'miners':1,'wave':1,'interglacial':1,'coal-measures':1,'fall':2,'mixing':1,'more.':1,'soles':1,'monkeys':2,'minute':2,'respiratory':1,'baking':1,'parrot':1,'ceased':1,'tear':1,'michael':1,'joined':1,'culminating':2,'large':1,'these':13,'sand':1,'guiding':1,'small':2,'venus':1,'mammoth.':1,'snails':1,'round':1,'degeneracy':1,'favoured':1,'smaller':2,'illustrating':1,'ten':1,'concise':1,'imagination.':1,'becquerel':1,'measurable':1,'seas.':1,'second':2,'notwithstanding':1,'further':1,'nests':1,'perish':1,'even':12,'established':2,'what':10,'stood':1,'constitution':2,'voluminous':1,'giving':1,'storks':1,'fingers':1,'emotions':1,'hereditary':1,'white-hot':1,'salamanders':1,'above':2,'new':5,'3a':1,'cycad':1,'guinea-pigs':1,'bird':2,'alertness':1,'scenery':1,'brain-case':2,'toes':5,'malaria':1,'gathered':1,'concepts':1,'here':2,'hundreds':2,'water':8,'reported':1,'humidity.':1,'let':3,'others':12,'lull.':2,'strong':2,'anchoring':1,'extreme':1,'dry':3,'great':1,'substance':1,'broken':1,'technical':1,'employees':2,'whine':1,'36':1,'animals--the':1,'apes':5,'credit':1,'smoke':1,'browsing':1,'bettered':1,'weird':1,'otters':1,'makes':1,'beautiful.':1,'sticking':1,'control':1,'adjustable':1,'love':2,'waves--light--what':1,'family':1,'distributed':2,'bathers':1,'feelings':1,'peahen':1,'retires':1,'preparatory':1,'comets--millions':1,'sugar':1,'herring':1,'select':1,'ape':1,'standing':1,'use':1,'from':10,'takes':1,'working':1,'distinct':1,'positive':1,'continuous':1,'give':3,'two':6,'trilobites.':1,'distributing':1,'ocean-basins.':1,'live':2,'touched':1,'untie':1,'therefore':6,'taken':2,'tell':1,'more':23,'brings':2,'habits--the':1,'about':1,'chimpanzee':2,'jellyfishes':1,'magnesium.':1,'carrying':2,'big':1,'rabbit':1,'lawlessly':1,'hjort':1,'tearing':2,'must':1,'swooping':2,'metazoa':1,'animals':15,'fro.':1,'this':23,'work':2,'sucks':2,'london':1,'guards':2,'diverse':1,'crickets':1,'can':2,'mr':1,'knocked':1,'making':2,'fauna':1,'scatter':2,'mud-fishes':1,'beautiful':1,'sinking':2,'squat':1,'escapes':1,'of':27,'share':1,'purposes':1,'accept':1,'pieces':1,'parachute':1,'heard':1,'rise':1,'masterfulness':1,'bones':1,'every':4,'provoke':1,'hydrogen':1,'offspring':2,'salts':5,'firmly':1,'sir':1,'winter':2,'decaying':1,'telephonic':1,'rather':1,'breaking':2,'gannets':1,'oligocene':1,'species':1,'fishes--a':1,'cycads':2,'hot':1,'occasionally':1,'aerates':1,'animal':1,'elephant':1,'relinquished':1,'willing--has':1,'expresses':1,'oceans':1,'maternal':1,'utilise':3,'inconceivably':2,'may':7,'digesting':2,'burrowing':1,'after':3,'southern':2,'permanent':2,'produce':1,'space.':1,'curiosity':2,'coming':1,'such':2,'flourish':2,'grow':2,'lids':1,'man':4,'a':67,'short':1,'calves':1,'remember':1,'third':2,'pithecanthropus':1,'light':6,'register':1,'descends':1,'think':1,'eye':2,'perhaps':5,'complexity':2,'gloomy':1,'so':35,'silence':1,'back--till':1,'reflux':1,'first':1,'moulton.':1,'make':1,'furnish':1,'grasshoppers':1,'digested':1,'help':1,'furnished':1,'unpalatable':3,'indeed':1,'over':5,'altogether':1,'orang':1,'soon':1,'years':2,'produced':1,'bounding':1,'toads':3,'thinner':1,'including':1,'looks':1,'drifters':1,'cuts':3,'mottlings':1,'still':1,'its':17,'roots':1,'before':2,'chemical':2,'26':1,'27':1,'curly':1,'thence':1,'willow':1,'mites':1,'coarser':1,'forms':2,'saturn--the':1,'absence':1,'dogfish':1,'marsh':1,'dwarfs':1,'hind-limb':1,'societies':1,'admirable':1,'no':12,'formosa':1,'finer':1,'then':22,'evening':1,'return':2,'fourth':1,'seeking':1,'africa.':1,'saltatory':1,'inter-relations':1,'kin.':1,'giraffe':2,'elephants.':1,'they':26,'not':5,'now':1,'lifelong':1,'smoothness':1,'down':2,'obviates':1,'bluffing':1,'rocky':1,'oxygen':1,'mathematician':1,'hunterian':1,'proteins':1,'identified':1,'composition':1,'explode':1,'did':1,'someone':1,'habits':2,'2a':1,'realise':1,'each':3,'veins':1,'feeds':1,'higher':4,'erratic':1,'lively':1,'enigmatic':1,'reactions':1,'clams':1,'matthew.':2,'snakes':3,'weight':1,'elephants':3,'there':42,'energy':8,'hard':1,'prolonged':1,'tobogganing':1,'unlock':1,'catching':4,'fewer':1,'primates':1,'year':2,'our':4,'beyond':2,'primitive':4,'conspicuous.':1,'out':2,'living':1,'opened':1,'present':2,'since':3,'research':1,'looking':1,'transforming':1,'laid':1,'mate':1,'pool':1,'got':4,'get':1,'receiving':1,'cause':1,'caucasian':1,'red':1,'shows':2,'buds':1,'turning':1,'inert':1,'telescoped':1,'horse':2,'decay.':1,'quite':1,'backboneless':1,'reason':1,'complicated':1,'splashes':1,'besides':1,'backed':2,'animals;':1,'cattle':1,'steering':1,'swimming':2,'lifts':1,'delight':1,'importance.':1,'organic':1,'mortar':2,'could':2,'put':3,'success':1,'keep':1,'motion':3,'turn':1,'butterflies':1,'massive':1,'withering':1,'hence':1,'stone':1,'pterosaurs':1,'zoophyte':1,'throws':1,'south':3,'toads--it':1,'knots':1,'copper':2,'finest':1,'possessing':1,'waves':2,'delicately':1,'one':7,'feet':1,'will':4,'unexpected':1,'disappearing':1,'another':7,'carry':2,'gripping':1,'blows':1,'ways':1,'earthworms':1,'size':2,'sheep':1,'continental':1,'given':3,'tadpoles':1,'monkey':1,'similarly':1,'apple.':1,'opportunity':1,'caught':1,'relations':1,'plastic':1,'1a':1,'their':23,'2':6,'wasps':4,'motility':1,'democracy':1,'embryology':1,'anatomises':1,'dogs':3,'opening':1,'gives':1,'muscles':1,'imperfect':1,'starfish':1,'that':57,'brains':1,'needle':1,'screwing':1,'bees.':1,'folded':1,'part':2,'because':2,'cereal':1,'manipulation':1,'rivers':3,'white':3,'explodes':1,'lays':2,'distance':1,'kind':1,'legs':1,'meteors':1,'looting':1,'showed':1,'depressed':1,'sea-squirts':1,'vocal':1,'instincts--of':1,'project':1,'matter':1,'future':1,'magnesium':1,'iron':1,'arboreal':1,'starfishes':1,'hailstones':1,'proofread':1,'dusty':1,'anthropoid':2,'extracting':1,'manatees':1,'dust--that':1,'sea':1,'7a':1,'violets':1,'gate-posts':1,'modern':1,'mind':4,'lice':1,'bugs':1,'disguise--other':1,'gentle':1,'say':1,'have':4,'need':1,'vigorous':1,'fishes':1,'clearly':1,'relatively':1,'forced':1,'strength':1,'built':1,'-':1,'peculiarities':1,'also':8,'fitting':1,'internal':1,'take':1,'which':5,'deepening':1,'swims':1,'foot--an':1,'surfaces':1,'begin':1,'shallow':1,'lion':1,'though':2,'any':5,'proving':1,'who':1,'fishermen;':1,'falls':2,'creek':1,'most':5,'microbic':1,'eight':1,'printed':1,'nothing':1,'foothold':2,'measured':2,'why':4,'behaviour.':1,'mineral':1,'feminine':2,'mobile':2,'pulled':1,'backwards':1,'sometimes':5,'hungry':1,'absorbing':1,'solemn':1,'dissolved':1,'reflecting':1,'electrons':3,'punting':1,'hurled':1,'distinctive':1,'velocity':1,'europe.':1,'physics':1,'molluscs':1,'repeatedly':1,'precise':3,'saying':2,'permeable':1,'selection':1,'one-eighth':1,'show':1,'insects':3,'disappear.':1,'scattered':1,'fifty':2,'discovered':1,'bring':2,'attempts':1,'fiord':1,'seaweed':1,'carefully':2,'corner':2,'continually':1,'find':1,'slow.':1,'sea-snakes':1,'sharks':1,'nearer':1,'judgments':1,'quaint':1,'varied':1,'heavily':1,'grotesque':1,'gouging':1,'should':1,'surroundings':2,'only':4,'going':1,'black':1,'deepest':1,'molecules':4,'germs':1,'uppermost':1,'pegged':1,'rice':1,'local':1,'do':2,'his':5,'means':1,'beat':1,'tissues':1,'leisure':1,'famous':1,'explosively':1,'rest':1,'lighter':1,'swiftest':1,'combinations':1,'instinctive':1,'thomson':1,'dr':1,'falling':1,'endless':1,'birds.':1,'playful':1,'evolution':1,'progressive':1,'alacrity':1,'exactitude':1,'kidneys':1,'rowing':1,'mathematicians':1,'eyebrow':1,'segregating':1,'she':1,'quaternary':1,'eventually':3,'through':1,'fixed':1,'farther':3,'body':1,'bars':1,'official':1,'predicts':1,'seas':2,'intelligence':1,'radium':2,'bears':1,'bolivia.':1,'decided':1,'cenozoic':1,'sea-serpents':1,'snow-capped':1,'violet':2,'collects':1,'frequency':1,'pliocene':1,'best':1,'sameness':1,'pebbles':1,'closes':1,'combustion':1,'brave':1,'inequalities':1,'plasticity':2,'rugged':1,'pattern':2,'away':1,'trilobite':1,'stealthy':1,'gaseous.':1,'weapons':1,'north-west':2,'3':5,'mind.':1,'various':1,'gases':1,'closed':1,'between':2,'progress':1,'open-sea':1,'timber':1,'birds':4,'beasts':1,'crookes':1,'we':37,'men':1,'explosive':1,'parental':1,'importance':1,'sole':2,'industrious':1,'craters':2,'fishermen':1,'saturn':4,'death':3,'drew':1,'energy--may':1,'proterozoic':1,'invisible':3,'carbon':1,'carnivorous':1,'come':2,'bronze':1,'c':2,'enables':3,'cox':1,'mongol':1,'borneo':1,'according':2,'attributed':1,'sea-urchin':1,'became':2,'figures':1,'wringing':1,'everything.':1,'loose':1,'comes':1,'unconvincing':1,'wade':1,'stretches':1,'diversity.':1,'simple':3,'structure':2,'fitness':1,'ganymede':1,'america':1,'lake':1,'moreover':1,'extinct':1,'suppressing':1,'ether':1,'better':1,'steamships':1,'described':1,'raise':2,'one-celled':1,'travailing':3,'fro':2,'three':3,'been':1,'jerks':1,'immense':1,'willing':2,'slowly':1,'sponges':1,'likewise':1,'degrees':1,'herbage':2,'spacious':1,'6a':1,'caterpillars.':1,'partly':5,'success.':1,'lakelets':1,'turned':2,'conifers':1,'mammals.':1,'amphibians':2,'drainpipes':1,'made':3,'kids':1,'demand':1,'sifting--the':1,'worked':1,'left-handed':1,'food-canal':1,'mammals--with':1,'spain':1,'inconspicuous':2,'plants':3,'tide':1,'heavier':2,'uncertain':1,'caucasians':1,'frozen':1,'leave':1,'sex':1,'as':16,'morley':1,'air':1,'growth.':1,'calcium':1,'while':1,'lichen':1,'cannot':3,'many':11,'wild':1,'valleys':1,'voice':1,'toothed':1,'leaves':1,'at':6,'comets':2,'streams':1,'palings':1,'almost':2,'soil':1,'is':33,'thus':7,'it':79,'expenses':2,'weighed':1,'trilobites':1,'against':2,'knocks':1,'in':42,'beaver':1,'vanish':1,'currents':1,'if':13,'different':1,'feebler':1,'cools':1,'inquire':1,'muscle-cells':4,'granted':1,'bat':1,'fading':1,'cultivated':3,'unity':1,'complex':1,'grand':1,'vegetable':1,'joy.':1,'gorging':1,'engravings.':1,'day':1,'difficult':2,'development':1,'alertness.':1,'used':1,'see':2,'planting':1,'comprehensive':1,'blue-greens':1,'blue':2,'hotter':1,'drives':1,'flows':1,'hand':1,'director':1,'much':1,'moving':1,'purpose':1,'dark':3,'brussels':1,'timid':1,'climb':1,'warming':1,'cycle':1,'poultry':1,'race-continuing':1,'narrow':1,'off':1,'modes':1,'cliff-loving':1,'changes':2,'variety':1,'neptune':2,'without':4,'severe':1,'rome':1,'trains':1,'position':1,'the':357,'chemistry':2,'drawing':2,'heaps':1,'indigo':1,'birth':1,'just':2,'flesh':1,'being':1,'uranium':1,'licensed':1,'distribute':3,'adjusted':1,'actions':1,'disguise':1,'violent':1,'radio-activity':1,'distant':1,'circling':1,'human':3,'touch':1,'useful':1,'skill':1,'yet':11,'captured':1,'addresses':2,'migration':1,'superficial':2,'enters':1,'evolution.':1,'legitimately':1,'far-reaching':1,'had':2,'melanocetus':1,'undulating':1,'crocodiles':1,'lets':1,'potential':1,'4':2,'easy':1,'hind':1,'usage':1,'hydrosphere.':1,'has':3,'5a':1,'peanuts':1,'good-humoured':1,'australia':1,'rodents':1,'depends':2,'transitional':1,'bristle-tails':1,'babylonia':1,'discontinue':1,'absorptive':1,'regard':1,'early':1,'sparrows':1,'ultra-violet':1,'facial':1,'dreamt':1,'grape-sugar':1,'redistributing':1,'string':1,'apart':2,'loss':1,'phenomena':1,'tail':1,'stingless':1,'lost':1,'ill':1,'cooler':1,'beyond-blue':1,'reduces':1,'sizes':1,'tend':1,'loses':1,'harmonising':1,'donations':3,'electro-magnetic':1,'night':2,'nerves':1,'downward':1,'disorder':1,'dentition':2,'newton':1,'portuguese':1,'performing':1,'old':1,'often':8,'habitat':1,'scents.':1,'hair-like':1,'difficulties':1,'some':15,'back':3,'pacific':3,'mosquitoes':1,'ideals':1,'understood':1,'therein':1,'towards':1,'jupiter':2,'convex':1,'duration':1,'diving':2,'bruising':1,'recognition':1,'feeling':1,'einstein':1,'dimensions':1,'for':5,'broad':1,'ice':1,'moon':5,'when':13,'critical':1,'passion':1,'meaningful':1,'conquering':1,'starch':1,'27-1':1,'nose':1,'limitations':2,'be':1,'depressions':1,'novelties':1,'selecting':1,'combative':1,'lakes':1,'expansion':1,'pressure':1,'enregistering':1,'fullest':1,'although':2,'become':6,'drawn':3,'stows':1,'repair':1,'by':14,'hearing':2,'on':9,'mammoths':1,'energetically':1,'would':1,'branch-gripping':1,'temper':1,'reappear':2,'theirs':1,'moths':1,'side':1,'cockroaches':2,'whence':1,'spreads':1,'three-quarter':1,'piled':1,'little-changed':1,'gamma':3,'plan':1,'heavy':1,'rats':1,'baboons':1,'sea-grass':1,'trademark':1,'into':2,'good':1,'habituations':1,'intellectual':1,'negative':7,'chemists':2,'spinal':1,'everyone':3,'bats':2,'rapid':1,'sow':1,'formidable':1,'financial':1,'error':5,'cross-fertilisation':1,'mental':2,'arctic':2,'deep-violet':1,'sticklebacks':1,'expositor':1,'chrysanthemum':1,'well-developed':1,'flying':4,'vigour':1,'fast':1,'reflectors':1,'rushes':1,'mudstones':2,'bees':5,'caterpillars':1,'physicists':1,'stars':3,'spring':1,'molecular':1,'wonderfully':1,'was':3,'fish':1,'naturally':1,'endeavour.':1,'deepened':1,'form':4,'kittens':1,'mammals':14,'spirit':1,'magnetism':1,'analyse':1,'within':2,'wireless':1,'mysterious':1,'heat':5,'brain':1,'competition':1,'flexible':1,'fastened':1,'ear':1,'with':15,'eat':1,'he':14,'balancing':1,'pull':1,'swamp':1,'places':1,'whether':1,'dangerous':2,'two-spined':1,'hind-limbs':2,'social':2,'up':1,'sticklebacks.':1,'foresight':2,'placed':2,'growth':1,'those':4,'shape':1,'how':7,'acting':1,'distribution':2,'piece':1,'similar':5,'professor':3,'storing':2,'proud':1,'constant':2,'mimicry--the':1,'taste':1,'certain':1,'measure':1,'porcelain':1,'deep':1,'an':11,'proper':2,'female':1,'senses':1,'periods':2,'planets':1,'crystals':2,'domesticated':1,'are':16,'struggled':1,'again':1,'functions':1,'ancestors':1,'readjustments':1,'entirely':1,'charitable':1,'mantises':1,'thither':2,'power':1,'other':21,'5':1,'adventure':1,'holding':3,'becomes':1,'u':1,'you':4,'smell':1,'chemist':1,'horsetails':1,'gaining':1,'consequent':1,'formed':1,'ordovician':1,'accidental':1,'shelter':1,'uniformly':1,'inherently':1,'planarian':1,'runs':3,'walton':1,'insect':1,'marshes':1,'scores':1,'lasso':1,'stocks':1,'carries':1,'died':2,'began':5,'your':1,'independently':1,'breaks':2,'faster':1,'sperm-cells':3,'practically':3,'controlled':1,'dog':1,'mme':1,'persistent':1,'walked':1,'gorilla':2,'ensuring':1,'redivides;':1,'conveying':1,'time':1,'fresh':1,'indirectly':1,'chimpanzee--and':1,'4a':1},'sea-gooseberries':{'which':1},'spectroscope:':{'it':1},'froth':{'which':1},'silvanus':{'p':1},'ant':{'to':2,'the':1,'has':1,'where':1,'.':1},'spectroscope.':{'we':1},'fall.':{'we':1},'mates':{'.':1},'any':{'woodwork':1,'money':2,'alternative':1,'snout':1,'hint':1,'alternate':1,'had':1,'permanent':1,'very':1,'pigment':1,'provision':1,'day':1,'condition':1,'sufficiently':1,'bad':1,'inherent':1,'disclaimer':1,'nitrogenous':1,'people':1,'idea':1,'rate':2,'distributor':1,'living':2,'mud':1,'body':1,'scientific':1,'use':3,'understanding':1,'protection':1,'collection':1,'monkey':1,'on':1,'substance':3,'country':1,'length':1,'suggestion':1,'copper':1,'statements':1,'point':1,'character':1,'one':3,'learning':1,'fees':1,'quality':1,'given':1,'additional':1,'zoologist':1,'cooling':1,'way':3,'suit':1,'white':1,'waste':1,'type':1,'more':2,'files':1,'hydrosphere':1,'muscles':1,'corresponding':1,'statement':1,'form':1,'ordinary':1,'apparent':2,'direct':1,'part':2,'virtue':1,'particular':2,'copy':1,'case':8,'kind':4,'word':1,'hour':1,'work':2,'project':3,'record':1,'of':3,'age':1,'sense':1,'influence':1,'defect':1,'agent':1,'rigorous':1,'in':1,'binary':1,'angle':1,'member':1,'other':16,'you':1,'star':1,'trace':1,'rain':1,'purpose.':1,'moment':2,'purpose':1,'necessity':1,'conscious':1,'light':1,'colour':1,'person':1,'time':1,'representation':1,'volunteers':1,'irregularity':1},'confirmation':{'of':2},'transcription':{'errors':1},'ideas':{'and':4,'meant':1,'what':1,'of':8,'is':1,'when':1,'but':2,'.':4,'are':1,'in':3,';':1,'or':1},'form-resemblance':{'for':1},'sciences':{'study':1,'forcing':1},'emphasis':{'on':1},'mesohippus':{'about':1,';':1},'fracture':{'of':1},'thermometer':{'seem':1},'resembling':{'a':1,'in':1},'shafts.':{'then':1},'primaries':{'pr':1},'inky':{'darkness':1},'sure':{'on':1,'that':2,'of':1,'but':1,'.':2,'effectiveness':1},'multiple':{'of':1,'pedigree':1},'nebulae--the':{'birth':1},'azores':{'or':1},'indelible':{'stamp':2},'harmonious':{'mingling':1},'clearer':{'to':2},'falls':{'on':1,'about':1,'of':4,'obliquely':1,'as':1,'they':1,'the':2,'286':1,'more':1},'hincks':{'astronomy':1},'boiling':{'a':2,'of':1,'point.':1,'ocean':1},'donation':{'methods':1},'multiply':{'quickly':1},'cleared':{'off':1},'spectroscopist':{'is':1},'dried-up':{'and':1},'study.':{'i':1},'thigh-bone':{'and':2,'indicates':1},'considered':{'what':1,'opaque':1,'only':1,'.':2,'also':1,'as':1,'they':1,'by':1},'proud':{'as':1,'.':1,'that':1},'science.':{'these':1,'the':1,'bibliography':1,'it':1,'illustration':1},'hungry':{'sharp-eyed':1,'hermit-crabs':1,'animals':1,'eyes':1},'idea.':{'what':1},'vulgaris':{'200':1},'prout':{'suggested':1},'quantity':{'of':7,';':1,'.':2},'detective':{'story':1},'pans':{'of':1,'as':1},'permeable':{'materials':1,'so':1},'spaced':{'from':1,'with':1},'solar':{'atmosphere':1,'observer':1,'system.':4,'phenomena':2,'prominences':4,'eclipse':3,'system':34,'surface':1,'system--regions':1,'electrons':1,'envelope':1,'spectrum':3,'system--with':2,'tides':1},'radiation.':{'that':1},'inshore':{'waters':1},'hustler':{'given':1},'homology':{'essential':2},'protrusion':{'of':2},'gulf':{'was':1,'in':1},'richness':{'of':1},'gull':{'with':1},'written':{'a':1,'confirmation':1,'recently':1,'explanation':2,'.':1,'in':2,'with':1,'by':1},'crime':{'and':1},'double-breather':{'dipnoan':1,'showing':1},'wood':{'jones':1,'of':1,'or':3,'but':1},'believing':{'that':1},'dreaded':{'it':1},'lighted':{'gas':1},'closed':{'the':1,'with':1,'in':1},'ink-bags':{'are':1,'.':1},'masking':{'the':1,'for':1},'expectation':{'of':2},'space.':{'many':1,'the':1},'bolometer':{'which':1},'radiations':{'the':1,'he':1},'vive':{'ready':1},'space;':{'and':1},'antler':{'or':1},'telescopes.':{'telescopes':1},'reveal':{'to':1,'the':1,'his':1},'reality--the':{'life':1},'aluminum':{'in':1},'floods':{'to':1,'or':1,'of':1},'naked':{'eye':2,'with':1,'body.':1},'scots':{'name':1},'bison':{'and':2,'delicately':2,'above':1,'.':1},'big-brained':{'modernised':1,'skulls':1,'extremely':1,'chimpanzee':1},'pouch;':{'while':1},'fainter':{'of':1},'borings':{'might':1},'orioles':{'.':1},'discussing':{'telescopes':1,'.':1},'ignored':{'.':1},'beholding':{'they':1},'encourages':{'us':1},'foetal':{'membrane':1,'membranes':1},'stars--or':{'rather':1},'1920':{'in':1},'1921':{'attention':1,'176-177':1,'.':4,'in':2,'the':1,'meeting':1},'1922':{'by':1,'third':1,'sixth':1,'seventh':1,'ninth':1,'twelfth':1,'second':1,'eleventh':1,'fourth':1,'tenth':1,'eighth':1,'fifth':1},'disarranged':{'.':1},'enregistered.':{'in':1},'obliging':{'in':1},'collects':{'a':1,'pollen':1,'some':1},'violates':{'the':1},'encouraged':{'by':1},'surfaces':{'and':1,'hooky':1,'for':1,'of':2,'reflect':1,'in':1,'such':2},'fails':{'to':1},'invoked':{'to':1},'crystal':{'we':1,'between':1},'federal':{'tax':1,'laws':1},'subsequent':{'research':1,'eras':1,'stage':1},'birds--intelligence':{'co-operating':1},'weapons':{'and':1,'or':1},'north-west':{'australia':2},'outside':{'and':1,'we':1,'his':1,'scientific':1,'these':1,'of':2,'it':1,'himself':1,'influences':1,'our':1,'nothing':1,'world':2,'the':6},'ages.':{'illustration':1},'hiss':{'.':1},'crookes':{'and':1,'sir':1,'experimented':1,'talked':1,'tube.':1,'tube':1,'had':1,'preferred':1,'247':1,'used':1,'but':1,'in':1,'really':1,'tubes':1,'at':1},'multiplied':{'by':1},'tylor':{'e':1},'hundredth':{'but':1},'originated':{'a':1,'from':1,'by':1,'in':1},'one-mile':{'thickness':1},'densely':{'packed':1},'kea':{'or':1,'parrot':1},'multiplies':{'by':1,'in':1},'coma':{'berenices':2},'oxalic':{'acid':1},'cities':{'150':1,'because':1,'.':1,'to':1,'of':1},'come':{'and':1,'nearest':1,'into':4,'back':3,'in':2,'mysteriously':1,'out':2,'from':2,'for':1,'next':1,'to':13,'under':1,'more':1,'up-stream.':1,'presently':1,'nutritive':1,'those':1,'a':1,'about':2,'up':2,'together':3,'near':2,'.':1},'reaction':{'of':2,'between':1,'at':1,'or':1},'pests':{'were':1},'successes':{'but':1,'.':1},'primus':{'berry':1},'23':{'photo':2,'saturn':1,'1914':2,'000':1},'water-ouzel--a':{'bird':1},'quiet':{'upper':1,'unobtrusive':1},'contract':{'.':1,'except':1,'it':1},'energies':{'light':1},'berry':{'the':1},'equatorials':{'and':1,'.':1},'railway':{'siding':1,'trucks':1},'utterance':{'to':1},'surface.':{'this':1,'open-sea':1},'radio-activity':{';':1,'has':4,'we':1,'were':1},'afterwards':{'found':1,'recommence':1,'it':2,'words':1,'requires':1},'bricks':{'of':2,'out':1,'are':2,'each':1},'course.':{'this':1},'employee':{'of':1},'colony':{'of':10,'is':2,'.':1,'are':1,';':1,'south':1},'period':{'often':1,'is':2,'as':1,'including':1,'in':2,'before':2,'perhaps':1,'there':2,'when':1,'.':1,'peopling':1,'which':1,'reptiles':1,';':1,'has':1,'was':7,'we':2,'that':5,'rise':5,'during':1,'a':1,'land':1,'showed':1,'e.g':1,'of':16,'either':1,'through':1,'the':5,'90':1,'first':2},'6.':{'enregistered':1},'satisfaction':{'and':1,'in':1,'.':1},'61':{'diagram':1,'a':1},'62':{'feet':1,'inches':1},'64':{'from':1},'straws.':{'the':1},'67':{'miles':1,'000':2},'68':{'photo':1},'69':{'green':1,'reproduced':1,'proterospongia':1},'pod':{'.':1},'skeletons':{'of':5,'are':1},'noisy':{'with':1},'song-thrush':{'when':1,'takes':1},'blend':{'into':1},'pilgrims':{'for':1},'deposited':{'as':1,'in':1},'cords':{'stretched':1,'.':1},'hardly':{'even':1,'be':6,'needs':1,'necessary':2,'pauses':1,'conceive':1,'seems':1,'change':1,'imagine':1,'counts':1,'tenable':1,'inferior':1,'too':1},'500':{'pounds':1,'000':4,'to':1,'miles':1,'fathoms':3,'yards':1,'extinct':1,'deg':1},'501':{'c':2},'6a':{'hipparion':1},'direction':{'towards':1,'whereby':2,'that':1,'of':6,'is':1,'when':1,'.':2,'as':1,'contrary':1,'in':4,'taken':1,';':1},'forecloses':{'the':1},'robbed':{'of':1},'radiates':{'heat':1},'tiger':{'begins':1,'the':1},'implied':{'a':3,'getting':1,'many':1,'.':4,'including':1,'in':2,'an':3,'was':1,'warranties':1},'sea-horses':{'phyllopteryx':1},'eaters':{'in':1},'attentive':{'persistent':1},'squirrels':{'quickly':1,'which':1,'.':1},'robber':{'crab':1},'paying':{'any':1,'copyright':1},'specialised':{'member':1,'instincts':1},'caucasians':{'we':1,'include':1},'mount':{'on':1,'wilson':16,'hermon':2,'everest':1},'twigs':{'very':1},'life;':{'precise':1},'premature':{'to':1},'vegetation--an':{'awkward':1},'slippery':{'bridge':1},'life.':{'origin':1,'wallace':1,'similarly':1,'many':1,'there':1,'wherever':1,'it':1,'illustration':1,'sec':2,'they':1,'volunteers':1,'if':1},'mound':{'.':1},'hunts':{'small':1,'vigorously':1},'focussed':{'on':1},'trackless':{'waste':1},'another--to':{'pass':1},'person.':{'besides':1},'someone':{'not':1,'said':1},'anti-bodies':{'which':1},'unsounded':{'i.e':1},'uncatchable':{'in':1},'meals.':{'there':1},'helmet':{'or':1,'.':1},'revolutions':{'a':1,'round':1},'author':{':':1},'alphabet':{'of':2,'the':1},'granted':{'tax':1,'but':1},'skips':{'the':1,'about':1},'knowable':{'way':1},'motley':{'crowd--we':1,'into':1},'a-b.':{'newer':1},'buys':{'a':1},'implement.':{'on':1},'generated':{':':1},'status':{'of':2,'with':1,'by':1},'wall-like':{'formation':1},'males':{'six':1,'especially':1,'that':1},'disadvantages':{'for':1},'pays.':{'when':1},'nest':{'and':2,'or':2,'to':1,'else':1,'of':3,'into':1,'191':1,'.':2,'how':1,'while':1,'which':2,'in':5,';':1,'several':1,'with':2,'the':6,'is':1,'out':1},'insects.':{'whether':1,'mesozoic':1,'devonian':1},'tree-toad':{'whose':1},'drives':{'off':2},'weed':{'120':1,'.':1},'director':{'of':1,'gbnewby':1},'persons':{'bearing':1,';':1,'is':1},'arose':{'and':1,'what':1,'we':1,'.':1,'as':1,'races':1,'various':1,'the':3,'or':1},'changing':{'natural':1,'energy':1,'process':1,'colour':1,'conditions':1,'its':1},'implements':{'a':1,'instruments':1,'were':1,'or':1,'.':1},'marsh.':{'the':1,'six':1},'perennial':{'tendency':1},'safely':{'be':1,'away':1},'shift.':{'we':1},'magical':{'glass':1,'way':1},'without':{'saying':1,'seeing':1,'being':2,'intelligence':1,'ceasing.':1,'an':2,'as':1,'at':1,'further':1,'domesticated':1,'any':6,'heat--forms':1,'trying':1,'thinking':1,'there':1,'.':4,'doing':1,'charge':1,'much':1,'too':1,'fatiguing':1,'prominently':1,'reading':1,'measuring':1,'mentioning':1,'them':2,'committing':1,'permission':1,'sufficient':1,'significance':1,'noticing':1,'free':1,'heat':2,'a':3,'supposing':1,'disparagement':1,'complying':1,'trouble--an':1,'conspicuous':1,'sacrificing':1,'paying':2,'wide':1,'that':1,'getting':1,'stimulus':1,'this':1,'fertilisation':1,'the':7,'having':1},'model':{'of':2,'is':1,'by':4,'seen':1},'reward':{'and':1,'of':1},'bodies':{'and':1,'certain':1,'held':1,'are':3,'in':1,'whose':1,'would':1,'had':1,'.':1,'behave':1,'which':1,'has':1,'we':1,'dependent':1,'acquire':1,'but':1,'fall':1,'represented':1,'i.e':1,'with':1,'like':1,'considered':1,'of':2,'up':2,'the':2,'having':1},'justify':{'themselves':1,'the':2,'all':1},'clog':{'the':1},'when':{'and':1,'this':4,'all':1,'full-grown':1,'dealing':1,'it':34,'competition':1,'one':3,'appropriate':1,'jupiter':1,'something':1,'human':1,'in':2,'seen':1,'cold':2,'abundant':1,'its':1,'even':1,'compared':2,'to':1,'observing':1,'caught':2,'there':6,'young':2,'sunlight':1,'birds':2,'needed':1,'only':3,'bombarded':1,'sponges':1,'lizzie':1,'tens':1,'you':3,'he':9,'resting':1,'we':31,'his':1,'scientific':1,'parental':1,'liberated':1,'however':2,'atoms':1,'water':1,'moving':2,'two':2,'they':16,'put':1,'an':7,'with':1,'man':3,'a':19,'great':1,'revolved':1,'animals':1,'these':2,'of':1,'professor':1,'applied':1,'she':2,'baits':1,'enough':1,'small':1,'hot.':1,'the':82,'grass':1,'at':1},'guided':{'astronomers':1},'actions':{'and':4,'among':1,'show':1,'becoming':1,'but':1,'.':4,'cease':1,'are':1,'which':2,'living':1,';':1},'violent':{'and':1,'death':1,'end':3,'disturbances':1,'agitation':1,'motion':3,'discharge':1,'movement':1},'cease':{'to':1,'is':1,'in':1,'using':1},'anamnia':{'the':1},'mongoose':{'riki-tiki-tavi':1},'differentiation':{'of':1,'.':1},'polish':{'wife':1},'colonise':{'the':2},'captured':{'a':2,'arm':1,'for':1,'.':1},'blow':{'from':1},'gentleness':{';':1},'widest':{'and':1,'array':1,'variety':1},'hint':{'of':5},'--from':{'unicellular':1},'rose':{'and':1,'on':1,'above':1,'in':1},'favouring':{'certain':1,'the':1},'except':{'about':1,'for':3,'that':6,'electricity':1,'when':1,'in':8,'upon':1,'to':1,'as':1,'red':1,'violet':1,'the':7,'those':1,'man':1},'great.':{'illustration':1},'lets':{'it':1},'interested':{'in':1},'samples':{'of':1},'hind':{'part':1,'end':1,'.':1},'engulfed':{'.':1},'stagnant':{'lifeless':1},'nekton':{'and':1},'sociality':{'.':1},'men-of-war':{';':1},'kingdom':{'we':1,'of':1,'.':2,'not':1,'the':1,'where':1},'crustaceans':{'and':3,'lamp-shells':1,'insects':1,'insect':2,'can':1,'which':2,';':1},'confines':{'the':1},'action.':{'what':1},'confined':{'to':2,'so':1,'our':1},'characteristically':{'vital':1},'shore-haunts.':{'following':1},'accepted':{'theory':1,'that':1,'it':1,'but':1,'which':1,'in':1},'left-hand':{'photograph':2,'side':1},'acute':{'senses':1,'especially':1},'standstill':{'that':1},'particle':{'that':1,'of':8,'is':1,'which':1,'becomes':1,'was':1},'harmonising':{'the':1},'patrick':{'sheriff':1},'reduces':{'to':1,'friction':1},'multifarious':{'tasks':1},'sieves':{'with':1,'by':1},'sternly':{'regulated':1},'petrie':{'has':1},'donations':{'received':1,'from':2,'1':1,'to':4,'can':1,'in':2,'or':1,'are':2},'always':{'new.':1,'human':1,'being':1,'have':1,'in':5,'ring':1,'giving':1,'regarded':1,'had':1,'tend':1,'presents':1,'to':2,'setting':1,'black':1,'going':2,'receiving':1,'that':1,'clear-cut':1,'refused':1,'lives':1,'recognise':1,'put':1,'envelops':1,'aiming':1,'present':2,'a':1,'on':1,'turns':1,'or':1,'overlappings':1,'remain':1,'points':1,'so':1,'hobbled':1,'the':2,'think':1},'tower':{'above':1},'reduced':{'to':3,'the':1,'from':1,'for':1,'.':1},'burdens':{'of':1},'competition':{'e.g':1,'is':1,'but':1,'.':1,'in':1,'or':1},'deduce':{'more':1},'respect':{'most':1,'with':1},'oftener':{'than':1},'intact':{'ones':1},'leadbeater.':{'an':2},'chewing':{'a':1},'provided':{'to':1,'you':1,'that':1,'by':1,'in':1},'mood':{'at':1},'prolific':{'and':2,'multiplication':2,'early':1,'have':1,'though':1},'defenceless':{'weaponless':1},'legal':{'fees':2},'moon':{'and':4,'because':1,'exert':1,'28':1,'is':5,'newton':1,'it':1,'as':1,'at':2,'entering':2,'------':1,'32':1,'are':1,'passes':1,'from':1,'takes':1,'would':1,'began':1,'when':1,'.':15,'to':1,'of':1,'fig':1,'mars':1,';':1,':':1,'was':6,'split':1,'do':1,'we':1,'nearer':1,'may':1,'showing':1,'were':2,'took':1,'but':7,'crosses':2,'gets':1,'by':1,'partially':1,'has':2,'turns':1,'s':6,'act':1,'the':2,'makes':1,'farther':1},'depletion':{'of':1},'moot':{'point':1},'provides':{'the':3,'means':1},'out-side':{'influences':1},'freed':{'from':2},'lop-eared':{'forms':1},'ovaries':{'and':1},'nails':{'and':1,'in':1},'stereotyped':{'routine':1,'was':1,'bee':1},'communicate':{'some':1},'voracious':{'and':1,'insect':1},'journeyman':{'.':1},'resurrection':{'of':1},'affording':{'food':1,'most':1,'as':1},'on':{'all':1,'minced':1,'september':1,'isolated':1,'disguise':2,'through':1,'human':2,'earth':5,'its':31,'apace':1,'dividing':1,'true':1,'young':1,'better':1,'to':21,'board':2,'stable':1,'photographs':1,'brown':1,'them':3,'his':4,'around':1,'returning':1,'possible':1,'trees':2,'firmer':1,'sea-lettuce':1,'five':1,'probably':1,'radio-active':1,'one':5,'jupiter.':1,'evolution':3,'likeness':1,'january':1,'sufficiently':1,'sand':2,'each':5,'small':1,'them.':1,'entirely':1,'page':1,'saturn.':1,'transcribe':1,'some':4,'biology':1,'yerkes':2,'individual':1,'entering':1,'our':2,'special':1,'creatures':1,'what':1,'for':2,'god':1,'mars.':1,'ice':3,'various':1,'affecting':1,'progress':1,';':2,'receiving':1,'red':1,'can':1,'columbus':1,'wheat':2,'whose':1,'evolving':1,'atoms':1,'water':1,'by':3,'dry':4,'both':2,'backwards':1,'repeating':1,'leaves':1,'american':1,'islands':2,'passing':2,'or':1,'this':11,'striking':1,'hearing':1,'another':3,'einstein':1,'trust':1,'from':2,'her':3,'their':10,'top':1,'there':1,'two':1,'.':12,'183':1,'moisture':1,'mars':10,'until':1,'life':1,'clever':1,'that':3,'mammals':1,'exactly':1,'back':1,'bipedal':1,'with':1,'those':1,'must':1,'plants':2,'account':2,'these':4,'mount':2,'up':1,'air':2,'three':1,'under':1,'and':3,'withered':1,'gate-posts':1,'in':9,'surpassing':1,'slowing':1,'an':10,'protective':1,'planets':1,'further':1,'floating':1,'any':1,'different':3,'inborn':1,'wits':1,'radiation':1,'snow':1,'close-packed':1,'other':1,'sandy':2,'animal':1,'accumulating':1,'towards':1,'lanky':1,'it':8,'herbs':1,'itself.':1,'occasion':1,'such':1,'intrinsic':1,'parallel':1,'a':63,'land':6,'to-day':1,'decaying':1,'we':1,'which':18,'green':2,'every':4,'the':294,'berries':1,'again.':1},'beavers':{'who':1},'discussed':{'elsewhere.':1,'separately':1,'in':2},'chamberlin':{'and':1,'s':1,'says':2},'shrimp':{'net':1},'20417.zip':{'this':1},'whence':{'the':3,'man':1,'is':2,'they':2,'he':1},'stop.':{'illustration':1},'stand':{'in':1,'out':1,'alone.':1},'prism--a':{'triangular-shaped':1},'discrimination':{'of':1,'with':1,'between':1},'gregory':{'b':1},'investigators':{'professor':1,'.':1},'or':{'partial':1,'suns':1,'four':3,'nursery':1,'go':2,'layers':1,'brackish':1,'hunting':2,'electricity':1,'unenforceability':1,'young':2,'to':10,'under':1,'teaching':1,'division':1,'devonian':1,'fall':1,'animals':2,'whirlpools':1,'elevations':1,'squids':1,'alevins':1,'redistribute':1,'corpuscles':1,'clouds':1,'die':1,'frozen':1,'glaciations':1,'greenish':1,'small':1,'mammal':1,'autotomy.':1,'caries':1,'upper':1,'frog-mouth':1,'pass':2,'further':1,'even':16,'what':1,'adds':1,'fitnesses':1,'pipes':1,'paddle':1,'access':1,'above':1,'new':3,'thereabouts':1,'movement':1,'segmentation':1,'men':1,'water':1,'protection':1,'along':1,'extreme':1,'sending':1,'thirty':2,'brilliant':1,'wherever':1,'experience':1,'patagium':1,'formation':1,'threes':1,'feelings':1,'semang':1,'total':1,'herring':1,'tertiary':1,'engrain':1,'use':2,'from':5,'two':4,'distributing':3,'almost':2,'more':8,'becomes':1,'envelope':1,'about':1,'train':1,'rabbit':1,'breach':1,'glad':1,'must':1,'flagellum':1,'strain':1,'averaged':1,'can':1,'nothing.':1,'marble':1,'mud-fishes':1,'proprietary':1,'brown':1,'pulling':1,'something':1,'serum':1,'axis':1,'disappearing.':1,'six':3,'chemical':2,'how':2,'fourth':1,'re-use':2,'stock':1,'gonads':1,'communicating':2,'after':3,'eighty':1,'mankind':1,'a':33,'elusive':1,'light':2,'hypotheses':1,'coal':2,'so':4,'deterioration':1,'playing':1,'foetal':1,'refund':3,'sperm-cell':1,'evolutionary':1,'self-destructively':1,'rottenness':1,'double-breather':1,'hypertext':1,'years':1,'lumpsucker':1,'secondaries':1,'pterodactyls':2,'group':1,'lateral':1,'destroyed':2,'animal':1,'pglaf':1,'repulsive':1,'they':1,'weeds':1,'not':2,'detach':1,'adventurous':1,'bubbles.':1,'magnitude':1,'fitness':1,'beneath':1,'mental':1,'agriculture':1,'out':1,'dying':1,'cause':1,'alevin':1,'shut':1,'approached':1,'siege':1,'eternal':1,'rotifer':1,'duck-billed':3,'telescopes':1,'nebulae':1,'rearrangements':1,'wanderers':1,'audacity':1,'disturbed':1,'lemurs':1,'stone':1,'unborn':1,'zoophyte':3,'south':1,'emotion':1,'blown':1,'another':1,'flagella':1,'foraminifera':2,'monkey':1,'pelagic':1,'anyone':1,'their':2,'185':1,'white':1,'muscles':1,'immediate':1,'sea-scorpions':1,'egg-producer':1,'patches':1,'meteors':1,'grey':1,'actively':1,'iron':1,'were':1,'providing':2,'sea-gooseberries':1,'chrysalis':1,'shell':2,'have':2,'cleverness':1,'organs':1,'any':9,'built':1,'lumps':1,'camouflage':1,'gunnel':1,'take':1,'online':3,'destroy':2,'spawns':1,'primaries':1,'easygoing':1,'centres':2,'breaking':1,'invertebrate':1,'successive':1,'measured':1,'darkness':1,'sea-butterflies':1,'nostrils':1,'later':3,'dissolved':1,'electrons':1,'salt':1,'planetary':1,'distributed:':1,'nest-building':1,'bright':1,'archimedes':1,'seaweed':1,'entity':3,'find':1,'only':3,'wood':1,'black':1,'employee':1,'shepherding':1,'fossil':1,'get':1,'eel-fare':1,'fronds':1,'cannot':1,'preparing':1,'instinctive':2,'primates':1,'stone.':1,'devoured':1,'amid':1,'parasitic':1,'remove':1,'twice':1,'steam':1,'kernel':1,'seventeen':1,'ebb':1,'intelligence':1,'testing':1,'computer':1,'are':2,'corrupt':1,'eoliths':1,'federal':1,'away':1,'rings':1,'waltzing':1,'its':1,'weapons':1,'mud':1,'between':1,'nestor':1,'across':1,'deletions':1,'incarnation':1,'creating':2,'sole':1,'podargus':2,'invisible':2,'1.e.9.':2,'sperm-producer':1,'many':3,'region':1,'water-ouzel--a':1,'strains':2,'expense':1,'expression':1,'experimental':1,'mutating':1,'among':1,'adjusted':1,'mutations':3,'whatever':1,'extinct':2,'late':1,'gregarious.':1,'one-celled':1,'create':1,'three':5,'protoplasm':1,'thrice':1,'rather':1,'general':1,'else':1,'elvers':1,'homes':1,'solid':1,'dendrites':1,'replaced':1,'argonaut':1,'wild':2,'layer':1,'diaphragm':1,'is':1,'squid':2,'it':5,'cluster':1,'to-morrow':1,'anti-bodies':1,'in':14,'if':1,'damaged':1,'perhaps':1,'cromagnard':3,'shorter':1,'dermis':1,'double-breathers':1,'big':1,'mud-skipper':2,'prominences':1,'foam':1,'infinite':1,'staving':1,'reflection':1,'charges':4,'well':1,'command':2,'comes':1,'mother':2,'the':23,'left':1,'less':14,'cromagnards':1,'distribute':2,'egg-cell':1,'obtain':1,'fishing':1,'anamnia':1,'multiples':1,'vibration':1,'absorption':1,'killed':1,'dipper':1,'irresponsive':1,'humanity':1,'photographed':1,'tracheae':1,'early':1,'possibly':1,'gyrating':1,'five':2,'using':1,'modifications':1,'appearing':1,'feral':2,'post-glacial':2,'incidental':1,'eel':1,'vortex':1,'ctenophores':1,'often':1,'crown':1,'dead':1,'sponge':1,'indirect':1,'bruising':1,'for':2,'memories':1,'does':1,'glacial':1,'disproved--e.g':1,'enregistering':1,'by':10,'on':5,'limitation':3,'chaff':1,'central':1,'of':11,'20417.zip':1,'octopus':2,'sea-grass':1,'down':1,'because':3,'determine':1,'protozoa':1,'additions':1,'her':1,'camouflaging':2,'incipient':1,'sneezing':1,'was':2,'pinna':1,'some':3,'amongst':1,'heat':1,'shoulder-blade':1,'trying':1,'with':3,'whether':1,'dangerous':1,'variations':2,'frugivorous':1,'associated':1,'taste':1,'an':3,'as':3,'furl':1,'again':1,'dimly':1,'inborn':1,'when':3,'other':8,'dies':1,'casque':1,'nucleus':2,'pycnogon':1,'sneeze':1,'vice':1,'vehicles':1,'implied':1,'indirectly':3},'amber':{'trade':1},'cambridge':{'university':1,'manual':1,'.':3},'columbia.':{'the':1,'fig':1},'communication':{'that':1,'between':2},'charts':{'we':1},'spinal':{'canal':1,'cord':4},'clams':{'in':1},'accounts':{'for':1},'determine':{'the':3,'what':1,'survival':1},'cro-magnon':{'in':1},'speculated':{'on':1},'theoretically':{'a':1,'that':1},'buds':{'out':1},'pycnogon':{'walking':1},'whales':{'and':1,'great':1,'.':1,'which':1,'largely':1},'distinctions':{'except':1},'strictly':{'marine':1},'there':{'and':1,'emerge':1,'exists':2,'being':1,'had':4,'is':259,'191':1,'results':2,'one':1,'diverged':2,'are':142,'have':7,'in':3,'.':5,'any':2,'seemed':1,'emerges':1,'rises':1,'appear':1,'would':2,'seems':7,'been':2,'actually':1,'may':10,'only':1,'other':1,'probably':2,';':1,'has':12,'was':42,'ought':1,'be':1,'life':2,'an':1,'intervened':1,'some':1,'took':1,'illustration':1,'soon':1,'depressing':1,'cannot':1,'lives':1,'arose':2,'they':1,'not':5,'now':1,'comes':1,'depended':1,'a':3,'on':1,'are.':1,'should':3,'could':2,'will':5,'remain':2,'must':7,'can':11,'evolved':4,'were':26,'the':1,'might':1,'makes':1,'came':3},'disposed':{'to':2},'dispersion':{'is':3,'can':1},'strict':{'liability':1,'sense':3},'world--weighs':{'nearly':1},'house':{'of':1,'.':2,'to':1,'against':1,'on':1},'macaques':{'and':1,'the':1},'fish':{'and':2,'is':4,'it':2,'117':1,'at':1,'118':1,'firmly':1,'takes':1,'lizards':1,'flying':1,'when':1,'.':2,'to':2,'which':4,'probably':1,'has':1,'arges':1,'stock':1,'that':1,'ceratodus':1,'chiasmodon':2,'with':2,'like':1,'of':1,'larger':1,'grows':1,'the':3,'male':1,'makes':1,'called':1},'eoanthropus':{'expresses':1},'relic':{'of':3,'were':1},'kittens':{'or':1},'account.':{'since':1},'troubles.':{'another':1},'amongst':{'fishes':1,'the':8,'themselves':1,'them':1,'all':1},'instrument.':{'a':1},'strenuous':{'life.':1,'life':3,'conditions':1,'time':2},'promote':{'variability':1},'faster':{'and':1,'than':4,'.':2},'applying':{'severe':1},'bullet':{'and':1,'thirty':1,'leaves':1,'illustration':1,'one':1,'itself':1,'does':1,'the':1},'multiplicity':{'.':1},'electroscope':{'is':1},'centenarian':{'tortoise':1},'grasp':{'begins':1,'probably':1,'the':1,'an':1},'grass':{'and':2,'gathering':1,'forming':1,'the':1,'was':1,'he':1},'creeping':{'of':1,'about':1,'upwards':1},'strongly':{'developed':1,'illumined':1},'accentuated':{'by':1},'words:':{'bone':1},'stock.':{'every':1},'taste':{'do':1,'may':1,'of':1,'seems':1,'which':1,'in':1},'yacht':{'and':1},'lingula':{'of':1},'tactics--self-effacement':{'on':1},'britain':{'and':2,'do':1,'we':1,'just':1,'it':1,'has':1,'having':1},'curly-or':{'wavy-haired':1},'diverged':{'far':1,'the':2,'from':1},'orchards':{'descended':1},'corresponding':{'ratio':1,'magnetic':1,'to':10,'bright':1,'stages':1,'hump':1},'russel':{'wallace':1},'operation':{'of':1,'to-day':1},'collared':{'lashed':1},'deserve':{'for':1},'discerned':{'in':1},'shore-haunt':{'and':2,'littoral':1,'as':1,'are':1,'exhibits':1},'compel':{'the':1},'erecting':{'standing':1},'spring-tails':{'and':1},'blackish-grey':{'.':1},'f.z.s.':{'seasonal':1,'professor':1,'banded':1,'rock':1,'the':3,'woodpecker':1},'meteorites--pieces':{'of':1},'cock-pigeon':{'very':1},'deviation':{'it':1},'briefly':{'the':1,'discussed':1,'outline':1},'separate':{'and':1,'animals':1,'study.':1,'engines':1,'tuft':1,'whirling':1,'off':1,'entity':1,'universes--':1,'threads':1,'molecules':1,'existence':1,'genus':1},'manipulate':{'puzzle-boxes':1},'symbol':{'of':1},'carnegie':{'institution':2},'includes':{'not':1,'information':1,'all':2,'thousands':1,'the':2},'gutenberg':{'web':1,'associated':1,'license':3,'is':3,'ebook':4,'literary':13,'are':1,'you':1,'volunteers':1,'appears':1},'nucleus':{'and':2,'then':1,'we':1,'gr':1,'rather':1,'of':5,'is':1,'but':1,'.':4,'to':1,'are':1,'in':1,'into':1,';':1,'has':1,'or':3},'recognise':{'a':1,'both':1,'them':1,'that':1,'these':1,'an':1,'as':2,'progress':1,'the':6,'accessory':1},'fasten':{'themselves':1},'included':{'a':1,'was':1,'with':2,'.':2,'in':2,'the':1,'has':1,'numerous':1},'stocks':{'began.':1,'of':3,'began':1,'within':1,'it':1,'but':1},'irretraceable':{'course.':1},'bustard.':{'such':1},'atromaculatus':{'121':1,'in':1},'missed':{';':1},'meadow':{'it':1},'bilateral':{'symmetry.':1,'symmetry':2},'calls':{'of':1,'the':3,'it':1,'adaptive':1},'wife':{'took':1},'splendour.':{'they':1},'environment.':{'1':1,'sec':1},'eighty-odd':{'chemical':2},'migrated':{'to':1,'from':2},'all':{'opinions':1,'over':3,'mending':1,'four':1,'thoughtful':1,'through':3,'its':2,'except':2,'monkeys':1,'forms':1,'to':3,'only':1,'reptiles':2,'easy':1,'circle':1,'his':5,'liability':2,'they':1,'day':2,'processes':1,'50':1,'these':6,'works':1,'cells':1,'mean':1,'angles--that':1,'because':1,'energy':1,'hard':1,'phenomena':1,'are':1,'our':3,'shoots':1,'enemies':1,'respects':1,'space':1,'access':1,'outside':1,';':3,'be':1,'we':1,'scientific':1,'here':1,'atoms':2,'magnetism':2,'directions.':1,'members':1,'clues':1,'directions':3,'along':1,'likelihood':3,'things.':1,'mingled':1,'of':7,'round':3,'speeds':1,'probability':2,'point':1,'three':1,'chemists':1,'references':2,'sounds':1,'use':1,'her':1,'flying':1,'copies':2,'.':7,'scions':1,'conceivable':1,'molecular':2,'was':1,'life':2,'that':3,'but':2,'cases':2,'white':3,'those':2,'inconspicuous':1,'animals':2,'this':4,'originally':2,'appearance':2,'air':1,'matter':7,'were':1,'meet':1,'stages':2,'at':2,'and':1,'associated':1,'sorts':6,'is':3,'modern':2,'it':1,'as':1,'manner':1,'walks':1,'perhaps':3,'things':4,'make':1,'when':2,'detail':1,'how':1,'other':1,'which':1,'creatures':1,'higher':2,'kinds':1,'moving':2,'such':1,'in':2,'attaining':1,'time':1,'the':81,'bodies':2},'lack':{'of':2},'muscle-fibres':{'grow':1,'in':1},'son.':{'the':1,'alsatian':1},'seals':{'and':1,'.':1},'light-waves':{'and':1,'into':1,'.':2,'are':1,'which':1,'the':2},'disc':{'and':1,'for':1,'of':4,'.':2,'eight':1,'was':1},'dish':{'and':1},'follow':{'sir':1,'that':1,'it':1,'however':1,'till':1,'the':4,'with':1,'their':1},'disk':{'or':1},'decisions':{'were':1},'synthetic':{'chemists':2,'chemist':1},'glimpse':{'of':8,'the':1,'in':1},'deliberateness':{'and':1,'.':1},'meteorites--a':{'great':1},'subjected':{'.':1},'extraneous':{'source':1},'presentation':{'of':1},'tethered':{'on':1},'activities':{'and':1,'influenced':1,'may':1,'of':1,'.':1,'implying':1,'as':1},'belonging':{'to':1},'means--light':{'without':1},'worse':{'to':1,'for':1,'.':1},'devonian':{'a':1,'age':1,'period':4,'seas.':1,'lung-fishes':1,'foot-print':1,'the':1,'red':1},'song':{'of':1},'infringement':{'a':1},'combustible':{'material':1},'educative':{'process':1},'induce':{'fresh':1},'psychologist':{'whom':1},'sons':{'new':1,'first':1},'fan':{'or':1,'like':1,'by':1},'hatching':{';':1,'out':2,'.':1},'awful':{'possibility--involution':1},'time--wherein':{'to':1},'soles':{'with':1},'rhodeus':{'amarus':2},'corpuscles':{'and':1,'called':1,'form':1,'.':1},'morley':{'tried':1},'stimulus':{'almost':1,'of':1,'.':1,'travels':1,'to':2,'such':1},'eye-sockets':{'the':1},'list':{'may':1,'of':3,'is':1,'to':1},'prolonged':{'training':1,'period':1,'ice':1,'youthfulness':1,'ante-natal':1,'the':1,'trying':1,'drought':2,'exposure':1},'rods.':{'2':1},'indemnity':{'-':1},'familiarly':{'seen':1},'dexterity':{'and':1,'until':1,'besides':1,'.':1},'lightner':{'witmer.':1},'rats':{'and':4,'learn':1},'depths.':{'a':1,'illustration':1},'ten':{'and':1,'pounds':3,'of':1,'thousand':3,'times':1,'hours':2,'to':1,'straws':1,'unseen':1,'moons':1,'hours--a':1,'our':1,'years':1,'minutes':2},'foreground':{'holding':1},'fringing':{'the':1,'teeth':1},'tea':{'or':1},'reins':{'at':1,'in':1},'breakers':{'.':1},'000-50':{'000':1},'rate':{'a':1,'from':2,'that':1,'of':15,'which':1,'than':1},'invention':{'and':1,'of':1,'.':1,'first':1,'that':1},'1904-5':{'in':1},'s-beak':{'jaws':1},'functioning':{'properly':1,'throughout':1,'.':1},'remarkably':{'representative':1},'toe.':{'illustration':1},'paralyse':{'and':1},'babylonia':{'egypt':1,'greece':1},'what':{'origin':1,'this':3,'all':1,'right':1,'followed':3,'is':49,'it':4,'evidence':1,'are':10,'in':1,'peter':1,'causes':1,'before':1,'happens':2,'sir':1,'would':1,'matter':1,'electricity':1,'agency':1,'does':1,'goes':2,'resulted':1,'new':1,'you':1,'has':4,'might':5,'energy':1,'crookes':1,'sort':1,'then':2,'we':20,'elements':2,'electric':1,'may':5,'mammals':1,'of':1,'looks':2,'took':1,'mimics':1,'heat':1,'fruit':1,'mankind':1,'they':9,'satellites':1,'an':1,'come':1,'appears':1,'those':1,'man':1,'a':7,'great':1,'animals':1,'these':1,'was':8,'professor':1,'osborn':1,'more':1,'she':2,'were':1,'happened':1,'about':1,'the':18,'gives':1,'makes':1,'could':1,'bond':1},'necessary.':{'a':1},'imported':{'from':1},'advantageous':{'to':1,'than':1,'power':1,'for':1},'sun':{'and':22,'compare':1,'already':1,'often':1,'produces':1,'is':20,'in':5,'constitute':1,'ceased':1,'as':3,'itself':2,'sec':1,'looks':1,'uranus':1,'year':1,'------':1,'our':1,'are':2,'before':1,'mercury':1,'passes':1,'from':1,'would':5,'seems':1,'.':23,'to':4,'must':2,'without':1,'which':4,'dying':2,';':1,'has':4,'was':2,'into':1,'photographed':2,'we':4,'goes':1,'that':4,'may':1,'forming':1,'obscures':1,'however':1,'but':2,'cannot':1,'every':1,'here':1,'somewhat':1,'not':1,'with':2,'nearly':1,'like':2,'a':1,'whose':1,'19':1,'18':1,'could':1,'sweeps':1,'or':1,'s':35,'became':1,'flame':1,'can':1,'have':1,'were':2,'at':2,'the':7,'called':1,'thanks':1},'sum':{'up':1},'ticks':{'of':1},'crust':{'and':2,'of':3,'.':3,'brought':1,'has':1,'with':2,'by':1},'brief':{'moments':1,'outline':1},'version':{'posted':1},'for--may':{'have':1},'maze--which':{'they':1},'discern':{'the':2,'that':1},'heat-measuring':{'instrument':1},'cheetahs':{'or':2,'occur':1},'segmentation':{'of':1},'toes':{'and':1,'a':1,'scrambling':1,'form':1,'shorten':1,'.':3,'as':1},'tags':{'of':2},'ceratodus':{'which':1},'berthelot':{'that':1},'behaviour':{'and':2,'show':1,'is':5,'reaches':1,'depends':1,'sec':1,'are':1,'had':1,'.':8,'may':3,'which':6,'was':1,'we':1,'that':1,'very':1,'but':2,'diagram':1,'76':1,'on':1,'both':1,'of':15,'without':2},'inverse':{'ratio':1,'order':1},'compressed':{'body':1,'marked':1},'directions':{'and':1,'becoming':1,'within':1,'.':3,'as':1,'indicative':1,'at':2,';':1},'steamships':{'to':1},'observing':{'carefully':1,'all':1,'the':1},'water-shed':{'to':1},'chlorophyll-possessing':{'plants':1},'29.46':{'73000':1},'difficulty':{'of':1,'is':1,'about':1,'in':3},'1843':{'had':1},'1842':{'.':1},'allows':{'life':1,'for':1},'1845':{'of':1},'miniature':{'frogs':1,'solar':1,'.':1},'extremes':{'of':1,'are':1,'to':1},'reshufflings':{'or':1},'m.f.':{'near':1},'2163':{'--':1},'cataract':{'gives':1},'sticking':{'out':3},'disposition':{'taking':1},'suddenly':{'seized':1,'fired':1,'attacked':1,'this':1,'lights':1,'into':1,'perceive':1,'being':1,'so':1,'in':1,'rising':1},'semites':{'nordics':1},'bathers':{'are':1},'screens':{'in':1},'mme':{'.':1},'color':{'of':1},'1908':{'33':2,'notice':1,'the':1},'rainbow-tinted':{'colours':1},'know.':{'the':1},'1907':{'by':2},'coatings':{'is':1},'1905':{'22':1,'illustration':1},'herring':{'and':1,'illustrations':1,'the':1,'family':1,'would':1},'1900':{'by':1,'that':1},'1901':{'but':1},'unthinkably':{'long':1},'pervades':{'everything--so':1},'proceed':{'to':1,'from':2,'at':1},'degree.':{'until':1},'faint':{'and':2,'indications':1,'star':1,'.':1,'to':2,'impressions':1,'or':1},'unthinkable':{'on':1},'minor':{'chapter':2,'invasions':1,'alterations':1,'ones':1,'idiosyncrasies':1,'speculated':1},'horses':{'and':5,'a':1,'or':1},'flat':{'forehead':1,'on':2,'as':1,'spider':1,'skull':1},'darting':{'hither':1},'knows':{'his':1,'for':1,'that':1,'of':1,'but':2,'to':1,'only':1,'how':1,'the':1,'monkeys':1},'light-years':{'polaris':1},'definition':{'is':1},'coating':{'and':1},'text.':{'illustration':3},'screen.':{'the':1,'now':1},'flit':{'by':1},'stick':{'might':1,'with':1,'so':1,'to':1,'it':1},'known':{'and':5,'sources':1,'as':10,'human':1,'in':2,'from':1,'excepting':1,'approximately':1,'.':4,'bird--evidences':1,'to':15,'only':2,'easy':1,'between':1,'bird--too':1,':':1,'type':1,'bird':4,'then':1,'that':4,'but':2,'atom':1,'predecessors':2,'on':1,'about':2,'attempt':1,'of':3,'amphibian':1,'the':1,'fact':1},'glad':{'to':1},'presumed':{'evolution':1},'primate':{'stem':2,'stock':2},'sense-presentation':{'and':1},'lung-fish':{'inside':1},'v':{'the':1,'.':2},'--jupiter':{'and':1},'excursion':{'in':1},'tennis':{'ball.':1},'computers':{'including':1,'.':1},'hormones--itself':{'of':1},'brown':{'and':2,'plants':1,'that':1,'colour':1,'variety':1,'box':1,'bear':3,'plumage':1,'ones':2,'seaweed':1,'in':1,'variable':1,';':1,'on':1,'stoat':1},'bright--the':{'light':1},'joints':{'in':1},'locating':{'sounds':1},'abandonment':{'of':1},'moorhens':{'was':1,'which':1},'protects':{'its':1},'imitation':{'counts':1,'so':1,'two':1,'but':1,'.':1},'arise':{'mysteriously':1,'from':3,'take':2,'directly':1},'pond':{'and':3,'of':1,'is':1,'it':1,'to':1,'nor':1},'air-dome':{'.':1},'mother-of-pearl':{'or':1},'terrestrial':{'plants':2,'mountains':1,'life':3,'animals':3,'rather':1,'support':1,'haunt':2,'standards':1,'dinosaurs':1,'journeyman':1,'animal':3,'backboned':1,'dragons':2},'influenced':{'all':1,'by':4},'court':{'maze':2,'maze--which':1},'goal':{'is':1},'unavailable.':{'what':1,'the':1},'breaking':{'on':2,'up':3,'down':5,'diverse':2,'down.':1,'the':1},'84.02':{'31900':1},'occasionally':{'with':1,'however':1,'in':1},'influences':{'such':1,'shutting':1,'from':1,'they':1},'extinguished':{'at':1},'shoulder-blade':{';':1},'hers.':{'illustration':1},'mould':{'so':1,'opening':1},'simplicity':{'and':1,'of':1},'sea-squirt':{'and':1},'orbits':{'.':1,'with':1,'at':1,'round':1},'trial-and-error':{'method':1,'methods':1},'twenty-thousandth':{'of':1},'moult':{'and':2},'pupae':{'tend':1,'less':1},'adventure':{'and':1,'the':1,'which':4,'.':1},'infects':{'him':1},'prospecting':{'for':1,'in':1},'concentrating':{'always':1},'profited':{'by':1},'dissolving':{'out':1},'short':{'a':1,'summer':1,'we':1,'and':2,'stump-like':1,'of':1,'powerful':1,'tail':1,'lists':1,'.':1,'list':1,'length':1,'folk':1,'words':1,'time':7,'the':1,'sojourn':1,'excursion':1,'to':1,'distance':3},'chiefly':{'on':1,'used':1,'from':1,'of':1,'through':1,'in':2,'sounds':1,'with':1},'dispersion--that':{'is':1},'prefers':{'a':1},'life-histories':{'and':1,'of':1},'departure':{'of':1,'in':1},'height':{'and':1,'of':8,'.':1,'so':1,'in':1,'the':1,'was':1},'shore':{'and':2,'area.':1,'is':4,'scene':1,'inland':1,'1921':1,'as':1,'starfishes':1,'at':1,'in':1,'.':3,'to':1,'varies':1,'hatch':1,';':1,'life':1,'seaweeds':1,'but':1,'they':1,'others':1,'come':1,'must':1,'animals':2,'of':9,'according':1,'the':1,'something':1},'conjugal':{'affection.':1},'kippax':{'call':1},'shade':{'of':2},'iron-mines':{'saturated':1},'encased':{'in':2},'plaice':{'and':2,'or':1},'indebted':{'climatic':1},'september':{'of':1,'1922':1,'29':2,'7':1},'developed':{'and':1,'on':1,'from':1,'for':1,'is':1,'except':1,'vocal':1,'.':3,'through':1,'collar-bone':1,'in':1,'along':1,'striped':1,'than':1,'more':1},'universals.':{'intelligent':1},'mission':{'of':4},'cross':{'upon':1,'x':1,'with':1,'was':1,'from':1},'gauged':{'from':1},'unfitting':{'that':1},'scientist':{'galileo':1,'is':1},'concentric':{'regions':1,'lines':1},'emphasized':{'by':1},'thirtieth':{'case':1,'forty':1},'variability--evolution':{'of':1},'style':{'.':2},'forwards':{'as':1,'for':1},'call':{'radio-activity':1,'magnetic':1,'mind':1,'life':2,'as':1,'electrons.':1,'our':2,'living':1,'gravitation':1,'them--or':1,'electro-magnetic':1,';':1,'into':2,'nebulae.':1,'neolithic':1,'himself':1,'them--which':1,'it':1,'helping':1,'them':1,'white.':1,'canals':1,'white':2,'a':2,'light':1,'ozone':1,'of':1,'the':4,'perceptual':1,'reason.':1},'susceptible':{'to':1},'fairbanks':{'ak':1},'example.':{'the':1},'obscure--sometimes':{'environmental':1},'harmless':{'from':1,'snakes':1},'strange':{'animals':2,'animal':1,'amalgams':1,'nest':1,'rings':1,'state':1,'to':2,'as':1,'objects':1,'colouring':1,'lowly':1,'spectacle':1,'creations':1,'conditions':1},'combination-boxes':{'where':1},'non-plastic':{'efficiency':1},'partitions':{'se':1},'might':{'on':1,'be':17,'almost':1,'injure':1,'speak':1,'see':1,'therefore':1,'have':2,'take':2,'happen':1,'hasten':1,'think':1,'possess':1},'alter':{'the':2},'pre-human':{'ape-man':1,'ancestor':1,'ancestors':1,'pedigree':1},'return':{'and':2,'from':1,'later':1,'to':10,'as':1,'the':1,'or':2},'sucking':{'tongue':1},'alighting':{'only':1},'hunter':{'with':1},'chalones':{'which':1},'2.--the':{'milky':1},'communities':{'and':1},'hunted':{'out':1},'adventurous':{'and':1,'life-history':1,'experiment':1,'worms':1},'bigger':{'and':1,'than':2},'instructions':{'to':1},'subtler':{'demands':1},'intricacy':{'of':1},'bolts':{'and':1},'mastered':{'the':1,'so':1,'.':1},'man':{'all':1,'over':1,'discovered':1,'whose':3,'had':3,'except':1,'forms':1,'to':3,'has':9,'noticing':1,'coloured':1,'represents':1,'did':1,'found':1,'photographically':1,'works':1,'bone':1,'often':1,'past':1,'homo':2,'sec':1,'are':2,'thinks':1,'established':1,'plays':1,'stands':2,'since':1,'does':2,'got':1,';':2,'we':2,'sprang':1,'alone':2,'appears':1,'on':2,'would':1,'of':12,'could':1,'s':48,'or':4,'first':1,'appeared':1,'171':1,'asks':1,'.':18,'too':1,':':2,'was':4,'himself':2,'knows':1,'that':1,'exterminated':1,'took':1,'but':2,'to-day':1,'167':1,'with':3,'161':1,'he':1,'plants':1,'grew':1,'these':1,'type':1,'will':2,'values':1,'were':2,'and':22,'153':1,'type.':1,'157':1,'is':11,'it':1,'an':1,'reconstructed':1,'as':2,'lived':1,'have':1,'in':5,'saw':1,'occur':1,'perhaps':2,'interferes':1,'1':1,'how':1,'a-b.':1,'interfered':1,'pursues':1,'nearer':1,'may':1,'preceding':2,'who':3,'prepared':1,'73':1,'included':1,'man':1,'a':1,'off':2,'pithecanthropus':1,'m':1,'the':7,'possesses':1,'came':1},'inherent':{'biological':1},'difficult':{'chapter':1,'on':1,'word':1,'for':3,'of':1,'question':1,'theories':1,'environment':1,'to':14,'not':1,'situation':1,'speculation':1,'conditions':1,'than':1},'saturn.':{'the':1},'constructing':{'its':1},'weighs':{'1':1,'about':3,'nearly':1},'weight':{'for':1,'of':6,'is':1,'two':1,'.':1,'they':1,'than':1},'needless':{'to':2},'generation':{'and':1,'people':1,'of':1,'is':1,'after':1,'to':3,'that':1,'have':1,'in':1,';':1,'if':1},'female--first':{'one':1},'notochord':{'is':2,'.':2},'recapitulate':{'racial':1,'in':1},'culminating':{'with':2,'in':2},'scratching':{'swimming':1},'inflated':{'and':1,'balloon.':1},'croaking':{'of':2},'wondered':{'why':1,'idly':1,'at':1},'induces':{'a':1},'progressive;':{'everything':1},'health':{'and':1,'which':1,'.':1},'hill':{'cave':2,'in':1},'absorb':{'either':1},'celebes':{'lay':1},'induced':{'to':2},'caucasian':{'arose':1,'.':1},'regards':{'many':1,'their':1,'sight':1,'wave-lengths':1,'the':4,'its':2,'size':1},'note--that':{'of':1},'exertions':{'and':1,'running':1},'lesser':{'degree':1},'coco-palms':{'has':1},'rotifer':{'is':1},'monotony':{'.':1},'tassels':{'on':1},'fuller':{'embodiment':2,'well-being.':1},'teach':{'her':1},'colonised':{'by':1,'at':1},'generate':{'heat':1,'thousands':1},'lag':{'behind':1},'thrown':{'a':1,'on':2,'dust':1,'off':1,'upon':1},'preliminary':{'training':1,'scaffolding':1},'thread':{'of':1,'needles':1},'e.g':{'.':38},'decipiens':{'and':1},'77':{'photo':1,'reproduced':1},'light--we':{'have':1},'circuit':{'of':2,';':1,'generates':1,'.':1},'twenty':{'thousand':1,'million':2,'years':5,'hours':2,'to':1,'miles':1,'or':2},'lemurs':{'and':1,'there':1},'experimenter':{'or':1},'fallen':{'and':1,'sufficiently':1},'throws':{'light':1,'it':1},'solidly':{'frozen':1},'sperm-cell':{'and':1,'adapted':1,'with':1},'sheep-driving':{'competition':1},'limestone':{'canyon':2,'which':1},'feel':{'and':1,'sure':1,'for':1,'over-anxious':1,'quite':1,'dare':1},'radical':{'difficulty':1,'changes':1},'churning':{'water':1},'linking':{'generation':1,'of':1},'well-known':{'case':1,'elements':2,'that':1,'mudfish':1,'examples':1,'soft-shell':1,'carpo-metacarpus':1},'sympathy':{'which':2},'sailor':{'expressed':1},'brave':{'self-forgetful':1},'defects':{'such':1},'fees':{'to':1,'.':1,'or':1,'that':1},'says':{'and':1,'a':1,'no.':1,'do':1,'that':3,'professor':1,'meteorites':1,'sir':1,'can':1,'the':2,';':1},'vapour-like':{'matter':1},'whale':{'and':2,'what':1,'showing':1,'there':1,'reaches':1,'.':1,'rushes':1,'the':1,'has':1,'118':1,'is':1,'must':1},'earthworms':{'and':1,'which':1,'centipedes':1,'many':1,'began':2,'have':1,'in':1},'fossil-bearing':{'rocks':1},'passes':{'a':1,'from':2,'into':1,'to':1,'near':1,'through':4,'directly':2,'between':1,'along':2,'the':1,'out':1},'story':{'of':19,'is':1,'when':1,'.':1,'will':1,'simply':2,'in':2,'the':1,'has':1,'went':1},'birgus':{'latro':2,'which':1},'temperature':{'and':3,'is':1,'it':1,'reaches':1,'say':1,'at':2,'in':1,'would':2,'seems':1,'.':7,'which':1,';':1,'was':1,'day':1,'then':1,'we':1,'falls':1,'rises':1,'than':1,'must':1,'of':10,'could':1,'allows':1,'will':1,'the':2},'redistributing':{'project':1,'or':1},'kin.':{'the':1},'leading':{'to':3,'peculiarities':1,'from':1,'authority':1},'coasts':{'but':1},'brisker':{'flow':1},'hangs':{'over':1},'swarm':{'of':3,'sometimes':1,'like':1,'has':1},'storm':{'note':1,'petrel':4,'effects':1,'they':1},'pitted':{'against':1},'soddy.':{'it':1},'aristocracy':{'and':1},'store':{'of':3,'the':1},'fire-mists':{'such':1,'would':1},'imperfect':{'core':2,';':1,'telescope':1,'the':1},'fish-lizards':{'and':1},'pump':{'.':1},'information:':{'dr':1},'convinces':{'us':1},'tugs':{'at':1},'sea-scorpions':{'belonged':1},'treasures':{'behind':1},'rifle':{'and':1,'bullet':3,'.':1},'convinced':{'of':1,'that':2},'explodes':{'without':1},'king':{'of':1},'kind':{'and':2,'we':2,'enable':1,'from':2,'whereas':1,'that':2,'of':34,'taking':1,'express':1,'upon':1,'.':2,'will':1,'set':1,'in':3,';':2,'throughout':1,'or':1,'present':1},'earth--as':{'a':1},'wonder-world':{'of':2},'double':{'this':1,'streaming':1,'blowhole':1,'fold':1,'that':1},'instruction':{'and':1},'indifferent.':{'they':1},'dispensed':{'with':1},'risks':{'and':2,'to':1,'are':1,'of':2},'coast.':{'illustration':1},'earth--an':{'electric':1},'tongues':{'of':2},'unrestricted.':{'animals':1},'7a':{'the':1},'outstanding':{'events':1},'greenwich':{'observatory':1},'disguise--other':{'kinds':1},'gale':{'bringing':1},'alike':{'of':1,'in':1},'cleaned':{'artificially':1},'shrews':{'tree-shrews':1},'cases--marvellous':{'apparatus':1},'cobras':{'brightly':1},'blowhole':{'or':1},'check':{'on':1,'the':2,'comes':1,'vegetation.':1},'interferes':{'is':1},'cropped':{'up':1},'port':{'knows':1,'in':1},'middlemen':{'is':1},'moist':{'winds':1,'and':1,'climate':2,'internal':1,'air':1},'finding':{'their':1},'interfered':{'but':1},'added':{'a':2,'to':4,'up':1},'electric':{'current':15,'power':2,'bells.':1,'bell':1,'charges':2,'shock':1,'phenomena':1,'charge':3,'magnet':1,'tram':1,'terminals':1,'dynamo.':1,'circuit':1,'trams':1,'discharge':6,'spark':8,'furnace':1},'bands':{'it':1,'140':1},'intervened':{'the':1},'instance.':{'organic':1},'measures':{'of':1,'about':1,'on':1,'the':1,'three':1},'reach':{'a':2,'and':1,'about':1,'us.':1,'us':1,'.':1,'their':1,'only':1,'but':2,'the':7,'upward':1,'out':1},'react':{'effectively':1,'on':1},'cigarette':{'and':1},'attempt':{'to':2,'at':1,'too':1},'74':{'diagram':1},'73':{'okapi':1},'72':{'photo':2,'earthworm':1,'reproduced':1},'enduring':{'satisfaction':1},'nothing':{'happens':1,'appeals':1,'like':1,'solid':1,'of':1,'had':1,'but':3,'.':6,'better':1,'more':1,'at':1,'which':1,'in':2,'colder':1,';':1,'out':2,'was':1,'gives':1},'measured':{'and':2,'cube':1,'in':2,'drop':1,'only':1,'fall':1,'the':2,'by':1,'movements':1},'achievement':{'and':1,'is':1},'constitution':{'of':10,'could':1,'which':1,'.':1},'equatorial':{'regions':1,'forests':1},'22.--a':{'nebular':1},'mineral':{'particles':1},'coincides':{'with':1},'chemical':{'reaction':3,'processes':3,'elements':3,'energy':2,'substances':1,'science':1,'screen':3,'conditions.':1,'messengers':6,'element':2,'leave':1,'transformation--the':1,'analysis':1,'routine':1,'action':1,'.':1,'changes':1,'compounds':1,'element.':1,'level':2},'zealand.':{'some':1},'amphibian':{'foot-print--an':1,'mind':1,'race':1,'in':1},'wood-snails':{'but':1},'notch':{'next':1},'artemia':{'salina':1},'institutions':{'.':1,'were':1},'lying':{'on':2,'head':1,'inert':1,'over':1,'upon':1,'beside':1,'low':3},'stones':{'and':3,'on':1,'from':1,'of':2,'.':1,'so':1,'in':1,'probably':1,';':1,'where':1,'or':1},'copy':{'and':1,'a':1,'of':2,'is':1,'upon':1,'it':2,'or':1,'in':1,'display':1,'if':1},'journeys':{'undertaken':1,'.':1},'pennies':{'and':1,'from':1},'wayside':{'.':1},'to-day.':{'as':1,'illustration':1,'an':1},'shares':{'with':1},'gilded':{'boxes':1},'securing':{'a':1,'change-provoking':1,'the':2},'mudfish':{'may':1,'of':1,'is':1,'or':1},'fishes--the':{'mind':1},'moulting':{'immature':1},'grotesque':{'delusions':1},'betray':{'themselves':1},'hip':{'joint':1},'birnam':{'when':1},'hit':{'a':1,'and':1,'upon':1,'by':1},'gains':{'of':2,'that':1},'assumed':{'on':1},'furnaces':{'as':1,'with':1},'whistle':{'is':1},'explosively':{'from':1},'longest':{'for':1,'of':1,'feathers':1,'are':1,'waves':2,'or':1,'pinions':1},'instinctive':{'aptitudes':5,'activities':1,'repertory.':1,'capacities.':1,'rather':1,'capacities':5,'due':1,'actions':1,'element':1,'behaviour':10,'obligations':1,'registration.':1,'ants':1,'capacities--limited':1,'routine':2,'capacity':2,';':1,'.':1,'awareness':1,'behaviour.':1},'shreds.':{'whenever':1},'stone.':{'and':1,'nearly':1},'eye-piece':{'magnifies':1,'.':1,'its':1,'at':1},'expositor':{'.':1},'thereabouts':{'.':1},'nibbles':{'at':1},'arges':{'that':1},'investigate':{'the':1},'ninety-two':{'elements--we':1,'.':1},'activity':{'and':1,'we':1,'which':1,'for':2,'almost':1,'heretofore':1,'is':1,'in':2,'s':2,'.':3,'also':1,'as':2,'besides':1,'of':3,'known':1,';':1,'where':1},'rischgitz':{'collection.':6},'engraved':{'on':2},'nibbled':{'away':1},'bars':{'of':1,'have':1,'which':1},'art':{'of':1,'expressing':1,'in':1},'achieved':{'.':2},'intelligence':{'and':9,'on':1,'--the':1,'deteriorates':1,'cooperated':1,'of':2,'is':2,'when':1,'what':1,'.':7,'will':1,'to':3,'increases':1,'are':1,'a':1,'in':3,'seen':1,'the':2,'--a':1,';':2,'co-operating':1},'arc':{'in':2},'bare':{'head':1},'are':{'limited':1,'all':9,'scooped':1,'caused':1,'landlocked':1,'commoner':1,'illustrated':3,'particularly':3,'poorly':1,'particles':2,'certainly':1,'concerned':3,'to':9,'preserved':1,'under':1,'worth':1,'activities':1,'comparatively':1,'seized':1,'returned':1,'sitting':1,'very':25,'trillions':1,'foul':1,'vastly':1,'vast':2,'dim':1,'clouds':1,'large':2,'quick':3,'smaller':1,'specially':1,'dealing':1,'likely':1,'further':1,'estimated':1,'giving':1,'hereditary':2,'fossil':1,'ever':1,'led':1,'loose':1,'here':3,'hundreds':5,'met':1,'others':1,'persecuted':1,'strong':3,'observing':1,'great':2,'thirty':1,'vibrating':1,'descended':5,'usually':4,'conveniently':1,'composed':2,'mimicked':1,'suddenly':1,'merely':5,'explained':1,'marked':2,'highly':1,'brought':1,'visible':2,'hard-and-fast':1,'from':1,'recalling':1,'two':11,'few':1,'wonderfully':1,'therefore':2,'taken':1,'themselves':1,'phosphorescent--they':1,'more':13,'separated':1,'staggering':1,'tested':1,'ignorant':2,'known':7,'mounted':2,'none':1,'vicissitudes':1,'excessively':1,'exceptions':2,'pent-up':1,'bent':1,'indicated':1,'oviparous':1,'tax':1,'allowed':1,'huge':1,'rather':1,'divided':1,'breaking':2,'entangled':3,'1':2,'located':2,'ordinary':1,'substances--':1,'tried':1,'undergoing':2,'inconceivably':1,'burrowing':1,'different':2,'waves':3,'such':5,'a':13,'free-swimming':1,'chiefly':2,'four':2,'crowded':1,'light':1,'so':13,'pulled':1,'minded':1,'over':1,'mainly':1,'produced':1,'held':1,'still':5,'its':2,'26':1,'interesting':1,'masses':1,'actually':2,'strange':1,'microscopic':1,'spoiling':1,'covered':1,'receptacles':1,'secondary':1,'split':1,'good':1,'locusts':1,'safe':1,'they':3,'not':35,'sorted':1,'now':11,'killed':1,'well-known':1,'always':2,'sufficiently':1,'each':1,'found':3,'entirely':1,'traces':1,'lifted':1,'doing':2,'sifted':5,'transmissible.':1,'borne':3,'living':1,'shown':2,'fundamentally':1,'content':1,'laid':2,'7':1,'induced':1,'red':1,'attended':1,'quite':4,'small':1,'put':1,'beginning':2,'cremated':1,'exhibited':1,'constantly':1,'adepts':1,'greatest.':1,'instances':1,'spots':2,'directly':1,'immensely':1,'mercury':1,'little':1,'ancient':2,'similarly':1,'unknown':1,'plastic':1,'their':3,'cooling':1,'2':1,'too':1,'wrapped':1,'legally':1,'white':1,'witnessing':1,'mostly':4,'that':1,'exactly':1,'predictable':1,'convinced':1,'peculiar':1,'double':1,'enabled':1,'extraordinarily':2,'matter':1,'determined':1,'supposed':1,'treated':1,'encumbered':1,'variable':1,'close':2,'seen':4,'clearly':2,'relatively':2,'built':3,'thoroughly':3,'speculative':1,'able':8,'also':11,'edge':1,'absorbed':1,'presently.':1,'most':1,'eight':1,'printed':1,'drought':1,'incursions':1,'extremely':1,'nutritive':1,'manifested':1,'especially':1,'considered':1,'clear':1,'sometimes':1,'repeated':1,'face':1,'short-lived':1,'points':2,'left':4,'normally':1,'molluscs':1,'shot':1,'sceptical':1,'supported':1,'scattered':1,'right-handed':1,'rotating':1,'unsurpassed.':1,'giant':1,'highest':1,'distributed':2,'outside':1,'buttons':2,'being':2,'only':5,'going':1,'employed':1,'thousands':1,'meant':1,'exceptional':1,'dependent':1,'closely':1,'altogether':1,'instinctive':1,'areas':1,'playful':1,'sheltered':1,'common':1,'rung':1,'doubles':1,'approaching':1,'set':2,'acquired':1,'observed':1,'sporadic':1,'luminous':1,'subject':1,'said':2,'prominent.':1,'circulating':1,'continually':5,'jewels.':1,'luminescent':1,'unable':1,'various':2,'markedly':1,'probably':3,'prodigally':1,'numerous':3,'we':4,'gratefully':1,'invisible':3,'precious':1,'favourable':1,'many':16,'taking':1,'equal':1,'present':2,'tree-toads':1,'adapted':3,'among':1,'hollow':1,'learning':1,'deflected':1,'ether':1,'startling':1,'there.':1,'capable':1,'tremendous':1,'due':1,'.':3,'attaching':1,'immense':3,'much':4,'slowly':1,'likewise':1,'repelled':1,'painted':1,'suns.':1,'worked':1,'those':3,'stolen':1,'these':3,'awakened':1,'seven':1,'almost':2,'violently':2,'obtrusive':1,'obeying':1,'tell-tale':1,'in':26,'ready':1,'confirmed':1,'perpetually':1,'stimulated':1,'parts':1,'arguments':1,'mixtures':1,'played--for':1,'used':3,'temporary':1,'arctic':1,'constantly--either':1,'moving':1,'kept':2,'paralysed':1,'well':2,'without':2,'the':43,'charged':1,'just':4,'less':1,'increasingly':1,'offensive':1,'mistaken':1,'reincarnated':1,'human':1,'alternative':1,'revealed.':1,'corroborated':1,'thinking':1,'agile':1,'spread':1,'exempt':1,'resolved':1,'easily':1,'dark':1,'apt':4,'long-haired':1,'accepted':1,'redistributing':1,'ruled':1,'like':4,'complicated.':1,'shed':1,'right':1,'often':16,'some':9,'neutralised':1,'amongst':3,'born':3,'universes':1,'provided':1,'gradually':1,'dense':1,'asking':1,'pre-eminent':1,'palatable':1,'slight':1,'manufactured':1,'broken':1,'on':6,'about':6,'cautious':1,'carried':3,'getting':1,'of':7,'discussed':1,'greatly':2,'connected':1,'hatched':4,'flying':2,'attached.':1,'billions':1,'three':3,'authorities':1,'mere':1,'impressed':1,'strictly':1,'there':3,'disposed':1,'long':3,'stars':3,'deposited':1,'naturally':1,'lowest':1,'complete':2,'deaf':1,'but':3,'somehow':1,'curiously':1,'removed':2,'considerable':1,'directed':1,'made':5,'arranged':2,'characteristic':1,'placed':1,'called':11,'storing':1,'vehicles':1,'affectionate':1,'certain':1,'slowing':1,'general':1,'as':8,'definite':1,'at':7,'floating':2,'no':7,'generally':1,'other':8,'blackish-grey':1,'really':3,'separate':1,'suited':1,'included':1,'--a':1,'reflectors':1,'longer':2,'practically':3,'required':1,'utilised':1,'beds':1,'far':4,'undoubted':1,'restored':1},'walking-stick':{'insects':1},'chambers':{'perforating':1},'bark':{'and':1,'of':1},'arm':{'and':1,'spawn':1,'of':2,'is':1,'stretching':1,'.':1,'skips':1,';':1},'declined':{'and':1},'crunching':{'insects.':1},'youth':{'to':1,'from':1},'learns':{'a':1,'the':1},'discovered--pulling':{'and':1},'distinctive':{'features':1,'colour':1,'spectrum':3,'arrangement':1,'peculiarities':1,'fauna':1,'is':1},'anatomists':{'have':1},'misjudge':{'our':1},'universe.':{'this':1,'but':1,'sec':1,'illustration':1,'in':1,'our':1,'are':1},'contrary':{'to':1,'has':1},'nestor':{'parrot':1},'numerous':{'and':1,'hard':1,'locations':1,'parachutists--':1,'attempts':1,'lobes':1,'prehensile':1,'ways':1,'separate':1,'young':1,'microscopic':1,'muscles':1,'kinds':1,'that':1,'hundreds':1,'gas-bubbles':1,'types':1,'ribs':1,'colour-varieties':1,'variations':1,'as':1,'mutually':1,'tubercles':1,'appendages':1},'hairs':{'may':1,'of':2,'and':1,';':1,'which':1},'vitality.':{'illustration':1},'1.f.2':{'.':1},'recently':{'named':1,'said':1,'that':1,'regarded':1,'shown':1,'been':1,'erected':1,'discovered':2,'as':1,'learned':1},'creating':{'derivative':2,'the':2},'1.f.3':{'a':1,'this':1,'the':1,'.':1},'sole':{'of':2,'which':1,'have':1,'are':1},'outfit':{'for':1},'days.':{'there':1,'sec':1},'succeed':{'not':1,'and':1,'in':3,'but':1,'.':1},'head.':{'compare':1,'illustration':1},'prelude':{'to':1},'inertia':{'of':1},'bronze':{'second':1,'was':1,'age':1},'c':{'a':1,'that':1,'of':1,'there':2,'but':1,'.':16,'thirdly':1,'3':2,'others':1,'any':1},'license':{'available':1,'and':1,'terms':1,'especially':1,'for':1,'please':1,'when':1,'.':2,'as':1,'included':2,'apply':1,'the':1,'must':1},'attainment':{'at':1},'sheaths':{'of':1},'distinctively':{'new':1,'north':1,'marine':1},'1.f.5':{'.':1},'roman':{'galley':1},'became':{'useful':1,'heated':1,'an':2,'as':1,'in':1,'extinct':2,'gradually':1,'unavailable':1,'for':1,'restricted':1,'extinct.':1,'much':1,'too':1,'easier':1,'more':2,'aware':1,'suited':1,'a':3,'longer':1,'equal':1,'enregistered':1,'the':4,'essential':1},'cloud-like':{'effect.':1,'patches':1},'bond':{'of':1,'could':1},'finds':{'its':3},'peripatus':{'a':1,'83':1,'centipedes':1,'which':2},'sloth':{'s':1},'flies':{'to':2,'into':1,'at':1,'.':1},'flier':{'.':2},'distress':{'is':1},'reasons':{'and':1,'great':1,'have':1,'for':3,'is':1,'are':2,'which':1,'why':1},'sweet':{'sap':1,'odours':1},'sweep':{'of':1},'whelk':{'on':1,'the':1,'requires':1,';':1,'or':2},'regulated':{'then':1,'harmony':1,'by':1},'incandescent':{'may':1,'world-cloud':1,'atoms':1,'gas.':1},'fibres':{'come':1},'newbigin':{'m':1},'simpler':{'and':3,'elements':1,'animals.':1,'forms':2,'so':1,'fossil':1,'in':1,'still':1},'pr':{'are':1},'decline':{'europe':1,'of':1,'sometimes':1,'markedly':1},'there.':{'so':1,'it':1},'jugglery':{'with':1},'java':{'and':1,'ape':1,'ape-man':3,'at':1,'in':1,'man':2,'ape-man--an':2},'scented':{'with':1},'illumined':{'seaweed-growing':1,';':1,'green':1,'than':1,'surface':1},'pigmies':{'of':1},'dug':{'as':1},'whom':{'we':2,'you':1,'they':1},'reduction':{'of':3,'in':1},'pg':{'search':1},'--an':{'internal':1},'brick':{'you':1,'contains':1,'moves':1},'yolk-laden':{'portion':1},'attractive':{'phenomenon':1},'affectionate':{'and':1},'flight':{'and':1,'from':1,'also':1,'may':1,'brings':1,'is':2,'.':3,'brought':1,'most':1,'as':1,'so':1,'which':2,'of':3,'implies':1,'has':1,'was':1},'flints':{'with':1},'flinty':{'sponge':1,'needles':1,'skeleton':2},'precision':{'what':1},'defect':{'you':1,'in':2},'1864':{'by':1},'temperament':{'as':1},'1869':{'that':1},'1868':{'sir':1},'depends.':{'separate':1},'plants':{'and':24,'already':1,'begun':1,'is':1,'it':2,'at':1,'have':2,'in':3,'before':1,'stands':1,'for':1,'.':5,'to':3,';':2,'laboriously':1,'may':1,'upon':1,'but':2,'such':1,'with':1,'by':1,'flourished':1,'asexual':1,'can':1,'were':2,'the':4,'or':3,'are':2},'stolen':{'by':1},'conception':{'of':6,'the':1,'.':1,'to':1},'boast':{'with':1},'yellow-brown':{'the':1},'frozen':{'gas':1,'masses':1,'hard':2,'rigid':1},'compactness':{'of':1},'intercepts':{'great':1,'all':1},'64-6221541':{'.':1},'parents.':{'strangest':1},'lenard':{'and':1,'found':1},'dublin':{'high':1,'zoo':1},'obtrusive':{'rather':1},'obstacle':{'of':1,'race':1},'rid':{'of':3},'hare--with':{'human':1},'currents':{'within':1,'of':1,'there':1,'.':1,'needed':1,'at':1,'moisture':1},'peopled':{'than':1,'.':1},'away.':{'3':1,'it':1,'illustration':1},'chapter.':{'the':1},'twofold':{'process':1,'caution':1},'illustration:':{'the':1,'star':1},'lengths':{'.':2,'part':1,'which':1,'in':1},'muscle-cells':{';':1,'which':2,'.':1},'foretells':{'the':1},'undersides':{'of':1},'blood-relationship':{'with':1,'between':1},'stimulated':{'brain':1,'cells':1,'if':1,'by':2,'to':1},'dermis':{'and':1},'widely':{'separated':1,'distributed':1,'open':1},'peoples':{'with':1,';':1,'who':1,'to-day':1,'indeed':1},'9':{'a':1,'feet':1,'inches':1,'million':1,'looking':1,'000':1,'the':1,'saturn':1},'shirk':{'the':1},'yucca':{'moth':6,'flowers':2,'flower':3,'moths.':1},'higher':{'and':3,'vertebrates':2,'still':2,'reaches':2,'apes--gorilla':1,'pitch':1,'expressions':1,'education':1,'terrestrial':1,'forms':2,'apes':2,'power':1,'there':1,'note':3,'animal':1,'life':1,'degree':1,'insects.':1,'mammals.':1,'standard':1,'adventures.':1,'controlling':1,'faculty':1,'flowering':1,'than':1,'land':1,'animals':4,'level':3,'turn':2,'centres':1,'mammal':1},'current.':{'each':1},'chequer':{'hen':1},'mountain':{'ranges':2,'hare':4,'torrents':1},'ultimate':{'particles':1,'object':1,'service':1,'atoms':1},'flows':{'as':1,'in':1},'brooding':{'on':1,'it':1},'moving':{'and':2,'speck':1,'through':1,'at':1,'rapidly':2,'hoofed':1,'her':1,'away':1,'.':1,'particles':2,'how':1,'parts':2,'body':1,'very':1,'amongst':2,'atoms':1,'water':1,'objects':2,'molecules.':1,'with':5,'on':2,'about':1,'mass':1,'toward':1,'round':1},'mistake.':{'we':1},'sagacious':{'indeed':1,'when':1},'birch':{'alder':1},'vertical;':{'the':1},'263':{'professor':1,'reproduced':1},'lower':{'and':1,'side.':1,'vertebrates':1,'surface':1,'one':1,'in':1,'female.':1,'photograph.':1,'miocene':1,'jaw':6,'vertebrate':1,'orders':2,'eocene':1,'picture':1,'ends':1,'mammals':1,'levels':1,'jaw.':1,'than':3,'types':1,'temperature':2,'photograph':1,'diagram.':1,'animals':1,'level':1,'part':1,'side':1},'people.':{'no':1},'dancing':{'mice':1,'mouse':1,'or':1},'chickens':{'that':1,'incubated':1,'in':1},'outflame':{'of':1},'analysis':{'of':1,'showing':1,'would':1},'magnified':{'to':2},'solids':{'.':1},'edge':{'on':1,'or':1,'of':5},'length.':{'now':1},'b.c':{'.':2},'beautiful.':{'in':1},'muscle-fibre':{'m.f.':1},'266':{'the':1},'pollen':{'to':1,'from':2,'.':1},'abilities':{'come':1},'endeavour':{'to':1,'after':3,'associated':1,'or':1,'.':1},'unseen':{'occupies':1,'earthworms':1,'.':1},'mimicked':{'butterflies':1,'.':2,'by':1,'for':1,'are':1},'mood.':{'certain':1},'pigeons':{'and':2,'to':1,'it':1,'were':1},'competitive':{'.':1},'reincarnated':{'in':1},'intervals':{';':1},'inachis':{'from':2},'questions':{'and':1,'besides':1,'that':1,'of':3,'introduce':1,'have':1,'with':1},'inter-relations--the':{'subject':1},'reliance':{'on':1},'continent':{'of':1,'when':1,'fixes':1,'from':1},'tamed':{'.':1},'ravine':{'near':1},'wedge-shaped':{'piece':1},'corroborated':{'or':1,'by':1},'extracted':{'from':1},'workers':{'fastened':1},'tentatives--new':{'departures':1},'ocean':{'and':1,'for':1,'of':4,'is':2,'it':1,'.':2,'s':1,'home':1},'exclusively':{'of':1},'exhibition':{'of':2},'inducing':{'strange':1},'finder':{';':1},'turtle-backs':{'is':1},'associations':{'and':1,'established':1,'of':1,'between':1,'.':1,'were':1,'such':1,'with':1},'up-stream.':{'sometimes':1},'balloon.':{'photos':1,'running':1},'sensatory':{'nerve-fibre':1},'entangled':{'and':2,'in':2,'together':1,'air':1},'earth--making':{'a':2},'modifications':{'are':1},'rotate':{'and':1,'on':3,'all':1,'at':1,'round':1},'line--are':{'represented':1},'neanderthaler':{'.':1},'confront':{'us':1},'incidental':{'damages':1},'separately':{'is':1,'.':1},'collect':{'pennies':1,'half':1},'arthur':{'the':1,'thomson':5,'keith':7,'thomson.':1,'antiquity':1},'retires':{'to':1},'under-water':{'world':1},'foot--an':{'obvious':1},'table.':{'illustration':1},'essential':{'features':2,'similarity':2,'that':1,'vertebrate':1,'to':2,'oneness':1,'part':3,'independence':1,'in':1,'bones':1,'construction':1,'difference':1,'correlation':1,'identity':1},'engravings':{';':1},'hinted':{'at':2},'feet--the':{'largest':1},'men--races':{'of':1},'eluding':{'the':1},'streaming':{'motion':1,'from':2},'newsletter':{'to':1},'hjort':{'dr':1},'saucer':{'or':1},'aptitudes':{'many':1,'what':1,'which':1,'inborn':1,'then':1},'stately':{'and':1},'gradually':{'division':1,'slow':1,'from':1,'radiating':1,'out':1,'turned':1,'as':1,'reduced':1,'cooling':1,'settle':1,'eliminate':1,'evolved':2,'curved':1,'become':1,'increasing':1,'adapted':1,'regrown':1,'realised':1},'bushy-tailed':{'almost':1},'tends':{'to':6},'prof':{'.':7},'fragments':{'a':1,'and':1,'broken':1,'doubled':1,'of':2},'pieces--a':{'kind':1},'jumps':{'along':1,'from':1},'weir':{'confessed':1},'refused':{'to':1,';':1},'race--there':{'is':1},'intense':{'white':1,'disturbance':1,'competition':1,'activity':1},'vivid':{'idea':1},'cautious':{'and':1,'for':1},'mingled':{'with':4,'together':1},'age.':{'photograph':1,'sand-pit':1,'some':1,'as':1,'cenozoic':1,'they':1,'the':1},'row':{'of':1},'tortuous':{'path':1},'firing':{'the':1},'deepish':{'water':1},'forbears':{'long':1},'penetration':{'implies':1,'.':1},'lifeless':{'world.':1},'range':{'of':7,'became':1,'in':2},'wonders':{'of':4,'that':1},'fluttering':{'.':1},'gamma':{'rays':4},'naturalists':{'who':2,'have':1},'feed':{'and':1,'on':5,'for':1,'there':1,'some':1,'at':2,'in':1},'enregistration':{'of':1},'moss':{'and':1,';':1,'by':1},'conquest':{'of':8,'implied':1,'both':1},'attached.':{'methods':1},'flagellates':{'in':1},'canal':{'in':1,'system':1,'round':1},'impressed':{'on':1,'with':1,'by':1},'acquiesce':{'as':1,'in':1},'extremely':{'rapid':1,'interesting':1,'alert':1,'rarified':1,'delicate':1,'conservative':1,'fine':1,'thin':1},'question':{'and':2,'what':1,'rises':1,'to-day':1,'that':1,'whether':2,'of':3,'is':4,'had':1,'but':1,'to':2,'as':1,'which':1,'in':2,':':2,'than':1,'must':1},'cocoon--the':{'bag':1},'cuticle':{'or':1},'enregister':{'outside':1,'ready-made':1,'or':1},'conceivable':{'ages':1},'mimicry':{'and':2,'is':1,'serves':1,'.':1,'in':1,'called':1},'sections':{'of':1,'3':1,'.':1},'files':{'of':1,'containing':1},'mountains':{'and':1,'on':1,'like':1,'of':3,'.':1,'to':1,'are':2,'the':1},'potassium':{'pill':1},'glamour':{'of':1},'cloth':{'if':1,'packets':1,'in':1},'began--a':{'small':1},'energy--traceable':{'back':1},'crane':{'and':1,'the':1},'ring-armour.':{'illustration':1},'raising':{'the':1},'penguin':{'notice':1,'213':1},'section.':{'influence':1},'nonplussed':{';':1},'consist':{'of':1,'themselves':1,'in':1},'characteristic':{'style':1,'set':1,'fossils':2,'pelagic':2,'of':4,'endeavour':1,'.':1,'contingencies--the':1,'sharp':1,'self-preservative':1,'bird':1,'population':1},'seize':{'the':1},'117':{'photo':1,'ten-armed':1},'stalking':{'about':1,'we':1,'carnivore':1},'homo':{'neanderthalensis':1,'sapiens':1,'heidelbergensis':1},'redistribution.':{'start':1},'etc.':{'are':1,'gives':1},'called':{'protists':1,'appropriately':1,'luidia':1,'nototrema':1,'negative.':1,'spring':1,'is':1,'labyrinthodonts':1,'chalones':1,'differentiation':1,'salps':1,'planets':1,'protozoa.':1,'obelia':2,'pontobdella':1,'helium':1,'zostera':1,'triticum':1,'viviparity':1,'peter':1,'informal':1,'positive':1,'educability.':1,'muellerian':1,'spiral':1,'peripatus':2,'aerial.':1,'their':1,'without':1,'pretty':1,'hormones':1,'lycosa':1,'energy':1,'red':1,'kelts':1,'we':1,'which':1,'convergences':1,'zoological':1,'glands':1,'the':23,'upon':1,'guanin':1,'learning':1,'phagocytes':1,'them':1,'amniota':1,'convergence':1,'batesian':1,'commensalism':1,'venus':1,'momentous':1,'a':5,'deeps':1,'into':1,'sun-spots':1,'chauliodus':1,'round':1,'cryptozoic':1,'physiological':1,'tropisms':2,'have':1,'were':1,'self-mutilation':1,'primitive':1,'cells':1,'experimental':1,'jasper':1},'x-ray':{'photograph':6,'spectra':1},'individuality':{':':1,'with':1},'freak':{'is':1},'sepia':{'from':2},'breast.':{'the':1},'problem.':{'1.f.4':1},'warning':{'colours':2,'note':1,'coloration':1},'reservoirs':{'of':1,'to':1},'trammels':{'of':1},'whirligig':{'beetle':2},'adams':{'10':1,'who':1},'knowledge.':{'astronomical':1},'rainbow':{'is':1,'.':1,'where':1,'in':1},'riot':{'in':1},'reason.':{'the':1,'sec':1,'what':1,'here':1},'tentative':{'men':3,'branches':1,'or':1,'experimental':1},'weight.':{'4':1},'endurance':{'patience':1},'peace':{'while':1,'or':1},'c.:':{'that':1},'reappearance':{'of':1},'club':{'can':1},'opalina':{'which':1},'income':{'.':2},'ferment':{'from':1},'intercrossing':{'or':1,'between':1},'generates':{'heat':2,'sufficient':1,'in':1},'backbone':{'and':1,'a':1,'of':1,'.':1,'which':1,'in':3,';':1},'problems':{'on':1,'that':1,'of':1,'but':1,'.':2,'which':1},'thirty-two':{'miles':1},'helping':{'to':1,'the':1},'develops':{'very':1,'into':1},'allowing':{'the':1,'elbow-room':1,'more':1},'-200':{'deg':1},'folds':{'its':1},'inventions':{'are':1},'vaseline':{'bottle':1},'fluorescence':{'on':1},'fan-like':{'cluster':1},'path.':{'there':1},'liquefy':{'air':1},'accumulations':{'of':1},'departments':{'of':1},'back.':{'the':1},'departs':{'209':1,'in':1},'appearance--an':{'epoch-making':1},'weights':{'or':1,'.':1},'well-being.':{'we':1},'hooky':{'surfaces':1,'that':1},'vue':{'gardens':1},'resistance':{'to':1,'.':1},'distributed:':{'this':1},'protuberant':{'the':1},'winds':{'rise':1,'from':1,'two':1},'open-minded.':{'the':1},'adjustment':{'to':1,'of':1},'contributions':{'and':1,'to':1,'from':3,'are':1},'magnifying':{'lens':1,'lens.':1},'tide-marks':{';':1},'copernicus':{'lower':1},'simon':{'newcomb':1},'e-mail':{'within':1},'disposal':{'however':1},'sparrow':{'to':1,'rise':1,'up':1},'deal.':{'the':1},'cradle':{'of':7,'whereas':1,'.':1,'in':1,'or':1,'is':1},'stable':{'kind':1,'lines':1,'crust':1,'.':1,'result':1,'curved':1,'stock':1,'equilibrium':1},'breach':{'of':2},'include':{'a':1,'all':1,'whales':1,'many':2,'one':1,'those':2,'the':2,'mediterraneans':1},'breathing':{'dry':1,'of':1,'by':2,'which':1,'movements':2},'wished':{'to':1},'wind.':{'in':1},'club-moss':{'forests':3},'talons':{'and':1},'alder':{'and':1},'sensation':{'of':4},'electron':{'and':3,'sir':1,'has':1,'theory':3,'theory--the':1,'is':4,'current':3,'when':1,'as':1,'.':2,'rotating':1,'to':2,'pump':1,'physicists':1,'in':1,';':1,':':1,'was':1,'merely':1,'sticks':1},'graphic':{'illustration':1},'dando':{'baby':1},'bounding':{'about':1},'posture':{'with':1},'redistribute':{'this':1},'ideas--the':{'living':1},'self-effacement':{'is':1,'often':1,'but':1},'fur':{'and':1,'of':2,'or':1},'notes':{'with':1},'phenomena.':{'sec':1},'agency.':{'yellow-crowned':1,'chimpanzee':1,'orang-utan':1,'penguins':1,'in':1,'baby':2},'deals':{'with':1,'.':1},'glaciations':{'and':1},'warranties':{'of':2,'or':1},'poisonous':{'snake':2,'species':1},'phoenix':{'electric':1},'moulding':{'effect':1},'blood-fluid':{'or':1},'noted':{'for':1,'that':4},'assemblage':{'of':2},'disclaimer':{'of':1,'or':2},'smaller':{'even':1,'and':1,'telescope':2,'cheek-bones':1,'constituents':1,'less':1,'.':1,'particles':2,'will':1,'electrons':1,'have':1,'globes':1,'magellanic':1,'particles.':1,'than':8},'gripping':{'grappling':1,'the':1,'them':1,'teeth':1},'possum.':{'the':1},'tides--another':{'instance':1},'coldrum':{'in':1},'euphrates':{'.':1},'chauliodus':{'a':1},'fold':{'of':3},'sea-anemones':{'and':1,'147':1,'we':1,'which':1,'on':2,'mask':1,'hermit-crabs':1,'they':1},'unsurpassed.':{'to':1},'protrude':{'greatly':1},'sifting-out':{'process':1},'fermenting':{'vegetation':1},'makers':{'of':1},'folk':{'or':1,'place':2,'two':1,'human':1,'in':1},'unavailable':{'the':1,'.':3,'heat':1,'energy':1,'having':1},'disentangle':{'these':1},'waiting':{'for':1},'chose':{'a':1,'compartment':2},'desires':{'.':1},'kangaroo':{'while':1,'carrying':2},'underwood':{'underwood.':2},'youngest':{'and':1,'.':1},'desired':{'.':1},'grilse.':{'in':1},'separation':{'of':2},'frilled':{'lizard':3,'lips':2},'fifteen-spined':{'stickleback':1},'--carrying':{'with':1},'fruit-eating':{'and':1},'little-brained':{'ants':1},'settling':{'on':1},'evolution--the':{'establishment':1},'survivor':{'of':1},'convolutions.':{'illustration':1},'mauer':{'near':2,'at':1},'ones.':{'various':1},'leaving':{'a':1,'no':2,'perhaps':1,'only':1,'the':2,'its':1},'suggests':{'the':3,'that':2,'motions':1,'.':1},'patagium':{'and':1,'is':1},'oar':{'reduces':1},'breeds':{'of':2,'it':1,'that':1},'hue':{'and':1,'is':1},'pent-up':{'reservoirs':1},'apple':{'.':1},'spy':{'in':1},'egypt':{'and':1,'crete':1,'the':1},'earth-moon':{'system.':1},'facilitating':{'their':1},'apt':{'to':9},'expect':{'great':1,'that':1,'very':1,'there':1,'it':1,'to':2,'much':1},'marmosets':{'and':2},'motor':{'nerve-fibre':2,'nerve-cell.':1,'nerve-cell':1,'nerve-fibres':1,'nerve-cells':2,'answer':1},'newby':{'chief':1},'apply':{'to':1},'repopulation':{'of':1},'segregating':{'their':1},'use':{'and':3,'some':1,'it':1,'at':1,'in':1,'its':1,'for':2,'to':3,'there':1,'when':1,'.':2,'their':2,'has':1,'was':1,'them':1,'unless':1,'very':1,'but':1,'part':1,'a':3,'this':3,'of':14,'carbonic':1,'the':5,'seaweed':1},'fee':{'of':1,'is':1,'as':1,'for':3,'or':2},'from':{'all':3,'being':7,'tip':2,'worms':3,'ignoble':1,'facts':1,'japan':1,'inshore':1,'its':16,'roots':2,'mingling':1,'outer':1,'electricity':1,'masses':1,'behind':1,'forms':1,'to':1,'crest':4,'photographs':2,'donors':1,'them':2,'his':1,'branch':1,'10':2,'very':1,'freezing':1,'within.':1,'five':1,'trough':1,'now':1,'monkeys':1,'sowing':1,'benevolent':1,'hawaii':1,'these':4,'slipping':1,'each':9,'where':1,'side':6,'view':1,'people':1,'generation':2,'intelligence':2,'fish':2,'some':3,'direct':1,'dead':1,'gumboil':1,'year':1,'our':4,'dawn':1,'what':3,'colour-varieties':1,'sun':1,'nebula':1,'asia':1,'your':1,'particles':1,'outside':2,'expressing':1,'public':1,'red':1,'scientific':6,'insects':1,'men':1,'seaweeds':1,'water':5,'protection':1,'great':1,'struggle':1,'others':1,'simpler':1,'both':1,'about':2,'actual':1,'experience':1,'stone':1,'railway':1,'osborn':4,'pre-human':1,'first':2,'among':1,'simple':2,'within':4,'inland':1,'one':23,'pole':2,'learning':1,'ether':1,'cloud':1,'millions':1,'ancient':1,'her':1,'body-cells.':1,'remains':2,'pre-existing':1,'three':2,'sunlight':2,'.':1,'uniting':1,'behind.':1,'which':12,'white':1,'injury':1,'specimens':1,'radium':6,'500':1,'gill-breathing':1,'elsewhere':1,'that':2,'mammals':2,'malay':1,'heat':1,'part':1,'another.':1,'body-cells':1,'atom':4,'infusorians':1,'knife-blade-like':2,'those':1,'fossil':1,'sponge':1,'animals':2,'this':7,'tree':3,'us':3,'air':2,'below':1,'diagrams':1,'more':1,'and':1,'egypt':1,'mexico':2,'certain':1,'modern':1,'india':3,'it':2,'an':2,'states':1,'collision':1,'something':3,'any':6,'sir':1,'different':1,'ancestors':1,'end':1,'negatively-electrified':1,'scotland':1,'innumerable':1,'other':5,'5':2,'copying':1,'ordinary':1,'several':1,'enormous':1,'star':1,'glands':1,'time':3,'hand':1,'eight':1,'two':2,'nothing':1,'such':3,'types':1,'man':2,'a':37,'ingersoll':2,'land':2,'natural':1,'age':3,'their':7,'without':5,'knipe':6,'not-living':2,'every':1,'the':256,'europe.':1},'figure':{'of':1,'is':2,'one':1,'2':1,'ninety-two':1,'in':1,'.':1},'animals--by':{'insects':1},'frog':{'about':1,'showed':1,'discriminates':1,'flying':1,'had':1,'catches':1,'answers':1,'192':1,'1':1,'s':1,'rhacophorus':1,'which':1,'rhinoderma':1,'the':1,'mouth.':1,'merged':1,'lays':1},'few':{'and':1,'insects':1,'years':1,'feet':2,'spiders':1,'protozoa':1,'offspring':1,'lessons':1,'things':3,'ticks':1,'opportunities':1,'astronomers':3,'rivals':1,'other':1,'black':1,'weeks':1,'hundred':2,'minor':1,'inches':1,'that':1,'thousand':1,'days.':1,'records':1,'representative':1,'yards':1,'cases':3,'now':1,'extremely':1,'conspicuous':1,'pounds':1,'of':3,'months':1,'days':4,'cases.':1,'corners':1,'exceptions':1,'minutes':1,'embryonic':1,'illustrations.':1},'apprenticeship--tentative':{'men--primitive':1},'gales':{'will':1},'diving-bell':{'to':1,'full':1},'eagles':{'gather':1},'possession':{'of':2},'grandest':{'and':1,'pictures':1,'as':1},'secretions':{'of':1},'humanly':{'impossible':1},'inclined':{'to':1,'pillar':1,'plane':6,'plane.':1},'rarest':{'type':1},'impress':{'him':1},'steadfastly':{'serving':1},'eagles.':{'similarly':1},'hilger':{'ltd.':2},'rabbit':{'and':1,'squirrel':1,'for':1,'when':1,'.':1,'which':1,'the':1},'scale.':{'sec':1,'if':1},'development--that':{'there':1},'women':{'show':1},'fro.':{'this':1},'us.':{'this':1,'the':1,'races':1,'sec':1},'getting':{'a':1,'on':4,'what':1,'thinner':1,'hotter':1,'into':3,'air':1,'possession':1,'farther':1,'wet':1,'rid':1,'out':1,'away':1,'transport':1,'at':1},'ice.':{'seeing':1},'overlappings':{'.':1},'anywhere':{'at':2,'else':1},'perched':{'on':1},'field--which':{'he':1},'three-chambered.':{'the':1},'dissolve':{'a':1,'the':1},'proof':{'of':12,'that':2},'have--there':{'is':1},'non-growing':{'non-moulting':1},'habitats':{'which':1},'proprietary':{'form':1},'mud-fish':{'protopterus':2},'thirsty':{'and':1},'calculation':{'suggests':1,'as':1,'ought':1},'inaccessible':{'to':1},'tax':{'returns':1,'deductible':1,'identification':1,'treatment':1,'exempt':2},'land-snails':{'representing':1,'for':1},'something':{'associated':1,'less':1,'is':1,'as':1,'beyond':1,'to':1,'which':1,'new':2,'has':1,'more':1,'corresponding':2,'that':3,'very':3,'new--a':1,'but':1,'else':1,'with':1,'simpler':1,'about':1,'like':6,'of':2,'could':1,'the':1},'serial':{'issue':1},'made':{'and':3,'among':1,'polished':1,'rudely':1,'it':5,'an':2,'visible':3,'incandescent':1,'in':6,'luminous':1,'their':1,'out':1,'perfect':1,'bridges':1,'till':1,'of.':1,'.':6,'1':1,'to':7,'pets':1,'man.':1,'lays':2,'do':1,'malaria':1,'that':2,'of':5,'possible':1,'but':1,'forbidding':1,'during':1,'with':1,'by':8,'a':5,'on':1,'great':1,'many':1,'clear':1,'no':1,'up':3,'large':1,'points':1,'so':2,'artificially':1,'january':2,'stone':1,'the':5,'more':1,'at':1},'sir':{'e.':1,'norman':3,'richard':1,'wm':1,'j':7,'william':8,'g':1,'arthur':7,'oliver':3,'w':3,'harry':1,'isaac':5,'ernest':6,'john':3,'george':1,'ray':4},'galls':{'on':1},'counting':{'the':1,'electrons':2},'decaying':{'vegetation--an':1,'leaves':1},'sit':{'on':1},'distinguishable':{'from':1},'justifiable':{'to':2},'past.':{'on':1,'one':1},'struggles':{'there':1,'upward':1},'moods':{'.':1},'fortunate':{'for':1},'brian':{'janes':2},'instead':{'of':8,'strong':1},'struggled':{'.':1},'substances--':{'phosphorescent':1},'tension':{'passes':1,'is':1,'grows':1},'cupboard':{'and':1},'attend':{'the':1,'too':1},'yolk-sac':{'y.s.':1},'slipher':{'of':1},'immersed':{'in':3},'masks':{'the':1},'tack':{'of':2,'however':1},'wrist':{';':1,'which':1},'understanded':{'of':1},'1887':{'michelson':1},'1885':{'another':1},'agglomerations':{'of':1},'superstitions':{'have':1},'are--measuring':{'them':1},'clauses.':{'experimentation':1},'inheritance':{'that':1,'of':1,'.':1,'which':2,'the':1,';':1},'interrupted':{'light':1},'polystomella':{'showing':2},'fortunately':{'fast':1},'ovipositor':{'inside':1},'locomotor':{'agility':1,'triumph':1,'activity':1},'summer.':{'there':1},'irregularity':{'in':1},'preparing':{'our':1,'the':2},'affection.':{'the':1},'spreads':{'sleeping':1,'out':1},'saturated':{'southwards':1},'farming':{'or':1},'minnow':{'and':1,'to':1,'could':1},'mentioned.':{'this':1,'illustration':1},'reptile':{'and':1,'from':1,'breathes':1,'but':1,'total':1,'95':1,'94':1,'at':1},'interpreted':{'to':1,'as':1},'whilst':{'its':1,'an':1},'mathematicians':{'upon':1},'130':{'000':1,'steps':1},'idiosyncrasies':{'crop':1,'.':1},'looks':{'a':1,'like':3,'less':1,'almost':1,'big':1,'after':1,'extraordinarily':1,'.':1,'as':4},'135':{'animal':1},'abstruse':{'speculations':1},'interpreter':{'.':1},'139':{'photo':1},'138':{'the':1,'protective':1},'ease.':{'more':1},'self-fertilisation':{'because':1},'primordial':{'substance':2},'choose':{'to':1},'orange':{'screen':1,'yellow':2},'clusters':{'of':1,'at':1},'receptacles':{'or':1},'forty-five':{'seconds':1,'degrees':1},'crowds':{'of':3},'refracting':{'telescope':3},'originator':{'of':2},'bumbling':{'bittern':1},'forty-one':{'years':1},'orthodox':{'head-on':1},'practice':{'however':1,'or':1},'flew':{'away':1,'round':1,'22':1},'impressing':{'other':1,'itself':1},'emerald':{'hue.':1},'satellites':{'of':3,'miles':1,'like':1},'attaining':{'a':1,'to':1,'various':1,'that':1},'successor':{'rather':1},'viscid':{'threads':2},'articles':{'will':1,'with':1,'are':1},'crumb-of-bread':{'sponge':1},'sleeve':{'.':1},'movements.':{'this':1},'profound':{'idea':1,'abysses':1,'practical':1,'.':1,'calm':1,'moulding':1},'tram':{'or':1},'seashore.':{'illustration':1},'transmitted':{'through':2,'.':1},'trap':{'formed':1,'.':1},'cocoon':{'flies':1,'when':1},'bills':{'and':1,'up':1,'upwards':2},'erratic':{'quantities':1,'scattered':1,'paths':1},'foot-print--an':{'eloquent':1},'fitting':{'their':1},'old-established':{'creature':1},'related':{'to':11,'half-monkeys':1,'fish':1,'which':1},'whitish':{'spots':1},'remove':{'the':1},'82':{'peripatus':1},'83':{'photo':1,'photograph':1},'80':{'per':1},'86':{'photo':1,'an':1},'87':{'animals':1},'ebooks':{'and':1,'unless':1,'.':1,'are':1,'in':1,'with':1},'respects':{'a':2,'very':1,'like':1},'loquacious':{'bird.':1},'cerebral':{'hemispheres':1,'advances':1},'blood-channels':{'and':1},'flattening':{'of':1},'exporting':{'a':1},'20.--comet':{'october':1},'carpo-metacarpus':{'bone':1},'supports':{'them':1},'dive':{'far':1,'neither':1},'despairing':{'of':1},'fun':{'but':1},'zoological':{'gardens.':1,'races':1,'park':1,'haunt':1,'park.':10},'pours':{'out':2},'mussels.':{'the':1},'maintains':{'that':1},'promptly':{'discovered':1},'york':{'and':1,'zoological':10},'waves--light--what':{'the':1},'obliteration':{'.':1},'tenant':{'.':1},'support.':{'project':1},'age-old':{'mystery':1},'weaves':{'its':1},'organic':{'evolution':9,'evolution.':3,'matter':1,'nature':1,'particles':1,'evolution--there':1,'dust':1},'g':{'notice':1,'.':10,'in':1},'musculature':{'integumentary':1},'curlews':{'both':1},'behaviour.':{'a':2,'evolution':1,'illustration':1,'comparing':1,'sec':1,'in':1,'the':2},'chisel-edged':{'teeth':1},'hence':{'a':1,'fall':1,'it':1,'appendicitis':1,'in':1,'the':2,'if':1},'pterosaurs':{'none':1},'californian':{'coast.':1},'incipient':{'race':1,'species':1},'embryo':{'-reptile':1,'there':2,'no':1,'-mammal':1,'is':2,'within':1,'.':3,'while':1,'of':2,'the':1,'has':1,'with':1,'-fish':1,'shows':1},'plainly':{'this':1,'how':1,'that':1},'arcturus':{'43.4':1},'pycraft':{'w':1},'echo':{'of':1},'bonnet':{'monkey':2},'foals':{'and':1,'to':1},'eleventh':{'printing':1,'moon':1},'placental':{'mammals':1},'representations':{'concerning':1},'imperial':{'war':4},'miles--in':{'itself':1},'dispersive':{'effect':1},'salient':{'aspects':1,'features':1,'examples':1},'droop':{'forward':1},'unknown':{'on':1,'gas':1,'but':1,'.':3,'to':1,'manner':1,'in':1,'until':1},'galley':{'hill':1,'.':1},'retreats':{'and':1},'their':{'distances':1,'interpretation':1,'perch':1,'orbits.':1,'boxed-in':1,'brain':1,'attempts':1,'relation':1,'salivary':1,'upturned':1,'speed':3,'lessons':2,'birthplace':2,'doom':1,'resemblance':1,'progeny':1,'masses':1,'possessors':2,'young':6,'opportunities':1,'wings':1,'environment':2,'surroundings':3,'neighbours':1,'bases':1,'parents':2,'marks':1,'resources':1,'appearance--an':1,'borrowed':1,'clutches':1,'fate':1,'distance':1,'food':4,'advances':1,'moons':1,'early':1,'smallness':1,'background':1,'hands':1,'slipperiness':1,'height':1,'day':1,'condition':1,'evolution':1,'success':1,'parrot':1,'course':1,'crops':1,'luminosity':2,'length.':1,'back-teeth':1,'activity':1,'distant':1,'bills':4,'soft':1,'breast-bone':1,'bond':1,'dwindled':1,'burrows':1,'old':1,'mental':1,'weight':1,'life-history':2,'appearance':1,'energy':3,'range.':1,'sifting':1,'relative':2,'rate':1,'individual':1,'year':1,'development':2,'foals':1,'enemies':3,'living':1,'constitution':1,'axes':1,'interference':1,'migrations':2,'artificial':1,'fellows':1,'colours':1,'wave-lengths.':1,'simplest':1,'approach':1,'bearers':1,'scaly':1,'body':2,'variability':1,'toes':1,'transparency':1,'power':3,'importance':1,'argument':1,'kindred':3,'limbs':1,'atoms':2,'behaviour':1,'host':1,'chances':1,'outlying':2,'substance':1,'allies':1,'brilliant':1,'dormancy':1,'insect':3,'discoveries':1,'motion':1,'turn':1,'length':2,'head':1,'youthful':1,'first':1,'origin':2,'golden':3,'own':9,'gizzard--certainly':1,'family':1,'presence':1,'reasons':1,'father':1,'bluish':1,'multiplication':1,'enlarged':1,'names':1,'passage':2,'size':1,'decline':1,'use':1,'palm-bones':1,'chisel-edged':1,'muddy':1,'destination':1,'secret':1,'thinnest':1,'prey':1,'predecessors':1,'way':7,'fixed':2,'repertory':1,'more':2,'function':1,'hue':1,'eyes':1,'tissues':1,'yolk-forming':1,'wits':2,'brains':1,'becoming':1,'back':1,'heat':2,'importance.':1,'lives':1,'adult':1,'impulse':1,'ring-armour.':1,'insect-visitors':1,'homes':1,'characteristic':1,'cells':3,'detachable':1,'ancestral':1,'lips':1,'vocal':1,'temperatures':1,'reproduction':1,'light':3,'photosynthesis':1,'remains':1,'parents.':1,'real':1,'furs':1,'modern':1,'mind':1,'discovery':2,'deep':1,'manner':1,'lifetime':1,'movements':2,'respective':1,'ancestors':1,'variety':1,'lengths':1,'ascent':1,'maximum':1,'arrangement':1,'pectoral':1,'field':1,'relatives':3,'numerous':1,'income':2,'tool':1,'contemporaries':1,'worldwide':1,'polar':1,'material':1,'cupboard':1,'mouths':1,'normal':1,'nest':1,'reach':1,'orbits':1,'counterparts':3,'visitors':1,'significance.':1,'strength':1,'mouth':1,'delicate':1,'ink-bags':2,'hair':1,'foothold':2,'coloration':1,'natural':1,'modes':1,'pigmy':1,'nostrils':1,'eggs':5,'life':3,'posterior':1,'incessant':1,'castings':1,'manipulative':1,'tentacles':1,'smooth':1,'mother':2,'reward':1,'wing':1,'bodies':3,'usual':1},'1500':{'west':1},'delusions':{'yet':1},'behind.':{'there':1,'illustration':1},'embryology':{'--these':1,'of':1},'unstereotyped':{'they':1},'invisibility':{'and':1,'may':1,'coloured':1,'does':1,'at':1,'.':1},'noteworthy.':{'penguins':1},'shell':{'and':3,'very':1,'of':11,'is':4,'tends':1,'against':1,'.':2,'were':1,'in':3,'not':1,'with':1,'or':1},'x-rays':{'and':2,'we':1,'ltd.':4,'were':1,'.':2,'discovered':1,'have':1,'so':1,'are':1,'they':1,'which':3,'not':1,'through':2,';':1},'bromogelatine':{'plates':1},'shelf':{'fringing':1,'around':1},'shallow':{'and':1,'there':1,'well-illumined':1,'.':1,'water':5,'trough':1,'water.':2,'pond':1,'areas':1},'reflecting':{'instrument':1,'telescope--the':1,'telescope':1,'others':1},'constituent':{'colours':1,'of':1,'element':1},'july':{'17':2},'reverses':{'its':1},'blind':{'flat-fish':1,'alley':1,'gut':2},'dynamical':{'principle':1},'succeeded':{'and':1,'sir':1,'or':1,'.':1,'every':1,'in':3,'by':1},'uninterested':{'to':1},'isolation':{'of':1,'from':1,'which':1},'richer':{'evolution':1},'instincts--of':{'insects':1},'dynamo':{'as':1,'does':1,'it':1,'which':1},'individualities':{'arise':1},'dusty':{'the':1},'varied.':{'a':1},'tracts':{'of':1},'safeguarded':{'the':1},'violets':{'would':1},'fowl':{';':1},'gate-posts':{'and':1,'green':1},'sifting.':{'but':1},'endeavour.':{'sec':1,'in':1},'mongolian':{'and':1},'germinal':{'changefulness':1,'variations':1},'siamang':{'.':1},'reaches':{'a':5,'on':1,'of':3,'it':1,'us':1,'which':1,'in':1,'such':1,'the':2,'its':3},'angle':{'and':1,'on':1,'to':2,'.':1},'pollen-tubes':{'grow':1},'agency':{'could':1},'olfactory':{'messages':1},'supplanted':{'by':1},'well-marked':{'chins':1,'breeds':1},'ungirt':{'loin':1},'which':{'all':9,'belong':2,'help':1,'just':1,'produces':2,'captures':1,'probe':1,'vary':1,'gulls':1,'leads':3,'stored':1,'thanks':1,'go':3,'still':1,'birds':1,'causes':4,'seemed':2,'bridges':1,'rapid':1,'depend':1,'had':6,'came':1,'actually':1,'forms':5,'simple':1,'only':1,'behave':1,'extends':2,'helps':1,'sulked':1,'under':1,'attained':2,'covered':1,'circle':1,'has':43,'alter':1,'happened':1,'grip':1,'eventually':1,'his':2,'means':3,'food':2,'breaks':1,'tends':1,'lurk':1,'floated':1,'confines':1,'feels':2,'cannot':5,'nearly':2,'they':19,'progress':1,'not':1,'during':1,'he':7,'now':2,'dr':1,'monkeys':1,'look':1,'indicate':2,'like':1,'did':1,'always':2,'generally':1,'modern':2,'make':4,'admitted':1,'travels':2,'this':5,'persisted':1,'she':1,'turns':1,'become':2,'speculation':1,'freshwater':1,'mount':1,'reaches':1,'often':1,'reference':1,'people':1,'sends':1,'ancestral':1,'some':4,'supplies':1,'recapitulate':1,'constitute':2,'individual':1,'lines':1,'are':66,'pass':1,'our':1,'kant':1,'parachuting':1,'even':1,'delivered':1,'plays':1,'opened':1,'lead':1,'constitutes':2,'rings':1,'its':1,'everything':1,'contained':1,'experiment':1,'huxley':1,'scientists':1,'probably':4,'learned':1,'dilutes':1,'roentgen':1,'can':2,'we':52,'led':4,'nature':2,'climbs':1,'never':2,'atoms':1,'water':2,'credits':1,'were':12,'sink':1,'lasts':1,'put':1,'from':1,'puzzled':1,'come':1,'by':5,'about':1,'enables':2,'rests':1,'deals':1,'could':4,'strikes':1,'contract':1,'mixes':1,'carries':2,'became':1,'stand':1,'professor':1,'swing':1,'usually':1,'disappears':1,'stimulate':1,'comes':1,'feed':2,'emerge':1,'radio-activity':1,'followed':1,'secure':3,'formerly':1,'supply':1,'suddenly':1,'seems':1,'habitual':1,'marked':2,'one':1,'brought':1,'lies':2,'spans':1,'comprises':1,'whalebone':1,'mark':1,'appeared':1,'presents':1,'differ':1,'light':1,'expresses':1,'takes':1,'would':8,'to':3,'there':11,'finally':1,'periodically':1,'rivals':1,'live':4,'spread':3,'slowly':1,'living':1,'grew':2,'was':18,'opens':1,'gives':1,'life':1,'enable':1,'arise':1,'molecules':1,'form':1,'afford':1,'becomes':1,'marks':1,'amphibians':1,'broke':1,'separates':2,'absorbs':1,'almost':1,'reverses':1,'must':4,'plants':2,'pull':1,'made':1,'animals':2,'unfortunately':1,'these':3,'prevents':1,'require':1,'work':1,'lessen':1,'will':7,'attacks':1,'remain':1,'lays':1,'many':1,'already':1,'meet':1,'circulate':1,'dr.':1,'hatch':1,'have':22,'bind':1,'give':3,'frogs':1,'again':1,'is':61,'occupies':1,'thus':1,'it':22,'eats':1,'helped':1,'case':1,'as':3,'lived':1,'protects':1,'at':2,'slip':1,'allowed':1,'regulate':1,'pit':1,'counteract':1,'granules':2,'lie':1,'date':1,'no':4,'suggest':1,'began':2,'holds':1,'when':2,'astronomers':2,'very':1,'take':4,'forces':1,'brings':1,'new':1,'you':2,'grows':1,'neolithic':1,'formed':2,'conveys':1,'attend':1,'though':1,'may':16,'dive':1,'faintly':1,'paid':1,'reflect':1,'most':1,'fell':2,'tackle':1,'two':1,'multiply':1,'infects':1,'grow':1,'man':8,'a':8,'demand':1,'land':2,'in':7,'i':2,'makes':7,'arrange':1,'mask':1,'lasted':1,'thought':1,'used':1,'eurypterids':1,'allow':1,'keeps':1,'masks':1,'the':57,'justify':1,'blend':1,'responded':1,'migrate':1,'once':1},'tree-frogs':{'are':2,'called':1},'spawns':{'in':1},'divers':{'come':1},'vegetation':{'marking':1,'that':1,'of':1,'only':1,'in':1,'probably':1,';':1,'lingering':1,'consisted':1},'hydrostatica':{'related':2},'centre':{'and':4,'of':4,'.':2,'to':1,'only':2,'at':1,'in':1,'or':1},'wind-blown':{'sand':1},'who':{'show':1,'is':3,'soon':1,'anticipating':1,'have':4,'estimated':1,'are':5,'intrude':1,'said':1,'described':1,'had':2,'does':1,'has':1,'lacks':1,'do':1,'knows':1,'found':1,'may':1,'came':1,'gnaw':1,'lives':1,'learns':1,'approach':1,'believe':1,'with':1,'by':2,'concentrated':1,'made':4,'to-day':1,'like':1,'was':1,'think':1,'will':1,'maintain':1,'can':1,'mounts':1,'desire':1,'agree':1,'restored':1,'notifies':1},'cohesion':{'of':1,'between':1},'1.d':{'.':1},'1.e':{'below.':1,'.':1},'microbic':{'or':1},'digestive':{'and':1,'filaments':1,'juice.':1},'1.a':{'.':1},'1.b':{'.':1},'1.c':{'below':1,'.':1},'emancipation':{'of':3,'from':1},'violet.':{'sorting':1},'class':{'a':1,'of':5,'we':1},'deny':{'a':1},'expert':{'opinion':1,'advice':1},'deccan':{'the':1},'wasp-like':{'impression':2},'.001':{'per':1},'pipe':{'to':1,'.':1},'different-lengthed':{'waves':1},'cloaked':{'by':1},'europe.':{'it':1,'illustration':1},'swarming':{'in':1},'goals':{'and':1},'unimpeded':{'five':1},'refund':{'set':1,'from':1,'of':3,'-':1,'.':2,'in':1,'described':1},'terrific':{'cold':1},'insulators':{'because':1,'for':1},'perceptions':{'and':1},'chances':{'of':1,'are':1},'sceptical':{'about':1},'agreed':{'to':1},'tidings':{'from':1},'chapters':{'of':1},'upright':{'forehead':1,'on':1,'nail':1},'purely':{'instinctive':2},'sabre-toothed':{'tiger':1},'seaweed':{'and':3,'for':1,'area':1,'of':1,'nest':1,'continues':1,'but':1,'.':1,'green':1,'nibbles':1,'each':1,'vegetation.':1,'or':1},'changeful':{'surroundings':1,'processes':1,'place':1},'utter':{'darkness--an':1,'sufficient':1,'darkness':1},'fear':{'of':2},'darkest':{'period':1},'feat':{'which':1},'agrees':{'in':1},'nearer':{'a':1,'and':1,'an':1,'to':3,'the':3,'.':1,'than':1},'cave-bear':{'became':1,'cave-lion':1},'implying':{'initiative':1},'cache':{'of':1,'after':1},'gouging':{'out':1},'surroundings':{'on':1,';':1,'like':2,'these':1,'many':1,'.':4,'admits':1,'their':1,'without':1,'including':1,'lighter':1,'in':1,'not':1,'the':4,'rests':1,'must':1},'postulated':{'by':1},'herald':{'the':1,'its':1},'inhabit':{'the':1},'local':{'influence':1,'drying':1,'changes':1,'thickness':1},'combe':{'capelle':1},'snow-capped':{'mountains':1},'dexterities':{'which':1},'helios':{'the':1},'cube':{'of':1},'skims':{'from':1},'watching':{'those':1,'in':1},'d.p.':{'it':1},'displayed':{'performed':1},'primeval.':{'the':1},'intensely':{'hot':1},'words':{'all':1,'as':1,'are':2,'what':1,'to':1,'true':1,'there':2,'.':1,'also':1,'written':1,'meant':1,'we':1,'signifying':1,'but':2,'indicative':1,'such':1,'with':1,'monkeys':1,'animals':1,'of':2,'became':1,'can':1,'positive':1,'become':1,'the':2,'or':1},'please.':{'it':1},'penetrate':{'everywhere':1,'the':1,'through':1},'spur':{'to':2},'burned':{'up':1},'ornithoscatoides':{'decipiens':1},'sweat':{'and':1},'prodigally':{'using':1},'belts':{'which':1},'monsters':{'1892':1},'insectivorous':{'and':1,'plant':1,'bats':1},'quaternary':{'at':1},'waterfalls':{'of':1},'sparrows':{'and':1,'to':1},'generations':{'reached':1,'afterwards--and':1,'yet':1,'to':1},'afterwards--and':{'suffering':1},'unison':{'with':1},'available':{'on':1,'.':1,'with':1,'for':1,'space':1},'ebb':{'of':1},'acquired':{'a':2,'an':1,'its':1,'dexterities':1},'monkeys--in':{'dogs':1},'distantly':{'related':1},'cross-fertilisation.':{'sec':1},'violet':{'then':1,'end':1,'light':1,'colour':1,'.':1,'will':1,'at':1,'the':1},'barrels':{'of':1},'this.':{'the':1},'responses':{';':1,'.':2},'closer':{'examination':1},'closes':{'with':1},'shore-frequenting':{'seals':1},'mentioned':{'that':1,'already.':1,'indicates':1,'part':1,'in':1,'the':1,'is':1},'monstrous':{'tortoise':1},'worship':{'and':1},'genius':{'a':1,'of':1,'.':1,'it':1,'than':1},'converted':{'almost':1,'into':1,'directly':1},'identification':{'number':1,'for':1},'colour-associations':{'.':1},'hebrides':{'southwards':1},'crude':{'flint':1},'limit':{'these':1,'to':1,'the':1,'.':1},'variability':{'on':1,'is':1,'.':1,'to':1,'along':1,';':1},'andromeda':{'messier':2},'ability':{'to':2,'.':1},'opening':{'and':1,'fir':1,'up':1,'to':1,'new':1,'the':2,'more':1},'joy':{'and':1,'.':1},'agencies':{'operating':1,'for':1,'.':1},'podargus':{'a':1,'190':1},'apes':{'and':6,'both':1,'from':1,'show':1,'though':1,'but':1,'.':3,'also':1,'as':2,'diverged':1,'can':1,'165':1,'monkeys':1},'hypothesis':{'that':1,'may':1,'.':3,'therefore':1,'which':1,'one':1,'apart':1},'probing':{'and':1,'its':1},'rhythm.':{'illustration':1},'air-bubble--air':{'entangled':1},'swift':{'stroke':1,'hardly':1,'runners':1,'stream':1},'commands':{'our':1,'such':1},'cliff.':{'energy':1},'acknowledge':{'as':2},'mentone':{'on':1},'grouse':{'and':2,'disease':2,'or':1},'april':{'1922':4},'grain':{'of':8,'contains':1,'planted':1,'.':1},'utilising':{'dry':1},'retrograde':{'direction':1},'canopy':{'over':1},'germ-cells':{'and':1,'do':1,'that':1,'perhaps':1,'is':1,'but':1,'are':1,'have':1,'has':1,'into':1},'mutating':{'mood.':1},'wall':{'of':7,'shown':1,'.':1},'wonder':{'of':2,'then':1},'walk':{'with':2},'walt':{'whitman':1},'subscribe':{'to':1},'heredity':{'is':1,'which':1},'stars--to':{'star':1},'animalcule':{'often':1,'is':1,'which':1,'the':1,'has':1,'or':1},'table':{'suggests':1,'colliding':1,'page':1,'.':2},'investigator':{'noted':1},'mesozoic':{'and':1,'is':1,'era':6,'three':1,'times':1},'provinces':{'and':1},'i.e.':{'eating':1},'cavities':{'in':1},'hunters':{'and':2,'fowlers':1},'trademark':{'and':2,'license':1,'copyright':1,'but':1,'.':3,'as':1,'owner':2},'window':{'.':1},'responds':{'to':1},'ant-eaters':{'lay':1},'reindeer':{'and':2,'wild':1,'men':1,'man':1},'cry':{'uttered':1,'for':1,'.':2},'735':{'years.':1},'bewildering':{'profusion':1},'twenty-nine':{'days':1},'conductors.':{'so':1},'remedies':{'for':1},'1.e.1.':{'1.e.7':1},'painted':{'on':1,'bison':1,'in':2},'sufficient':{'for':1,'supply':1,'of':1,'here':1,'to':6,'heat':1,'sounds':1,'quantity':1,'cause':1,'theoretical':1,'inducement':1,'if':1},'thrusting':{'their':2},'sub-aquatic':{'environment':1},'ensuring':{'that':1},'visible.':{'illustration':1},'present':{'features':1,'point':1,'is':4,'rate':1,'in':6,'our':1,'living':1,'unavailable':1,'when':1,'two':1,'.':2,'day.':1,'state':1,'form':2,'though':1,'after':1,'but':1,'standard':1,'purpose':1,'they':1,'trying':2,'with':1,'day':2,'stage':1,'whereby':1,'value':1,'time':1,'the':4},'inconspicuous':{'24':1,'among':2,'when':1,'against':2,'.':2,'as':1,'amidst':1,'in':2,'by':1},'interstices':{'they':1},'abandoned':{'by':1,'.':2},'unlike':{'the':2},'agreement.':{'illustration':1},'vanilla':{'ascii':2},'will':{'emerge':1,'learn':1,'deal':1,'supply':1,'almost':1,'cover':1,'pass':2,'replace':1,'say':1,'have':1,'measure':1,'radiate':1,'tend':3,'scent':1,'any':1,'select':1,'make':2,'again':1,'gradually':1,'detect':4,'proceed':1,'to':2,'prevail':1,'support':1,'show':1,'deal.':1,'.':1,'start':1,'finally':1,'suffocate':1,'take':2,'then':1,'hatch':1,'surprise':1,'confine':1,'cause':1,'tell':1,'dispute':1,'evolve':1,'notice':1,'enable':1,'return':1,'engender':1,'gnaw':1,'admit':1,'express':1,'stop':1,'rush':1,'bear':1,'intercept':1,'sink':1,'not':9,'last':1,'attract':1,'come':3,'throw':1,'summon':1,'knock':1,'do':3,'rotate':1,'give':2,'consist':1,'be':53,'science':1,'colour':1,'no':1,'liquefy':1,'spontaneously':1,'appear':1,'remain':2,'continue':2,'die':1,'become':1,'the':2,'tap.':1,'explain':1,'travel':1},'inequilibrium':{'results':1},'vastly':{'hotter':1,'greater':1,'more':3},'wild':{'plants':1,'horses':1,'life':1,'animals':1,'rock-dove':1,'nature':2,'mammals':1,'peoples':1,'dog':2,'.':1,'species':2,'wheat':1,'rabbit':1,'cattle':1,'boar':1,'life.':1,'fauna':1,'he':1,'or':2,'cabbage':1,'sheep':1},'2007':{'ebook':1},'tadpoles':{'of':1,'while':1,'are':1,'.':1},'layer':{'of':4,'is':1,'overpowering':1,'or':2,'.':2},'envelope.':{'thus':1},'zostera':{'form':1},'apprehend':{'the':1},'filaments':{'which':1,'in':1},'non':{'profit':1},'encouragement':{'to':1},'meteoritic':{'contributions':1},'life-forms':{'would':1},'perhaps':{'among':1,'all':1,'because':5,'stray':1,'is':2,'it':5,'an':3,'discovered':1,'are':1,'in':1,'25':4,'from':2,'to':1,'twenty':1,'sum':1,'there':2,'when':1,'next':1,'also':2,'too':1,'belong':1,'500':1,'we':1,'increased':1,'that':2,'300':1,'eight':1,'they':3,'100':2,'one':1,'beginning':1,'why':1,'a':6,'thirty':1,'this':2,'professor':1,'wild':1,'the':9,'came':1},'trailing':{'on':1},'cromagnard':{'representative':2,'in':1},'forceps':{'held':1,'the':1,'so':1,'.':1},'unite':{'with':1},'electro-magnetic':{'energy':1,'theory':1,'waves':2},'orionis':{'showing':1,'37':1},'unity':{'and':1,'of':1,'.':2,'at':1,';':1,'or':1},'exuberance':{'of':3},'geographical':{'barriers':1,'distribution':1},'largest':{'and':1,'in':1,'of':4,'flying':1,'refracting':1,'reflecting':1,'waves':1,'telescopes':2},'units':{'of':1,'the':1,'were':2,'or':1,'are':1},'gets':{'up':2,'worn':1,'will':1,'through':1,'the':1,'beyond':1,'its':2},'hammering':{'at':2},'firmament':{'is':1},'spirited':{'pictures':1},'elbows':{'.':1},'slave':{'of':1},'conceived':{'as':1},'overcrowded':{'or':1},'student':{'what':1,'but':1,'in':1},'vapour':{'layers':1,'shoot':1,'of':1,'to':1,'at':1,'out':1},'laborious':{'tasks':1},'collar':{'over':1,'round':1},'warming':{'the':1},'reached.':{'the':1},'banded':{'krait':3},'unpacked':{'the':1},'star-book':{'.':1},'electrified.':{'in':1},'spectator':{'after':1},'sound-waves':{'and':1},'undertaken':{'by':1},'realised':{'the':1,'in':2,'.':1},'tacchini':{'of':1},'heavily':{'armoured':1},'only.':{'3':1},'wren':{'.':1},'multitude':{'of':6},'obtain':{'a':3,'permission':2},'replenish':{'the':1},'batteries':{'of':1,'getting':1,'.':1},'fishing':{'farming':1},'rocked':{'from':1},'inturned':{'margin':1},'cuckoo-spit':{'147':1,'the':2,'on':1},'contractile':{'vacuole':1},'disturbance':{'around':2,'ceases':1,'being':1,'is':1,'which':1,'in':1,'such':1},'host.':{'illustration':1},'supply':{'will':1,'of':6,'the':4,'and':1,'our':1},'smith':{'woodward':1},'pitcher-plant':{'catching':1},'discuss':{'at':1},'book':{'and':1,'on':1,'of':2,'there':2,'it':1,'which':1,'the':1},'galloping':{'boar':2},'usage':{'spread':1,'had':1},'enacted':{'on':1},'unprecedented':{'development':1},'civilisation--coal':{'.':1},'knob':{'on':1},'wont':{'to':1},'diamond-like':{'eyes':1},'branch':{'and':4,'we':1,'after':1,'from':1,'of':3,'is':1,'within':1,'to':2,'at':1,'now':1,'or':1,'out':1},'community':{'at':1,'in':1},'facial':{'characteristics':1,'expressions':1,'expression':2},'denser':{'and':1,'along':1,'masses':1,'than':1},'press':{'professor':1,'copyright':1,'the':2,'agency.':7},'originative':{'stock':1},'feral':{'216':1,'it':1},'safest':{'coloration':1},'perpetual':{'unremitting':1},'loses':{'a':1,'weight.':1,'it':1,'least':1,'its':1},'colonising':{'of':1,'the':1},'vortex':{'may':1,'phenomena':1,'in':1},'james':{'ritchie':1,'s':8,'matter':1},'puzzle-boxes':{'and':2,'with':1},'smoothness':{'of':1},'herons':{'and':1,'storks':1},'exceed':{'20':1},'because':{'they':8,'mind':1,'it':7,'in':1,'sounds':1,'its':3,'to':1,'deeply':1,'there':1,'birds':1,'their':1,'many':2,'we':1,'some':2,'heat':2,'although':1,'he':2,'this':1,'light':1,'obviously':1,'of':8,'the':12},'ages--evolution':{'of':1},'vortices':{'or':1},'elevators':{'in':1},'scottish':{'history':1},'mosquitoes':{'which':2},'eventfulness':{'of':1},'flint-shelled':{'radiolarians':1},'116':{'a':1,'after':1},'113':{'the':1},'faraday':{'he':1},'119':{'sea-horse':1,'photo':1,'an':1},'118':{'greenland':1,'minute':1},'blood-vessel':{'nerve':1,'for':1},'gill-slits':{'of':1,'are':1},'lamprey--a':{'long':1},'leaf':{'and':1,'touches':1,'towards':1,'seventy-five':1,'is':1,'six':1,'when':1,'.':4,'near':1,'without':1,'in':2,'close':1,';':1,'before':1,'must':2},'lead':{'on':1,'has':2,'pencil':1,'these':1,'is':1,'us':3,'one':1,'.':3},'promotion':{'and':1},'high.':{'the':1},'mines':{'of':1},'philosopher':{'and':1,'professor':1},'instantaneous':{'abandonment':1},'arteries':{'of':1},'leap':{'and':2,'over':1,'due':1,'out':1},'glacial':{'climate':1,'time':1,'.':1},'repeopling':{'from':1},'trout':{'go':1,'we':1,'in':1,'or':1,'eluding':1},'locate':{'a':1},'obey':{'this':2,'an':1},'thoroughfare':{'for':1},'astounding':{'fact':2},'analysed':{'tons':1,'.':1,'in':1},'conveyed':{'by':1},'raise':{'a':1,'their':1,'the':2,'it':1},'rare':{'birds':1},'carried':{'to':2,'about':2,'by':3,'for':1,'back':1},'extension':{'of':2,'have':1},'unsurpassable':{';':1},'column':{'of':1},'universe':{'and':3,'transmitting':1,'is':13,'it':1,'an':1,'as':3,'sec':2,'are':1,'in':1,'even':1,'said':1,'opened':1,'remains':1,'tiny':1,'.':11,'how':1,'which':1,'has':1,'was':2,'comparable':1,'may':2,'why':1,'243':1,'than':1,'a':1,'of':1,'can':1,'were':2,'the':1,'or':1},'biscuit':{'from':1,'.':1},'eclipse.':{'this':1},'dependence':{'.':1},'urged':{'that':1},'sea-horse':{'is':1,'puts':2,'in':2},'carries':{'them':2,'many':1,'about':1,'in':1,'the':2,'its':1},'carrier':{'of':1,'pigeons':1,'pigeon':3},'places':{'on':2,'them':1,'for':1,'e.g':1,'of':2,'vary':1,'to':1,'have':1,'the':3,'where':1,'its':1},'wheats':{'.':1},'devouring':{'their':1,'potatoes':1},'warranty':{'or':1,'disclaimer':1},'splash':{'of':1},'own':{'and':3,'beautiful':1,'weight':2,'when':1,'mind':1,'invention':1,'in':1,'lambs':1,'.':7,'reward.':1,'before':1,'dispersive':1,'little':1,'sake':1,'distinctive':2,'definite':1,'system':2,'moon':1,'internal':1,'white':1,'was':1,'day':1,'then':1,'race':1,'that':1,'but':1,'atoms':1,'genealogical':1,'solar':2,';':1,'he':1,'kind':1,'enemies.':1,'planet':1,'circle':1},'polished':{'stones':1,'stone':2},'sugary':{'sap':2},'owe':{'to':3,'them':1,'it':1,'our':1},'habituations':{'and':1},'wearisome':{'reiteration':1},'promise':{'myriads':1,'that':1,'of':2,'is':1,'are':1,'considerable':1},'brush':{'and':1},'registration':{'of':3,';':1},'cell--a':{'fertilised':1},'to-morrow':{'might':1},'prompted':{'by':1,'reliance':1},'linnaeus':{'spoke':1},'van':{'was':1},'miles.':{'these':1},'transfer':{'energy':1,'her':1},'paperwork':{'and':1},'spiral':{'nebulae.':1,'facing':1,'nebulae':8,'nebula':11,'edge-on':1,'arms':2,'having':1,'arms.':1,'to':1,'than':1,'structure':1},'continental':{'islands':1,'masses':1,'elevation':1,'fish':1},'uniting':{'into':1,'with':1},'4.--the':{'great':1},'breeding':{'season':2,'only':1,'calls':1,'time':1},'phosphorus':{'is':1},'mouth.':{'everyone':1,'sec':1,'illustration':4},'limulus':{'may':1},'fundy':{'it':1},'dasypeltis':{'gets':1},'u.s.a.':{'this':1},'incursions':{'of':1},'volume':{'and':1},'larger':{'and':3,'animals':2,'particle':1,'variety':1,'rather':1,'of':1,'area':1,'parasite':1,'than':5,'supply':1,'in':1,'fifteen-spined':1,'.':1,'continent':1,'species':1},'counterparts':{'in':3},'millipedes':{'and':1},'shark-like':{'and':1},'tactics':{'of':1,'are':1},'instructive':{'case':1,'to':2,'because':1,'.':1},'whether':{'all':2,'gravitation':1,'hunting':1,'that':1,'these':1,'it':5,'bird':1,'we':1,'imitation':1,'they':1,'particular':1,'the':6,'astronomy':1,'similar':1,'or':1},'meeting':{'of':1,'the':1,'that':1},'fossilized':{'forests.':1},'moorhen':{'saw':1,'has':1,'dived':1,'in':1},'record':{'of':1,'is':1,'answers':1,'.':2,'how':1,'the':1,'tells':1},'below':{'and':1,'a':1,'this':1,'freezing-point.':1,'.':3,'their':1,'are':1,'freezing-point':1,'the':11},'graphite':{'similarly':1},'demonstrate':{'a':1},'percival':{'lowell':1,'lowell.':1},'arno':{'von':1},'stirring':{'times':1},'unfolding':{'of':1},'cynodonts':{'were':1},'roentgen.':{'discovery':1},'change-producing':{'factors':1},'--1':{'.':1},'pigment-cells':{'chromatophores':1,'change':1},'1781.9':{'84.02':1},'globules':{'of':1},'kind.':{'sec':1},'soft-shell':{'tortoise':1},'domesticated':{'sheep':1,'animals':7,'dog':2,'breeds':1,'type':1,'creature':1},'counteract':{'poisons':1},'limb':{';':1,'or':1},'mutual':{'benefit':1,'gravitation':1,'dependence':1,'assurance':1},'1898.':{'in':1},'incredible':{'refinement':1,'speed':1},'portion':{'consists':1,'of':5,'would':1},'other':{'all':1,'interpretation':1,'words':11,'four':1,'experiments':1,'facts':1,'birds':1,'causes':1,'chemical':1,'apes':2,'group':1,'shifts':1,'physiological':1,'interesting':1,'parts':1,'marsh':1,'main':1,'associations':1,'format':1,'inter-relations':1,'marked':1,'they':1,'new':2,'radio-active':1,'sensational':1,'worlds':1,'backboned':1,'sedimentary':1,'side':6,'investigators':2,'telescope.':1,'thinkers':1,'growths':1,'some':1,'mollusc':1,'sporadic':1,'bacteria':1,'creatures':3,'pigments':1,'organisms':1,'factors':1,'ways':3,'pictures':1,'heavenly':1,'got':1,';':3,'warranties':1,'body':1,'ends':1,'toes':1,'terms':1,'men':2,'atoms':3,'stellar':1,'objects':1,'by':1,'extreme':1,'digits':1,'great':1,'substance':1,'of':1,'haunts':1,'times':3,'thing':1,'s':1,'light--we':1,'host.':1,'useful':1,'features':1,'reasons':1,'intellectual':1,'highly':1,'fishes':1,'seashore':1,'protozoa':1,'sounds':1,'throughout':1,'persons.':1,'trifles':1,'sea-snail':2,'copies':1,'.':14,'way':4,'reptiles':1,'specimens':1,'direction':1,'senses':2,'spiral':1,'form':2,'substances':2,'mammals':7,'immediate':1,'known':1,'branches':1,'cases':9,'than':1,'circumstances':1,'animals':3,'liquid':1,'places':1,'work':2,'theories':1,'project':1,'wild':1,'stages':1,'colour':1,'and':1,'meant':1,'seven':1,'change-producing':1,'is':3,'experiments--indications':1,'it':1,'metals':2,'pieces':1,'medium':1,'universes.':1,'planets':3,'universes':1,'domesticated':1,'orders':1,'cotton':1,'end':2,'in':1,'things':1,'ideas':1,'species':1,'astronomers':2,'instance':1,'became':1,'animal':1,'party':1,'enemies':1,'intelligent':1,'creature':1,'kinds':2,'hand':9,'glimpses':1,'blood':1,'never':1,'authorities':1,'such':1,'acquisitions':1,'amoeboid':1,'modes':1,'consequences':1,'age':1,'obstacles':1,'lines':1,'shafts.':1,'fundamental':2,'mechanical':1,'the':1,'order':1,'bodies':2},'sunrise':{'the':1},'boon':{'to':1},'conclusion':{'we':1,'that':5,'is':2,'what':1,'to':1,'in':1},'supersaturated':{'vapour':1},'kinds':{'forms':1,'of':34,'neoceratodus':1,'with':1,'are':1},'june':{'1922':4},'inherently':{'liable':1},'4.29':{'vega':1},'--i':{'.':1},'supple':{'yet':1},'--a':{'sort':1,'quite':1},'opened':{'a':1,'cones':1,'up':1,'.':1,'with':1,'its':1},'association--why':{'is':1},'ranks':{'of':2},'half-second':{'that':1},'volumes':{'of':1,'g':1},'understand':{'them':1,'that':1,'very':1,'what':1,'why':2,'in':2,'not':1,'the':4,'now':1,'agree':1},'function.':{'interesting':1},'expands':{'as':1},'sun--the':{'surface':1,'planets':1},'sci.':{'volvox':1,'trypanosoma':1}} FIRST_NAMES = "James,John,Robert,Michael,William,David,Richard,Charles,Joseph,Thomas,Christopher,Daniel,Paul,Mark,Donald,George,Kenneth,Steven,Edward,Brian,Ronald,Anthony,Kevin,Jason,Matthew,Gary,Timothy,Jose,Larry,Jeffrey,Frank,Scott,Eric,Stephen,Andrew,Raymond,Gregory,Joshua,Jerry,Dennis,Walter,Patrick,Peter,Harold,Douglas,Henry,Carl,Arthur,Ryan,Roger,Joe,Juan,Jack,Albert,Jonathan,Justin,Terry,Gerald,Keith,Samuel,Willie,Ralph,Lawrence,Nicholas,Roy,Benjamin,Bruce,Brandon,Adam,Harry,Fred,Wayne,Billy,Steve,Louis,Jeremy,Aaron,Randy,Howard,Eugene,Carlos,Russell,Bobby,Victor,Martin,Ernest,Phillip,Todd,Jesse,Craig,Alan,Shawn,Clarence,Sean,Philip,Chris,Johnny,Earl,Jimmy,Antonio,Danny,Bryan,Tony,Luis,Mike,Stanley,Leonard,Nathan,Dale,Manuel,Rodney,Curtis,Norman,Allen,Marvin,Vincent,Glenn,Jeffery,Travis,Jeff,Chad,Jacob,Lee,Melvin,Alfred,Kyle,Francis,Bradley,Jesus,Herbert,Frederick,Ray,Joel,Edwin,Don,Eddie,Ricky,Troy,Randall,Barry,Alexander,Bernard,Mario,Leroy,Francisco,Marcus,Micheal,Theodore,Clifford,Miguel,Oscar,Jay,Jim,Tom,Calvin,Alex,Jon,Ronnie,Bill,Lloyd,Tommy,Leon,Derek,Warren,Darrell,Jerome,Floyd,Leo,Alvin,Tim,Wesley,Gordon,Dean,Greg,Jorge,Dustin,Pedro,Derrick,Dan,Lewis,Zachary,Corey,Herman,Maurice,Vernon,Roberto,Clyde,Glen,Hector,Shane,Ricardo,Sam,Rick,Lester,Brent,Ramon,Charlie,Tyler,Gilbert,Gene,Marc,Reginald,Ruben,Brett,Angel,Nathaniel,Rafael,Leslie,Edgar,Milton,Raul,Ben,Chester,Cecil,Duane,Franklin,Andre,Elmer,Brad,Gabriel,Ron,Mitchell,Roland,Arnold,Harvey,Jared,Adrian,Karl,Cory,Claude,Erik,Darryl,Jamie,Neil,Jessie,Christian,Javier,Fernando,Clinton,Ted,Mathew,Tyrone,Darren,Lonnie,Lance,Cody,Julio,Kelly,Kurt,Allan,Nelson,Guy,Clayton,Hugh,Max,Dwayne,Dwight,Armando,Felix,Jimmie,Everett,Jordan,Ian,Wallace,Ken,Bob,Jaime,Casey,Alfredo,Alberto,Dave,Ivan,Johnnie,Sidney,Byron,Julian,Isaac,Morris,Clifton,Willard,Daryl,Ross,Virgil,Andy,Marshall,Salvador,Perry,Kirk,Sergio,Marion,Tracy,Seth,Kent,Terrance,Rene,Eduardo,Terrence,Enrique,Freddie,Wade,Austin,Stuart,Fredrick,Arturo,Alejandro,Jackie,Joey,Nick,Luther,Wendell,Jeremiah,Evan,Julius,Dana,Donnie,Otis,Shannon,Trevor,Oliver,Luke,Homer,Gerard,Doug,Kenny,Hubert,Angelo,Shaun,Lyle,Matt,Lynn,Alfonso,Orlando,Rex,Carlton,Ernesto,Cameron,Neal,Pablo,Lorenzo,Omar,Wilbur,Blake,Grant,Horace,Roderick,Kerry,Abraham,Willis,Rickey,Jean,Ira,Andres,Cesar,Johnathan,Malcolm,Rudolph,Damon,Kelvin,Rudy,Preston,Alton,Archie,Marco,Wm,Pete,Randolph,Garry,Geoffrey,Jonathon,Felipe,Bennie,Gerardo,Ed,Dominic,Robin,Loren,Delbert,Colin,Guillermo,Earnest,Lucas,Benny,Noel,Spencer,Rodolfo,Myron,Edmund,Garrett,Salvatore,Cedric,Lowell,Gregg,Sherman,Wilson,Devin,Sylvester,Kim,Roosevelt,Israel,Jermaine,Forrest,Wilbert,Leland,Simon,Guadalupe,Clark,Irving,Carroll,Bryant,Owen,Rufus,Woodrow,Sammy,Kristopher,Mack,Levi,Marcos,Gustavo,Jake,Lionel,Marty,Taylor,Ellis,Dallas,Gilberto,Clint,Nicolas,Laurence,Ismael,Orville,Drew,Jody,Ervin,Dewey,Al,Wilfred,Josh,Hugo,Ignacio,Caleb,Tomas,Sheldon,Erick,Frankie,Stewart,Doyle,Darrel,Rogelio,Terence,Santiago,Alonzo,Elias,Bert,Elbert,Ramiro,Conrad,Pat,Noah,Grady,Phil,Cornelius,Lamar,Rolando,Clay,Percy,Dexter,Bradford,Merle,Darin,Amos,Terrell,Moses,Irvin,Saul,Roman,Darnell,Randal,Tommie,Timmy,Darrin,Winston,Brendan,Toby,Van,Abel,Dominick,Boyd,Courtney,Jan,Emilio,Elijah,Cary,Domingo,Santos,Aubrey,Emmett,Marlon,Emanuel,Jerald,Edmond,Emil,Dewayne,Will,Otto,Teddy,Reynaldo,Bret,Morgan,Jess,Trent,Humberto,Emmanuel,Stephan,Louie,Vicente,Lamont,Stacy,Garland,Miles,Micah,Efrain,Billie,Logan,Heath,Rodger,Harley,Demetrius,Ethan,Eldon,Rocky,Pierre,Junior,Freddy,Eli,Bryce,Antoine,Robbie,Kendall,Royce,Sterling,Mickey,Chase,Grover,Elton,Cleveland,Dylan,Chuck,Damian,Reuben,Stan,August,Leonardo,Jasper,Russel,Erwin,Benito,Hans,Monte,Blaine,Ernie,Curt,Quentin,Agustin,Murray,Jamal,Devon,Adolfo,Harrison,Tyson,Burton,Brady,Elliott,Wilfredo,Bart,Jarrod,Vance,Denis,Damien,Joaquin,Harlan,Desmond,Elliot,Darwin,Ashley,Gregorio,Buddy,Xavier,Kermit,Roscoe,Esteban,Anton,Solomon,Scotty,Norbert,Elvin,Williams,Nolan,Carey,Rod,Quinton,Hal,Brain,Rob,Elwood,Kendrick,Darius,Moises,Son,Marlin,Fidel,Thaddeus,Cliff,Marcel,Ali,Jackson,Raphael,Bryon,Armand,Alvaro,Jeffry,Dane,Joesph,Thurman,Ned,Sammie,Rusty,Michel,Monty,Rory,Fabian,Reggie,Mason,Graham,Kris,Isaiah,Vaughn,Gus,Avery,Loyd,Diego,Alexis,Adolph,Norris,Millard,Rocco,Gonzalo,Derick,Rodrigo,Gerry,Stacey,Carmen,Wiley,Rigoberto,Alphonso,Ty,Shelby,Rickie,Noe,Vern,Bobbie,Reed,Jefferson,Elvis,Bernardo,Mauricio,Hiram,Donovan,Basil,Riley,Ollie,Nickolas,Maynard,Scot,Vince,Quincy,Eddy,Sebastian,Federico,Ulysses,Heriberto,Donnell,Cole,Denny,Davis,Gavin,Emery,Ward,Romeo,Jayson,Dion,Dante,Clement,Coy,Odell,Maxwell,Jarvis,Bruno,Issac,Mary,Dudley,Brock,Sanford,Colby,Carmelo,Barney,Nestor,Hollis,Stefan,Donny,Art,Linwood,Beau,Weldon,Galen,Isidro,Truman,Delmar,Johnathon,Silas,Frederic,Dick,Kirby,Irwin,Cruz,Merlin,Merrill,Charley,Marcelino,Lane,Harris,Cleo,Carlo,Trenton,Kurtis,Hunter,Aurelio,Winfred,Vito,Collin,Denver,Carter,Leonel,Emory,Pasquale,Mohammad,Mariano,Danial,Blair,Landon,Dirk,Branden,Adan,Numbers,Clair,Buford,German,Bernie,Wilmer,Joan,Emerson,Zachery,Fletcher,Jacques,Errol,Dalton,Monroe,Josue,Dominique,Edwardo,Booker,Wilford,Sonny,Shelton,Carson,Theron,Raymundo,Daren,Tristan,Houston,Robby,Lincoln,Jame,Genaro,Gale,Bennett,Octavio,Cornell,Laverne,Hung,Arron,Antony,Herschel,Alva,Giovanni,Garth,Cyrus,Cyril,Ronny,Stevie,Lon,Freeman,Erin,Duncan,Kennith,Carmine,Augustine,Young,Erich,Chadwick,Wilburn,Russ,Reid,Myles,Anderson,Morton,Jonas,Forest,Mitchel,Mervin,Zane,Rich,Jamel,Lazaro,Alphonse,Randell,Major,Johnie,Jarrett,Brooks,Ariel,Abdul,Dusty,Luciano,Lindsey,Tracey,Seymour,Scottie,Eugenio,Mohammed,Sandy,Valentin,Chance,Arnulfo,Lucien,Ferdinand,Thad,Ezra,Sydney,Aldo,Rubin,Royal,Mitch,Earle,Abe,Wyatt,Marquis,Lanny,Kareem,Jamar,Boris,Isiah,Emile,Elmo,Aron,Leopoldo,Everette,Josef,Gail,Eloy,Dorian,Rodrick,Reinaldo,Lucio,Jerrod,Weston,Hershel,Barton,Parker,Lemuel,Lavern,Burt,Jules,Gil,Eliseo,Ahmad,Nigel,Efren,Antwan,Alden,Margarito,Coleman,Refugio,Dino,Osvaldo,Les,Deandre,Normand,Kieth,Ivory,Andrea,Trey,Norberto,Napoleon,Jerold,Fritz,Rosendo,Milford,Sang,Deon,Christoper,Alfonzo,Lyman,Josiah,Brant,Wilton,Rico,Jamaal,Dewitt,Carol,Brenton,Yong,Olin,Foster,Faustino,Claudio,Judson,Gino,Edgardo,Berry,Alec,Tanner,Jarred,Donn,Trinidad,Tad,Shirley,Prince,Porfirio,Odis,Maria,Lenard,Chauncey,Chang,Tod,Mel,Marcelo,Kory,Augustus,Keven,Hilario,Bud,Sal,Rosario,Orval,Mauro,Dannie,Zachariah,Olen,Anibal,Milo,Jed,Frances,Thanh,Dillon,Amado,Newton,Connie,Lenny,Tory,Richie,Lupe,Horacio,Brice,Mohamed,Delmer,Dario,Reyes,Dee,Mac,Jonah,Jerrold,Robt,Hank,Sung,Rupert,Rolland,Kenton,Damion,Chi,Antone,Waldo,Fredric,Bradly,Quinn,Kip,Burl,Walker,Tyree,Jefferey,Ahmed,Willy,Stanford,Oren,Noble,Moshe,Mikel,Enoch,Brendon,Quintin,Jamison,Florencio,Darrick,Tobias,Minh,Hassan,Giuseppe,Demarcus,Cletus,Tyrell,Lyndon,Keenan,Werner,Theo,Geraldo,Lou,Columbus,Chet,Bertram,Markus,Huey,Hilton,Dwain,Donte,Tyron,Omer,Isaias,Hipolito,Fermin,Chung,Adalberto,Valentine,Jamey,Bo,Barrett,Whitney,Teodoro,Mckinley,Maximo,Garfield,Sol,Raleigh,Lawerence,Abram,Rashad,King,Emmitt,Daron,Chong,Samual,Paris,Otha,Miquel,Lacy,Eusebio,Dong,Domenic,Darron,Buster,Antonia,Wilber,Renato,Jc,Hoyt,Haywood,Ezekiel,Chas,Florentino,Elroy,Clemente,Arden,Neville,Kelley,Edison,Deshawn,Carrol,Shayne,Nathanial,Jordon,Danilo,Claud,Val,Sherwood,Raymon,Rayford,Cristobal,Ambrose,Titus,Hyman,Felton,Ezequiel,Erasmo,Stanton,Lonny,Len,Ike,Milan,Lino,Jarod,Herb,Andreas,Walton,Rhett,Palmer,Jude,Douglass,Cordell,Oswaldo,Ellsworth,Virgilio,Toney,Nathanael,Del,Britt,Benedict,Mose,Hong,Leigh,Johnson,Isreal,Gayle,Garret,Fausto,Asa,Arlen,Zack,Warner,Modesto,Francesco,Manual,Jae,Gaylord,Gaston,Filiberto,Deangelo,Michale,Granville,Wes,Malik,Zackary,Tuan,Nicky,Eldridge,Cristopher,Cortez,Antione,Malcom,Long,Korey,Jospeh,Colton,Waylon,Von,Hosea,Shad,Santo,Rudolf,Rolf,Rey,Renaldo,Marcellus,Lucius,Lesley,Kristofer,Boyce,Benton,Man,Kasey,Jewell,Hayden,Harland,Arnoldo,Rueben,Leandro,Kraig,Jerrell,Jeromy,Hobert,Cedrick,Arlie,Winford,Wally,Patricia,Luigi,Keneth,Jacinto,Graig,Franklyn,Edmundo,Sid,Porter,Leif,Lauren,Jeramy,Elisha,Buck,Willian,Vincenzo,Shon,Michal,Lynwood,Lindsay,Jewel,Jere,Hai,Elden,Dorsey,Darell,Broderick,Alonso,Mary,Patricia,Linda,Barbara,Elizabeth,Jennifer,Maria,Susan,Margaret,Dorothy,Lisa,Nancy,Karen,Betty,Helen,Sandra,Donna,Carol,Ruth,Sharon,Michelle,Laura,Sarah,Kimberly,Deborah,Jessica,Shirley,Cynthia,Angela,Melissa,Brenda,Amy,Anna,Rebecca,Virginia,Kathleen,Pamela,Martha,Debra,Amanda,Stephanie,Carolyn,Christine,Marie,Janet,Catherine,Frances,Ann,Joyce,Diane,Alice,Julie,Heather,Teresa,Doris,Gloria,Evelyn,Jean,Cheryl,Mildred,Katherine,Joan,Ashley,Judith,Rose,Janice,Kelly,Nicole,Judy,Christina,Kathy,Theresa,Beverly,Denise,Tammy,Irene,Jane,Lori,Rachel,Marilyn,Andrea,Kathryn,Louise,Sara,Anne,Jacqueline,Wanda,Bonnie,Julia,Ruby,Lois,Tina,Phyllis,Norma,Paula,Diana,Annie,Lillian,Emily,Robin,Peggy,Crystal,Gladys,Rita,Dawn,Connie,Florence,Tracy,Edna,Tiffany,Carmen,Rosa,Cindy,Grace,Wendy,Victoria,Edith,Kim,Sherry,Sylvia,Josephine,Thelma,Shannon,Sheila,Ethel,Ellen,Elaine,Marjorie,Carrie,Charlotte,Monica,Esther,Pauline,Emma,Juanita,Anita,Rhonda,Hazel,Amber,Eva,Debbie,April,Leslie,Clara,Lucille,Jamie,Joanne,Eleanor,Valerie,Danielle,Megan,Alicia,Suzanne,Michele,Gail,Bertha,Darlene,Veronica,Jill,Erin,Geraldine,Lauren,Cathy,Joann,Lorraine,Lynn,Sally,Regina,Erica,Beatrice,Dolores,Bernice,Audrey,Yvonne,Annette,June,Samantha,Marion,Dana,Stacy,Ana,Renee,Ida,Vivian,Roberta,Holly,Brittany,Melanie,Loretta,Yolanda,Jeanette,Laurie,Katie,Kristen,Vanessa,Alma,Sue,Elsie,Beth,Jeanne,Vicki,Carla,Tara,Rosemary,Eileen,Terri,Gertrude,Lucy,Tonya,Ella,Stacey,Wilma,Gina,Kristin,Jessie,Natalie,Agnes,Vera,Willie,Charlene,Bessie,Delores,Melinda,Pearl,Arlene,Maureen,Colleen,Allison,Tamara,Joy,Georgia,Constance,Lillie,Claudia,Jackie,Marcia,Tanya,Nellie,Minnie,Marlene,Heidi,Glenda,Lydia,Viola,Courtney,Marian,Stella,Caroline,Dora,Jo,Vickie,Mattie,Terry,Maxine,Irma,Mabel,Marsha,Myrtle,Lena,Christy,Deanna,Patsy,Hilda,Gwendolyn,Jennie,Nora,Margie,Nina,Cassandra,Leah,Penny,Kay,Priscilla,Naomi,Carole,Brandy,Olga,Billie,Dianne,Tracey,Leona,Jenny,Felicia,Sonia,Miriam,Velma,Becky,Bobbie,Violet,Kristina,Toni,Misty,Mae,Shelly,Daisy,Ramona,Sherri,Erika,Katrina,Claire,Lindsey,Lindsay,Geneva,Guadalupe,Belinda,Margarita,Sheryl,Cora,Faye,Ada,Natasha,Sabrina,Isabel,Marguerite,Hattie,Harriet,Molly,Cecilia,Kristi,Brandi,Blanche,Sandy,Rosie,Joanna,Iris,Eunice,Angie,Inez,Lynda,Madeline,Amelia,Alberta,Genevieve,Monique,Jodi,Janie,Maggie,Kayla,Sonya,Jan,Lee,Kristine,Candace,Fannie,Maryann,Opal,Alison,Yvette,Melody,Luz,Susie,Olivia,Flora,Shelley,Kristy,Mamie,Lula,Lola,Verna,Beulah,Antoinette,Candice,Juana,Jeannette,Pam,Kelli,Hannah,Whitney,Bridget,Karla,Celia,Latoya,Patty,Shelia,Gayle,Della,Vicky,Lynne,Sheri,Marianne,Kara,Jacquelyn,Erma,Blanca,Myra,Leticia,Pat,Krista,Roxanne,Angelica,Johnnie,Robyn,Francis,Adrienne,Rosalie,Alexandra,Brooke,Bethany,Sadie,Bernadette,Traci,Jody,Kendra,Jasmine,Nichole,Rachael,Chelsea,Mable,Ernestine,Muriel,Marcella,Elena,Krystal,Angelina,Nadine,Kari,Estelle,Dianna,Paulette,Lora,Mona,Doreen,Rosemarie,Angel,Desiree,Antonia,Hope,Ginger,Janis,Betsy,Christie,Freda,Mercedes,Meredith,Lynette,Teri,Cristina,Eula,Leigh,Meghan,Sophia,Eloise,Rochelle,Gretchen,Cecelia,Raquel,Henrietta,Alyssa,Jana,Kelley,Gwen,Kerry,Jenna,Tricia,Laverne,Olive,Alexis,Tasha,Silvia,Elvira,Casey,Delia,Sophie,Kate,Patti,Lorena,Kellie,Sonja,Lila,Lana,Darla,May,Mindy,Essie,Mandy,Lorene,Elsa,Josefina,Jeannie,Miranda,Dixie,Lucia,Marta,Faith,Lela,Johanna,Shari,Camille,Tami,Shawna,Elisa,Ebony,Melba,Ora,Nettie,Tabitha,Ollie,Jaime,Winifred,Kristie,Marina,Alisha,Aimee,Rena,Myrna,Marla,Tammie,Latasha,Bonita,Patrice,Ronda,Sherrie,Addie,Francine,Deloris,Stacie,Adriana,Cheri,Shelby,Abigail,Celeste,Jewel,Cara,Adele,Rebekah,Lucinda,Dorthy,Chris,Effie,Trina,Reba,Shawn,Sallie,Aurora,Lenora,Etta,Lottie,Kerri,Trisha,Nikki,Estella,Francisca,Josie,Tracie,Marissa,Karin,Brittney,Janelle,Lourdes,Laurel,Helene,Fern,Elva,Corinne,Kelsey,Ina,Bettie,Elisabeth,Aida,Caitlin,Ingrid,Iva,Eugenia,Christa,Goldie,Cassie,Maude,Jenifer,Therese,Frankie,Dena,Lorna,Janette,Latonya,Candy,Morgan,Consuelo,Tamika,Rosetta,Debora,Cherie,Polly,Dina,Jewell,Fay,Jillian,Dorothea,Nell,Trudy,Esperanza,Patrica,Kimberley,Shanna,Helena,Carolina,Cleo,Stefanie,Rosario,Ola,Janine,Mollie,Lupe,Alisa,Lou,Maribel,Susanne,Bette,Susana,Elise,Cecile,Isabelle,Lesley,Jocelyn,Paige,Joni,Rachelle,Leola,Daphne,Alta,Ester,Petra,Graciela,Imogene,Jolene,Keisha,Lacey,Glenna,Gabriela,Keri,Ursula,Lizzie,Kirsten,Shana,Adeline,Mayra,Jayne,Jaclyn,Gracie,Sondra,Carmela,Marisa,Rosalind,Charity,Tonia,Beatriz,Marisol,Clarice,Jeanine,Sheena,Angeline,Frieda,Lily,Robbie,Shauna,Millie,Claudette,Cathleen,Angelia,Gabrielle,Autumn,Katharine,Summer,Jodie,Staci,Lea,Christi,Jimmie,Justine,Elma,Luella,Margret,Dominique,Socorro,Rene,Martina,Margo,Mavis,Callie,Bobbi,Maritza,Lucile,Leanne,Jeannine,Deana,Aileen,Lorie,Ladonna,Willa,Manuela,Gale,Selma,Dolly,Sybil,Abby,Lara,Dale,Ivy,Dee,Winnie,Marcy,Luisa,Jeri,Magdalena,Ofelia,Meagan,Audra,Matilda,Leila,Cornelia,Bianca,Simone,Bettye,Randi,Virgie,Latisha,Barbra,Georgina,Eliza,Leann,Bridgette,Rhoda,Haley,Adela,Nola,Bernadine,Flossie,Ila,Greta,Ruthie,Nelda,Minerva,Lilly,Terrie,Letha,Hilary,Estela,Valarie,Brianna,Rosalyn,Earline,Catalina,Ava,Mia,Clarissa,Lidia,Corrine,Alexandria,Concepcion,Tia,Sharron,Rae,Dona,Ericka,Jami,Elnora,Chandra,Lenore,Neva,Marylou,Melisa,Tabatha,Serena,Avis,Allie,Sofia,Jeanie,Odessa,Nannie,Harriett,Loraine,Penelope,Milagros,Emilia,Benita,Allyson,Ashlee,Tania,Tommie,Esmeralda,Karina,Eve,Pearlie,Zelma,Malinda,Noreen,Tameka,Saundra,Hillary,Amie,Althea,Rosalinda,Jordan,Lilia,Alana,Gay,Clare,Alejandra,Elinor,Michael,Lorrie,Jerri,Darcy,Earnestine,Carmella,Taylor,Noemi,Marcie,Liza,Annabelle,Louisa,Earlene,Mallory,Carlene,Nita,Selena,Tanisha,Katy,Julianne,John,Lakisha,Edwina,Maricela,Margery,Kenya,Dollie,Roxie,Roslyn,Kathrine,Nanette,Charmaine,Lavonne,Ilene,Kris,Tammi,Suzette,Corine,Kaye,Jerry,Merle,Chrystal,Lina,Deanne,Lilian,Juliana,Aline,Luann,Kasey,Maryanne,Evangeline,Colette,Melva,Lawanda,Yesenia,Nadia,Madge,Kathie,Eddie,Ophelia,Valeria,Nona,Mitzi,Mari,Georgette,Claudine,Fran,Alissa,Roseann,Lakeisha,Susanna,Reva,Deidre,Chasity,Sheree,Carly,James,Elvia,Alyce,Deirdre,Gena,Briana,Araceli,Katelyn,Rosanne,Wendi,Tessa,Berta,Marva,Imelda,Marietta,Marci,Leonor,Arline,Sasha,Madelyn,Janna,Juliette,Deena,Aurelia,Josefa,Augusta,Liliana,Young,Christian,Lessie,Amalia,Savannah,Anastasia,Vilma,Natalia,Rosella,Lynnette,Corina,Alfreda,Leanna,Carey,Amparo,Coleen,Tamra,Aisha,Wilda,Karyn,Cherry,Queen,Maura,Mai,Evangelina,Rosanna,Hallie,Erna,Enid,Mariana,Lacy,Juliet,Jacklyn,Freida,Madeleine,Mara,Hester,Cathryn,Lelia,Casandra,Bridgett,Angelita,Jannie,Dionne,Annmarie,Katina,Beryl,Phoebe,Millicent,Katheryn,Diann,Carissa,Maryellen,Liz,Lauri,Helga,Gilda,Adrian,Rhea,Marquita,Hollie,Tisha,Tamera,Angelique,Francesca,Britney,Kaitlin,Lolita,Florine,Rowena,Reyna,Twila,Fanny,Janell,Ines,Concetta,Bertie,Alba,Brigitte,Alyson,Vonda,Pansy,Elba,Noelle,Letitia,Kitty,Deann,Brandie,Louella,Leta,Felecia,Sharlene,Lesa,Beverley,Robert,Isabella,Herminia,Terra,Celina,Tori,Octavia,Jade,Denice,Germaine,Sierra,Michell,Cortney,Nelly,Doretha,Sydney,Deidra,Monika,Lashonda,Judi,Chelsey,Antionette,Margot,Bobby,Adelaide,Nan,Leeann,Elisha,Dessie,Libby,Kathi,Gayla,Latanya,Mina,Mellisa,Kimberlee,Jasmin,Renae,Zelda,Elda,Ma,Justina,Gussie,Emilie,Camilla,Abbie,Rocio,Kaitlyn,Jesse,Edythe,Ashleigh,Selina,Lakesha,Geri,Allene,Pamala,Michaela,Dayna,Caryn,Rosalia,Sun,Jacquline,Rebeca,Marybeth,Krystle,Iola,Dottie,Bennie,Belle,Aubrey,Griselda,Ernestina,Elida,Adrianne,Demetria,Delma,Chong,Jaqueline,Destiny,Arleen,Virgina,Retha,Fatima,Tillie,Eleanore,Cari,Treva,Birdie,Wilhelmina,Rosalee,Maurine,Latrice,Yong,Jena,Taryn,Elia,Debby,Maudie,Jeanna,Delilah,Catrina,Shonda,Hortencia,Theodora,Teresita,Robbin,Danette,Maryjane,Freddie,Delphine,Brianne,Nilda,Danna,Cindi,Bess,Iona,Hanna,Ariel,Winona,Vida,Rosita,Marianna,William,Racheal,Guillermina,Eloisa,Celestine,Caren,Malissa,Lona,Chantel,Shellie,Marisela,Leora,Agatha,Soledad,Migdalia,Ivette,Christen,Athena,Janel,Chloe,Veda,Pattie,Tessie,Tera,Marilynn,Lucretia,Karrie,Dinah,Daniela,Alecia,Adelina,Vernice,Shiela,Portia,Merry,Lashawn,Devon,Dara,Tawana,Oma,Verda,Christin,Alene,Zella,Sandi,Rafaela,Maya,Kira,Candida,Alvina,Suzan,Shayla,Lyn,Lettie,Alva,Samatha,Oralia,Matilde,Madonna,Larissa,Vesta,Renita,India,Delois,Shanda,Phillis,Lorri,Erlinda,Cruz,Cathrine,Barb,Zoe,Isabell,Ione,Gisela,Charlie,Valencia,Roxanna,Mayme,Kisha,Ellie,Mellissa,Dorris,Dalia,Bella,Annetta,Zoila,Reta,Reina,Lauretta,Kylie,Christal,Pilar,Charla,Elissa,Tiffani,Tana,Paulina,Leota,Breanna,Jayme,Carmel,Vernell,Tomasa,Mandi,Dominga,Santa,Melodie,Lura,Alexa,Tamela,Ryan,Mirna,Kerrie,Venus,Noel,Felicita,Cristy,Carmelita,Berniece,Annemarie,Tiara,Roseanne,Missy,Cori,Roxana,Pricilla,Kristal,Jung,Elyse,Haydee,Aletha,Bettina,Marge,Gillian,Filomena,Charles,Zenaida,Harriette,Caridad,Vada,Una,Aretha,Pearline,Marjory,Marcela,Flor,Evette,Elouise,Alina,Trinidad,David,Damaris,Catharine,Carroll,Belva,Nakia,Marlena,Luanne,Lorine,Karon,Dorene,Danita,Brenna,Tatiana,Sammie,Louann,Loren,Julianna,Andria,Philomena,Lucila,Leonora,Dovie,Romona,Mimi,Jacquelin,Gaye,Tonja,Misti,Joe,Gene,Chastity,Stacia,Roxann,Micaela,Nikita,Mei,Velda,Marlys,Johnna,Aura,Lavern,Ivonne,Hayley,Nicki,Majorie,Herlinda,George,Alpha,Yadira,Perla,Gregoria,Daniel,Antonette,Shelli,Mozelle,Mariah,Joelle,Cordelia,Josette,Chiquita,Trista,Louis,Laquita,Georgiana,Candi,Shanon,Lonnie,Hildegard,Cecil,Valentina,Stephany,Magda,Karol,Gerry,Gabriella,Tiana,Roma,Richelle,Ray,Princess,Oleta,Jacque,Idella,Alaina,Suzanna,Jovita,Blair,Tosha,Raven,Nereida,Marlyn,Kyla,Joseph,Delfina,Tena,Stephenie,Sabina,Nathalie,Marcelle,Gertie,Darleen,Thea,Sharonda,Shantel,Belen,Venessa,Rosalina,Ona,Genoveva,Corey,Clementine,Rosalba,Renate,Renata,Mi,Ivory,Georgianna,Floy,Dorcas,Ariana,Tyra,Theda,Mariam,Juli,Jesica,Donnie,Vikki,Verla,Roselyn,Melvina,Jannette,Ginny,Debrah,Corrie,Asia,Violeta,Myrtis,Latricia,Collette,Charleen,Anissa,Viviana,Twyla,Precious,Nedra,Latonia,Lan,Hellen,Fabiola,Annamarie,Adell,Sharyn,Chantal,Niki,Maud,Lizette,Lindy,Kia,Kesha,Jeana,Danelle,Charline,Chanel,Carrol,Valorie,Lia,Dortha,Cristal,Sunny,Leone,Leilani,Gerri,Debi,Andra,Keshia,Ima,Eulalia,Easter,Dulce,Natividad,Linnie,Kami,Georgie,Catina,Brook,Alda,Winnifred,Sharla,Ruthann,Meaghan,Magdalene,Lissette,Adelaida,Venita,Trena,Shirlene,Shameka,Elizebeth,Dian,Shanta,Mickey,Latosha,Carlotta,Windy,Soon,Rosina,Mariann,Leisa,Jonnie,Dawna,Cathie,Billy,Astrid,Sidney,Laureen,Janeen,Holli,Fawn,Vickey,Teressa,Shante,Rubye,Marcelina,Chanda,Cary,Terese,Scarlett,Marty,Marnie,Lulu,Lisette,Jeniffer,Elenor,Dorinda,Donita,Carman,Bernita,Altagracia,Aleta,Adrianna,Zoraida,Ronnie,Nicola,Lyndsey,Kendall,Janina,Chrissy,Ami,Starla,Phylis,Phuong,Kyra,Charisse,Blanch,Sanjuanita,Rona,Nanci,Marilee,Maranda,Cory,Brigette,Sanjuana,Marita,Kassandra,Joycelyn,Ira,Felipa,Chelsie,Bonny,Mireya,Lorenza,Kyong,Ileana,Candelaria,Tony,Toby,Sherie,Ok,Mark,Lucie,Leatrice,Lakeshia,Gerda,Edie,Bambi,Marylin,Lavon,Hortense,Garnet,Evie,Tressa,Shayna,Lavina,Kyung,Jeanetta,Sherrill,Shara,Phyliss,Mittie,Anabel,Alesia,Thuy,Tawanda,Richard,Joanie,Tiffanie,Lashanda,Karissa,Enriqueta,Daria,Daniella,Corinna,Alanna,Abbey,Roxane,Roseanna,Magnolia,Lida,Kyle,Joellen,Era,Coral,Carleen,Tresa,Peggie,Novella,Nila,Maybelle,Jenelle,Carina,Nova,Melina,Marquerite,Margarette,Josephina,Evonne,Devin,Cinthia,Albina,Toya,Tawnya,Sherita,Santos,Myriam,Lizabeth,Lise,Keely,Jenni,Giselle,Cheryle,Ardith,Ardis,Alesha,Adriane,Shaina,Linnea,Karolyn,Hong,Florida,Felisha,Dori,Darci,Artie,Armida,Zola,Xiomara,Vergie,Shamika,Nena,Nannette,Maxie,Lovie,Jeane,Jaimie,Inge,Farrah,Elaina,Caitlyn,Starr,Felicitas,Cherly,Caryl,Yolonda,Yasmin,Teena,Prudence,Pennie,Nydia,Mackenzie,Orpha,Marvel,Lizbeth,Laurette,Jerrie,Hermelinda,Carolee,Tierra,Mirian,Meta,Melony,Kori,Jennette,Jamila,Ena,Anh,Yoshiko,Susannah,Salina,Rhiannon,Joleen,Cristine,Ashton,Aracely,Tomeka,Shalonda,Marti,Lacie,Kala,Jada,Ilse,Hailey,Brittani,Zona,Syble,Sherryl,Randy,Nidia,Marlo,Kandice,Kandi,Deb,Dean,America,Alycia,Tommy,Ronna,Norene,Mercy,Jose,Ingeborg,Giovanna,Gemma,Christel,Audry,Zora,Vita,Van,Trish,Stephaine,Shirlee,Shanika,Melonie,Mazie,Jazmin,Inga,Hoa,Hettie,Geralyn,Fonda,Estrella,Adella,Su,Sarita,Rina,Milissa,Maribeth,Golda,Evon,Ethelyn,Enedina,Cherise,Chana,Velva,Tawanna,Sade,Mirta,Li,Karie,Jacinta,Elna,Davina,Cierra,Ashlie,Albertha,Tanesha,Stephani,Nelle,Mindi,Lu,Lorinda,Larue,Florene,Demetra,Dedra,Ciara,Chantelle,Ashly,Suzy,Rosalva,Noelia,Lyda,Leatha,Krystyna,Kristan,Karri,Darline,Darcie,Cinda,Cheyenne,Cherrie,Awilda,Almeda,Rolanda,Lanette,Jerilyn,Gisele,Evalyn,Cyndi,Cleta,Carin,Zina,Zena,Velia,Tanika,Paul,Charissa,Thomas,Talia,Margarete,Lavonda,Kaylee,Kathlene,Jonna,Irena,Ilona,Idalia,Candis,Candance,Brandee,Anitra,Alida,Sigrid,Nicolette,Maryjo,Linette,Hedwig,Christiana,Cassidy,Alexia,Tressie,Modesta,Lupita,Lita,Gladis,Evelia,Davida,Cherri,Cecily,Ashely,Annabel,Agustina,Wanita,Shirly,Rosaura,Hulda,Eun,Bailey,Yetta,Verona,Thomasina,Sibyl,Shannan,Mechelle,Lue,Leandra,Lani,Kylee,Kandy,Jolynn,Ferne,Eboni,Corene,Alysia,Zula,Nada,Moira,Lyndsay,Lorretta,Juan,Jammie,Hortensia,Gaynell,Cameron,Adria,Vina,Vicenta,Tangela,Stephine,Norine,Nella,Liana,Leslee,Kimberely,Iliana,Glory,Felica,Emogene,Elfriede,Eden,Eartha,Carma,Bea,Ocie,Marry,Lennie,Kiara,Jacalyn,Carlota,Arielle,Yu,Star,Otilia,Kirstin,Kacey,Johnetta,Joey,Joetta,Jeraldine,Jaunita,Elana,Dorthea,Cami,Amada,Adelia,Vernita,Tamar,Siobhan,Renea,Rashida,Ouida,Odell,Nilsa,Meryl,Kristyn,Julieta,Danica,Breanne,Aurea,Anglea,Sherron,Odette,Malia,Lorelei,Lin,Leesa,Kenna,Kathlyn,Fiona,Charlette,Suzie,Shantell,Sabra,Racquel,Myong,Mira,Martine,Lucienne,Lavada,Juliann,Johnie,Elvera,Delphia,Clair,Christiane,Charolette,Carri,Augustine,Asha,Angella,Paola,Ninfa,Leda,Lai,Eda,Sunshine,Stefani,Shanell,Palma,Machelle,Lissa,Kecia,Kathryne,Karlene,Julissa,Jettie,Jenniffer,Hui,Corrina,Christopher,Carolann,Alena,Tess,Rosaria,Myrtice,Marylee,Liane,Kenyatta,Judie,Janey,In,Elmira,Eldora,Denna,Cristi,Cathi,Zaida,Vonnie,Viva,Vernie,Rosaline,Mariela,Luciana,Lesli,Karan,Felice,Deneen,Adina,Wynona,Tarsha,Sheron,Shasta,Shanita,Shani,Shandra,Randa,Pinkie,Paris,Nelida,Marilou,Lyla,Laurene,Laci,Joi,Janene,Dorotha,Daniele,Dani,Carolynn,Carlyn,Berenice,Ayesha,Anneliese,Alethea,Thersa,Tamiko,Rufina,Oliva,Mozell,Marylyn,Madison,Kristian,Kathyrn,Kasandra,Kandace,Janae,Gabriel,Domenica,Debbra,Dannielle,Chun,Buffy,Barbie,Arcelia,Aja,Zenobia,Sharen,Sharee,Patrick,Page,My,Lavinia,Kum,Kacie,Jackeline,Huong,Felisa,Emelia,Eleanora,Cythia,Cristin,Clyde,Claribel,Caron,Anastacia,Zulma,Zandra,Yoko,Tenisha,Susann,Sherilyn,Shay,Shawanda,Sabine,Romana,Mathilda,Linsey,Keiko,Joana,Isela,Gretta,Georgetta,Eugenie,Dusty,Desirae,Delora,Corazon,Antonina,Anika,Willene,Tracee,Tamatha,Regan,Nichelle,Mickie,Maegan,Luana,Lanita,Kelsie,Edelmira,Bree,Afton,Teodora,Tamie,Shena,Meg,Linh,Keli,Kaci,Danyelle,Britt,Arlette,Albertine,Adelle,Tiffiny,Stormy,Simona,Numbers,Nicolasa,Nichol,Nia,Nakisha,Mee,Maira,Loreen,Kizzy,Johnny,Jay,Fallon,Christene,Bobbye,Anthony,Ying,Vincenza,Tanja,Rubie,Roni,Queenie,Margarett,Kimberli,Irmgard,Idell,Hilma,Evelina,Esta,Emilee,Dennise,Dania,Carl,Carie,Antonio,Wai,Sang,Risa,Rikki,Particia,Mui,Masako,Mario,Luvenia,Loree,Loni,Lien,Kevin,Gigi,Florencia,Dorian,Denita,Dallas,Chi,Billye,Alexander,Tomika,Sharita,Rana,Nikole,Neoma,Margarite,Madalyn,Lucina,Laila,Kali,Jenette,Gabriele,Evelyne,Elenora,Clementina,Alejandrina,Zulema,Violette,Vannessa,Thresa,Retta,Pia,Patience,Noella,Nickie,Jonell,Delta,Chung,Chaya,Camelia,Bethel,Anya,Andrew,Thanh,Suzann,Spring,Shu,Mila,Lilla,Laverna,Keesha,Kattie,Gia,Georgene,Eveline,Estell,Elizbeth,Vivienne,Vallie,Trudie,Stephane,Michel,Magaly,Madie,Kenyetta,Karren,Janetta,Hermine,Harmony,Drucilla,Debbi,Celestina,Candie,Britni,Beckie,Amina,Zita,Yun,Yolande,Vivien,Vernetta,Trudi,Sommer,Pearle,Patrina,Ossie,Nicolle,Loyce,Letty,Larisa,Katharina,Joselyn,Jonelle,Jenell,Iesha,Heide,Florinda,Florentina,Flo,Elodia,Dorine,Brunilda,Brigid,Ashli,Ardella,Twana,Thu,Tarah,Sung,Shea,Shavon,Shane,Serina,Rayna,Ramonita,Nga,Margurite,Lucrecia,Kourtney,Kati,Jesus,Jesenia,Diamond,Crista,Ayana,Alica,Alia,Vinnie,Suellen,Romelia,Rachell,Piper,Olympia,Michiko,Kathaleen,Jolie,Jessi,Janessa,Hana,Ha,Elease,Carletta,Britany,Shona,Salome,Rosamond,Regena,Raina,Ngoc,Nelia,Louvenia,Lesia,Latrina,Laticia,Larhonda,Jina,Jacki,Hollis,Holley,Emmy,Deeann,Coretta,Arnetta,Velvet,Thalia,Shanice,Neta,Mikki,Micki,Lonna,Leana,Lashunda,Kiley,Joye,Jacqulyn,Ignacia,Hyun,Hiroko,Henry,Henriette,Elayne,Delinda,Darnell,Dahlia,Coreen,Consuela,Conchita,Celine,Babette,Ayanna,Anette,Albertina,Skye,Shawnee,Shaneka,Quiana,Pamelia,Min,Merri,Merlene,Margit,Kiesha,Kiera,Kaylene,Jodee,Jenise,Erlene,Emmie,Else,Daryl,Dalila,Daisey,Cody,Casie,Belia,Babara,Versie,Vanesa,Shelba,Shawnda,Sam,Norman,Nikia,Naoma,Marna,Margeret,Madaline,Lawana,Kindra,Jutta,Jazmine,Janett,Hannelore,Glendora,Gertrud,Garnett,Freeda,Frederica,Florance,Flavia,Dennis,Carline,Beverlee,Anjanette,Valda,Trinity,Tamala,Stevie,Shonna,Sha,Sarina,Oneida,Micah,Merilyn,Marleen,Lurline,Lenna,Katherin,Jin,Jeni,Hae,Gracia,Glady,Farah,Eric,Enola,Ema,Dominque,Devona,Delana,Cecila,Caprice,Alysha,Ali,Alethia,Vena,Theresia,Tawny,Song,Shakira,Samara,Sachiko,Rachele,Pamella,Nicky,Marni,Mariel,Maren,Malisa,Ligia,Lera,Latoria,Larae,Kimber,Kathern,Karey,Jennefer,Janeth,Halina,Fredia,Delisa,Debroah,Ciera,Chin,Angelika,Andree,Altha,Yen,Vivan,Terresa,Tanna,Suk,Sudie,Soo,Signe,Salena,Ronni,Rebbecca,Myrtie,Mckenzie,Malika,Maida,Loan,Leonarda,Kayleigh,France,Ethyl,Ellyn,Dayle,Cammie,Brittni,Birgit,Avelina,Asuncion,Arianna,Akiko,Venice,Tyesha,Tonie,Tiesha,Takisha,Steffanie,Sindy,Santana,Meghann,Manda,Macie,Lady,Kellye,Kellee,Joslyn,Jason,Inger,Indira,Glinda,Glennis,Fernanda,Faustina,Eneida,Elicia,Dot,Digna,Dell,Arletta,Andre,Willia,Tammara,Tabetha,Sherrell,Sari,Refugio,Rebbeca,Pauletta,Nieves,Natosha,Nakita,Mammie,Kenisha,Kazuko,Kassie,Gary,Earlean,Daphine,Corliss,Clotilde,Carolyne,Bernetta,Augustina,Audrea,Annis,Annabell,Yan,Tennille,Tamica,Selene,Sean,Rosana,Regenia,Qiana,Markita,Macy,Leeanne,Laurine,Kym,Jessenia,Janita,Georgine,Genie,Emiko,Elvie,Deandra,Dagmar,Corie,Collen,Cherish,Romaine,Porsha,Pearlene,Micheline,Merna,Margorie,Margaretta,Lore,Kenneth,Jenine,Hermina,Fredericka,Elke,Drusilla,Dorathy,Dione,Desire,Celena,Brigida,Angeles,Allegra,Theo,Tamekia,Synthia,Stephen,Sook,Slyvia,Rosann,Reatha,Raye,Marquetta,Margart,Ling,Layla,Kymberly,Kiana,Kayleen,Katlyn,Karmen,Joella,Irina,Emelda,Eleni,Detra,Clemmie,Cheryll,Chantell,Cathey,Arnita,Arla,Angle,Angelic,Alyse,Zofia,Thomasine,Tennie,Son,Sherly,Sherley,Sharyl,Remedios,Petrina,Nickole,Myung,Myrle,Mozella,Louanne,Lisha,Latia,Lane,Krysta,Julienne,Joel,Jeanene,Jacqualine,Isaura,Gwenda,Earleen,Donald,Cleopatra,Carlie,Audie,Antonietta,Alise,Alex,Verdell,Val,Tyler,Tomoko,Thao,Talisha,Steven,So,Shemika,Shaun,Scarlet,Savanna,Santina,Rosia,Raeann,Odilia,Nana,Minna,Magan,Lynelle,Le,Karma,Joeann,Ivana,Inell,Ilana,Hye,Honey,Hee,Gudrun,Frank,Dreama,Crissy,Chante,Carmelina,Arvilla,Arthur,Annamae,Alvera,Aleida,Aaron,Yee,Yanira,Vanda,Tianna,Tam,Stefania,Shira,Perry,Nicol,Nancie,Monserrate,Minh,Melynda,Melany,Matthew,Lovella,Laure,Kirby,Kacy,Jacquelynn,Hyon,Gertha,Francisco,Eliana,Christena,Christeen,Charise,Caterina,Carley,Candyce,Arlena,Ammie,Yang,Willette,Vanita,Tuyet,Tiny,Syreeta,Silva,Scott,Ronald,Penney,Nyla,Michal,Maurice,Maryam,Marya,Magen,Ludie,Loma,Livia,Lanell,Kimberlie,Julee,Donetta,Diedra,Denisha,Deane,Dawne,Clarine,Cherryl,Bronwyn,Brandon,Alla,Valery,Tonda,Sueann,Soraya,Shoshana,Shela,Sharleen,Shanelle,Nerissa,Micheal,Meridith,Mellie,Maye,Maple,Magaret,Luis,Lili,Leonila,Leonie,Leeanna,Lavonia,Lavera,Kristel,Kathey,Kathe,Justin,Julian,Jimmy,Jann,Ilda,Hildred,Hildegarde,Genia,Fumiko,Evelin,Ermelinda,Elly,Dung,Doloris,Dionna,Danae,Berneice,Annice,Alix,Verena,Verdie,Tristan,Shawnna,Shawana,Shaunna,Rozella,Randee,Ranae,Milagro,Lynell,Luise,Louie,Loida,Lisbeth,Karleen,Junita,Jona,Isis,Hyacinth,Hedy,Gwenn,Ethelene,Erline,Edward,Donya,Domonique,Delicia,Dannette,Cicely,Branda,Blythe,Bethann,Ashlyn,Annalee,Alline,Yuko,Vella,Trang,Towanda,Tesha,Sherlyn,Narcisa,Miguelina,Meri,Maybell,Marlana,Marguerita,Madlyn,Luna,Lory,Loriann,Liberty,Leonore,Leighann,Laurice,Latesha,Laronda,Katrice,Kasie,Karl,Kaley,Jadwiga,Glennie,Gearldine,Francina,Epifania,Dyan,Dorie,Diedre,Denese,Demetrice,Delena,Darby,Cristie,Cleora,Catarina,Carisa,Bernie,Barbera,Almeta,Trula,Tereasa,Solange,Sheilah,Shavonne,Sanora,Rochell,Mathilde,Margareta,Maia,Lynsey,Lawanna,Launa,Kena,Keena,Katia,Jamey,Glynda,Gaylene,Elvina,Elanor,Danuta,Danika,Cristen,Cordie,Coletta,Clarita,Carmon,Brynn,Azucena,Aundrea,Angele,Yi,Walter,Verlie,Verlene,Tamesha,Silvana,Sebrina,Samira,Reda,Raylene,Penni,Pandora,Norah,Noma,Mireille,Melissia,Maryalice,Laraine,Kimbery,Karyl,Karine,Kam,Jolanda,Johana,Jesusa,Jaleesa,Jae,Jacquelyne,Irish,Iluminada,Hilaria,Hanh,Gennie,Francie,Floretta,Exie,Edda,Drema,Delpha,Bev,Barbar,Assunta,Ardell,Annalisa,Alisia,Yukiko,Yolando,Wonda,Wei,Waltraud,Veta,Tequila,Temeka,Tameika,Shirleen,Shenita,Piedad,Ozella,Mirtha,Marilu,Kimiko,Juliane,Jenice,Jen,Janay,Jacquiline,Hilde,Fe,Fae,Evan,Eugene,Elois,Echo,Devorah,Chau,Brinda,Betsey,Arminda,Aracelis,Apryl,Annett,Alishia,Veola,Usha,Toshiko,Theola,Tashia,Talitha,Shery,Rudy,Renetta,Reiko,Rasheeda,Omega,Obdulia,Mika,Melaine,Meggan,Martin,Marlen,Marget,Marceline,Mana,Magdalen,Librada,Lezlie,Lexie,Latashia,Lasandra,Kelle,Isidra,Isa,Inocencia,Gwyn,Francoise,Erminia,Erinn,Dimple,Devora,Criselda,Armanda,Arie,Ariane,Angelo,Angelena,Allen,Aliza,Adriene,Adaline,Xochitl,Twanna,Tran,Tomiko,Tamisha,Taisha,Susy,Siu,Rutha,Roxy,Rhona,Raymond,Otha,Noriko,Natashia,Merrie,Melvin,Marinda,Mariko,Margert,Loris,Lizzette,Leisha,Kaila,Ka,Joannie,Jerrica,Jene,Jannet,Janee,Jacinda,Herta,Elenore,Doretta,Delaine,Daniell,Claudie,China,Britta,Apolonia,Amberly,Alease,Yuri,Yuk,Wen,Waneta,Ute,Tomi,Sharri,Sandie,Roselle,Reynalda,Raguel,Phylicia,Patria,Olimpia,Odelia,Mitzie,Mitchell,Miss,Minda,Mignon,Mica,Mendy,Marivel,Maile,Lynetta,Lavette,Lauryn,Latrisha,Lakiesha,Kiersten,Kary,Josphine,Jolyn,Jetta,Janise,Jacquie,Ivelisse,Glynis,Gianna,Gaynelle,Emerald,Demetrius,Danyell,Danille,Dacia,Coralee,Cher,Ceola,Brett,Bell,Arianne,Aleshia,Yung,Williemae,Troy,Trinh,Thora,Tai,Svetlana,Sherika,Shemeka,Shaunda,Roseline,Ricki,Melda,Mallie,Lavonna,Latina,Larry,Laquanda,Lala,Lachelle,Klara,Kandis,Johna,Jeanmarie,Jaye,Hang,Grayce,Gertude,Emerita,Ebonie,Clorinda,Ching,Chery,Carola,Breann,Blossom,Bernardine,Becki,Arletha,Argelia,Ara,Alita,Yulanda,Yon,Yessenia,Tobi,Tasia,Sylvie,Shirl,Shirely,Sheridan,Shella,Shantelle,Sacha,Royce,Rebecka,Reagan,Providencia,Paulene,Misha,Miki,Marline,Marica,Lorita,Latoyia,Lasonya,Kerstin,Kenda,Keitha,Kathrin,Jaymie,Jack,Gricelda,Ginette,Eryn,Elina,Elfrieda,Danyel,Cheree,Chanelle,Barrie,Avery,Aurore,Annamaria,Alleen,Ailene,Aide,Yasmine,Vashti,Valentine,Treasa,Tory,Tiffaney,Sheryll,Sharie,Shanae,Sau,Raisa,Pa,Neda,Mitsuko,Mirella,Milda,Maryanna,Maragret,Mabelle,Luetta,Lorina,Letisha,Latarsha,Lanelle,Lajuana,Krissy,Karly,Karena,Jon,Jessika,Jerica,Jeanelle,January,Jalisa,Jacelyn,Izola,Ivey,Gregory,Euna,Etha,Drew,Domitila,Dominica,Daina,Creola,Carli,Camie,Bunny,Brittny,Ashanti,Anisha,Aleen,Adah,Yasuko,Winter,Viki,Valrie,Tona,Tinisha,Thi,Terisa,Tatum,Taneka,Simonne,Shalanda,Serita,Ressie,Refugia,Paz,Olene,Na,Merrill,Margherita,Mandie,Man,Maire,Lyndia,Luci,Lorriane,Loreta,Leonia,Lavona,Lashawnda,Lakia,Kyoko,Krystina,Krysten,Kenia,Kelsi,Jude,Jeanice,Isobel,Georgiann,Genny,Felicidad,Eilene,Deon,Deloise,Deedee,Dannie,Conception,Clora,Cherilyn,Chang,Calandra,Berry,Armandina,Anisa,Ula,Timothy,Tiera,Theressa,Stephania,Sima,Shyla,Shonta,Shera,Shaquita,Shala,Sammy,Rossana,Nohemi,Nery,Moriah,Melita,Melida,Melani,Marylynn,Marisha,Mariette,Malorie,Madelene,Ludivina,Loria,Lorette,Loralee,Lianne,Leon,Lavenia,Laurinda,Lashon,Kit,Kimi,Keila,Katelynn,Kai,Jone,Joane,Ji,Jayna,Janella,Ja,Hue,Hertha,Francene,Elinore,Despina,Delsie,Deedra,Clemencia,Carry,Carolin,Carlos,Bulah,Brittanie,Bok,Blondell,Bibi,Beaulah,Beata,Annita,Agripina,Virgen,Valene,Un,Twanda,Tommye,Toi,Tarra,Tari,Tammera,Shakia,Sadye,Ruthanne,Rochel,Rivka,Pura,Nenita,Natisha,Ming,Merrilee,Melodee,Marvis,Lucilla,Leena,Laveta,Larita,Lanie,Keren,Ileen,Georgeann,Genna,Genesis,Frida,Ewa,Eufemia,Emely,Ela,Edyth,Deonna,Deadra,Darlena,Chanell,Chan,Cathern,Cassondra,Cassaundra,Bernarda,Berna,Arlinda,Anamaria,Albert,Wesley,Vertie,Valeri,Torri,Tatyana,Stasia,Sherise,Sherill,Season,Scottie,Sanda,Ruthe,Rosy,Roberto,Robbi,Ranee,Quyen,Pearly,Palmira,Onita,Nisha,Niesha,Nida,Nevada,Nam,Merlyn,Mayola,Marylouise,Maryland,Marx,Marth,Margene,Madelaine,Londa,Leontine,Leoma,Leia,Lawrence,Lauralee,Lanora,Lakita,Kiyoko,Keturah,Katelin,Kareen,Jonie,Johnette,Jenee,Jeanett,Izetta,Hiedi,Heike,Hassie,Harold,Giuseppina,Georgann,Fidela,Fernande,Elwanda,Ellamae,Eliz,Dusti,Dotty,Cyndy,Coralie,Celesta,Argentina,Alverta,Xenia,Wava,Vanetta,Torrie,Tashina,Tandy,Tambra,Tama,Stepanie,Shila,Shaunta,Sharan,Shaniqua,Shae,Setsuko,Serafina,Sandee,Rosamaria,Priscila,Olinda,Nadene,Muoi,Michelina,Mercedez,Maryrose,Marin,Marcene,Mao,Magali,Mafalda,Logan,Linn,Lannie,Kayce,Karoline,Kamilah,Kamala,Justa,Joline,Jennine,Jacquetta,Iraida,Gerald,Georgeanna,Franchesca,Fairy,Emeline,Elane,Ehtel,Earlie,Dulcie,Dalene,Cris,Classie,Chere,Charis,Caroyln,Carmina,Carita,Brian,Bethanie,Ayako,Arica,An,Alysa,Alessandra,Akilah,Adrien,Zetta,Youlanda,Yelena,Yahaira,Xuan,Wendolyn,Victor,Tijuana,Terrell,Terina,Teresia,Suzi,Sunday,Sherell,Shavonda,Shaunte,Sharda,Shakita,Sena,Ryann,Rubi,Riva,Reginia,Rea,Rachal,Parthenia,Pamula,Monnie,Monet,Michaele,Melia,Marine,Malka,Maisha,Lisandra,Leo,Lekisha,Lean,Laurence,Lakendra,Krystin,Kortney,Kizzie,Kittie,Kera,Kendal,Kemberly,Kanisha,Julene,Jule,Joshua,Johanne,Jeffrey,Jamee,Han,Halley,Gidget,Galina,Fredricka,Fleta,Fatimah,Eusebia,Elza,Eleonore,Dorthey,Doria,Donella,Dinorah,Delorse,Claretha,Christinia,Charlyn,Bong,Belkis,Azzie,Andera,Aiko,Adena,Yer,Yajaira,Wan,Vania,Ulrike,Toshia,Tifany,Stefany,Shizue,Shenika,Shawanna,Sharolyn,Sharilyn,Shaquana,Shantay,See,Rozanne,Roselee,Rickie,Remona,Reanna,Raelene,Quinn,Phung,Petronila,Natacha,Nancey,Myrl,Miyoko,Miesha,Merideth,Marvella,Marquitta,Marhta,Marchelle,Lizeth,Libbie,Lahoma,Ladawn,Kina,Katheleen,Katharyn,Karisa,Kaleigh,Junie,Julieann,Johnsie,Janean,Jaimee,Jackqueline,Hisako,Herma,Helaine,Gwyneth,Glenn,Gita,Eustolia,Emelina,Elin,Edris,Donnette,Donnetta,Dierdre,Denae,Darcel,Claude,Clarisa,Cinderella,Chia,Charlesetta,Charita,Celsa,Cassy,Cassi,Carlee,Bruna,Brittaney,Brande,Billi,Bao,Antonetta,Angla,Angelyn,Analisa,Alane,Wenona,Wendie,Veronique,Vannesa,Tobie,Tempie,Sumiko,Sulema,Sparkle,Somer,Sheba,Shayne,Sharice,Shanel,Shalon,Sage,Roy,Rosio,Roselia,Renay,Rema,Reena,Porsche,Ping,Peg,Ozie,Oretha,Oralee,Oda,Nu,Ngan,Nakesha,Milly,Marybelle,Marlin,Maris,Margrett,Maragaret,Manie,Lurlene,Lillia,Lieselotte,Lavelle,Lashaunda,Lakeesha,Keith,Kaycee,Kalyn,Joya,Joette,Jenae,Janiece,Illa,Grisel,Glayds,Genevie,Gala,Fredda,Fred,Elmer,Eleonor,Debera,Deandrea,Dan,Corrinne,Cordia,Contessa,Colene,Cleotilde,Charlott,Chantay,Cecille,Beatris,Azalee,Arlean,Ardath,Anjelica,Anja,Alfredia,Aleisha,Adam,Zada,Yuonne,Xiao,Willodean,Whitley,Vennie,Vanna,Tyisha,Tova,Torie,Tonisha,Tilda,Tien,Temple,Sirena,Sherril,Shanti,Shan,Senaida,Samella,Robbyn,Renda,Reita,Phebe,Paulita,Nobuko,Nguyet,Neomi,Moon,Mikaela,Melania,Maximina,Marg,Maisie,Lynna,Lilli,Layne,Lashaun,Lakenya,Lael,Kirstie,Kathline,Kasha,Karlyn,Karima,Jovan,Josefine,Jennell,Jacqui,Jackelyn,Hyo,Hien,Grazyna,Florrie,Floria,Eleonora,Dwana,Dorla,Dong,Delmy,Deja,Dede,Dann,Crysta,Clelia,Claris,Clarence,Chieko,Cherlyn,Cherelle,Charmain,Chara,Cammy,Bee,Arnette,Ardelle,Annika,Amiee,Amee,Allena,Yvone,Yuki,Yoshie,Yevette,Yael,Willetta,Voncile,Venetta,Tula,Tonette,Timika,Temika,Telma,Teisha,Taren,Ta,Stacee,Shin,Shawnta,Saturnina,Ricarda,Pok,Pasty,Onie,Nubia,Mora,Mike,Marielle,Mariella,Marianela,Mardell,Many,Luanna,Loise,Lisabeth,Lindsy,Lilliana,Lilliam,Lelah,Leigha,Leanora,Lang,Kristeen,Khalilah,Keeley,Kandra,Junko,Joaquina,Jerlene,Jani,Jamika,Jame,Hsiu,Hermila,Golden,Genevive,Evia,Eugena,Emmaline,Elfreda,Elene,Donette,Delcie,Deeanna,Darcey,Cuc,Clarinda,Cira,Chae,Celinda,Catheryn,Catherin,Casimira,Carmelia,Camellia,Breana,Bobette,Bernardina,Bebe,Basilia,Arlyne,Amal,Alayna,Zonia,Zenia,Yuriko,Yaeko,Wynell,Willow,Willena,Vernia,Tu,Travis,Tora,Terrilyn,Terica,Tenesha,Tawna,Tajuana,Taina,Stephnie,Sona,Sol,Sina,Shondra,Shizuko,Sherlene,Sherice,Sharika,Rossie,Rosena,Rory,Rima,Ria,Rheba,Renna,Peter,Natalya,Nancee,Melodi,Meda,Maxima,Matha,Marketta,Maricruz,Marcelene,Malvina,Luba,Louetta,Leida,Lecia,Lauran,Lashawna,Laine,Khadijah,Katerine,Kasi,Kallie,Julietta,Jesusita,Jestine,Jessia,Jeremy,Jeffie,Janyce,Isadora,Georgianne,Fidelia,Evita,Eura,Eulah,Estefana,Elsy,Elizabet,Eladia,Dodie,Dion,Dia,Denisse,Deloras,Delila,Daysi,Dakota,Curtis,Crystle,Concha,Colby,Claretta,Chu,Christia,Charlsie,Charlena,Carylon,Bettyann,Asley,Ashlea,Amira,Ai,Agueda,Agnus,Yuette,Vinita,Victorina,Tynisha,Treena,Toccara,Tish,Thomasena,Tegan,Soila,Shiloh,Shenna,Sharmaine,Shantae,Shandi,September,Saran,Sarai,Sana,Samuel,Salley,Rosette,Rolande,Regine,Otelia,Oscar,Olevia,Nicholle,Necole,Naida,Myrta,Myesha,Mitsue,Minta,Mertie,Margy,Mahalia,Madalene,Love,Loura,Lorean,Lewis,Lesha,Leonida,Lenita,Lavone,Lashell,Lashandra,Lamonica,Kimbra,Katherina,Karry,Kanesha,Julio,Jong,Jeneva,Jaquelyn,Hwa,Gilma,Ghislaine,Gertrudis,Fransisca,Fermina,Ettie,Etsuko,Ellis,Ellan,Elidia,Edra,Dorethea,Doreatha,Denyse,Denny,Deetta,Daine,Cyrstal,Corrin,Cayla,Carlita,Camila,Burma,Bula,Buena,Blake,Barabara,Avril,Austin,Alaine,Zana,Wilhemina,Wanetta,Virgil,Vi,Veronika,Vernon,Verline,Vasiliki,Tonita,Tisa,Teofila,Tayna,Taunya,Tandra,Takako,Sunni,Suanne,Sixta,Sharell,Seema,Russell,Rosenda,Robena,Raymonde,Pei,Pamila,Ozell,Neida,Neely,Mistie,Micha,Merissa,Maurita,Maryln,Maryetta,Marshall,Marcell,Malena,Makeda,Maddie,Lovetta,Lourie,Lorrine,Lorilee,Lester,Laurena,Lashay,Larraine,Laree,Lacresha,Kristle,Krishna,Keva,Keira,Karole,Joie,Jinny,Jeannetta,Jama,Heidy,Gilberte,Gema,Faviola,Evelynn,Enda,Elli,Ellena,Divina,Dagny,Collene,Codi,Cindie,Chassidy,Chasidy,Catrice,Catherina,Cassey,Caroll,Carlena,Candra,Calista,Bryanna,Britteny,Beula,Bari,Audrie,Audria,Ardelia,Annelle,Angila,Alona,Allyn".split(',') LAST_NAMES="Smith,Johnson,Williams,Jones,Brown,Davis,Miller,Wilson,Moore,Taylor,Anderson,Thomas,Jackson,White,Harris,Martin,Thompson,Garcia,Martinez,Robinson,Clark,Rodriguez,Lewis,Lee,Walker,Hall,Allen,Young,Hernandez,King,Wright,Lopez,Hill,Scott,Green,Adams,Baker,Gonzalez,Nelson,Carter,Mitchell,Perez,Roberts,Turner,Phillips,Campbell,Parker,Evans,Edwards,Collins,Stewart,Sanchez,Morris,Rogers,Reed,Cook,Morgan,Bell,Murphy,Bailey,Rivera,Cooper,Richardson,Cox,Howard,Ward,Torres,Peterson,Gray,Ramirez,James,Watson,Brooks,Kelly,Sanders,Price,Bennett,Wood,Barnes,Ross,Henderson,Coleman,Jenkins,Perry,Powell,Long,Patterson,Hughes,Flores,Washington,Butler,Simmons,Foster,Gonzales,Bryant,Alexander,Russell,Griffin,Diaz,Hayes,Myers,Ford,Hamilton,Graham,Sullivan,Wallace,Woods,Cole,West,Jordan,Owens,Reynolds,Fisher,Ellis,Harrison,Gibson,Mcdonald,Cruz,Marshall,Ortiz,Gomez,Murray,Freeman,Wells,Webb,Simpson,Stevens,Tucker,Porter,Hunter,Hicks,Crawford,Henry,Boyd,Mason,Morales,Kennedy,Warren,Dixon,Ramos,Reyes,Burns,Gordon,Shaw,Holmes,Rice,Robertson,Hunt,Black,Daniels,Palmer,Mills,Nichols,Grant,Knight,Ferguson,Rose,Stone,Hawkins,Dunn,Perkins,Hudson,Spencer,Gardner,Stephens,Payne,Pierce,Berry,Matthews,Arnold,Wagner,Willis,Ray,Watkins,Olson,Carroll,Duncan,Snyder,Hart,Cunningham,Bradley,Lane,Andrews,Ruiz,Harper,Fox,Riley,Armstrong,Carpenter,Weaver,Greene,Lawrence,Elliott,Chavez,Sims,Austin,Peters,Kelley,Franklin,Lawson,Fields,Gutierrez,Ryan,Schmidt,Carr,Vasquez,Castillo,Wheeler,Chapman,Oliver,Montgomery,Richards,Williamson,Johnston,Banks,Meyer,Bishop,Mccoy,Howell,Alvarez,Morrison,Hansen,Fernandez,Garza,Harvey,Little,Burton,Stanley,Nguyen,George,Jacobs,Reid,Kim,Fuller,Lynch,Dean,Gilbert,Garrett,Romero,Welch,Larson,Frazier,Burke,Hanson,Day,Mendoza,Moreno,Bowman,Medina,Fowler,Brewer,Hoffman,Carlson,Silva,Pearson,Holland,Douglas,Fleming,Jensen,Vargas,Byrd,Davidson,Hopkins,May,Terry,Herrera,Wade,Soto,Walters,Curtis,Neal,Caldwell,Lowe,Jennings,Barnett,Graves,Jimenez,Horton,Shelton,Barrett,Obrien,Castro,Sutton,Gregory,Mckinney,Lucas,Miles,Craig,Rodriquez,Chambers,Holt,Lambert,Fletcher,Watts,Bates,Hale,Rhodes,Pena,Beck,Newman,Haynes,Mcdaniel,Mendez,Bush,Vaughn,Parks,Dawson,Santiago,Norris,Hardy,Love,Steele,Curry,Powers,Schultz,Barker,Guzman,Page,Munoz,Ball,Keller,Chandler,Weber,Leonard,Walsh,Lyons,Ramsey,Wolfe,Schneider,Mullins,Benson,Sharp,Bowen,Daniel,Barber,Cummings,Hines,Baldwin,Griffith,Valdez,Hubbard,Salazar,Reeves,Warner,Stevenson,Burgess,Santos,Tate,Cross,Garner,Mann,Mack,Moss,Thornton,Dennis,Mcgee,Farmer,Delgado,Aguilar,Vega,Glover,Manning,Cohen,Harmon,Rodgers,Robbins,Newton,Todd,Blair,Higgins,Ingram,Reese,Cannon,Strickland,Townsend,Potter,Goodwin,Walton,Rowe,Hampton,Ortega,Patton,Swanson,Joseph,Francis,Goodman,Maldonado,Yates,Becker,Erickson,Hodges,Rios,Conner,Adkins,Webster,Norman,Malone,Hammond,Flowers,Cobb,Moody,Quinn,Blake,Maxwell,Pope,Floyd,Osborne,Paul,Mccarthy,Guerrero,Lindsey,Estrada,Sandoval,Gibbs,Tyler,Gross,Fitzgerald,Stokes,Doyle,Sherman,Saunders,Wise,Colon,Gill,Alvarado,Greer,Padilla,Simon,Waters,Nunez,Ballard,Schwartz,Mcbride,Houston,Christensen,Klein,Pratt,Briggs,Parsons,Mclaughlin,Zimmerman,French,Buchanan,Moran,Copeland,Roy,Pittman,Brady,Mccormick,Holloway,Brock,Poole,Frank,Logan,Owen,Bass,Marsh,Drake,Wong,Jefferson,Park,Morton,Abbott,Sparks,Patrick,Norton,Huff,Clayton,Massey,Lloyd,Figueroa,Carson,Bowers,Roberson,Barton,Tran,Lamb,Harrington,Casey,Boone,Cortez,Clarke,Mathis,Singleton,Wilkins,Cain,Bryan,Underwood,Hogan,Mckenzie,Collier,Luna,Phelps,Mcguire,Allison,Bridges,Wilkerson,Nash,Summers,Atkins,Wilcox,Pitts,Conley,Marquez,Burnett,Richard,Cochran,Chase,Davenport,Hood,Gates,Clay,Ayala,Sawyer,Roman,Vazquez,Dickerson,Hodge,Acosta,Flynn,Espinoza,Nicholson,Monroe,Wolf,Morrow,Kirk,Randall,Anthony,Whitaker,Oconnor,Skinner,Ware,Molina,Kirby,Huffman,Bradford,Charles,Gilmore,Dominguez,Oneal,Bruce,Lang,Combs,Kramer,Heath,Hancock,Gallagher,Gaines,Shaffer,Short,Wiggins,Mathews,Mcclain,Fischer,Wall,Small,Melton,Hensley,Bond,Dyer,Cameron,Grimes,Contreras,Christian,Wyatt,Baxter,Snow,Mosley,Shepherd,Larsen,Hoover,Beasley,Glenn,Petersen,Whitehead,Meyers,Keith,Garrison,Vincent,Shields,Horn,Savage,Olsen,Schroeder,Hartman,Woodard,Mueller,Kemp,Deleon,Booth,Patel,Calhoun,Wiley,Eaton,Cline,Navarro,Harrell,Lester,Humphrey,Parrish,Duran,Hutchinson,Hess,Dorsey,Bullock,Robles,Beard,Dalton,Avila,Vance,Rich,Blackwell,York,Johns,Blankenship,Trevino,Salinas,Campos,Pruitt,Moses,Callahan,Golden,Montoya,Hardin,Guerra,Mcdowell,Carey,Stafford,Gallegos,Henson,Wilkinson,Booker,Merritt,Miranda,Atkinson,Orr,Decker,Hobbs,Preston,Tanner,Knox,Pacheco,Stephenson,Glass,Rojas,Serrano,Marks,Hickman,English,Sweeney,Strong,Prince,Mcclure,Conway,Walter,Roth,Maynard,Farrell,Lowery,Hurst,Nixon,Weiss,Trujillo,Ellison,Sloan,Juarez,Winters,Mclean,Randolph,Leon,Boyer,Villarreal,Mccall,Gentry,Carrillo,Kent,Ayers,Lara,Shannon,Sexton,Pace,Hull,Leblanc,Browning,Velasquez,Leach,Chang,House,Sellers,Herring,Noble,Foley,Bartlett,Mercado,Landry,Durham,Walls,Barr,Mckee,Bauer,Rivers,Everett,Bradshaw,Pugh,Velez,Rush,Estes,Dodson,Morse,Sheppard,Weeks,Camacho,Bean,Barron,Livingston,Middleton,Spears,Branch,Blevins,Chen,Kerr,Mcconnell,Hatfield,Harding,Ashley,Solis,Herman,Frost,Giles,Blackburn,William,Pennington,Woodward,Finley,Mcintosh,Koch,Best,Solomon,Mccullough,Dudley,Nolan,Blanchard,Rivas,Brennan,Mejia,Kane,Benton,Joyce,Buckley,Haley,Valentine,Maddox,Russo,Mcknight,Buck,Moon,Mcmillan,Crosby,Berg,Dotson,Mays,Roach,Church,Chan,Richmond,Meadows,Faulkner,Oneill,Knapp,Kline,Barry,Ochoa,Jacobson,Gay,Avery,Hendricks,Horne,Shepard,Hebert,Cherry,Cardenas,Mcintyre,Whitney,Waller,Holman,Donaldson,Cantu,Terrell,Morin,Gillespie,Fuentes,Tillman,Sanford,Bentley,Peck,Key,Salas,Rollins,Gamble,Dickson,Battle,Santana,Cabrera,Cervantes,Howe,Hinton,Hurley,Spence,Zamora,Yang,Mcneil,Suarez,Case,Petty,Gould,Mcfarland,Sampson,Carver,Bray,Rosario,Macdonald,Stout,Hester,Melendez,Dillon,Farley,Hopper,Galloway,Potts,Bernard,Joyner,Stein,Aguirre,Osborn,Mercer,Bender,Franco,Rowland,Sykes,Benjamin,Travis,Pickett,Crane,Sears,Mayo,Dunlap,Hayden,Wilder,Mckay,Coffey,Mccarty,Ewing,Cooley,Vaughan,Bonner,Cotton,Holder,Stark,Ferrell,Cantrell,Fulton,Lynn,Lott,Calderon,Rosa,Pollard,Hooper,Burch,Mullen,Fry,Riddle,Levy,David,Duke,Odonnell,Guy,Michael,Britt,Frederick,Daugherty,Berger,Dillard,Alston,Jarvis,Frye,Riggs,Chaney,Odom,Duffy,Fitzpatrick,Valenzuela,Merrill,Mayer,Alford,Mcpherson,Acevedo,Donovan,Barrera,Albert,Cote,Reilly,Compton,Raymond,Mooney,Mcgowan,Craft,Cleveland,Clemons,Wynn,Nielsen,Baird,Stanton,Snider,Rosales,Bright,Witt,Stuart,Hays,Holden,Rutledge,Kinney,Clements,Castaneda,Slater,Hahn,Emerson,Conrad,Burks,Delaney,Pate,Lancaster,Sweet,Justice,Tyson,Sharpe,Whitfield,Talley,Macias,Irwin,Burris,Ratliff,Mccray,Madden,Kaufman,Beach,Goff,Cash,Bolton,Mcfadden,Levine,Good,Byers,Kirkland,Kidd,Workman,Carney,Dale,Mcleod,Holcomb,England,Finch,Head,Burt,Hendrix,Sosa,Haney,Franks,Sargent,Nieves,Downs,Rasmussen,Bird,Hewitt,Lindsay,Le,Foreman,Valencia,Oneil,Delacruz,Vinson,Dejesus,Hyde,Forbes,Gilliam,Guthrie,Wooten,Huber,Barlow,Boyle,Mcmahon,Buckner,Rocha,Puckett,Langley,Knowles,Cooke,Velazquez,Whitley,Noel,Vang,Shea,Rouse,Hartley,Mayfield,Elder,Rankin,Hanna,Cowan,Lucero,Arroyo,Slaughter,Haas,Oconnell,Minor,Kendrick,Shirley,Kendall,Boucher,Archer,Boggs,Odell,Dougherty,Andersen,Newell,Crowe,Wang,Friedman,Bland,Swain,Holley,Felix,Pearce,Childs,Yarbrough,Galvan,Proctor,Meeks,Lozano,Mora,Rangel,Bacon,Villanueva,Schaefer,Rosado,Helms,Boyce,Goss,Stinson,Smart,Lake,Ibarra,Hutchins,Covington,Reyna,Gregg,Werner,Crowley,Hatcher,Mackey,Bunch,Womack,Polk,Jamison,Dodd,Childress,Childers,Camp,Villa,Dye,Springer,Mahoney,Dailey,Belcher,Lockhart,Griggs,Costa,Connor,Brandt,Winter,Walden,Moser,Tracy,Tatum,Mccann,Akers,Lutz,Pryor,Law,Orozco,Mcallister,Lugo,Davies,Shoemaker,Madison,Rutherford,Newsome,Magee,Chamberlain,Blanton,Simms,Godfrey,Flanagan,Crum,Cordova,Escobar,Downing,Sinclair,Donahue,Krueger,Mcginnis,Gore,Farris,Webber,Corbett,Andrade,Starr,Lyon,Yoder,Hastings,Mcgrath,Spivey,Krause,Harden,Crabtree,Kirkpatrick,Hollis,Brandon,Arrington,Ervin,Clifton,Ritter,Mcghee,Bolden,Maloney,Gagnon,Dunbar,Ponce,Pike,Mayes,Heard,Beatty,Mobley,Kimball,Butts,Montes,Herbert,Grady,Eldridge,Braun,Hamm,Gibbons,Seymour,Moyer,Manley,Herron,Plummer,Elmore,Cramer,Gary,Rucker,Hilton,Blue,Pierson,Fontenot,Field,Rubio,Grace,Goldstein,Elkins,Wills,Novak,John,Hickey,Worley,Gorman,Katz,Dickinson,Broussard,Fritz,Woodruff,Crow,Christopher,Britton,Forrest,Nance,Lehman,Bingham,Zuniga,Whaley,Shafer,Coffman,Steward,Delarosa,Nix,Neely,Numbers,Mata,Manuel,Davila,Mccabe,Kessler,Emery,Bowling,Hinkle,Welsh,Pagan,Goldberg,Goins,Crouch,Cuevas,Quinones,Mcdermott,Hendrickson,Samuels,Denton,Bergeron,Lam,Ivey,Locke,Haines,Thurman,Snell,Hoskins,Byrne,Milton,Winston,Arthur,Arias,Stanford,Roe,Corbin,Beltran,Chappell,Hurt,Downey,Dooley,Tuttle,Couch,Payton,Mcelroy,Crockett,Groves,Clement,Leslie,Cartwright,Dickey,Mcgill,Dubois,Muniz,Erwin,Self,Tolbert,Dempsey,Cisneros,Sewell,Latham,Garland,Vigil,Tapia,Sterling,Rainey,Norwood,Lacy,Stroud,Meade,Amos,Tipton,Lord,Kuhn,Hilliard,Bonilla,Teague,Courtney,Gunn,Ho,Greenwood,Correa,Reece,Weston,Poe,Trent,Pineda,Phipps,Frey,Kaiser,Ames,Paige,Gunter,Schmitt,Milligan,Espinosa,Carlton,Bowden,Vickers,Lowry,Pritchard,Costello,Piper,Mcclellan,Lovell,Drew,Sheehan,Quick,Hatch,Dobson,Singh,Jeffries,Hollingsworth,Sorensen,Meza,Fink,Donnelly,Burrell,Bruno,Tomlinson,Colbert,Billings,Ritchie,Helton,Sutherland,Peoples,Mcqueen,Gaston,Thomason,Mckinley,Givens,Crocker,Vogel,Robison,Dunham,Coker,Swartz,Keys,Lilly,Ladner,Hannah,Willard,Richter,Hargrove,Edmonds,Brantley,Albright,Murdock,Boswell,Muller,Quintero,Padgett,Kenney,Daly,Connolly,Pierre,Inman,Quintana,Lund,Barnard,Villegas,Simons,Land,Huggins,Tidwell,Sanderson,Bullard,Mcclendon,Duarte,Draper,Meredith,Marrero,Dwyer,Abrams,Stover,Goode,Fraser,Crews,Bernal,Smiley,Godwin,Fish,Conklin,Mcneal,Baca,Esparza,Crowder,Bower,Nicholas,Chung,Brewster,Mcneill,Dick,Rodrigues,Leal,Coates,Raines,Mccain,Mccord,Miner,Holbrook,Swift,Dukes,Carlisle,Aldridge,Ackerman,Starks,Ricks,Holliday,Ferris,Hairston,Sheffield,Lange,Fountain,Marino,Doss,Betts,Kaplan,Carmichael,Bloom,Ruffin,Penn,Kern,Bowles,Sizemore,Larkin,Dupree,Jewell,Silver,Seals,Metcalf,Hutchison,Henley,Farr,Castle,Mccauley,Hankins,Gustafson,Deal,Curran,Ash,Waddell,Ramey,Cates,Pollock,Major,Irvin,Cummins,Messer,Heller,Dewitt,Lin,Funk,Cornett,Palacios,Galindo,Cano,Hathaway,Singer,Pham,Enriquez,Aaron,Salgado,Pelletier,Painter,Wiseman,Blount,Hand,Feliciano,Temple,Houser,Doherty,Mead,Mcgraw,Toney,Swan,Melvin,Capps,Blanco,Blackmon,Wesley,Thomson,Mcmanus,Fair,Burkett,Post,Gleason,Rudolph,Ott,Dickens,Cormier,Voss,Rushing,Rosenberg,Hurd,Dumas,Benitez,Arellano,Story,Marin,Caudill,Bragg,Jaramillo,Huerta,Gipson,Colvin,Biggs,Vela,Platt,Cassidy,Tompkins,Mccollum,Kay,Gabriel,Dolan,Daley,Crump,Street,Sneed,Kilgore,Grove,Grimm,Davison,Brunson,Prater,Marcum,Devine,Kyle,Dodge,Stratton,Rosas,Choi,Tripp,Ledbetter,Lay,Hightower,Haywood,Feldman,Epps,Yeager,Posey,Sylvester,Scruggs,Cope,Stubbs,Richey,Overton,Trotter,Sprague,Cordero,Butcher,Burger,Stiles,Burgos,Woodson,Horner,Bassett,Purcell,Haskins,Gee,Akins,Abraham,Hoyt,Ziegler,Spaulding,Hadley,Grubbs,Sumner,Murillo,Zavala,Shook,Lockwood,Jarrett,Driscoll,Dahl,Thorpe,Sheridan,Redmond,Putnam,Mcwilliams,Mcrae,Cornell,Felton,Romano,Joiner,Sadler,Hedrick,Hager,Hagen,Fitch,Coulter,Thacker,Mansfield,Langston,Guidry,Ferreira,Corley,Conn,Rossi,Lackey,Cody,Baez,Saenz,Mcnamara,Darnell,Michel,Mcmullen,Mckenna,Mcdonough,Link,Engel,Browne,Roper,Peacock,Eubanks,Drummond,Stringer,Pritchett,Parham,Mims,Landers,Ham,Grayson,Stacy,Schafer,Egan,Timmons,Ohara,Keen,Hamlin,Finn,Cortes,Mcnair,Louis,Clifford,Nadeau,Moseley,Michaud,Rosen,Oakes,Kurtz,Jeffers,Calloway,Beal,Bautista,Winn,Suggs,Stern,Stapleton,Lyles,Laird,Montano,Diamond,Dawkins,Roland,Hagan,Goldman,Bryson,Barajas,Lovett,Segura,Metz,Lockett,Langford,Hinson,Eastman,Rock,Hooks,Woody,Smallwood,Shapiro,Crowell,Whalen,Triplett,Hooker,Chatman,Aldrich,Cahill,Youngblood,Ybarra,Stallings,Sheets,Samuel,Reeder,Person,Pack,Lacey,Connelly,Bateman,Abernathy,Winkler,Wilkes,Masters,Hackett,Granger,Gillis,Schmitz,Sapp,Napier,Souza,Lanier,Gomes,Weir,Otero,Ledford,Burroughs,Babcock,Ventura,Siegel,Dugan,Clinton,Christie,Bledsoe,Atwood,Wray,Varner,Spangler,Otto,Anaya,Staley,Kraft,Fournier,Eddy,Belanger,Wolff,Thorne,Bynum,Burnette,Boykin,Swenson,Purvis,Pina,Khan,Duvall,Darby,Xiong,Kauffman,Ali,Yu,Healy,Engle,Corona,Benoit,Valle,Steiner,Spicer,Shaver,Randle,Lundy,Dow,Chin,Calvert,Staton,Neff,Kearney,Darden,Oakley,Medeiros,Mccracken,Crenshaw,Block,Beaver,Perdue,Dill,Whittaker,Tobin,Cornelius,Washburn,Hogue,Goodrich,Easley,Bravo,Dennison,Vera,Shipley,Kerns,Jorgensen,Crain,Abel,Villalobos,Maurer,Longoria,Keene,Coon,Sierra,Witherspoon,Staples,Pettit,Kincaid,Eason,Madrid,Echols,Lusk,Wu,Stahl,Currie,Thayer,Shultz,Sherwood,Mcnally,Seay,North,Maher,Kenny,Hope,Gagne,Barrow,Nava,Myles,Moreland,Honeycutt,Hearn,Diggs,Caron,Whitten,Westbrook,Stovall,Ragland,Queen,Munson,Meier,Looney,Kimble,Jolly,Hobson,London,Goddard,Culver,Burr,Presley,Negron,Connell,Tovar,Marcus,Huddleston,Hammer,Ashby,Salter,Root,Pendleton,Oleary,Nickerson,Myrick,Judd,Jacobsen,Elliot,Bain,Adair,Starnes,Sheldon,Matos,Light,Busby,Herndon,Hanley,Bellamy,Jack,Doty,Bartley,Yazzie,Rowell,Parson,Gifford,Cullen,Christiansen,Benavides,Barnhart,Talbot,Mock,Crandall,Connors,Bonds,Whitt,Gage,Bergman,Arredondo,Addison,Marion,Lujan,Dowdy,Jernigan,Huynh,Bouchard,Dutton,Rhoades,Ouellette,Kiser,Rubin,Herrington,Hare,Denny,Blackman,Babb,Allred,Rudd,Paulson,Ogden,Koenig,Jacob,Irving,Geiger,Begay,Parra,Champion,Lassiter,Hawk,Esposito,Cho,Waldron,Vernon,Ransom,Prather,Keenan,Jean,Grover,Chacon,Vick,Sands,Roark,Parr,Mayberry,Greenberg,Coley,Bruner,Whitman,Skaggs,Shipman,Means,Leary,Hutton,Romo,Medrano,Ladd,Kruse,Friend,Darling,Askew,Valentin,Schulz,Alfaro,Tabor,Mohr,Gallo,Bermudez,Pereira,Isaac,Bliss,Reaves,Flint,Comer,Boston,Woodall,Naquin,Guevara,Earl,Delong,Carrier,Pickens,Brand,Tilley,Schaffer,Read,Lim,Knutson,Fenton,Doran,Chu,Vogt,Vann,Prescott,Mclain,Landis,Corcoran,Ambrose,Zapata,Hyatt,Hemphill,Faulk,Call,Dove,Boudreaux,Aragon,Whitlock,Trejo,Tackett,Shearer,Saldana,Hanks,Gold,Driver,Mckinnon,Koehler,Champagne,Bourgeois,Pool,Keyes,Goodson,Foote,Early,Lunsford,Goldsmith,Flood,Winslow,Sams,Reagan,Mccloud,Hough,Esquivel,Naylor,Loomis,Coronado,Ludwig,Braswell,Bearden,Sherrill,Huang,Fagan,Ezell,Edmondson,Cyr,Cronin,Nunn,Lemon,Guillory,Grier,Dubose,Traylor,Ryder,Dobbins,Coyle,Aponte,Whitmore,Smalls,Rowan,Malloy,Cardona,Braxton,Borden,Humphries,Carrasco,Ruff,Metzger,Huntley,Hinojosa,Finney,Madsen,Hong,Hills,Ernst,Dozier,Burkhart,Bowser,Peralta,Daigle,Whittington,Sorenson,Saucedo,Roche,Redding,Loyd,Fugate,Avalos,Waite,Lind,Huston,Hay,Benedict,Hawthorne,Hamby,Boyles,Boles,Regan,Faust,Crook,Beam,Barger,Hinds,Gallardo,Elias,Willoughby,Willingham,Wilburn,Eckert,Busch,Zepeda,Worthington,Tinsley,Russ,Li,Hoff,Hawley,Carmona,Varela,Rector,Newcomb,Mallory,Kinsey,Dube,Whatley,Strange,Ragsdale,Ivy,Bernstein,Becerra,Yost,Mattson,Ly,Felder,Cheek,Luke,Handy,Grossman,Gauthier,Escobedo,Braden,Beckman,Mott,Hillman,Gil,Flaherty,Dykes,Doe,Stockton,Stearns,Lofton,Kitchen,Coats,Cavazos,Beavers,Barrios,Tang,Parish,Mosher,Lincoln,Cardwell,Coles,Burnham,Weller,Lemons,Beebe,Aguilera,Ring,Parnell,Harman,Couture,Alley,Schumacher,Redd,Dobbs,Blum,Blalock,Merchant,Ennis,Denson,Cottrell,Chester,Brannon,Bagley,Aviles,Watt,Sousa,Rosenthal,Rooney,Dietz,Blank,Paquette,Mcclelland,Duff,Velasco,Lentz,Grubb,Burrows,Barbour,Ulrich,Shockley,Rader,German,Beyer,Mixon,Layton,Altman,Alonzo,Weathers,Titus,Stoner,Squires,Shipp,Priest,Lipscomb,Cutler,Caballero,Zimmer,Willett,Thurston,Storey,Medley,Lyle,Epperson,Shah,Mcmillian,Baggett,Torrez,Laws,Hirsch,Dent,Corey,Poirier,Peachey,Jacques,Farrar,Creech,Barth,Trimble,France,Dupre,Albrecht,Sample,Lawler,Crisp,Conroy,Chadwick,Wetzel,Nesbitt,Murry,Jameson,Wilhelm,Patten,Minton,Matson,Kimbrough,Iverson,Guinn,Gale,Fortune,Croft,Toth,Pulliam,Nugent,Newby,Littlejohn,Dias,Canales,Bernier,Baron,Barney,Singletary,Renteria,Pruett,Mchugh,Mabry,Landrum,Brower,Weldon,Stoddard,Ruth,Cagle,Stjohn,Scales,Kohler,Kellogg,Hopson,Gant,Tharp,Gann,Zeigler,Pringle,Hammons,Fairchild,Deaton,Chavis,Carnes,Rowley,Matlock,Libby,Kearns,Irizarry,Carrington,Starkey,Pepper,Lopes,Jarrell,Fay,Craven,Beverly,Baum,Spain,Littlefield,Linn,Humphreys,Hook,High,Etheridge,Cuellar,Chastain,Chance,Bundy,Speer,Skelton,Quiroz,Pyle,Portillo,Ponder,Moulton,Machado,Liu,Killian,Hutson,Hitchcock,Ellsworth,Dowling,Cloud,Burdick,Spann,Pedersen,Levin,Leggett,Hayward,Hacker,Dietrich,Beaulieu,Barksdale,Wakefield,Snowden,Paris,Briscoe,Bowie,Berman,Ogle,Mcgregor,Laughlin,Helm,Burden,Wheatley,Schreiber,Pressley,Parris,Ng,Alaniz,Agee,Urban,Swann,Snodgrass,Schuster,Radford,Monk,Mattingly,Main,Lamar,Harp,Girard,Cheney,Yancey,Wagoner,Ridley,Lombardo,Lau,Hudgins,Gaskins,Duckworth,Coe,Coburn,Willey,Prado,Newberry,Magana,Hammonds,Elam,Whipple,Slade,Serna,Ojeda,Liles,Dorman,Diehl,Angel,Upton,Reardon,Michaels,Kelsey,Goetz,Eller,Bauman,Baer,Augustine,Layne,Hummel,Brenner,Amaya,Adamson,Ornelas,Dowell,Cloutier,Christy,Castellanos,Wing,Wellman,Saylor,Orourke,Moya,Montalvo,Kilpatrick,Harley,Durbin,Shell,Oldham,Kang,Garvin,Foss,Branham,Bartholomew,Templeton,Maguire,Holton,Alonso,Rider,Monahan,Mccormack,Beaty,Anders,Streeter,Nieto,Nielson,Moffett,Lankford,Keating,Heck,Gatlin,Delatorre,Callaway,Adcock,Worrell,Unger,Robinette,Nowak,Jeter,Brunner,Ashton,Steen,Parrott,Overstreet,Nobles,Montanez,Luther,Clevenger,Brinkley,Trahan,Quarles,Pickering,Pederson,Jansen,Grantham,Gilchrist,Crespo,Aiken,Schell,Schaeffer,Lorenz,Leyva,Harms,Dyson,Wallis,Pease,Leavitt,Hyman,Cheng,Cavanaugh,Batts,Warden,Seaman,Rockwell,Quezada,Paxton,Linder,Houck,Fontaine,Durant,Caruso,Adler,Pimentel,Mize,Lytle,Donald,Cleary,Cason,Acker,Switzer,Salmon,Isaacs,Higginbotham,Han,Waterman,Vandyke,Stamper,Sisk,Shuler,Riddick,Redman,Mcmahan,Levesque,Hatton,Bronson,Bollinger,Arnett,Okeefe,Gerber,Gannon,Farnsworth,Baughman,Silverman,Satterfield,Royal,Mccrary,Kowalski,Joy,Grigsby,Greco,Cabral,Trout,Rinehart,Mahon,Linton,Gooden,Curley,Baugh,Wyman,Weiner,Schwab,Schuler,Morrissey,Mahan,Coy,Bunn,Andrew,Thrasher,Spear,Waggoner,Shelley,Robert,Qualls,Purdy,Mcwhorter,Mauldin,Mark,Jordon,Gilman,Perryman,Newsom,Menard,Martino,Graf,Billingsley,Artis,Simpkins,Salisbury,Quintanilla,Gilliland,Fraley,Foust,Crouse,Scarborough,Ngo,Grissom,Fultz,Rico,Marlow,Markham,Madrigal,Lawton,Barfield,Whiting,Varney,Schwarz,Huey,Gooch,Arce,Wheat,Truong,Poulin,Mackenzie,Leone,Hurtado,Selby,Gaither,Fortner,Culpepper,Coughlin,Brinson,Boudreau,Barkley,Bales,Stepp,Holm,Tan,Schilling,Morrell,Kahn,Heaton,Gamez,Douglass,Causey,Brothers,Turpin,Shanks,Schrader,Meek,Isom,Hardison,Carranza,Yanez,Way,Scroggins,Schofield,Runyon,Ratcliff,Murrell,Moeller,Irby,Currier,Butterfield,Yee,Ralston,Pullen,Pinson,Estep,East,Carbone,Lance,Hawks,Ellington,Casillas,Spurlock,Sikes,Motley,Mccartney,Kruger,Isbell,Houle,Francisco,Burk,Bone,Tomlin,Shelby,Quigley,Neumann,Lovelace,Fennell,Colby,Cheatham,Bustamante,Skidmore,Hidalgo,Forman,Culp,Bowens,Betancourt,Aquino,Robb,Rea,Milner,Martel,Gresham,Wiles,Ricketts,Gavin,Dowd,Collazo,Bostic,Blakely,Sherrod,Power,Kenyon,Gandy,Ebert,Deloach,Cary,Bull,Allard,Sauer,Robins,Olivares,Gillette,Chestnut,Bourque,Paine,Lyman,Hite,Hauser,Devore,Crawley,Chapa,Vu,Tobias,Talbert,Poindexter,Millard,Meador,Mcduffie,Mattox,Kraus,Harkins,Choate,Bess,Wren,Sledge,Sanborn,Outlaw,Kinder,Geary,Cornwell,Barclay,Adam,Abney,Seward,Rhoads,Howland,Fortier,Easter,Benner,Vines,Tubbs,Troutman,Rapp,Noe,Mccurdy,Harder,Deluca,Westmoreland,South,Havens,Guajardo,Ely,Clary,Seal,Meehan,Herzog,Guillen,Ashcraft,Waugh,Renner,Milam,Jung,Elrod,Churchill,Buford,Breaux,Bolin,Asher,Windham,Tirado,Pemberton,Nolen,Noland,Knott,Emmons,Cornish,Christenson,Brownlee,Barbee,Waldrop,Pitt,Olvera,Lombardi,Gruber,Gaffney,Eggleston,Banda,Archuleta,Still,Slone,Prewitt,Pfeiffer,Nettles,Mena,Mcadams,Henning,Gardiner,Cromwell,Chisholm,Burleson,Box,Vest,Oglesby,Mccarter,Malcolm,Lumpkin,Larue,Grey,Wofford,Vanhorn,Thorn,Teel,Swafford,Stclair,Stanfield,Ocampo,Herrmann,Hannon,Arsenault,Roush,Mcalister,Hiatt,Gunderson,Forsythe,Duggan,Delvalle,Cintron,Wilks,Weinstein,Uribe,Rizzo,Noyes,Mclendon,Gurley,Bethea,Winstead,Maples,Harry,Guyton,Giordano,Alderman,Valdes,Polanco,Pappas,Lively,Grogan,Griffiths,Bobo,Arevalo,Whitson,Sowell,Rendon,Matthew,Julian,Fernandes,Farrow,Edmond,Benavidez,Ayres,Alicea,Stump,Smalley,Seitz,Schulte,Gilley,Gallant,Dewey,Casper,Canfield,Wolford,Omalley,Mcnutt,Mcnulty,Mcgovern,Hardman,Harbin,Cowart,Chavarria,Brink,Beckett,Bagwell,Armstead,Anglin,Abreu,Reynoso,Krebs,Jett,Hoffmann,Greenfield,Forte,Burney,Broome,Sisson,Parent,Jude,Younger,Trammell,Partridge,Marvin,Mace,Lomax,Lemieux,Gossett,Frantz,Fogle,Cooney,Broughton,Pence,Paulsen,Neil,Muncy,Mcarthur,Hollins,Edward,Beauchamp,Withers,Osorio,Mulligan,Hoyle,Foy,Dockery,Cockrell,Begley,Amador,Roby,Rains,Lindquist,Gentile,Everhart,Bohannon,Wylie,Thao,Sommers,Purnell,Palma,Fortin,Dunning,Breeden,Vail,Phelan,Phan,Marx,Cosby,Colburn,Chong,Boling,Biddle,Ledesma,Gaddis,Denney,Chow,Bueno,Berrios,Wicker,Tolliver,Thibodeaux,Nagle,Lavoie,Fisk,Do,Crist,Barbosa,Reedy,March,Locklear,Kolb,Himes,Behrens,Beckwith,Beckham,Weems,Wahl,Shorter,Shackelford,Rees,Muse,Free,Cerda,Valadez,Thibodeau,Saavedra,Ridgeway,Reiter,Mchenry,Majors,Lachance,Keaton,Israel,Ferrara,Falcon,Clemens,Blocker,Applegate,Paz,Needham,Mojica,Kuykendall,Hamel,Escamilla,Doughty,Burchett,Ainsworth,Wilbur,Vidal,Upchurch,Thigpen,Strauss,Spruill,Sowers,Riggins,Ricker,Mccombs,Harlow,Garnett,Buffington,Yi,Sotelo,Olivas,Negrete,Morey,Macon,Logsdon,Lapointe,Florence,Cathey,Bigelow,Bello,Westfall,Stubblefield,Peak,Lindley,Jeffrey,Hein,Hawes,Farrington,Edge,Breen,Birch,Wilde,Steed,Sepulveda,Reinhardt,Proffitt,Minter,Messina,Mcnabb,Maier,Keeler,Gamboa,Donohue,Dexter,Basham,Shinn,Orlando,Crooks,Cota,Borders,Bills,Bachman,Tisdale,Tavares,Schmid,Pickard,Jasper,Gulley,Fonseca,Delossantos,Condon,Clancy,Batista,Wicks,Wadsworth,New,Martell,Lo,Littleton,Ison,Haag,Folsom,Brumfield,Broyles,Brito,Mireles,Mcdonnell,Leclair,Hamblin,Gough,Fanning,Binder,Winfield,Whitworth,Soriano,Palumbo,Newkirk,Mangum,Hutcherson,Comstock,Cecil,Carlin,Beall,Bair,Wendt,Watters,Walling,Putman,Otoole,Oliva,Morley,Mares,Lemus,Keener,Jeffery,Hundley,Dial,Damico,Billups,Strother,Mcfarlane,Lamm,Eaves,Crutcher,Caraballo,Canty,Atwell,Taft,Siler,Rust,Rawls,Rawlings,Prieto,Niles,Mcneely,Mcafee,Hulsey,Harlan,Hackney,Galvez,Escalante,Delagarza,Crider,Charlton,Bandy,Wilbanks,Stowe,Steinberg,Samson,Renfro,Masterson,Massie,Lanham,Haskell,Hamrick,Fort,Dehart,Card,Burdette,Branson,Bourne,Babin,Aleman,Worthy,Tibbs,Sweat,Smoot,Slack,Paradis,Packard,Mull,Luce,Houghton,Gantt,Furman,Danner,Christianson,Burge,Broderick,Ashford,Arndt,Almeida,Stallworth,Shade,Searcy,Sager,Noonan,Mclemore,Mcintire,Maxey,Lavigne,Jobe,Ireland,Ferrer,Falk,Edgar,Coffin,Byrnes,Aranda,Apodaca,Stamps,Rounds,Peek,Olmstead,Lewandowski,Kaminski,Her,Dunaway,Bruns,Brackett,Amato,Reich,Mcclung,Lacroix,Koontz,Herrick,Hardesty,Flanders,Cousins,Close,Cato,Cade,Vickery,Shank,Nagel,Dupuis,Croteau,Cotter,Cable,Stuckey,Stine,Porterfield,Pauley,Nye,Moffitt,Lu,Knudsen,Hardwick,Goforth,Dupont,Blunt,Barrows,Barnhill,Shull,Rash,Ralph,Penny,Lorenzo,Loftis,Lemay,Kitchens,Horvath,Grenier,Fuchs,Fairbanks,Culbertson,Calkins,Burnside,Beattie,Ashworth,Albertson,Wertz,Vo,Vaught,Vallejo,Tyree,Turk,Tuck,Tijerina,Sage,Picard,Peterman,Otis,Marroquin,Marr,Lantz,Hoang,Demarco,Daily,Cone,Berube,Barnette,Wharton,Stinnett,Slocum,Scanlon,Sander,Pinto,Mancuso,Lima,Judge,Headley,Epstein,Counts,Clarkson,Carnahan,Brice,Boren,Arteaga,Adame,Zook,Whittle,Whitehurst,Wenzel,Saxton,Rhea,Reddick,Puente,Hazel,Handley,Haggerty,Earley,Devlin,Dallas,Chaffin,Cady,Ahmed,Acuna,Solano,Sigler,Pollack,Pendergrass,Ostrander,Janes,Francois,Fine,Crutchfield,Cordell,Chamberlin,Brubaker,Baptiste,Willson,Reis,Neeley,Mullin,Mercier,Lira,Layman,Keeling,Higdon,Guest,Forrester,Espinal,Dion,Chapin,Carl,Warfield,Toledo,Pulido,Peebles,Nagy,Montague,Mello,Lear,Jaeger,Hogg,Graff,Furr,Derrick,Cave,Canada,Soliz,Poore,Mendenhall,Mclaurin,Maestas,Low,Gable,Belt,Barraza,Tillery,Snead,Pond,Neill,Mcculloch,Mccorkle,Lightfoot,Hutchings,Holloman,Harness,Dorn,Council,Bock,Zielinski,Turley,Treadwell,Stpierre,Starling,Somers,Oswald,Merrick,Marquis,Ivory,Easterling,Bivens,Truitt,Poston,Parry,Ontiveros,Olivarez,Neville,Moreau,Medlin,Ma,Lenz,Knowlton,Fairley,Cobbs,Chisolm,Bannister,Woodworth,Toler,Ocasio,Noriega,Neuman,Moye,Milburn,Mcclanahan,Lilley,Hanes,Flannery,Dellinger,Danielson,Conti,Blodgett,Beers,Weatherford,Strain,Karr,Hitt,Denham,Custer,Coble,Clough,Casteel,Bolduc,Batchelor,Ammons,Whitlow,Tierney,Staten,Sibley,Seifert,Schubert,Salcedo,Mattison,Laney,Haggard,Grooms,Dix,Dees,Cromer,Cooks,Colson,Caswell,Zarate,Swisher,Stacey,Shin,Ragan,Pridgen,Mcvey,Matheny,Leigh,Lafleur,Franz,Ferraro,Dugger,Whiteside,Rigsby,Mcmurray,Lehmann,Large,Jacoby,Hildebrand,Hendrick,Headrick,Goad,Fincher,Drury,Borges,Archibald,Albers,Woodcock,Trapp,Soares,Seaton,Richie,Monson,Luckett,Lindberg,Kopp,Keeton,Hsu,Healey,Garvey,Gaddy,Fain,Burchfield,Badger,Wentworth,Strand,Stack,Spooner,Saucier,Sales,Ruby,Ricci,Plunkett,Pannell,Ness,Leger,Hoy,Freitas,Fong,Elizondo,Duval,Chun,Calvin,Beaudoin,Urbina,Stock,Rickard,Partin,Moe,Mcgrew,Mcclintock,Ledoux,Forsyth,Faison,Devries,Bertrand,Wasson,Tilton,Scarbrough,Pride,Oh,Leung,Larry,Irvine,Garber,Denning,Corral,Colley,Castleberry,Bowlin,Bogan,Beale,Baines,True,Trice,Rayburn,Parkinson,Pak,Nunes,Mcmillen,Leahy,Lea,Kimmel,Higgs,Fulmer,Carden,Bedford,Taggart,Spearman,Register,Prichard,Morrill,Koonce,Heinz,Hedges,Guenther,Grice,Findley,Earle,Dover,Creighton,Boothe,Bayer,Arreola,Vitale,Valles,See,Raney,Peter,Osgood,Lowell,Hanlon,Burley,Bounds,Worden,Weatherly,Vetter,Tanaka,Stiltner,Sell,Nevarez,Mosby,Montero,Melancon,Harter,Hamer,Goble,Gladden,Gist,Ginn,Akin,Zaragoza,Towns,Tarver,Sammons,Royster,Oreilly,Muir,Morehead,Luster,Kingsley,Kelso,Grisham,Glynn,Baumann,Alves,Yount,Tamayo,Tam,Paterson,Oates,Menendez,Longo,Hargis,Greenlee,Gillen,Desantis,Conover,Breedlove,Wayne,Sumpter,Scherer,Rupp,Reichert,Heredia,Fallon,Creel,Cohn,Clemmons,Casas,Bickford,Belton,Bach,Williford,Whitcomb,Tennant,Sutter,Stull,Sessions,Mccallum,Manson,Langlois,Keel,Keegan,Emanuel,Dangelo,Dancy,Damron,Clapp,Clanton,Bankston,Trinidad,Oliveira,Mintz,Mcinnis,Martens,Mabe,Laster,Jolley,Irish,Hildreth,Hefner,Glaser,Duckett,Demers,Brockman,Blais,Back,Alcorn,Agnew,Toliver,Tice,Song,Seeley,Najera,Musser,Mcfall,Laplante,Galvin,Fajardo,Doan,Coyne,Copley,Clawson,Cheung,Barone,Wynne,Woodley,Tremblay,Stoll,Sparrow,Sparkman,Schweitzer,Sasser,Samples,Roney,Ramon,Legg,Lai,Joe,Heim,Farias,Concepcion,Colwell,Christman,Bratcher,Alba,Winchester,Upshaw,Southerland,Sorrell,Shay,Sells,Mount,Mccloskey,Martindale,Luttrell,Loveless,Lovejoy,Linares,Latimer,Holly,Embry,Coombs,Bratton,Bostick,Boss,Venable,Tuggle,Toro,Staggs,Sandlin,Jefferies,Heckman,Griffis,Crayton,Clem,Button,Browder,Allan,Thorton,Sturgill,Sprouse,Royer,Rousseau,Ridenour,Pogue,Perales,Peeples,Metzler,Mesa,Mccutcheon,Mcbee,Jay,Hornsby,Heffner,Corrigan,Armijo,Vue,Romeo,Plante,Peyton,Paredes,Macklin,Hussey,Hodgson,Granados,Frias,Carman,Brent,Becnel,Batten,Almanza,Turney,Teal,Sturgeon,Meeker,Mcdaniels,Limon,Keeney,Kee,Hutto,Holguin,Gorham,Fishman,Fierro,Blanchette,Rodrigue,Reddy,Osburn,Oden,Lerma,Kirkwood,Keefer,Haugen,Hammett,Chalmers,Carlos,Brinkman,Baumgartner,Zhang,Valerio,Tellez,Steffen,Shumate,Sauls,Ripley,Kemper,Jacks,Guffey,Evers,Craddock,Carvalho,Blaylock,Banuelos,Balderas,Wooden,Wheaton,Turnbull,Shuman,Pointer,Mosier,Mccue,Ligon,Kozlowski,Johansen,Ingle,Herr,Briones,Southern,Snipes,Rickman,Pipkin,Peace,Pantoja,Orosco,Moniz,Lawless,Kunkel,Hibbard,Galarza,Enos,Bussey,Settle,Schott,Salcido,Perreault,Mcdougal,Mccool,Haight,Garris,Ferry,Easton,Conyers,Atherton,Wimberly,Utley,Stephen,Spellman,Smithson,Slagle,Skipper,Ritchey,Rand,Petit,Osullivan,Oaks,Nutt,Mcvay,Mccreary,Mayhew,Knoll,Jewett,Harwood,Hailey,Cardoza,Ashe,Arriaga,Andres,Zeller,Wirth,Whitmire,Stauffer,Spring,Rountree,Redden,Mccaffrey,Martz,Loving,Larose,Langdon,Humes,Gaskin,Faber,Doll,Devito,Cass,Almond,Wingfield,Wingate,Villareal,Tyner,Smothers,Severson,Reno,Pennell,Maupin,Leighton,Janssen,Hassell,Hallman,Halcomb,Folse,Fitzsimmons,Fahey,Cranford,Bolen,Battles,Battaglia,Wooldridge,Weed,Trask,Rosser,Regalado,Mcewen,Keefe,Fuqua,Echevarria,Domingo,Dang,Caro,Boynton,Andrus,Wild,Viera,Vanmeter,Taber,Spradlin,Seibert,Provost,Prentice,Oliphant,Laporte,Hwang,Hatchett,Hass,Greiner,Freedman,Covert,Chilton,Byars,Wiese,Venegas,Swank,Shrader,Roderick,Roberge,Mullis,Mortensen,Mccune,Marlowe,Kirchner,Keck,Isaacson,Hostetler,Halverson,Gunther,Griswold,Gerard,Fenner,Durden,Blackwood,Bertram,Ahrens,Sawyers,Savoy,Nabors,Mcswain,Mackay,Loy,Lavender,Lash,Labbe,Jessup,Hubert,Fullerton,Donnell,Cruse,Crittenden,Correia,Centeno,Caudle,Canady,Callender,Alarcon,Ahern,Winfrey,Tribble,Tom,Styles,Salley,Roden,Musgrove,Minnick,Fortenberry,Carrion,Bunting,Bethel,Batiste,Woo,Whited,Underhill,Stillwell,Silvia,Rauch,Pippin,Perrin,Messenger,Mancini,Lister,Kinard,Hartmann,Fleck,Broadway,Wilt,Treadway,Thornhill,Speed,Spalding,Sam,Rafferty,Pitre,Patino,Ordonez,Linkous,Kelleher,Homan,Holiday,Galbraith,Feeney,Dorris,Curtin,Coward,Camarillo,Buss,Bunnell,Bolt,Beeler,Autry,Alcala,Witte,Wentz,Stidham,Shively,Nunley,Meacham,Martins,Lemke,Lefebvre,Kaye,Hynes,Horowitz,Hoppe,Holcombe,Estrella,Dunne,Derr,Cochrane,Brittain,Bedard,Beauregard,Torrence,Strunk,Soria,Simonson,Shumaker,Scoggins,Packer,Oconner,Moriarty,Leroy,Kuntz,Ives,Hutcheson,Horan,Hales,Garmon,Fitts,Dell,Bohn,Atchison,Worth,Wisniewski,Will,Vanwinkle,Sturm,Sallee,Prosser,Moen,Lundberg,Kunz,Kohl,Keane,Jorgenson,Jaynes,Funderburk,Freed,Frame,Durr,Creamer,Cosgrove,Candelaria,Berlin,Batson,Vanhoose,Thomsen,Teeter,Sommer,Smyth,Sena,Redmon,Orellana,Maness,Lennon,Heflin,Goulet,Frick,Forney,Dollar,Bunker,Asbury,Aguiar,Talbott,Southard,Pleasant,Mowery,Mears,Lemmon,Krieger,Hickson,Gracia,Elston,Duong,Delgadillo,Dayton,Dasilva,Conaway,Catron,Bruton,Bradbury,Bordelon,Bivins,Bittner,Bergstrom,Beals,Abell,Whelan,Travers,Tejada,Pulley,Pino,Norfleet,Nealy,Maes,Loper,Held,Gerald,Gatewood,Frierson,Freund,Finnegan,Cupp,Covey,Catalano,Boehm,Bader,Yoon,Walston,Tenney,Sipes,Roller,Rawlins,Medlock,Mccaskill,Mccallister,Marcotte,Maclean,Hughey,Henke,Harwell,Gladney,Gilson,Dew,Chism,Caskey,Brandenburg,Baylor,Villasenor,Veal,Van,Thatcher,Stegall,Shore,Petrie,Nowlin,Navarrete,Muhammad,Lombard,Loftin,Lemaster,Kroll,Kovach,Kimbrell,Kidwell,Hershberger,Fulcher,Eng,Cantwell,Bustos,Boland,Bobbitt,Binkley,Wester,Weis,Verdin,Tong,Tiller,Sisco,Sharkey,Seymore,Rosenbaum,Rohr,Quinonez,Pinkston,Nation,Malley,Logue,Lessard,Lerner,Lebron,Krauss,Klinger,Halstead,Haller,Getz,Burrow,Brant,Alger,Victor,Shores,Scully,Pounds,Pfeifer,Perron,Nelms,Munn,Mcmaster,Mckenney,Manns,Knudson,Hutchens,Huskey,Goebel,Flagg,Cushman,Click,Castellano,Carder,Bumgarner,Blaine,Bible,Wampler,Spinks,Robson,Neel,Mcreynolds,Mathias,Maas,Loera,Kasper,Jose,Jenson,Florez,Coons,Buckingham,Brogan,Berryman,Wilmoth,Wilhite,Thrash,Shephard,Seidel,Schulze,Roldan,Pettis,Obryan,Maki,Mackie,Hatley,Frazer,Fiore,Falls,Chesser,Bui,Bottoms,Bisson,Benefield,Allman,Wilke,Trudeau,Timm,Shifflett,Rau,Mundy,Milliken,Mayers,Leake,Kohn,Huntington,Horsley,Hermann,Guerin,Fryer,Frizzell,Foret,Flemming,Fife,Criswell,Carbajal,Bozeman,Boisvert,Archie,Antonio,Angulo,Wallen,Tapp,Silvers,Ramsay,Oshea,Orta,Moll,Mckeever,Mcgehee,Luciano,Linville,Kiefer,Ketchum,Howerton,Groce,Gaylord,Gass,Fusco,Corbitt,Blythe,Betz,Bartels,Amaral,Aiello,Yoo,Weddle,Troy,Sun,Sperry,Seiler,Runyan,Raley,Overby,Osteen,Olds,Mckeown,Mauro,Matney,Lauer,Lattimore,Hindman,Hartwell,Fredrickson,Fredericks,Espino,Clegg,Carswell,Cambell,Burkholder,August,Woodbury,Welker,Totten,Thornburg,Theriault,Stitt,Stamm,Stackhouse,Simone,Scholl,Saxon,Rife,Razo,Quinlan,Pinkerton,Olivo,Nesmith,Nall,Mattos,Leak,Lafferty,Justus,Giron,Geer,Fielder,Eagle,Drayton,Dortch,Conners,Conger,Chau,Boatwright,Billiot,Barden,Armenta,Antoine,Tibbetts,Steadman,Slattery,Sides,Rinaldi,Raynor,Rayford,Pinckney,Pettigrew,Nickel,Milne,Matteson,Halsey,Gonsalves,Fellows,Durand,Desimone,Cowley,Cowles,Brill,Barham,Barela,Barba,Ashmore,Withrow,Valenti,Tejeda,Spriggs,Sayre,Salerno,Place,Peltier,Peel,Merriman,Matheson,Lowman,Lindstrom,Hyland,Homer,Ha,Giroux,Fries,Frasier,Earls,Dugas,Damon,Dabney,Collado,Briseno,Baxley,Andre,Word,Whyte,Wenger,Vanover,Vanburen,Thiel,Schindler,Schiller,Rigby,Pomeroy,Passmore,Marble,Manzo,Mahaffey,Lindgren,Laflamme,Greathouse,Fite,Ferrari,Calabrese,Bayne,Yamamoto,Wick,Townes,Thames,Steel,Reinhart,Peeler,Naranjo,Montez,Mcdade,Mast,Markley,Marchand,Leeper,Kong,Kellum,Hudgens,Hennessey,Hadden,Guess,Gainey,Coppola,Borrego,Bolling,Beane,Ault,Slaton,Poland,Pape,Null,Mulkey,Lightner,Langer,Hillard,Glasgow,Fabian,Ethridge,Enright,Derosa,Baskin,Alfred,Weinberg,Turman,Tinker,Somerville,Pardo,Noll,Lashley,Ingraham,Hiller,Hendon,Glaze,Flora,Cothran,Cooksey,Conte,Carrico,Apple,Abner,Wooley,Swope,Summerlin,Sturgis,Sturdivant,Stott,Spurgeon,Spillman,Speight,Roussel,Popp,Nutter,Mckeon,Mazza,Magnuson,Lanning,Kozak,Jankowski,Heyward,Forster,Corwin,Callaghan,Bays,Wortham,Usher,Theriot,Sayers,Sabo,Rupert,Poling,Nathan,Loya,Lieberman,Levi,Laroche,Labelle,Howes,Harr,Garay,Fogarty,Everson,Durkin,Dominquez,Chaves,Chambliss,Alfonso,Witcher,Wilber,Vieira,Vandiver,Terrill,Stoker,Schreiner,Nestor,Moorman,Liddell,Lew,Lawhorn,Krug,Irons,Hylton,Hollenbeck,Herrin,Hembree,Hair,Goolsby,Goodin,Gilmer,Foltz,Dinkins,Daughtry,Caban,Brim,Briley,Bilodeau,Bear,Wyant,Vergara,Tallent,Swearingen,Stroup,Sherry,Scribner,Roger,Quillen,Pitman,Monaco,Mccants,Maxfield,Martinson,Landon,Holtz,Flournoy,Brookins,Brody,Baumgardner,Angelo,Straub,Sills,Roybal,Roundtree,Oswalt,Money,Mcgriff,Mcdougall,Mccleary,Maggard,Gragg,Gooding,Godinez,Doolittle,Donato,Cowell,Cassell,Bracken,Appel,Ahmad,Zambrano,Reuter,Perea,Olive,Nakamura,Monaghan,Mickens,Mcclinton,Mcclary,Marler,Kish,Judkins,Gilbreath,Freese,Flanigan,Felts,Erdmann,Dodds,Chew,Brownell,Brazil,Boatright,Barreto,Slayton,Sandberg,Saldivar,Pettway,Odum,Narvaez,Moultrie,Montemayor,Merrell,Lees,Keyser,Hoke,Hardaway,Hannan,Gilbertson,Fogg,Dumont,Deberry,Coggins,Carrera,Buxton,Bucher,Broadnax,Beeson,Araujo,Appleton,Amundson,Aguayo,Ackley,Yocum,Worsham,Shivers,Shelly,Sanches,Sacco,Robey,Rhoden,Pender,Ochs,Mccurry,Madera,Luong,Luis,Knotts,Jackman,Heinrich,Hargrave,Gault,Forest,Comeaux,Chitwood,Child,Caraway,Boettcher,Bernhardt,Barrientos,Zink,Wickham,Whiteman,Thorp,Stillman,Settles,Schoonover,Roque,Riddell,Rey,Pilcher,Phifer,Novotny,Maple,Macleod,Hardee,Haase,Grider,Fredrick,Earnest,Doucette,Clausen,Christmas,Bevins,Beamon,Badillo,Tolley,Tindall,Soule,Snook,Sebastian,Seale,Pitcher,Pinkney,Pellegrino,Nowell,Nemeth,Nail,Mondragon,Mclane,Lundgren,Ingalls,Hudspeth,Hixson,Gearhart,Furlong,Downes,Dionne,Dibble,Deyoung,Cornejo,Camara,Brookshire,Boyette,Wolcott,Tracey,Surratt,Sellars,Segal,Salyer,Reeve,Rausch,Philips,Labonte,Haro,Gower,Freeland,Fawcett,Eads,Driggers,Donley,Collett,Cage,Bromley,Boatman,Ballinger,Baldridge,Volz,Trombley,Stonge,Silas,Shanahan,Rivard,Rhyne,Pedroza,Matias,Mallard,Jamieson,Hedgepeth,Hartnett,Estevez,Eskridge,Denman,Chiu,Chinn,Catlett,Carmack,Buie,Book,Bechtel,Beardsley,Bard,Ballou,Windsor,Ulmer,Storm,Skeen,Robledo,Rincon,Reitz,Piazza,Pearl,Munger,Moten,Mcmichael,Loftus,Ledet,Kersey,Groff,Fowlkes,Folk,Crumpton,Collette,Clouse,Bettis,Villagomez,Timmerman,Strom,Saul,Santoro,Roddy,Phillip,Penrod,Musselman,Macpherson,Leboeuf,Harless,Haddad,Guido,Golding,Fulkerson,Fannin,Dulaney,Dowdell,Deane,Cottle,Ceja,Cate,Bosley,Benge,Albritton,Voigt,Trowbridge,Soileau,Seely,Rome,Rohde,Pearsall,Paulk,Orth,Nason,Mota,Mcmullin,Marquardt,Madigan,Hoag,Gillum,Gayle,Gabbard,Fenwick,Fender,Eck,Danforth,Cushing,Cress,Creed,Cazares,Casanova,Bey,Bettencourt,Barringer,Baber,Stansberry,Schramm,Rutter,Rivero,Race,Oquendo,Necaise,Mouton,Montenegro,Miley,Mcgough,Marra,Macmillan,Lock,Lamontagne,Jasso,Jaime,Horst,Hetrick,Heilman,Gaytan,Gall,Fried,Fortney,Eden,Dingle,Desjardins,Dabbs,Burbank,Brigham,Breland,Beaman,Banner,Arriola,Yarborough,Wallin,Treat,Toscano,Stowers,Reiss,Pichardo,Orton,Mitchel,Michels,Mcnamee,Mccrory,Leatherman,Kell,Keister,Jerome,Horning,Hargett,Guay,Friday,Ferro,Deboer,Dagostino,Clemente,Christ,Carper,Bowler,Blanks,Beaudry,Willie,Towle,Tafoya,Stricklin,Strader,Soper,Sonnier,Sigmon,Schenk,Saddler,Rodman,Pedigo,Mendes,Lunn,Lohr,Lahr,Kingsbury,Jarman,Hume,Holliman,Hofmann,Haworth,Harrelson,Hambrick,Flick,Edmunds,Dacosta,Crossman,Colston,Chaplin,Carrell,Budd,Weiler,Waits,Viola,Valentino,Trantham,Tarr,Straight,Solorio,Roebuck,Powe,Plank,Pettus,Palm,Pagano,Mink,Luker,Leathers,Joslin,Hartzell,Gambrell,Fears,Deutsch,Cepeda,Carty,Caputo,Brewington,Bedell,Ballew,Applewhite,Warnock,Walz,Urena,Tudor,Reel,Pigg,Parton,Mickelson,Meagher,Mclellan,Mcculley,Mandel,Leech,Lavallee,Kraemer,Kling,Kipp,Kingston,Kehoe,Hochstetler,Harriman,Gregoire,Grabowski,Gosselin,Gammon,Fancher,Edens,Desai,Butt,Brannan,Armendariz,Woolsey,Whitehouse,Whetstone,Ussery,Towne,Tower,Testa,Tallman,Studer,Strait,Steinmetz,Sorrells,Sauceda,Rolfe,Rae,Paddock,Mitchem,Mcginn,Mccrea,Luck,Lovato,Ling,Hazen,Gilpin,Gaynor,Fike,Devoe,Delrio,Curiel,Burkhardt,Bristol,Bode,Backus,Alton,Zinn,Watanabe,Wachter,Vanpelt,Turnage,Shaner,Schroder,Sato,Riordan,Quimby,Portis,Natale,Mckoy,Mccown,Marker,Lucio,Kilmer,Karl,Hotchkiss,Hesse,Halbert,Gwinn,Godsey,Desmond,Delisle,Chrisman,Canter,Brook,Arbogast,Angell,Acree,Yancy,Woolley,Wesson,Weatherspoon,Trainor,Stockman,Spiller,Sipe,Rooks,Reavis,Propst,Porras,Neilson,Mullens,Loucks,Llewellyn,Lamont,Kumar,Koester,Klingensmith,Kirsch,Kester,Honaker,Hodson,Hennessy,Helmick,Garrity,Garibay,Fee,Drain,Casarez,Callis,Botello,Bay,Aycock,Avant,Angle,Wingard,Wayman,Tully,Theisen,Szymanski,Stansbury,Segovia,Rudy,Rainwater,Preece,Pirtle,Padron,Mincey,Mckelvey,Mathes,Marty,Larrabee,Kornegay,Klug,Judy,Ingersoll,Hecht,Germain,Eggers,Dykstra,Denis,Deering,Decoteau,Deason,Dearing,Cofield,Carrigan,Brush,Bonham,Bahr,Aucoin,Appleby,Almonte,Yager,Womble,Wimmer,Weimer,Vanderpool,Stancil,Sprinkle,Romine,Remington,Pfaff,Peckham,Olivera,Meraz,Maze,Lathrop,Koehn,Jonas,Hazelton,Halvorson,Hallock,Haddock,Ducharme,Dehaven,Colton,Caruthers,Brehm,Bosworth,Bost,Blow,Bias,Beeman,Basile,Bane,Aikens,Zachary,Wold,Walther,Tabb,Suber,Strawn,Stocks,Stocker,Shirey,Schlosser,Salvador,Riedel,Rembert,Reimer,Pyles,Pickle,Peele,Merriweather,Letourneau,Latta,Kidder,Hixon,Hillis,Hight,Herbst,Henriquez,Haygood,Hamill,Gabel,Fritts,Eubank,Duty,Dawes,Correll,Coffee,Cha,Bushey,Buchholz,Brotherton,Bridge,Botts,Barnwell,Auger,Atchley,Westphal,Veilleux,Ulloa,Truman,Stutzman,Shriver,Ryals,Prior,Pilkington,Newport,Moyers,Miracle,Marrs,Mangrum,Maddux,Lockard,Laing,Kuhl,Harney,Hammock,Hamlett,Felker,Doerr,Depriest,Carrasquillo,Carothers,Bogle,Blood,Bischoff,Bergen,Albanese,Wyckoff,Vermillion,Vansickle,Thibault,Tetreault,Stickney,Shoemake,Ruggiero,Rawson,Racine,Philpot,Paschal,Mcelhaney,Mathison,Legrand,Lapierre,Kwan,Kremer,Jiles,Hilbert,Geyer,Faircloth,Ehlers,Egbert,Desrosiers,Dalrymple,Cotten,Cashman,Cadena,Breeding,Boardman,Alcaraz,Ahn,Wyrick,Therrien,Tankersley,Strickler,Puryear,Plourde,Pattison,Pardue,Milan,Mcginty,Mcevoy,Landreth,Kuhns,Koon,Hewett,Giddens,Everette,Emerick,Eades,Deangelis,Cosme,Ceballos,Birdsong,Benham,Bemis,Armour,Anguiano,Angeles,Welborn,Tsosie,Storms,Shoup,Sessoms,Samaniego,Rood,Rojo,Rhinehart,Raby,Northcutt,Myer,Munguia,Morehouse,More,Mcdevitt,Mateo,Mallett,Lozada,Lemoine,Kuehn,Hallett,Grim,Gillard,Gaylor,Garman,Gallaher,Feaster,Faris,Darrow,Dardar,Coney,Carreon,Byron,Braithwaite,Boylan,Boyett,Born,Bixler,Bigham,Benford,Barragan,Barnum,Zuber,Wyche,Westcott,Vining,Stoltzfus,Simonds,Shupe,Sabin,Ruble,Rittenhouse,Richman,Perrone,Mulholland,Millan,Meister,Mathew,Lomeli,Kite,Jemison,Hulett,Holler,Hickerson,Herold,Hazelwood,Griffen,Gause,Forde,Eisenberg,Dilworth,Charron,Chaisson,Brodie,Bristow,Breunig,Brace,Boutwell,Bentz,Belk,Bayless,Batchelder,Baran,Baeza,Zimmermann,Weathersby,Volk,Toole,Theis,Tedesco,Shine,Searle,Schenck,Satterwhite,Sandy,Ruelas,Royce,Rankins,Partida,Nesbit,Morel,Menchaca,Levasseur,Kaylor,Johnstone,Hulse,Hollar,Hersey,Harrigan,Harbison,Guyer,Gish,Giese,Gerlach,Geller,Geisler,Falcone,Ernest,Elwell,Doucet,Deese,Darr,Corder,Chafin,Byler,Bussell,Burdett,Brasher,Bowe,Bellinger,Bastian,Barner,Alleyne,Wilborn,Weil,Wegner,Wales,Tatro,Spitzer,Smithers,Schoen,Resendez,Pete,Parisi,Overman,Obrian,Mudd,Moy,Mclaren,Mahler,Maggio,Lindner,Lalonde,Lacasse,Laboy,Killion,Kahl,Jessen,Jamerson,Houk,Henshaw,Gustin,Groom,Graber,Durst,Duenas,Davey,Cundiff,Conlon,Colunga,Coakley,Chiles,Capers,Buell,Bricker,Bissonnette,Birmingham,Bartz,Bagby,Zayas,Volpe,Treece,Toombs,Thom,Terrazas,Swinney,Skiles,Silveira,Shouse,Senn,Rambo,Ramage,Nez,Moua,Marlin,Malik,Langham,Kyles,Holston,Hoagland,Herd,Hector,Feller,Emory,Denison,Corliss,Carraway,Burford,Bickel,Ambriz,Abercrombie,Yamada,Winner,Weidner,Waddle,Verduzco,Thurmond,Swindle,Schrock,Sanabria,Rosenberger,Probst,Peabody,Olinger,Neighbors,Nazario,Mccafferty,Mcbroom,Mcabee,Mazur,Matherne,Mapes,Leverett,Killingsworth,Heisler,Griego,Grande,Gosnell,Frankel,Franke,Ferrante,Fenn,Elmer,Ehrlich,Christopherso,Chick,Chasse,Chancellor,Caton,Brunelle,Bly,Bloomfield,Babbitt,Azevedo,Abramson,Ables,Abeyta,Youmans,Wozniak,Wainwright,Summer,Stowell,Smitherman,Sites,Samuelson,Runge,Rule,Rothman,Rosenfeld,Quan,Peake,Oxford,Owings,Olmos,Munro,Moreira,Leatherwood,Larkins,Krantz,Kovacs,Kizer,Kindred,Karnes,Jaffe,Hubbell,Hosey,Hauck,Harold,Goodell,Favors,Erdman,Dvorak,Doane,Cureton,Cofer,Buehler,Bierman,Berndt,Banta,Annis,Abram,Abdullah,Warwick,Waltz,Turcotte,Trinh,Torrey,Stith,Seger,Sachs,Quesada,Pinder,Peppers,Pascual,Paschall,Parkhurst,Ozuna,Oster,Nicholls,Mortimer,Lheureux,Lavalley,Kimura,Jablonski,Haun,Gourley,Gilligan,Fix,Derby,Croy,Cotto,Cargill,Burwell,Burgett,Buckman,Brett,Booher,Adorno,Wrenn,Whittemore,Urias,Szabo,Sayles,Saiz,Rutland,Rael,Plant,Pharr,Penney,Pelkey,Ogrady,Nickell,Musick,Moats,Mather,Massa,Laurent,Kirschner,Kieffer,Kellar,Hendershot,Gott,Godoy,Gadson,Furtado,Fiedler,Erskine,Edison,Dutcher,Dever,Daggett,Chevalier,Chao,Brake,Ballesteros,Amerson,Alejandro,Wingo,Waldon,Trott,Spikes,Silvey,Showers,Schlegel,Rue,Ritz,Pepin,Pelayo,Parsley,Palermo,Moorehead,Mchale,Lett,Kocher,Kilburn,Iglesias,Humble,Hulbert,Huckaby,Hix,Haven,Hartford,Hardiman,Gurney,Grigg,Grasso,Goings,Fillmore,Farber,Depew,Dandrea,Dame,Cowen,Covarrubias,Cory,Burrus,Bracy,Ardoin,Thompkins,Suzuki,Standley,Russel,Radcliffe,Pohl,Persaud,Percy,Parenteau,Pabon,Newson,Newhouse,Napolitano,Mulcahy,Maya,Malave,Keim,Hooten,Hernandes,Heffernan,Hearne,Greenleaf,Glick,Fuhrman,Fetter,Faria,Dishman,Dickenson,Crites,Criss,Clapper,Chenault,Castor,Casto,Bugg,Bove,Bonney,Blessing,Ard,Anderton,Allgood,Alderson,Woodman,Wisdom,Warrick,Toomey,Tooley,Tarrant,Summerville,Stebbins,Sokol,Sink,Searles,Schutz,Schumann,Scheer,Remillard,Raper,Proulx,Palmore,Monroy,Miguel,Messier,Melo,Melanson,Mashburn,Manzano,Lussier,Lovely,Lien,Jenks,Huneycutt,Hartwig,Grimsley,Fulk,Fielding,Fidler,Engstrom,Eldred,Dantzler,Crandell,Ching,Calder,Brumley,Breton,Brann,Bramlett,Boykins,Bianco,Bancroft,Almaraz,Alcantar,Whitmer,Whitener,Welton,Vineyard,Su,Rahn,Paquin,Mizell,Mix,Mcmillin,Mckean,Marston,Maciel,Lundquist,Louie,Liggins,Lampkin,Kranz,Koski,Kirkham,Jiminez,Hazzard,Harrod,Graziano,Grammer,Gendron,Garrido,Fordham,Englert,Elwood,Dryden,Demoss,Deluna,Crabb,Comeau,Claudio,Brummett,Blume,Benally,Wessel,Vanbuskirk,Thorson,Stumpf,Stockwell,Rocco,Reams,Radtke,Rackley,Pelton,Niemi,Newland,Nelsen,Morrissette,Miramontes,Mcginley,Mccluskey,Marley,Marchant,Luevano,Lampe,Lail,Jeffcoat,Infante,Hu,Hinman,Gaona,Erb,Eady,Desmarais,Decosta,Dansby,Cisco,Choe,Breckenridge,Bostwick,Borg,Bianchi,Beer,Alberts,Adrian,Wilkie,Whorton,Vargo,Tait,Sylvia,Soucy,Schuman,Ousley,Mumford,Lum,Lippert,Leath,Lavergne,Laliberte,Kirksey,Kenner,Johnsen,Izzo,Hiles,Gullett,Greenwell,Gaspar,Galbreath,Gaitan,Ericson,Duck,Delapaz,Croom,Cottingham,Clift,Bushnell,Boozer,Bice,Bernardo,Beason,Arrowood,Waring,Voorhees,Truax,Shreve,Shockey,Schatz,Sandifer,Rubino,Rozier,Roseberry,Roll,Player,Pieper,Peden,Nester,Nave,Murphey,Malinowski,Macgregor,Liang,Lafrance,Kunkle,Kirkman,Jorge,Hipp,Hasty,Haddix,Gervais,Gerdes,Garfield,Gamache,Fouts,Fitzwater,Dillingham,Deming,Deanda,Cedeno,Cannady,Burson,Bouldin,Arceneaux,Woodhouse,Whitford,Wescott,Welty,Weigel,Torgerson,Toms,Surber,Sunderland,Sterner,Setzer,Salvatore,Riojas,Pumphrey,Puga,Pedro,Patch,Metts,Mcgarry,Mccandless,Magill,Lupo,Loveland,Llamas,Leclerc,Koons,Kahler,Huss,Holbert,Heintz,Haupt,Grimmett,Gaskill,Flower,Ellingson,Dorr,Dingess,Deweese,Desilva,Crossley,Cordeiro,Converse,Conde,Cheeks,Caldera,Cairns,Burmeister,Burkhalter,Brawner,Bott,Youngs,Vierra,Valladares,Tiffany,Shrum,Shropshire,Sevilla,Rusk,Roof,Rodarte,Pedraza,Nino,Montana,Merino,Mcminn,Markle,Mapp,Lucia,Lajoie,Koerner,Kittrell,Kato,Hyder,Hollifield,Heiser,Hazlett,Greenwald,Fant,Eldredge,Dreher,Delafuente,Cravens,Claypool,Beecher,Aronson,Alanis,Worthen,Wojcik,Winger,Whitacre,Wellington,Valverde,Valdivia,Troupe,Thrower,Swindell,Suttles,Suh,Stroman,Spires,Slate,Shealy,Sarver,Sartin,Sadowski,Rondeau,Rolon,Rick,Rex,Rascon,Priddy,Pine,Paulino,Nolte,Munroe,Molloy,Mellon,Mciver,Lykins,Loggins,Lillie,Lenoir,Klotz,Kempf,Jone,Hupp,Hollowell,Hollander,Haynie,Hassan,Harkness,Harker,Gottlieb,Frith,Eddins,Driskell,Doggett,Densmore,Charette,Cassady,Carrol,Byrum,Burcham,Buggs,Benn,Whitted,Warrington,Vandusen,Vaillancourt,Steger,Spell,Siebert,Scofield,Quirk,Purser,Plumb,Orcutt,Northern,Nordstrom,Mosely,Michalski,Mcphail,Mcdavid,Mccraw,Martini,Marchese,Mannino,Leo,Lefevre,Largent,Lanza,Kress,Isham,Hunsaker,Hoch,Hildebrandt,Guarino,Grijalva,Graybill,Fick,Ewell,Ewald,Deangelo,Cusick,Crumley,Coston,Cathcart,Carruthers,Bullington,Brian,Bowes,Blain,Blackford,Barboza,Yingling,Woodland,Wert,Weiland,Varga,Silverstein,Sievers,Shuster,Shumway,Scudder,Runnels,Rumsey,Renfroe,Provencher,Polley,Mohler,Middlebrooks,Kutz,Koster,Korn,Grow,Groth,Glidden,Fazio,Deen,Corn,Copper,Chipman,Chenoweth,Champlin,Cedillo,Carrero,Carmody,Buckles,Brien,Boutin,Bosch,Bill,Berkowitz,Altamirano,Wilfong,Wiegand,Waites,Truesdale,Toussaint,Tobey,Tedder,Steelman,Sirois,Schnell,Robichaud,Ridge,Richburg,Pray,Plumley,Pizarro,Piercy,Ortego,Oberg,Neace,Music,Mickey,Mertz,Mcnew,Matta,Lawyer,Lapp,Lair,Kibler,Jessie,Howlett,Hollister,Hofer,Hatten,Hagler,Germany,Falgoust,Engelhardt,Eberle,Eastwood,Dombrowski,Dinsmore,Daye,Cool,Casares,Capone,Braud,Balch,Autrey,Wendel,Tyndall,Toy,Strobel,Stoltz,Spinelli,Serrato,Rochester,Reber,Real,Rathbone,Palomino,Noah,Nickels,Mayle,Mathers,Mach,Loeffler,Littrell,Levinson,Leong,Lemire,Lejeune,Lazo,Lasley,Koller,Kennard,Jester,Hoelscher,Hintz,Hagerman,Greaves,Fore,Eudy,Engler,Corrales,Cordes,Brunet,Bidwell,Bennet,Bare,Tyrrell,Tharpe,Swinton,Stribling,Steven,Southworth,Sisneros,Shane,Savoie,Samons,Ruvalcaba,Roscoe,Ries,Ramer,Omara,Mosqueda,Millar,Mcpeak,Macomber,Luckey,Litton,Lehr,Lavin,Hubbs,Hoard,Hibbs,Hagans,Futrell,Exum,Evenson,Dicks,Culler,Chou,Carbaugh,Callen,Brashear,Bloomer,Blakeney,Bigler,Addington,Woodford,Witter,Unruh,Tolentino,Sumrall,Stgermain,Smock,Sherer,Salem,Rochelle,Rayner,Pooler,Oquinn,Nero,Milano,Mcglothlin,Mars,Linden,Kowal,Kerrigan,Ibrahim,Harvell,Hanrahan,Goodall,Geist,Fussell,Fung,Ferebee,Federico,Eley,Eggert,Dorsett,Dingman,Destefano,Colucci,Clemmer,Caesar,Burnell,Brumbaugh,Boddie,Berryhill,Avelar,Alcantara,Abbey,Winder,Winchell,Vandenberg,Trotman,Thurber,Thibeault,Stlouis,Stilwell,Sperling,Shattuck,Sarmiento,Ruppert,Rumph,Renaud,Randazzo,Rademacher,Quiles,Pearman,Palomo,Mercurio,Lowrey,Lindeman,Lawlor,Larosa,Lander,Labrecque,Kimber,Hovis,Holifield,Henninger,Hawkes,Hartfield,Hann,Hague,Genovese,Garrick,Fudge,Frink,Eddings,Dinh,Dear,Cutter,Cribbs,Constant,Calvillo,Bunton,Brodeur,Bolding,Blanding,Agosto,Zahn,Wiener,Trussell,Tew,Tello,Teixeira,Stephan,Speck,Sharma,Shanklin,Sealy,Scanlan,Santamaria,Roundy,Robichaux,Ringer,Rigney,Prevost,Polson,Philip,Pass,Nord,Moxley,Mohammed,Medford,Mccaslin,Mcardle,Macarthur,Lewin,Lasher,Ketcham,Keiser,Heine,Hackworth,Grose,Grizzle,Grass,Gillman,Gartner,Garth,Frazee,Fleury,Fast,Edson,Edmonson,Derry,Deck,Cronk,Conant,Burress,Burgin,Broom,Brockington,Bolick,Boger,Birchfield,Billington,Baily,Bahena,Armbruster,Anson,Yoho,Wilcher,Tinney,Timberlake,Thoma,Thielen,Sutphin,Stultz,Sikora,Serra,Schulman,Scheffler,Santillan,Robin,Rego,Preciado,Pinkham,Monday,Mickle,Luu,Lomas,Lizotte,Lent,Lenard,Kellerman,Keil,Juan,Johanson,Hernadez,Hartsfield,Hang,Haber,Gorski,Farkas,Eberhardt,Duquette,Delano,Cropper,Cozart,Cockerham,Chamblee,Cartagena,Cahoon,Buzzell,Brister,Brewton,Blackshear,Benfield,Aston,Ashburn,Arruda,Wetmore,Weise,Vaccaro,Tucci,Sudduth,Stromberg,Stoops,Showalter,Shears,Runion,Rowden,Rosenblum,Riffle,Renfrow,Peres,Obryant,Nicolas,Leftwich,Lark,Landeros,Kistler,Killough,Kerley,Kastner,Hoggard,Hartung,Guertin,Govan,Gatling,Gailey,Fullmer,Fulford,Flatt,Esquibel,Endicott,Edmiston,Edelstein,Dufresne,Dressler,Dickman,Chee,Busse,Bonnett,Bogart,Berard,Barrington,Arena,Anton,Yoshida,Velarde,Veach,Vanhouten,Vachon,Tolson,Tolman,Tennyson,Stites,Soler,Shutt,Ruggles,Rhone,Pegues,Ong,Neese,Muro,Moncrief,Mefford,Mcphee,Mcmorris,Mceachern,Mcclurg,Mansour,Mai,Mader,Leija,Lecompte,Lafountain,Labrie,Jaquez,Heald,Hash,Hartle,Gainer,Frisby,Farina,Eidson,Edgerton,Dyke,Durrett,Duhon,Cuomo,Cobos,Cervantez,Bybee,Brockway,Borowski,Binion,Beery,Arguello,Amaro,Acton,Yuen,Winton,Wigfall,Weekley,Vidrine,Vannoy,Tardiff,Shoop,Shilling,Schick,Sand,Safford,Prendergast,Pilgrim,Pellerin,Osuna,Nissen,Nalley,Moritz,Moller,Messner,Messick,Merry,Merrifield,Mcguinness,Matherly,Marcano,Mahone,Lemos,Lebrun,Jara,Hoffer,Hewlett,Herren,Hecker,Haws,Haug,Hack,Gwin,Gober,Gilliard,Fredette,Favela,Echeverria,Downer,Donofrio,Desrochers,Dee,Crozier,Corson,Clyde,Bechtold,Argueta,Aparicio,Zamudio,Willette,Westover,Westerman,Utter,Troyer,Thies,Tapley,Slavin,Shirk,Sandler,Roop,Rimmer,Raymer,Range,Radcliff,Otten,Moorer,Millet,Mckibben,Mccutchen,Mcavoy,Mcadoo,Mayorga,Mastin,Martineau,Marek,Madore,Leflore,Kroeger,Kennon,Jimerson,Javier,Hostetter,Hornback,Hendley,Hance,Guardado,Granado,Gowen,Goodale,Flinn,Fleetwood,Fitz,Durkee,Duprey,Dipietro,Dilley,Clyburn,Brawley,Beckley,Arana,Weatherby,Vollmer,Victoria,Vestal,Tunnell,Trigg,Tingle,Takahashi,Sweatt,Storer,Snapp,Shiver,Rooker,Red,Rathbun,Poisson,Perrine,Perri,Pastor,Parmer,Parke,Pare,Papa,Palmieri,Nottingham,Midkiff,Mecham,Mccomas,Mcalpine,Lovelady,Lillard,Lally,Knopp,Kile,Kiger,Haile,Gupta,Goldsberry,Gilreath,Fulks,Friesen,Franzen,Flack,Findlay,Ferland,Dreyer,Dore,Dennard,Deckard,Debose,Crim,Coulombe,Cork,Chancey,Cantor,Branton,Bissell,Barns,Woolard,Witham,Wasserman,Waldo,Spiegel,Shoffner,Scholz,Ruch,Rossman,Ready,Petry,Palacio,Paez,Neary,Mortenson,Millsap,Miele,Mick,Menke,Mckim,Mcanally,Martines,Manor,Malcom,Lemley,Larochelle,Klaus,Klatt,Kaufmann,Kapp,Helmer,Hedge,Halloran,Glisson,Frechette,Fontana,Enoch,Eagan,Drum,Distefano,Danley,Creekmore,Chartier,Chaffee,Carillo,Burg,Bolinger,Berkley,Benz,Basso,Bash,Barrier,Zelaya,Woodring,Witkowski,Wilmot,Wilkens,Wieland,Virgil,Verdugo,Urquhart,Tsai,Timms,Swiger,Swaim,Sussman,Scarlett,Pires,Molnar,Mcatee,Maurice,Lowder,Loos,Linker,Landes,Kingery,Keeley,Hufford,Higa,Hendren,Hammack,Hamann,Gillam,Gerhardt,Fell,Eugene,Edelman,Eby,Delk,Deans,Curl,Constantine,Cleaver,Claar,Casiano,Carruth,Carlyle,Bump,Brophy,Bolanos,Bibbs,Bessette,Beggs,Baugher,Bartel,Averill,Andresen,Amin,Alden,Adames,Wildman,Via,Valente,Turnbow,Tse,Swink,Sublett,Stroh,Stringfellow,Ridgway,Pugliese,Poteat,Pang,Ohare,Neubauer,Murchison,Mohamed,Mingo,Lucky,Lemmons,Kwon,Kellam,Kean,Jarmon,Hyden,Hudak,Hollinger,Henkel,Hemingway,Hasson,Hansel,Halter,Haire,Goodnight,Ginsberg,Gillispie,Fogel,Flory,Etter,Elledge,Eckman,Deas,Currin,Crafton,Coomer,Colter,Claxton,Bulter,Braddock,Bowyer,Blizzard,Binns,Bing,Bellows,Baskerville,Barros,Ansley,Woolf,Wight,Waldman,Wadley,Tull,Trull,Tesch,Struck,Stouffer,Stadler,Slay,Shubert,Sedillo,Santacruz,Reinke,Raleigh,Poynter,Neri,Neale,Natividad,Mowry,Moralez,Monger,Mitchum,Merryman,Manion,Macdougall,Lux,Litchfield,Ley,Levitt,Lepage,Lasalle,Laine,Khoury,Kavanagh,Karns,Ivie,Huebner,Hodgkins,Halpin,Garica,Eversole,Dutra,Dunagan,Duffey,Dillman,Dillion,Deville,Dearborn,Damato,Courson,Coulson,Burdine,Bryce,Bousquet,Bonin,Bish,Atencio,Westbrooks,Wages,Vaca,Tye,Toner,Tomas,Tillis,Swett,Surface,Struble,Stanfill,Son,Solorzano,Slusher,Sipple,Sim,Silvas,Shults,Schexnayder,Saez,Rodas,Rager,Pulver,Plaza,Penton,Paniagua,Meneses,Mcfarlin,Mcauley,Matz,Maloy,Magruder,Lohman,Landa,Lacombe,Jaimes,Hom,Holzer,Holst,Heil,Hackler,Grundy,Gregor,Gilkey,Farnham,Durfee,Dunton,Dunston,Duda,Dews,Dana,Craver,Corriveau,Conwell,Colella,Chambless,Bremer,Boutte,Bourassa,Blaisdell,Backman,Babineaux,Audette,Alleman,Towner,Taveras,Tarango,Sullins,Suiter,Stallard,Solberg,Schlueter,Poulos,Pimental,Owsley,Olivier,Okelley,Nations,Moffatt,Metcalfe,Meekins,Medellin,Mcglynn,Mccowan,Marriott,Marable,Lennox,Lamoureux,Koss,Kerby,Karp,Jason,Isenberg,Howze,Hockenberry,Highsmith,Harbour,Hallmark,Gusman,Greeley,Giddings,Gaudet,Gallup,Fleenor,Eicher,Edington,Dimaggio,Dement,Demello,Decastro,Cruise,Bushman,Brundage,Brooker,Brooke,Bourg,Board,Blackstock,Bergmann,Beaton,Banister,Argo,Appling,Wortman,Watterson,Villalpando,Tillotson,Tighe,Sundberg,Sternberg,Stamey,Speaks,Shipe,Seeger,Scarberry,Sattler,Sain,Rothstein,Poteet,Plowman,Pettiford,Penland,Peach,Partain,Pankey,Oyler,Ogletree,Ogburn,Moton,Million,Merkel,Mask,Markus,Lucier,Lazarus,Lavelle,Lakey,Kratz,Kinser,Kershaw,Josephson,Jesse,Imhoff,Ibanez,Hendry,Hammon,Frisbie,Friedrich,Frawley,Fraga,Forester,Eskew,Emmert,Drennan,Doyon,Dominick,Dandridge,Cumming,Cawley,Carvajal,Bracey,Belisle,Batey,Ahner,Wysocki,Weiser,Veliz,Tincher,Sherlock,Santo,Sansone,Sankey,Sandstrom,Sale,Rohrer,Risner,Pridemore,Pfeffer,Persinger,Peery,Oubre,Orange,Nowicki,Musgrave,Murdoch,Mullinax,Mccary,Mathieu,Livengood,Leonardo,Kyser,Klink,Kimes,Kellner,Kavanaugh,Kasten,Imes,Hoey,Hinshaw,Halley,Hake,Gurule,Grube,Grillo,Geter,Gatto,Garver,Garretson,Farwell,Eiland,Dunford,Decarlo,Corso,Core,Colman,Collard,Cleghorn,Chasteen,Cavender,Carlile,Calvo,Byerly,Brogdon,Broadwater,Breault,Bono,Bergin,Behr,Ballenger,Amick,Yan,Vice,Tamez,Stiffler,Steinke,Simmon,Shankle,Schaller,Salmons,Sackett,Saad,Rideout,Reader,Ratcliffe,Rao,Ranson,Randell,Plascencia,Petterson,Olszewski,Olney,Olguin,Nilsson,Nevels,Morelli,Montiel,Monge,Michell,Michaelson,Mertens,Mcchesney,Mcalpin,Mathewson,Lower,Loudermilk,Lineberry,Liggett,Lamp,Kinlaw,Kight,Just,Jost,Hereford,Hardeman,Halpern,Halliday,Hafer,Gaul,Friel,Freitag,Frances,Forsberg,Evangelista,Doering,Dicarlo,Dendy,Delp,Deguzman,Dameron,Curtiss,Cousin,Cosper,Charley,Cauthen,Cao,Camper,Bradberry,Bouton,Bonnell,Bixby,Bieber,Beveridge,Belle,Bedwell,Barhorst,Bannon,Baltazar,Baier,Ayotte,Attaway,Arenas,Alex,Abrego,Watford,Valley,Turgeon,Tunstall,Thaxton,Thai,Tenorio,Stotts,Sthilaire,Spiker,Shedd,Seng,Seabolt,Scalf,Salyers,Ruhl,Rowlett,Robinett,Pfister,Perlman,Pepe,Parkman,Paradise,Olin,Nunnally,Norvell,Napper,Modlin,Mckellar,Mcclean,Mascarenas,Manchester,Leibowitz,Ledezma,Kuhlman,Kobayashi,Hunley,Holmquist,Hinkley,Hazard,Hartsell,Gribble,Gravely,Fifield,Eliason,Doctor,Doak,Crossland,Cover,Clair,Carleton,Butters,Bridgeman,Bojorquez,Boggess,Banker,Auten,Woosley,Wine,Whiteley,Wexler,Twomey,Tullis,Townley,To,Standridge,Stamp,Springs,Santoyo,Rueda,Riendeau,Revell,Pless,Ottinger,Nigro,Nickles,Mulvey,Menefee,Mcshane,Mcloughlin,Mckinzie,Marrow,Markey,Mariano,Lockridge,Lipsey,Knisley,Knepper,Kitts,Kiel,Jinks,Hathcock,Godin,Gallego,Fikes,Fecteau,Estabrook,Ellinger,Dustin,Dunlop,Dudek,Diego,Countryman,Chauvin,Chatham,Bullins,Brownfield,Boughton,Bloodworth,Bibb,Baucom,Barbieri,Aubin,Armitage,Alessi,Absher,Abbate,Zito,Woolery,Wiggs,Wacker,Violette,Tynes,Tolle,Telles,Tarter,Swarey,Strode,Stockdale,Stella,Stalnaker,Spina,Schiff,Saari,Risley,Reading,Rameriz,Rakes,Pettaway,Penner,Paulus,Palladino,Omeara,Montelongo,Melnick,Mehta,Mcgary,Mccourt,Mccollough,Marchetti,Manzanares,Lowther,Leiva,Lauderdale,Lafontaine,Kowalczyk,Knighton,Joubert,Jaworski,Ide,Huth,Hurdle,Hung,Housley,Hackman,Gulick,Gordy,Gilstrap,Gehrke,Gebhart,Gaudette,Foxworth,Finger,Essex,Endres,Dunkle,Clare,Cimino,Cardinal,Caddell,Brauer,Braley,Bodine,Blackmore,Belden,Backer,Ayer,Andress,Alva,Wisner,Walk,Vuong,Valliere,Twigg,Tso,Tavarez,Strahan,Steib,Staub,Sowder,Shoulders,Seiber,Schutt,Scharf,Schade,Rodriques,Risinger,Renshaw,Rath,Rahman,Presnell,Pillow,Piatt,Pasquale,Nieman,Nicol,Nevins,Milford,Mcilwain,Mcgaha,Mccully,Mccomb,Maye,Massengale,Macedo,Lines,Lesher,Leland,Kearse,Jauregui,Husted,Hudnall,Holmberg,Hertel,Hershey,Hardie,Glidewell,Frausto,Fassett,Dash,Dalessandro,Dahlgren,Corum,Constantino,Conlin,Colquitt,Colombo,Claycomb,Carley,Cardin,Cancel,Buller,Boring,Boney,Bocanegra,Blazer,Biggers,Benedetto,Araiza,Andino,Albin,Zorn,Werth,Weisman,Walley,Vanegas,Ulibarri,Towers,Towe,Tedford,Teasley,Suttle,Steffens,Stcyr,Squire,Smythe,Singley,Sifuentes,Shuck,Session,Schram,Sass,Rieger,Ridenhour,Rickert,Richerson,Rayborn,Rabe,Raab,Pendley,Pastore,Ordway,Moynihan,Mellott,Mckissick,Mcgann,Mccready,Mauney,Marrufo,List,Lenhart,Lazar,Lafave,Keele,Kautz,Jardine,Jahnke,Jacobo,Hord,Hardcastle,Hageman,Griffey,Giglio,Gehring,Fortson,Duque,Duplessis,Donner,Dicken,Derosier,Deitz,Dalessio,Cyrus,Cram,Chi,Center,Castleman,Candelario,Callison,Caceres,Bozarth,Biles,Bejarano,Beech,Bashaw,Avina,Armentrout,Angus,Alverez,Acord,Zack,Waterhouse,Vereen,Vanlandingham,Uhl,Strawser,Shotwell,Severance,Seltzer,Schoonmaker,Schock,Schaub,Schaffner,Roeder,Rodrigez,Riffe,Rhine,Rasberry,Rancourt,Railey,Quade,Pursley,Prouty,Perdomo,Oxley,Osterman,Nickens,Murphree,Mounts,Monte,Merida,Maus,Mattern,Masse,Martinelli,Mangan,Lutes,Ludwick,Loney,Laureano,Lasater,Knighten,Kissinger,Kimsey,Kessinger,Honea,Hollingshead,Hockett,Heyer,Heron,Gurrola,Gove,Glasscock,Gillett,Galan,Featherstone,Eckhardt,Duron,Dunson,Dasher,Culbreth,Cowden,Cowans,Claypoole,Churchwell,Chabot,Caviness,Cater,Caston,Callan,Byington,Burkey,Boden,Beckford,Atwater,Arms,Archambault,Alvey,Alsup,Yon,Whisenant,Weese,Voyles,Verret,Tsang,Tessier,Sweitzer,Sherwin,Shaughnessy,Revis,Remy,Prine,Philpott,Peavy,Paynter,Parmenter,Ovalle,Offutt,Nightingale,Newlin,Nakano,Myatt,Muth,Mohan,Mcmillon,Mccarley,Mccaleb,Maxson,Marinelli,Maley,Macy,Liston,Letendre,Kain,Huntsman,Hirst,Hagerty,Gulledge,Greenway,Grajeda,Gorton,Goines,Gittens,Frederickson,Fanelli,Embree,Eichelberger,Dunkin,Dull,Dixson,Dillow,Defelice,Chumley,Burleigh,Borkowski,Binette,Biggerstaff,Berglund,Beller,Audet,Arbuckle,Allain,Alfano,Zander,Youngman,Wittman,Weintraub,Vanzant,Vaden,Twitty,Trader,Toon,Till,Stollings,Standifer,Spinner,Sines,Shope,Scalise,Saville,Romans,Posada,Pisano,Otte,Nolasco,Napoli,Mier,Merkle,Mendiola,Melcher,Mejias,Mcmurry,Mccalla,Markowitz,Marine,Manis,Mallette,Macfarlane,Lough,Looper,Landin,Kittle,Kinsella,Kinnard,Hobart,Herald,Helman,Hellman,Hartsock,Halford,Hage,Gordan,Glasser,Gayton,Gattis,Gastelum,Gaspard,Frisch,Force,Fitzhugh,Eckstein,Eberly,Dowden,Despain,Crumpler,Crotty,Cornelison,Collin,Colin,Chouinard,Chamness,Catlin,Cann,Bumgardner,Budde,Branum,Bradfield,Braddy,Borst,Birdwell,Bent,Bazan,Bank,Banas,Bade,Aubrey,Arango,Ahearn,Addis,Zumwalt,Wurth,Wilk,Widener,Wagstaff,Vella,Urrutia,Terwilliger,Tart,Steinman,Staats,Sloat,Rives,Riggle,Revels,Reichard,Prickett,Poff,Pitzer,Petro,Pell,Northrup,Nicks,Moline,Mielke,Maynor,Mallon,Magness,Lingle,Lindell,Lieb,Lesko,Lebeau,Lammers,Lafond,Kiernan,Ketron,Jurado,Holmgren,Hilburn,Hayashi,Hashimoto,Harbaugh,Hans,Guillot,Gard,Froehlich,Felipe,Feinberg,Falco,Dufour,Drees,Doney,Diep,Delao,Daves,Dail,Cutting,Crowson,Coss,Congdon,Carner,Camarena,Butterworth,Burlingame,Bouffard,Bloch,Bilyeu,Barta,Bakke,Baillargeon,Avent,Aquilar,Ake,Aho,Zeringue,Yeh,Yarber,Wolfson,Wendell,Vogler,Voelker,Truss,Troxell,Thrift,Strouse,Spielman,Sistrunk,Shows,Sevigny,Schuller,Schaaf,Ruffner,Routh,Roseman,Ricciardi,Peraza,Pegram,Overturf,Olander,Odaniel,Neu,Millner,Melchor,Maxie,Marvel,Maroney,Machuca,Macaluso,Livesay,Layfield,Laskowski,Kwiatkowski,Ko,Kiley,Kilby,Julien,Hovey,Heywood,Hayman,Havard,Harville,Haigh,Hagood,Grieco,Glassman,Gebhardt,Garry,Freeze,Fleischer,Fann,Elson,Eccles,Cunha,Crumb,Crew,Blakley,Bardwell,Abshire,Woodham,Wines,Welter,Wargo,Varnado,Tutt,Traynor,Swaney,Svoboda,Stricker,Stoffel,Stambaugh,Sickler,Shackleford,Selman,Seaver,Sansom,Sanmiguel,Royston,Rourke,Rockett,Rioux,Puleo,Pitchford,Persons,Normand,Nardi,Mulvaney,Middaugh,Manners,Malek,Lodge,Leos,Lathan,Kujawa,Kimbro,Killebrew,Joshua,Houlihan,Hobby,Hinckley,Herod,Hepler,Hamner,Hammel,Hallowell,Gonsalez,Gingerich,Gambill,Funkhouser,Fricke,Fewell,Falkner,Endsley,Dulin,Drennen,Deaver,Dambrosio,Clover,Chadwell,Ceasar,Castanon,Canon,Burkes,Brune,Brisco,Brinker,Bowker,Boldt,Berner,Bee,Beaumont,Beaird,Bazemore,Barrick,Arnette,Albano,Younts,Wunderlich,Weidman,Vanness,Tu,Toland,Theobald,Stickler,Steiger,Stanger,Spies,Spector,Sollars,Smedley,Seibel,Scoville,Saito,Rye,Rummel,Rude,Rowles,Rouleau,Roos,Rogan,Roemer,Ream,Raya,Purkey,Priester,Perreira,Penick,Paulin,Parkins,Overcash,Oleson,Nicely,Neves,Muldrow,Minard,Midgett,Michalak,Melgar,Mcentire,Mcauliffe,Marti,Marte,Lydon,Lindholm,Leyba,Leader,Langevin,Lagasse,Lafayette,Kesler,Kelton,Kao,Kaminsky,Jump,Jaggers,Humbert,Huck,Howarth,Hinrichs,Higley,Gupton,Guimond,Gravois,Giguere,Fretwell,Fontes,Feeley,Faucher,Fall,Evan,Eichhorn,Ecker,Earp,Dole,Dinger,Derryberry,Demars,Deel,Copenhaver,Collinsworth,Colangelo,Cloyd,Claiborne,Caulfield,Carlsen,Calzada,Caffey,Broadus,Brenneman,Bouie,Bodnar,Blaney,Blanc,Blades,Beltz,Behling,Begin,Barahona,Yun,Yockey,Winkle,Windom,Wimer,Wilford,Wash,Villatoro,Trexler,Teran,Taliaferro,Sydnor,Swinson,Snelling,Smtih,Siu,Simonton,Simoneaux,Simoneau,Sherrer,Seavey,Scheel,Rushton,Rupe,Ruano,Rodney,Rippy,Reiner,Reiff,Rabinowitz,Quach,Penley,Odle,Nock,Minnich,Mckown,Mccarver,Mcandrew,Longley,Laux,Lamothe,Lafreniere,Kropp,Krick,Kates,Jepson,Huie,Howse,Howie,Henriques,Haydon,Haught,Hatter,Hartzog,Harkey,Grimaldo,Goshorn,Gormley,Gluck,Gilroy,Gillenwater,Giffin,Folks,Fluker,Feder,Eyre,Eshelman,Eakins,Dryer,Disney,Detwiler,Delrosario,Davisson,Celestine,Catalan,Canning,Calton,Buster,Brammer,Botelho,Blakney,Bartell,Averett,Askins,Aker,Zak,Worcester,Witmer,Wiser,Winkelman,Widmer,Whittier,Western,Weitzel,Wardell,Wagers,Ullman,Tupper,Tingley,Tilghman,Talton,Simard,Seda,Scheller,Sala,Rundell,Rost,Roa,Ribeiro,Rabideau,Primm,Porch,Polite,Pinon,Peart,Ostrom,Ober,Nystrom,Nussbaum,Nurse,Naughton,Murr,Moorhead,Monti,Monteiro,Melson,Meissner,Mclin,Mcgruder,Marotta,Makowski,Majewski,Madewell,Lunt,Lukens,Leininger,Lebel,Lakin,Laguna,Kepler,Jaques,Hunnicutt,Hungerford,Hoopes,Hertz,Heins,Hammers,Halliburton,Grosso,Gravitt,Glasper,Gideon,Gallman,Gallaway,Funke,Fulbright,Falgout,Eakin,Dostie,Dorado,Dewberry,Derose,Cutshall,Crampton,Costanzo,Colletti,Cloninger,Claytor,Chiang,Canterbury,Campagna,Burd,Brokaw,Broaddus,Bretz,Brainard,Binford,Bilbrey,Alpert,Aitken,Ahlers,Zajac,Yale,Woolfolk,Witten,Windle,Wayland,Tramel,Tittle,Talavera,Suter,Straley,Stetson,Specht,Sommerville,Soloman,So,Skeens,Sigman,Sibert,Shavers,Schuck,Schmit,Sartain,Sabol,Rosenblatt,Rollo,Rashid,Rabb,Province,Polston,Nyberg,Northrop,Navarra,Muldoon,Mulder,Mikesell,Mcdougald,Mcburney,Mauricio,Mariscal,Lui,Lozier,Lingerfelt,Legere,Latour,Lagunas,Lacour,Kurth,Ku,Killen,Kiely,Kayser,Kahle,Julius,Isley,Huertas,Hower,Hinz,Haugh,Gumm,Given,Galicia,Fortunato,Flake,Dunleavy,Duggins,Doby,Digiovanni,Devaney,Deltoro,Cribb,Crank,Corpuz,Coronel,Comfort,Coen,Charbonneau,Caine,Burchette,Blakey,Blakemore,Bergquist,Beene,Beaudette,Bayles,Ballance,Bakker,Bailes,Asberry,Arwood,Zucker,Willman,Whitesell,Wald,Walcott,Vancleave,Trump,Trail,Strasser,Simas,Shorts,Shick,Schleicher,Schaal,Saleh,Rotz,Resnick,Raphael,Rainer,Partee,Ollis,Oller,Oday,Noles,Munday,Mountain,Mong,Millican,Merwin,Mazzola,Mansell,Magallanes,Llanes,Lewellen,Lepore,Kisner,Keesee,Jim,Jeanlouis,Ingham,Hornbeck,Hermes,Hawn,Hartz,Harber,Haffner,Gutshall,Guth,Grays,Grams,Gowan,Finlay,Finkelstein,Eyler,Enloe,Dungan,Diez,Dearman,Dann,Cull,Crosson,Creek,Chronister,Cassity,Campion,Callihan,Butz,Breazeale,Blumenthal,Billy,Berkey,Batty,Batton,Barge,Arvizu,Alexis,Alderete,Aldana,Albaugh,Abernethy,Work,Wolter,Wille,Tweed,Tollefson,Thomasson,Teter,Testerman,Sproul,Spates,Southwick,Soukup,Skelly,Senter,Sealey,Sawicki,Sargeant,Rossiter,Rosemond,Repp,Pound,Pink,Pifer,Ormsby,Nickelson,Naumann,Morabito,Monzon,Millsaps,Millen,Mcelrath,Marcoux,Mantooth,Madson,Macneil,Mackinnon,Louque,Leister,Lampley,Kushner,Krouse,Kirwan,June,Jessee,Janson,Jahn,Jacquez,Islas,Hutt,Holladay,Hillyer,Hepburn,Hensel,Harrold,Guadalupe,Gingrich,Geis,Gales,Fults,Finnell,Ferri,Featherston,Epley,Ebersole,Eames,Dunigan,Drye,Dismuke,Devaughn,Delorenzo,Damiano,Confer,Collum,Clower,Clow,Claussen,Clack,Caylor,Cawthon,Casias,Carreno,Carlo,Bluhm,Bingaman,Bewley,Belew,Beckner,Beamer,Barefoot,Auld,Amey,Wolfenbarger,Wilkey,Wicklund,Waltman,Villalba,Valero,Valdovinos,Ung,Ullrich,Tyus,Twyman,Trost,Tardif,Tanguay,Stripling,Steinbach,Shumpert,Sasaki,Sappington,Sandusky,Reinhold,Reinert,Quijano,Pye,Poor,Placencia,Pinkard,Phinney,Perrotta,Pernell,Parrett,Oxendine,Owensby,Orman,Nuno,Mori,Mcroberts,Mcneese,Mckamey,Mccullum,Markel,Mardis,Maines,Lueck,Lubin,Lefler,Leffler,Lavery,Larios,Labarbera,Kershner,Josey,Jeanbaptiste,Izaguirre,Hermosillo,Haviland,Hartshorn,Hamlet,Hafner,Ginter,Getty,Franck,Fiske,Emmett,Dufrene,Doody,Davie,Dangerfield,Dahlberg,Cuthbertson,Crone,Coffelt,Claus,Chidester,Chesson,Cauley,Caudell,Cantara,Campo,Caines,Bullis,Bucci,Brochu,Bosco,Bogard,Bickerstaff,Benning,Arzola,Antonelli,Adkinson,Zellers,Wulf,Worsley,Woolridge,Whitton,Westerfield,Walczak,Vassar,Truett,Trueblood,Trawick,Townsley,Topping,Tobar,Telford,Sung,Steverson,Stagg,Sitton,Sill,Sherrell,Sergent,Schoenfeld,Sarabia,Rutkowski,Rubenstein,Rigdon,Prentiss,Pomerleau,Plumlee,Phoenix,Philbrick,Peer,Patty,Patnode,Oloughlin,Obregon,Nuss,Napoleon,Morell,Moose,Mikell,Mele,Mcinerney,Mcguigan,Mcbrayer,Lore,Lor,Look,Lollar,Lakes,Kuehl,Kinzer,Kamp,Joplin,Jacobi,Howells,Holstein,Hedden,Hassler,Harty,Halle,Greig,Granville,Gouge,Goodrum,Gerhart,Geier,Geddes,Gast,Forehand,Ferree,Fendley,Feltner,Fang,Esqueda,Encarnacion,Eichler,Egger,Edmundson,Eatmon,Dragon,Doud,Donohoe,Donelson,Dilorenzo,Digiacomo,Diggins,Delozier,Dejong,Danford,Crippen,Coppage,Cogswell,Clardy,Cioffi,Cabe,Brunette,Bresnahan,Bramble,Blomquist,Blackstone,Biller,Bevis,Bevan,Bethune,Benbow,Baty,Basinger,Balcom,Andes,Aman,Aguero,Adkisson,Yandell,Wilds,Whisenhunt,Weigand,Weeden,Voight,Villar,Trottier,Tillett,Suazo,Setser,Scurry,Schuh,Schreck,Schauer,Samora,Roane,Rinker,Reimers,Reason,Ratchford,Popovich,Parkin,Nichol,Natal,Melville,Mcbryde,Magdaleno,Loehr,Lockman,Lingo,Leduc,Larocca,Lao,Lamere,Laclair,Krall,Korte,Koger,Jumper,Jalbert,Hughs,Higbee,Henton,Heaney,Haith,Gump,Greeson,Goodloe,Gholston,Gasper,Gagliardi,Fregoso,Farthing,Fabrizio,Ensor,Elswick,Elgin,Eklund,Eaddy,Drouin,Dorton,Dizon,Derouen,Delia,Deherrera,Davy,Dark,Dampier,Cullum,Culley,Cowgill,Cardoso,Cardinale,Brodsky,Broadbent,Brimmer,Briceno,Branscum,Bolyard,Boley,Bennington,Beadle,Baur,Ballentine,Azure,Aultman,Augustus,Asuncion,Arciniega,Aguila,Aceves,Yepez,Yap,Woodrum,Wethington,Weissman,Veloz,Trusty,Troup,Trammel,Theodore,Tarpley,Stivers,Steck,Sprayberry,Spraggins,Spitler,Spiers,Sohn,Seagraves,Schiffman,Rudnick,Rizo,Riccio,Rennie,Quinton,Quackenbush,Puma,Plott,Pearcy,Parada,Paiz,Munford,Moskowitz,Mease,Mcnary,Mccusker,Matt,Lozoya,Longmire,Loesch,Lasky,Kuhlmann,Krieg,Koziol,Kowalewski,Konrad,Kindle,Jowers,Jolin,Jaco,Hua,Horgan,Hine,Hileman,Hepner,Heise,Heady,Hawkinson,Hannigan,Haberman,Guilford,Grimaldi,Gilles,Garton,Gagliano,Fruge,Follett,Fiscus,Ferretti,Ebner,Easterday,Eanes,Dirks,Dimarco,Depalma,Deforest,Dance,Cruce,Craighead,Christner,Candler,Cadwell,Burchell,Buettner,Brinton,Breed,Brazier,Brannen,Brame,Bova,Bomar,Blakeslee,Belknap,Bangs,Balzer,Athey,Armes,Alvis,Alverson,Alvardo,Alter,Zhao,Yeung,Yen,Wheelock,Westlund,Wessels,Volkman,Threadgill,Thelen,Tandy,Tague,Ta,Symons,Swinford,Sturtevant,Straka,Stier,Stagner,Segarra,Seawright,Sack,Rutan,Roux,Ringler,Riker,Ramsdell,Quattlebaum,Purifoy,Poulson,Permenter,Peloquin,Pasley,Pagel,Osman,Obannon,Nygaard,Nipper,Newcomer,Munos,Motta,Meadors,Mcquiston,Mcniel,Mcmann,Mccrae,Mayne,Matte,Martine,Lucy,Legault,Lechner,Lack,Kucera,Krohn,Kratzer,Koopman,Judson,Jeske,Horrocks,Homes,Hock,Hibbler,Hesson,Hersh,Harvin,Halvorsen,Griner,Grindle,Glen,Gladstone,Garofalo,Frampton,Forbis,Fernando,Eddington,Diorio,Dingus,Dewar,Desalvo,Curcio,Creasy,Cortese,Cordoba,Connally,Cluff,Cascio,Capuano,Canaday,Calabro,Bussard,Brayton,Borja,Bigley,Arnone,Arguelles,Acuff,Zamarripa,Wooton,Wolfgang,Widner,Wideman,Threatt,Thiele,Templin,Teeters,Synder,Swint,Swick,Sturges,Stogner,Stedman,Spratt,Six,Siegfried,Shetler,Scull,Savino,Sather,Rothwell,Rook,Rone,Rolf,Rhee,Quevedo,Privett,Pouliot,Poche,Pickel,Petrillo,Pellegrini,Peaslee,Partlow,Otey,Nunnery,Morelock,Morello,Meunier,Messinger,Mckie,Mccubbin,Mccarron,Maria,Lerch,Lavine,Laverty,Lariviere,Lamkin,Kugler,Krol,Kissel,Keeter,Hummer,Hubble,Hickox,Hetzel,Hayner,Hagy,Hadlock,Groh,Gregorio,Gottschalk,Goodsell,Gloria,Gerry,Gassaway,Garrard,Galligan,Fye,Firth,Fenderson,Feinstein,Etienne,Engleman,Emrick,Ellender,Drews,Doiron,Degraw,Deegan,Dart,Crissman,Corr,Cookson,Coil,Cleaves,Charest,Chapple,Chaparro,Castano,Carpio,Byer,Bufford,Bridgewater,Bridgers,Brandes,Borrero,Bonanno,Aube,Ancheta,Abarca,Abad,Yung,Yim,Wooster,Woodrow,Wimbush,Willhite,Willams,Wigley,Weisberg,Wardlaw,Vigue,Vanhook,Unknow,Torre,Tasker,Tarbox,Strachan,Standard,Slover,Shamblin,Semple,Schuyler,Schrimsher,Sayer,Salzman,Salomon,Rubalcava,Riles,Rickey,Reneau,Reichel,Rayfield,Rabon,Pyatt,Prindle,Poss,Polito,Plemmons,Pesce,Perrault,Pereyra,Ostrowski,Nilsen,Niemeyer,Nick,Munsey,Mundell,Moncada,Miceli,Meader,Mcmasters,Mckeehan,Matsumoto,Marron,Marden,Lizarraga,Lingenfelter,Lewallen,Laurence,Langan,Lamanna,Kovac,Kinsler,Kephart,Keown,Kass,Kammerer,Jeffreys,Hysell,Householder,Hosmer,Hardnett,Hanner,Guyette,Greening,Glazer,Ginder,Fromm,Fortuna,Fluellen,Finkle,Fey,Fessler,Essary,Eisele,Duren,Dittmer,Crochet,Cosentino,Cogan,Coelho,Cavin,Carrizales,Campuzano,Brough,Bow,Bopp,Bookman,Bobb,Blouin,Beesley,Battista,Bascom,Bakken,Badgett,Arneson,Anselmo,Albino,Ahumada,Agustin,Woodyard,Wolters,Wireman,Wilton,Willison,Warman,Wan,Waldrup,Vowell,Vantassel,Vale,Twombly,Toomer,Tennison,Teets,Tedeschi,Swanner,Swallow,Stutz,Stelly,Sheehy,Schermerhorn,Scala,Sandidge,Salters,Salo,Saechao,Roseboro,Rolle,Ressler,Renz,Renn,Redford,Raposa,Rainbolt,Pompey,Pelfrey,Orndorff,Oney,Nolin,Nimmons,Ney,Nardone,Myhre,Morman,Mines,Menjivar,Mcglone,Mccammon,Maxon,Maris,Marciano,Manus,Maiden,Lowrance,Lorenzen,Lonergan,Lollis,Littles,Lindahl,Lansing,Lamas,Lach,Kuster,Krawczyk,Knuth,Knecht,Kirkendall,Keitt,Keever,Kantor,Jarboe,Hoye,Houchens,Holter,Holsinger,Hickok,Herb,Helwig,Helgeson,Heater,Hassett,Harner,Hamman,Hames,Hadfield,Goree,Goldfarb,Gaughan,Gaudreau,Gantz,Gallion,Frady,Foti,Flesher,Ferrin,Faught,Engram,Elbert,Donegan,Desouza,Degroot,Cutright,Crowl,Criner,Coke,Coan,Clinkscales,Chewning,Chavira,Catchings,Carlock,Bye,Bulger,Buenrostro,Bramblett,Brack,Boulware,Bordeaux,Bookout,Bitner,Birt,Baranowski,Baisden,Augustin,Allmon,Alberto,Acklin,Yoakum,Wilbourn,Whisler,Weinberger,Washer,Vasques,Vanzandt,Vanatta,Troxler,Tomes,Tindle,Tims,Throckmorton,Thach,Stpeter,Stlaurent,Stenson,Spry,Spitz,Songer,Snavely,Sly,Sleeper,Shroyer,Shortridge,Shenk,Sevier,Seabrook,Scrivner,Saltzman,Rosenberry,Rockwood,Robeson,Roan,Reiser,Redwine,Ramires,Raber,Profit,Posner,Popham,Pipes,Piotrowski,Pinard,Peterkin,Pelham,Peiffer,Peay,Peavey,Nadler,Musso,Milo,Millett,Mestas,Mcgowen,Marques,Marasco,Manriquez,Manos,Mair,Lipps,Lesser,Leiker,Leeds,Krumm,Knorr,Kinslow,Kessel,Kendricks,Kelm,Ito,Irick,Ickes,Hurlburt,Horta,Hoekstra,Heuer,Helmuth,Heatherly,Hampson,Hagar,Haga,Greenlaw,Grau,Godbey,Gingras,Gillies,Gibb,Gayden,Gauvin,Garrow,Fontanez,Florio,Fleischman,Finke,Fasano,Fan,Faith,Ezzell,Ewers,Eveland,Eckenrode,Duclos,Drumm,Dimmick,Delancey,Defazio,Deacon,Dashiell,Damian,Cusack,Crowther,Crigger,Cray,Coolidge,Coldiron,Cleland,Chalfant,Cassel,Cape,Camire,Cabrales,Broomfield,Brittingham,Brisson,Brickey,Braziel,Brazell,Bragdon,Boulanger,Bos,Boman,Bohannan,Beem,Barto,Barre,Barley,Baptist,Azar,Ashbaugh,Armistead,Almazan,Adamski,Zendejas,Winburn,Willaims,Wilhoit,Westberry,Wentzel,Wendling,Wager,Visser,Vanscoy,Vankirk,Vallee,Tweedy,Thornberry,Sweeny,Stalker,Spradling,Spano,Smelser,Shim,Sechrist,Schall,Scaife,Rugg,Ruben,Rothrock,Roesler,Riehl,Ridings,Render,Ransdell,Radke,Pinero,Petree,Pendergast,Peluso,Pecoraro,Pascoe,Panek,Oshiro,Noon,Navarrette,Murguia,Moores,Moberg,Mike,Michaelis,Mcwhirter,Mcsweeney,Mcquade,Mccay,Mauk,Mariani,Marceau,Mandeville,Maeda,Lunde,Ludlow,Loeb,Lindo,Linderman,Leveille,Leith,Larock,Lambrecht,Kulp,Kinsley,Kimberlin,Kesterson,Jacinto,Ice,Hui,Hoyos,Helfrich,Hanke,Hail,Guillermo,Grisby,Goyette,Gouveia,Glazier,Gile,Gerena,Gelinas,Gasaway,Garden,Funches,Fujimoto,Flynt,Fenske,Fellers,Fehr,Eslinger,Escalera,Enciso,Duley,Dittman,Dineen,Diller,Devault,Dao,Collings,Clymer,Clowers,Chavers,Charland,Castorena,Castello,Camargo,Bunce,Bullen,Boyes,Borchers,Borchardt,Birnbaum,Birdsall,Billman,Benites,Bankhead,Ange,Ammerman,Adkison,Yuan,Winegar,Wickman,Wear,Warr,Warnke,Villeneuve,Veasey,Vassallo,Vannatta,Vadnais,Twilley,Truelove,Towery,Tomblin,Tippett,Theiss,Talkington,Talamantes,Swart,Swanger,Streit,Straw,Stines,Stabler,Spurling,Sobel,Sine,Simmers,Shippy,Shiflett,Shearin,Sauter,Sanderlin,Rusch,Runkle,Ruckman,Rorie,Roesch,Roberto,Richert,Rehm,Randel,Ragin,Quesenberry,Puentes,Plyler,Plotkin,Paugh,Oshaughnessy,Ohalloran,Norsworthy,Niemann,Nader,Moorefield,Mooneyham,Modica,Miyamoto,Mickel,Mebane,Mckinnie,Mazurek,Mancilla,Lukas,Lovins,Loughlin,Lotz,Lindsley,Liddle,Levan,Lederman,Leclaire,Lasseter,Lapoint,Lamoreaux,Lafollette,Kubiak,Kirtley,Keffer,Kaczmarek,Jennette,Housman,Honey,Hiers,Hibbert,Herrod,Hegarty,Hathorn,Harsh,Greenhaw,Grafton,Govea,Gardener,Futch,Furst,Frisbee,Fred,Franko,Forcier,Foran,Flickinger,Fairfield,Eure,Emrich,Embrey,Edgington,Ecklund,Eckard,Durante,Deyo,Delvecchio,Deeds,Dade,Currey,Cuff,Creswell,Cottrill,Casavant,Cartier,Cargile,Capel,Cammack,Calfee,Buzzard,Burse,Burruss,Brust,Brousseau,Bridwell,Braaten,Borkholder,Bloomquist,Bjork,Bartelt,Arp,Amburgey,Yeary,Yao,Whitefield,Vinyard,Vicente,Vanvalkenburg,Twitchell,Timmins,Tester,Tapper,Stringham,Starcher,Spotts,Slaugh,Simonsen,Sheffer,Sequeira,Rosati,Rode,Rhymes,Reza,Record,Quint,Pollak,Peirce,Patillo,Parkerson,Paiva,Nilson,Nice,Nevin,Narcisse,Nair,Mitton,Merriam,Merced,Meiners,Mckain,Mcelveen,Mcbeth,Marsden,Marez,Manke,Mahurin,Mabrey,Luper,Krull,Kees,Iles,Hunsicker,Hornbuckle,Holtzclaw,Hirt,Hinnant,Heston,Hering,Hemenway,Hegwood,Hearns,Halterman,Halls,Guiterrez,Grote,Granillo,Grainger,Glasco,Gilder,Garren,Garlock,Garey,Fu,Fryar,Fredricks,Fraizer,Foxx,Foshee,Ferrel,Felty,Feathers,Everitt,Evens,Esser,Elkin,Eberhart,Durso,Duguay,Driskill,Doster,Dewall,Deveau,Demps,Demaio,Delreal,Deleo,Delay,Deem,Darrah,Cumberbatch,Culberson,Cranmer,Cordle,Colgan,Chesley,Cavallo,Castellon,Castelli,Carreras,Carnell,Carmon,Carmen,Carlucci,Bottom,Bontrager,Blumberg,Blasingame,Becton,Ayon,Artrip,Arline,Andujar,Alkire,Alder,Agan,Zukowski,Zuckerman,Zehr,Wroblewski,Wrigley,Woodside,Wigginton,Westman,Westgate,Werts,Washam,Wardlow,Walser,Waiters,Teller,Tadlock,Stuck,Stringfield,Stimpson,Stickley,Starbuck,Standish,Spurlin,Spindler,Speller,Spaeth,Sotomayor,Sok,Sluder,Shryock,Shepardson,Shatley,Scannell,Santistevan,Rosner,Rolland,Rhode,Resto,Reinhard,Rathburn,Prisco,Poulsen,Pinney,Phares,Pennock,Pastrana,Oviedo,Ostler,Noto,Nauman,Mulford,Moise,Moberly,Mirabal,Ming,Metoyer,Metheny,Mentzer,Meldrum,Mcinturff,Mcelyea,Mcdougle,Massaro,Lumpkins,Loveday,Lofgren,Loe,Lirette,Lesperance,Lefkowitz,Ledger,Lauzon,Lain,Lachapelle,Kurz,Klassen,Keough,Kempton,Kaelin,Jeffords,Im,Huot,Hsieh,Hoyer,Horwitz,Hopp,Hoeft,Hennig,Haskin,Grill,Gourdine,Golightly,Girouard,Fulgham,Fritsch,Freer,Frasher,Foulk,Firestone,Fiorentino,Fedor,Feather,Ensley,Englehart,Eells,Ebel,Dunphy,Donahoe,Dimas,Dileo,Dibenedetto,Dabrowski,Crick,Coonrod,Conder,Coddington,Chunn,Choy,Chaput,Cerna,Carreiro,Calahan,Braggs,Bourdon,Boner,Bollman,Bittle,Ben,Behm,Bauder,Batt,Barreras,Aubuchon,Anzalone,Adamo,Zhou,Zerbe,Zachery,Witty,Wirt,Willcox,Westberg,Weikel,Waymire,Vroman,Vinci,Vallejos,Tutor,Truesdell,Troutt,Trotta,Tollison,Toles,Tichenor,Tai,Symonds,Surles,Sunday,Strayer,Stgeorge,Sroka,Sorrentino,Solares,Snelson,Silvestri,Sikorski,Shawver,Schumaker,Schorr,Schooley,Scates,Satterlee,Satchell,Sacks,Rymer,Roselli,Robitaille,Riegel,Richer,Regis,Reames,Provenzano,Proper,Priestley,Plaisance,Pettey,Palomares,Oman,Nowakowski,Nace,Monette,Minyard,Mclamb,Mchone,Mccarroll,Masson,Marco,Magoon,Maddy,Lundin,Loza,Licata,Lesley,Leonhardt,Lema,Landwehr,Kircher,Kinch,Karpinski,Johannsen,Hussain,Houghtaling,Hoskinson,Hollaway,Holeman,Hobgood,Hilt,Hiebert,Gros,Gram,Goggin,Gentle,Geissler,Gadbois,Gabaldon,Fleshman,Flannigan,Files,Fairman,Epp,Eilers,Dycus,Dunmire,Duffield,Dowler,Ditto,Deloatch,Dehaan,Deemer,Corner,Clayborn,Christofferso,Chilson,Chesney,Chatfield,Charlie,Caster,Carron,Canale,Camden,Buff,Brigman,Branstetter,Bosse,Borton,Bonar,Blau,Biron,Beagle,Barroso,Arvin,Arispe,Zacharias,Zabel,Yaeger,Works,Woolford,Whetzel,Weakley,Veatch,Vandeusen,Tufts,Troxel,Troche,Traver,Townsel,Tosh,Talarico,Swilley,Sterrett,Stenger,Springfield,Speakman,Sowards,Sours,Souders,Souder,Soles,Sobers,Snoddy,Smither,Sias,Shute,Shoaf,Shahan,Schuetz,Scaggs,Santini,Rosson,Rolen,Robidoux,Rentas,Recio,Pixley,Pawlowski,Pawlak,Paull,Pascal,Overbey,Orear,Oliveri,Oldenburg,Nutting,Naugle,Mote,Mossman,Moor,Misner,Milazzo,Michelson,Mei,Mcentee,Mccullar,Mccree,Mcaleer,Mazzone,Maxim,Marshal,Mandell,Manahan,Malott,Maisonet,Mailloux,Lumley,Lowrie,Louviere,Lipinski,Lindemann,Leppert,Leopold,Leasure,Leaf,Labarge,Kubik,Knisely,Knepp,Kenworthy,Kennelly,Kelch,Karg,Kanter,Ignacio,Hyer,Houchin,Hosley,Hosler,Hollon,Holleman,Heitman,Hebb,Haggins,Gwaltney,Guin,Greenman,Goulding,Gorden,Goodyear,Geraci,Georges,Gathers,Frison,Feagin,Falconer,Espada,Erving,Erikson,Eisenhauer,Eder,Ebeling,Durgin,Drown,Dowdle,Dinwiddie,Delcastillo,Dedrick,Crimmins,Covell,Cournoyer,Coria,Cohan,Cataldo,Carpentier,Canas,Campa,Brode,Brashears,Blaser,Bicknell,Berk,Bednar,Barwick,Ascencio,Althoff,Almodovar,Alamo,Zirkle,Zabala,Xu,Wolverton,Winebrenner,Wetherell,Westlake,Wegener,Weddington,Vong,Tuten,Trosclair,Trim,Tressler,Theroux,Teske,Sword,Swinehart,Swensen,Sundquist,Southall,Socha,Sizer,Silverberg,Shortt,Shimizu,Sherrard,Shen,Shaeffer,Seth,Scheid,Scheetz,Saravia,Sanner,Rubinstein,Rozell,Romer,Ringo,Rheaume,Reisinger,Raven,Randles,Pullum,Petrella,Payan,Papp,Pablo,Nordin,Norcross,Nicoletti,Nicholes,Newbold,Nakagawa,Mraz,Monteith,Milstead,Milliner,Mellen,Mccardle,Matthias,Marcy,Luft,Loo,Locker,Liptak,Lipp,Leitch,Latimore,Larrison,Landau,Laborde,Koval,Izquierdo,Hymel,Hoskin,Holte,Hoefer,Hayworth,Hausman,Harrill,Harrel,Hardt,Gully,Groover,Grinnell,Greenspan,Graver,Grandberry,Gorrell,Goldenberg,Goguen,Gilleland,Garr,Fuson,Foye,Felt,Feldmann,Everly,Dyess,Dyal,Dunnigan,Downie,Dolby,Divine,Deatherage,Dates,Danna,Cosey,Corrado,Cheever,Celaya,Caver,Cashion,Caplinger,Cansler,Byrge,Bruder,Brew,Breuer,Breslin,Brazelton,Botkin,Bonneau,Bones,Bondurant,Bohanan,Bogue,Boes,Bodner,Boatner,Blatt,Bickley,Belliveau,Beiler,Beier,Beckstead,Bart,Bang,Bachmann,Atkin,Aron,Andreas,Altizer,Alloway,Allaire,Albro,Abron,Zellmer,Yetter,Yelverton,Wiltshire,Wiens,Whidden,Wait,Viramontes,Vanwormer,Topper,Tarantino,Tanksley,Sumlin,Strauch,Strang,Stice,Spahn,Sosebee,Sigala,Shrout,Seamon,Schrum,Schneck,Schantz,Said,Ruddy,Romig,Roehl,Renninger,Reding,Pyne,Polak,Pohlman,Pasillas,Oldfield,Oldaker,Ohanlon,Ogilvie,Norberg,Nolette,Nies,Neufeld,Nellis,Mummert,Mulvihill,Mullaney,Monteleone,Mendonca,Meisner,Mcmullan,Mccluney,Mattis,Massengill,Manfredi,Luedtke,Lounsbury,Lora,Liberatore,Leek,Lease,Lazaro,Lamphere,Laforge,Kuo,Koo,Jourdan,Ismail,Iorio,Iniguez,Ikeda,Hubler,Hodgdon,Hocking,Heacock,Haslam,Haralson,Hanshaw,Hannum,Hallam,Haden,Garnes,Garces,Gammage,Gambino,Finkel,Faucett,Fahy,Esteban,Ehrhardt,Eggen,Dusek,Durrant,Dubay,Dones,Dey,Depasquale,Delucia,Degraff,Deer,Decamp,Davalos,Darwin,Dan,Cullins,Conard,Clouser,Clontz,Cifuentes,Chico,Chappel,Chaffins,Celis,Carwile,Byram,Bruggeman,Brick,Bressler,Brathwaite,Brasfield,Bradburn,Boose,Boon,Bodie,Blosser,Blas,Bise,Bertsch,Bernardi,Bernabe,Bengtson,Barrette,Astorga,Armand,Antone,Alday,Albee,Abrahamson,Yarnell,Wiltse,Wile,Wiebe,Waguespack,Vasser,Upham,Tyre,Turek,Tune,Traxler,Torain,Tomaszewski,Tinnin,Tiner,Tindell,Teed,Styron,Stahlman,Staab,Spoon,Spells,Skiba,Shih,Sheperd,Seidl,Secor,Schutte,Sanfilippo,Ruder,Rondon,Reina,Rearick,Rank,Procter,Prochaska,Pettengill,Pauly,Neilsen,Nally,Mutter,Mullenax,Morano,Meads,Mcnaughton,Mcmurtry,Mcmath,Mckinsey,Matthes,Massenburg,Marlar,Margolis,Marcos,Malin,Magallon,Mackin,Lovette,Loughran,Loring,Longstreet,Loiselle,Lenihan,Laub,Kunze,Kull,Koepke,Knights,Kerwin,Kalinowski,Kagan,Innis,Innes,Husband,Holtzman,Heinemann,Harshman,Haider,Haack,Guss,Grondin,Grissett,Greenawalt,Gravel,Goudy,Goodlett,Goldston,Gokey,Goin,Gardea,Galaviz,Gafford,Gabrielson,Furlow,Fritch,Fordyce,Folger,Elizalde,Ehlert,Eckhoff,Eccleston,Ealey,Dubin,Dolphin,Dieter,Diemer,Deschamps,Delapena,Decicco,Debolt,Daum,Cullinan,Crittendon,Crase,Cossey,Coppock,Coots,Colyer,Columbus,Cluck,Chamberland,Cane,Burkhead,Bumpus,Buchan,Borman,Bork,Boe,Birkholz,Berardi,Benda,Behnke,Barter,Auer,Amezquita,Wotring,Wirtz,Wingert,Wiesner,Whitesides,Weyant,Wainscott,Vivian,Venezia,Varnell,Tussey,Trainer,Toll,Thurlow,Tack,Tabares,Stiver,Stell,Starke,Stanhope,Stanek,Sisler,Sinnott,Sidney,Siciliano,Shehan,Selph,Seager,Scurlock,Scranton,Santucci,Santangelo,Saltsman,Ruel,Ropp,Rolling,Rogge,Rettig,Renwick,Reidy,Reider,Redfield,Quam,Premo,Port,Pier,Peet,Parente,Paolucci,Pan,Palmquist,Orme,Ohler,Ogg,Netherton,Mutchler,Morita,Mistretta,Minnis,Middendorf,Menzel,Mendosa,Mendelson,Meaux,Mcspadden,Mcquaid,Mcnatt,Manigault,Maney,Mager,Lung,Lukes,Lopresti,Liriano,Lipton,Letson,Lechuga,Lazenby,Lauria,Larimore,Kwok,Kwak,Krupp,Krupa,Krum,Kopec,Kinchen,Kifer,Kerney,Kerner,Kennison,Kegley,Kays,Karcher,Justis,Johson,Jellison,Janke,Isabell,Huskins,Holzman,Hollie,Hinojos,Highland,Hefley,He,Hatmaker,Harte,Halloway,Hallenbeck,Goodwyn,Glaspie,Gillian,Geise,Fullwood,Fryman,Frew,Frakes,Fraire,Farrer,Enlow,Engen,Ellzey,Eckles,Earles,Ealy,Dunkley,Drinkard,Dreiling,Draeger,Dinardo,Dills,Desroches,Desantiago,Current,Curlee,Crumbley,Critchlow,Coury,Courtright,Coffield,Cleek,Christen,Charpentier,Cardone,Caples,Cantin,Buntin,Bugbee,Brinkerhoff,Brackin,Bourland,Bohl,Bogdan,Blassingame,Beacham,Banning,Auguste,Andreasen,Amann,Almon,Alejo,Adelman,Abston,Zeno,Yerger,Wymer,Woodberry,Windley,Whiteaker,Westfield,Weibel,Wanner,Waldrep,Vital,Villani,Vanarsdale,Utterback,Updike,Triggs,Topete,Tolar,Tigner,Thoms,Tauber,Tarvin,Tally,Swiney,Sweatman,Studebaker,Streets,Stennett,States,Starrett,Stannard,Stalvey,Sonnenberg,Smithey,Sieber,Sickles,Shinault,Segars,Sanger,Salmeron,Rothe,Rizzi,Rine,Ricard,Restrepo,Ralls,Ragusa,Quiroga,Ping,Phung,Pero,Pegg,Pavlik,Papenfuss,Oropeza,Omar,Okane,Neer,Nee,Nathaniel,Mudge,Mozingo,Molinaro,Mikel,Mcvicker,Mcgarvey,Mcfalls,Mccraney,Matus,Magers,Llanos,Livermore,Liss,Linehan,Leto,Leitner,Laymon,Lawing,Lawerence,Lacourse,Kwong,Kollar,Kneeland,Keo,Kennett,Kellett,Kangas,Janzen,Hutter,Huse,Huling,Hoss,Hohn,Hofmeister,Hewes,Hern,Harjo,Habib,Gust,Guice,Grullon,Greggs,Grayer,Granier,Grable,Gowdy,Giannini,Getchell,Gartman,Garnica,Ganey,Gallimore,Fray,Fetters,Fergerson,Farlow,Fagundes,Exley,Esteves,Enders,Edenfield,Easterwood,Drakeford,Dipasquale,Desousa,Deshields,Deeter,Dedmon,Debord,Daughtery,Cutts,Courtemanche,Coursey,Copple,Coomes,Collis,Coll,Cogburn,Clopton,Choquette,Chaidez,Castrejon,Calhoon,Burbach,Bulloch,Buchman,Bruhn,Bohon,Blough,Bien,Belmont,Baynes,Barstow,Zeman,Zackery,Yardley,Yamashita,Wulff,Wilken,Wiliams,Wickersham,Wible,Whipkey,Wedgeworth,Walmsley,Walkup,Vreeland,Verrill,Valera,Umana,Traub,Timothy,Swingle,Swing,Summey,Stroupe,Stockstill,Steffey,Stefanski,Statler,Stapp,Speights,Sons,Solari,Soderberg,Slick,Shunk,Shorey,Shewmaker,Sheilds,Schiffer,Schank,Schaff,Sagers,Rodger,Rochon,Riser,Rickett,Reale,Raglin,Poon,Polly,Polen,Plata,Pitcock,Percival,Palen,Pahl,Orona,Oberle,Nocera,Navas,Nault,Mullings,Mouser,Moos,Montejano,Monreal,Minick,Middlebrook,Meece,Mcmillion,Mccullen,Mauck,Marshburn,Maillet,Mahaney,Magner,Maclin,Lucey,Litteral,Lippincott,Leite,Leis,Leaks,Laurie,Lamarre,Kost,Jurgens,Jesus,Jerkins,Jager,Hurwitz,Hughley,Hotaling,Horstman,Hohman,Hocker,Hively,Hipps,Hile,Hessler,Hermanson,Hepworth,Henn,Helland,Hedlund,Harkless,Haigler,Gutierez,Gum,Grindstaff,Glantz,Giardina,Gerken,Gadsden,Freda,Finnerty,Feld,Farnum,Encinas,Elton,Eager,Drakes,Dennie,Cutlip,Curtsinger,Couto,Cortinas,Corby,Choice,Chiasson,Carle,Carballo,Brindle,Borum,Bober,Blagg,Birk,Berthiaume,Beahm,Batres,Basnight,Barbara,Backes,Axtell,Aust,Au,Atterberry,Alvares,Alt,Alegria,Abe,Yow,Yip,Woodell,Wojciechowski,Winfree,Winbush,Wiest,Wesner,Wax,Wamsley,Wakeman,Verner,Truex,Trafton,Toman,Thorsen,Thor,Theus,Tellier,Tallant,Szeto,Strope,Stills,Stage,Sorg,Simkins,Shuey,Shaul,Servin,Serio,Serafin,Senior,Sebring,Salguero,Saba,Ryerson,Rudder,Ruark,Rother,Rohrbaugh,Rohrbach,Rohan,Rogerson,Risher,Rigg,Reeser,Pryce,Prokop,Prins,Priebe,Prejean,Pinheiro,Petrone,Petri,Penson,Pearlman,Parikh,Pal,Pair,Natoli,Murakami,Mullikin,Mullane,Motes,Morningstar,Monks,Mcveigh,Mcgrady,Mcgaughey,Mccurley,Masi,Marchan,Manske,Maine,Maez,Lusby,Linde,Lile,Likens,Licon,Leroux,Lemaire,Legette,Lax,Laskey,Laprade,Laplant,Lady,Kolar,Kittredge,Kinley,Kerber,Kanagy,Johannes,Jetton,Jayne,January,Janik,Ippolito,Inouye,Hunsinger,Howley,Howery,Horrell,Hoosier,Holthaus,Hiner,Hilson,Hilderbrand,Hasan,Hartzler,Harnish,Harada,Hansford,Halligan,Hagedorn,Gwynn,Gudino,Greenstein,Greear,Gracey,Goudeau,Gose,Goodner,Ginsburg,Gerth,Gerner,Fyfe,Fujii,Frier,Frenette,Folmar,Fleisher,Fleischmann,Fetzer,Fern,Eisenman,Earhart,Dupuy,Dunkelberger,Drummer,Drexler,Dillinger,Dilbeck,Diana,Dewald,Demby,Deford,Daniell,Dake,Craine,Como,Clever,Chesnut,Casady,Carstens,Carrick,Carino,Carignan,Canchola,Cale,Bushong,Burman,Buono,Brownlow,Broach,Britten,Brickhouse,Boyden,Boulton,Borne,Borland,Bohrer,Blubaugh,Bever,Berggren,Benevides,Arocho,Arends,Amezcua,Almendarez,Zalewski,Witzel,Winkfield,Wilhoite,Vara,Vangundy,Vanfleet,Vanetten,Vandergriff,Urbanski,Tyrell,Troiano,Tickle,Thibodaux,Straus,Stoneking,Stjean,Stillings,Stiff,Stange,Square,Speicher,Speegle,Sowa,Smeltzer,Slawson,Simmonds,Shuttleworth,Serpa,Senger,Seidman,Schweiger,Schloss,Schimmel,Schechter,Sayler,Sabb,Sabatini,Ronan,Rodiguez,Riggleman,Richins,Reep,Reamer,Prunty,Porath,Plunk,Piland,Philbrook,Pettitt,Perna,Peralez,Pascale,Padula,Oboyle,Nivens,Nickols,Murph,Mundt,Munden,Montijo,Mcmanis,Mcgrane,Mccrimmon,Manzi,Mangold,Malick,Mahar,Maddock,Lust,Losey,Loop,Litten,Liner,Leff,Leedy,Leavell,Ladue,Krahn,Kluge,Junker,Iversen,Imler,Hurtt,Huizar,Hubbert,Howington,Hollomon,Holdren,Hoisington,Hise,Heiden,Hauge,Hartigan,Gutirrez,Griffie,Greenhill,Gratton,Granata,Gottfried,Gertz,Gautreaux,Furry,Furey,Funderburg,Flippen,Fitzgibbon,Fergus,Felice,Eye,Dyar,Drucker,Donoghue,Dildy,Devers,Detweiler,Despres,Denby,Degeorge,Cueto,Cranston,Courville,Clukey,Cirillo,Chon,Chivers,Caudillo,Catt,Butera,Bulluck,Buckmaster,Braunstein,Bracamonte,Bourdeau,Border,Bonnette,Bobadilla,Boaz,Blackledge,Beshears,Bernhard,Bergeson,Baver,Barthel,Balsamo,Bak,Aziz,Awad,Authement,Altom,Altieri,Abels,Zigler,Zhu,Younker,Yeomans,Yearwood,Wurster,Winget,Whitsett,Wechsler,Weatherwax,Wathen,Warriner,Wanamaker,Walraven,Viens,Vandemark,Vancamp,Uchida,Triana,Tinoco,Terpstra,Tellis,Tarin,Taranto,Takacs,Studdard,Struthers,Strout,Stiller,Spataro,Soderquist,Sliger,Silberman,Shurtleff,Sheetz,Schillinger,Ritch,Reif,Raybon,Ratzlaff,Radley,Putt,Putney,Prime,Press,Pinette,Piner,Petrin,Parise,Osbourne,Nyman,Northington,Noblitt,Nishimura,Nell,Neher,Nalls,Naccarato,Mucha,Mounce,Miron,Millis,Meaney,Mcnichols,Mckinnis,Mcjunkin,Mcduffy,Max,Marcello,Manrique,Mannion,Mangual,Malveaux,Mains,Lumsden,Lucien,Lohmann,Lipe,Lightsey,Lemasters,Leist,Laxton,Laverriere,Latorre,Lamons,Kral,Kopf,Knauer,Kitt,Kaul,Karas,Kamps,Jusino,Janis,Islam,Hullinger,Huges,Hornung,Hiser,Hempel,Helsel,Hassinger,Hargraves,Hammes,Hallberg,Gutman,Gumbs,Gruver,Graddy,Gonsales,Goncalves,Glennon,Gilford,Geno,Freshour,Flippo,Fifer,Few,Fermin,Fason,Farrish,Fallin,Ewert,Estepp,Escudero,Ensminger,Emmanuel,Emberton,Elms,Ellerbe,Eide,Dysart,Dougan,Dierking,Dicus,Detrick,Deroche,Depue,Demartino,Delosreyes,Dalke,Culbreath,Crownover,Crisler,Crass,Corsi,Chagnon,Centers,Cavanagh,Casson,Carollo,Cadwallader,Burnley,Burciaga,Burchard,Broadhead,Boris,Booze,Bolte,Body,Berens,Bellman,Bellard,Baril,Arden,Antonucci,Amado,Allie,Wolfgram,Winsor,Wimbish,Wilbert,Wier,Wallach,Viveros,Vento,Varley,Vanslyke,Vangorder,Touchstone,Tomko,Tiemann,Throop,Tamura,Talmadge,Swayze,Sturdevant,Strauser,Stolz,Stenberg,Stayton,Spohn,Spillers,Spillane,Sluss,Sloane,Slavens,Simonetti,Shofner,Shead,Senecal,Seales,Schueler,Schley,Schacht,Sauve,Sarno,Salsbury,Rothschild,Rosier,Rines,Reveles,Rein,Redus,Redfern,Reck,Ranney,Raggs,Prout,Prill,Preble,Prager,Plemons,Pippen,Pilon,Piccirillo,Pewitt,Pesina,Pecora,Otani,Orsini,Ollie,Oestreich,Odea,Ocallaghan,Northup,Niehaus,Newberg,Nasser,Narron,Monarrez,Mishler,Mcsherry,Mcelfresh,Mayon,Mauer,Mattice,Mash,Marrone,Marmolejo,Marini,Marie,Mara,Malm,Machen,Lunceford,Loewen,Liverman,Litwin,Linscott,Levins,Lenox,Legaspi,Leeman,Leavy,Lannon,Lamson,Lambdin,Labarre,Knouse,Klemm,Kleinschmidt,Kirklin,Keels,Juliano,Howser,Hott,Hosier,Hosea,Hopwood,Holyfield,Hodnett,Hirsh,Heimann,Height,Heckel,Harger,Hamil,Hajek,Gurganus,Gunning,Grange,Gonzalas,Goggins,Gerow,Gaydos,Garduno,Ganley,Galey,Farner,Ester,Engles,Emond,Emert,Ellenburg,Edick,Duell,Dublin,Dorazio,Dong,Dimond,Diederich,Dewalt,Depuy,Dempster,Demaria,Dehoyos,Dearth,Dealba,Dane,Czech,Crose,Crespin,Cogdill,Clinard,Cipriano,Chretien,Chalk,Cerny,Ceniceros,Celestin,Caple,Cacho,Burrill,Buhr,Buckland,Branam,Boysen,Bovee,Boos,Boler,Blom,Blasko,Beyers,Belz,Belmonte,Bednarz,Beckmann,Beaudin,Bazile,Barbeau,Balentine,Abrahams,Able,Zielke,Yunker,Yeates,Wrobel,Wike,Whisnant,Wherry,Wagnon,Vogan,Vansant,Vannest,Vallo,Ullery,Towles,Towell,Tiger,Thill,Taormina,Tannehill,Taing,Storrs,Stickles,Stetler,Sparling,Solt,Silcox,Sheard,Shadle,Seman,Selleck,Schlemmer,Scher,Sapien,Sainz,Rumble,Roye,Rosamond,Romain,Rizzuto,Resch,Rentz,Rather,Rasch,Ranieri,Purtell,Primmer,Portwood,Pontius,Pons,Pletcher,Pledger,Pirkle,Pillsbury,Pentecost,Peng,Paxson,Ortez,Organ,Oles,Newborn,Mullett,Muirhead,Mouzon,Mork,Mollett,Mohn,Mitcham,Melillo,Mee,Medders,Mcmiller,Mccleery,Mccaughey,Manders,Mak,Maciejewski,Macaulay,Lute,Lipman,Lewter,Larocque,Langton,Kriner,Knipp,Killeen,Karn,Kalish,Kaczor,Jonson,Jerez,Jarrard,Janda,Hymes,Hollman,Hollandsworth,Holl,Hobdy,Hitch,Hennen,Hemmer,Hagins,Haddox,Guitierrez,Guernsey,Gorsuch,Gholson,Genova,Gazaway,Gauna,Gammons,Freels,Fonville,Fly,Florian,Fleet,Fetterman,Fava,Farquhar,Farish,Fabela,Escoto,Eisen,Dossett,Dority,Dorfman,Demmer,Dehn,Dawley,Darbonne,Damore,Damm,Crosley,Cron,Crompton,Crichton,Cotner,Cordon,Conerly,Colvard,Clauson,Chess,Cheeseman,Charity,Cavallaro,Castille,Cabello,Burgan,Buffum,Bruss,Brassfield,Bowerman,Bothwell,Borgen,Bonaparte,Bombard,Boivin,Boissonneault,Bogner,Bodden,Boan,Blanche,Bittinger,Bickham,Bedolla,Bale,Bainbridge,Aybar,Avendano,Ashlock,Amidon,Almanzar,Akridge,Ackermann,Zager,Yong,Xavier,Worrall,Winans,Wilsey,Wightman,Westrick,Wenner,Warne,Warford,Verville,Utecht,Upson,Tuma,Tseng,Troncoso,Trollinger,Torbert,Taulbee,Sutterfield,Stough,Storch,Stonebraker,Stolle,Stilson,Stiefel,Steptoe,Stepney,Stender,Stemple,Staggers,Spurrier,Spray,Spinney,Spengler,Smartt,Skoog,Silvis,Sieg,Shuford,Selfridge,Seguin,Sedgwick,Sease,Scotti,Schroer,Schlenker,Schill,Savarese,Sapienza,Sanson,Sandefur,Salamone,Rusnak,Rudisill,Royalty,Rothermel,Roca,Resendiz,Reliford,Rasco,Raiford,Quisenberry,Quijada,Pullins,Puccio,Postell,Poppe,Pinter,Piche,Petrucci,Pellegrin,Pelaez,Patti,Paton,Pasco,Parkes,Paden,Pabst,Orchard,Olmsted,Newlon,Mynatt,Mustafa,Mower,Morrone,Moree,Moffat,Mixson,Minner,Min,Millette,Mederos,Mcgahan,Mcconville,Maughan,Massingill,Marano,Macri,Lovern,Lichtenstein,Leonetti,Lehner,Lawley,Laramie,Lappin,Lahti,Lago,Lacayo,Kuester,Knee,Kincade,Junior,Juhl,Joslyn,Jiron,Jessop,Jerry,Jarosz,Jain,Hults,Hoge,Hodgins,Hoban,Hinkson,Hillyard,Herzig,Hervey,Henriksen,Hawker,Hause,Hard,Hankerson,Gregson,Golliday,Gilcrease,Gessner,Gerace,Garwood,Garst,Gaillard,Flinchum,Fishel,Fishback,Filkins,Fentress,Fabre,Ethier,Espana,Eisner,Ehrhart,Efird,Drennon,Dominy,Dominique,Domingue,Dipaolo,Dinan,Dimartino,Deskins,Dengler,Defreitas,Defranco,Dancer,Dahlin,Cutshaw,Cuthbert,Croyle,Crothers,Critchfield,Cowie,Costner,Coppedge,Copes,Ciccone,Champ,Cesar,Caufield,Capo,Cambron,Cambridge,Buser,Burnes,Buhl,Buendia,Brindley,Brecht,Bourgoin,Boomer,Blackshire,Birge,Benninger,Bembry,Beil,Begaye,Barrentine,Barks,Banton,Balmer,Baity,Auerbach,Ambler,Alexandre,Ackerson,Zurcher,Zell,Wynkoop,Wallick,Waid,Vos,Vizcaino,Vester,Veale,Vandermark,Vanderford,Tuthill,Trivette,Thiessen,Tewksbury,Tao,Tabron,Swim,Swasey,Swanigan,Stoughton,Stoudt,Stimson,Stecker,Stead,Stall,Spady,Souther,Smoak,Sklar,Simcox,Sidwell,Sharon,Seybert,Sesco,Seeman,Seaborn,Schwenk,Schmeling,Rossignol,Robillard,Robicheaux,Riveria,Rippeon,Ridgley,Remaley,Rehkop,Reddish,Reach,Rauscher,Rachel,Quirion,Pusey,Pruden,Pressler,Potvin,Pospisil,Paradiso,Pangburn,Palmateer,Ownby,Otwell,Osterberg,Osmond,Olsson,Old,Oberlander,Nusbaum,Novack,Nokes,Nicastro,Nehls,Nay,Naber,Mulhern,Motter,Moretz,Milian,Mercedes,Mckeel,Mcclay,Mccart,Matsuda,Mary,Martucci,Marple,Marko,Marciniak,Manes,Mancia,Maker,Macrae,Lybarger,Lint,Lineberger,Levingston,Lecroy,Lattimer,Laseter,Kulick,Krier,Knutsen,Klem,Kinne,Kinkade,Ketterman,Kerstetter,Kersten,Karam,Jury,Joshi,Jin,Jent,Jefcoat,Hillier,Hillhouse,Hettinger,Henthorn,Henline,Helzer,Heitzman,Heineman,Heenan,Haughton,Haris,Harbert,Haman,Grinstead,Gremillion,Gorby,Giraldo,Gioia,Gerardi,Geraghty,Gaunt,Gatson,Gardin,Gans,Gammill,Games,Gain,Friedlander,Frahm,Fossett,Fosdick,Forth,Forbush,Fondren,Fleckenstein,Fitchett,Filer,Feliz,Feist,Ewart,Evelyn,Esters,Elsner,Edgin,Eddie,Easterly,Dussault,Durazo,Don,Devereaux,Deshotel,Deckert,Dargan,Dare,Cornman,Conkle,Condit,Commander,Claunch,Clabaugh,Chute,Cheesman,Chea,Charney,Charleston,Casella,Carone,Carbonell,Canipe,Campana,Calles,Cabezas,Cabell,Buttram,Bustillos,Buskirk,Boyland,Bourke,Blakeley,Big,Berumen,Berrier,Bench,Belli,Behrendt,Baumbach,Bartsch,Baney,Arambula,Alldredge,Allbritton,Ziemba,Zanders,Youngquist,Yoshioka,Yohe,Wunder,Woodfin,Wojtowicz,Winkel,Wilmore,Willbanks,Wesolowski,Wendland,Walko,Votaw,Vanek,Uriarte,Urbano,Turnipseed,Triche,Trautman,Towler,Tokarz,Temples,Tefft,Teegarden,Syed,Swigart,Stryker,Stoller,Stapler,Stansfield,Smit,Smelley,Sicard,Shulman,Shew,Shear,Sheahan,Sharpton,Selvidge,Schlesinger,Savell,Sandford,Sabatino,Rosenbloom,Roepke,Rish,Rhames,Renken,Reger,Rappaport,Quarterman,Puig,Prasad,Poplar,Pizano,Pigott,Pick,Phair,Petrick,Patt,Pascua,Paramore,Papineau,Olivieri,Ogren,Norden,Noga,Nisbet,Munk,Munch,Mui,Morvant,Moro,Moloney,Merz,Meng,Meltzer,Mellinger,Mehl,Mcnealy,Mckernan,Mchaney,Mccleskey,Mcandrews,Mayton,Mayor,Markert,Maresca,Marcellus,Maner,Mandujano,Malpass,Macintyre,Lytton,Lyall,Lummus,Longshore,Longfellow,Lokey,Locher,Leverette,Lepe,Lefever,Leeson,Lederer,Lampert,Lagrone,La,Kreider,Korth,Knopf,Kleist,Kiss,Keltner,Kelling,Kaspar,Kappler,Justin,Josephs,Jiang,Huckins,Horace,Holub,Hofstetter,Hoehn,Higginson,Hennings,Heid,Havel,Hauer,Harnden,Hargreaves,Hanger,Guild,Guidi,Grate,Grandy,Grandstaff,Goza,Goodridge,Goodfellow,Goggans,Godley,Giusti,Gilyard,Geoghegan,Galyon,Gaeta,Funes,Font,Flor,Flanary,Fales,Erlandson,Ellett,Elia,Edinger,Dziedzic,Duerr,Draughn,Donoho,Dimatteo,Devos,Dematteo,Degnan,Darlington,Danis,Dam,Dahlstrom,Dahlke,Czajkowski,Cumbie,Culbert,Crosier,Croley,Corry,Clinger,Cheshire,Chalker,Cephas,Caywood,Cavalier,Capehart,Cales,Cadiz,Bussiere,Burriss,Burkart,Brundidge,Bronstein,Breeze,Bradt,Boydston,Bostrom,Borel,Bolles,Blay,Blackwelder,Bissett,Bevers,Bester,Bernardino,Benefiel,Belote,Beedle,Beckles,Baysinger,Bassler,Bartee,Barlett,Bargas,Barefield,Baptista,Arterburn,Armas,Apperson,Amoroso,Amedee,Zullo,Zellner,Yelton,Willems,Wilkin,Wiggin,Widman,Welk,Weingarten,Walla,Viers,Vess,Verdi,Veazey,Vannote,Tullos,Trudell,Trower,Trosper,Trimm,Trew,Tousignant,Topp,Tocco,Thoreson,Terhune,Tatom,Suniga,Sumter,Steeves,Stansell,Soltis,Sloss,Slaven,Sing,Shisler,Sheriff,Shanley,Servantes,Selders,Segrest,Seese,Seeber,Schaible,Savala,Sartor,Rutt,Rumbaugh,Ruis,Roten,Roessler,Ritenour,Riney,Restivo,Rene,Renard,Rakestraw,Rake,Rachal,Quiros,Pullin,Prudhomme,Primeaux,Prestridge,Presswood,Ponte,Polzin,Poarch,Pittenger,Piggott,Pickell,Phaneuf,Parvin,Parmley,Palmeri,Paisley,Ozment,Ormond,Ordaz,Ono,Olea,Obanion,Oakman,Novick,Nicklas,Nemec,Nappi,Mund,Morfin,Mera,Melgoza,Melby,Mcgoldrick,Mcelwain,Mcchristian,Mccaw,Marquart,Marlatt,Markovich,Mahr,Lupton,Lucus,Lorusso,Lerman,Leddy,Leaman,Leachman,Lavalle,Laduke,Kummer,Koury,Konopka,Koh,Koepp,Kloss,Klock,Khalil,Kernan,Kappel,Jakes,Inoue,Hutsell,Howle,Honore,Hole,Hockman,Hockaday,Hiltz,Hetherington,Hesser,Hershman,Heng,Heffron,Headen,Haskett,Hartline,Harned,Guillemette,Guglielmo,Guercio,Greenbaum,Goris,Glines,Gilmour,Gardella,Gadd,Gabler,Gabbert,Fuselier,Freudenburg,Fragoso,Follis,Flemings,Feltman,Febus,Farren,Fallis,Evert,Ekstrom,Eastridge,Dyck,Dufault,Dubreuil,Dresser,Drapeau,Domingues,Dolezal,Dinkel,Didonato,Devitt,Devane,Demott,Daughtrey,Daubert,Das,Darrell,Creason,Crary,Costilla,Chipps,Cheatwood,Carmean,Canton,Caffrey,Burgher,Buker,Brunk,Brodbeck,Brantner,Brandy,Bolivar,Boerner,Bodkin,Biel,Betty,Bencomo,Bellino,Beliveau,Beauvais,Beaupre,Baylis,Baskett,Barcus,Barbera,Baltz,Asay,Arney,Arcuri,Ankney,Agostini,Addy,Zwilling,Zubia,Zollinger,Zeitz,Yard,Yanes,Winship,Winningham,Wickline,Webre,Waddington,Vosburgh,Vessels,Verrett,Vedder,Varnum,Vandeventer,Vacca,Usry,Towry,Touchet,Tookes,Tonkin,Timko,Tibbitts,Thedford,Tarleton,Talty,Talamantez,Tafolla,Sugg,Strecker,Stirling,Steffan,Spiva,Slape,Siemens,Shatzer,Seyler,Seamans,Schmaltz,Schipper,Sasso,Sailor,Ruppe,Runner,Royals,Roudebush,Ripple,Riemer,Richarson,Revilla,Reichenbach,Ratley,Railsback,Quayle,Poplin,Poorman,Ponton,Polo,Pollitt,Poitras,Piscitelli,Piedra,Pickles,Pew,Perera,People,Penwell,Pelt,Pauline,Parkhill,Paladino,Ore,Oram,Olmo,Oliveras,Olivarria,Ogorman,Near,Naron,Na,Muncie,Mowbray,Morones,Moretti,Monn,Mitts,Minks,Minarik,Mimms,Milliron,Millington,Millhouse,Messersmith,Mcnett,Mckinstry,Mcgeorge,Mcdill,Mcateer,Mazzeo,Matchett,Mahood,Mabery,Lundell,Louden,Losoya,Lisk,Lezama,Leib,Lebo,Lanoue,Lanford,Lafortune,Kump,Krone,Kreps,Kott,Kopecky,Kolodziej,Knuckles,Kinman,Kimmons,Kelty,Kaster,Karlson,Kania,Jules,Joyal,Job,Jenner,Jasinski,Jandreau,Isenhour,Hunziker,Huhn,Houde,Houchins,Holtman,Hodo,Heyman,Hentges,Hedberg,Hayne,Haycraft,Harshbarger,Harshaw,Harriss,Haring,Hansell,Hanford,Handler,Hamburg,Hamblen,Gunnell,Groat,Gorecki,Gochenour,Gleeson,Genest,Geiser,Gabriele,Fulghum,Friese,Fridley,Freeborn,Frailey,Flaugher,Fiala,Ettinger,Etheredge,Espitia,Eriksen,Engelbrecht,Engebretson,Elie,Eickhoff,Edney,Edelen,Eberhard,Eastin,Eakes,Driggs,Doner,Donaghy,Disalvo,Deshong,Dahms,Dahlquist,Curren,Cripe,Cree,Creager,Corle,Conatser,Commons,Coggin,Coder,Coaxum,Closson,Clodfelter,Classen,Chittenden,Castilleja,Casale,Cartee,Carriere,Canup,Canizales,Burgoon,Bunger,Bugarin,Buchanon,Bruning,Bruck,Brookes,Broadwell,Brier,Brekke,Breese,Bracero,Bowley,Bowersox,Bose,Bogar,Blossom,Blauser,Blacker,Bjorklund,Belair,Baumer,Basler,Barb,Baltimore,Baize,Baden,Auman,Amundsen,Amore,Alvarenga,Adan,Adamczyk,Yerkes,Yerby,Yawn,Yamaguchi,Worthey,Wolk,Wixom,Wiersma,Wieczorek,Whiddon,Weyer,Wetherington,Wein,Watchman,Warf,Wansley,Vesely,Velazco,Vannorman,Valasquez,Utz,Urso,Turco,Turbeville,Trivett,Torrance,Toothaker,Toohey,Tondreau,Thaler,Sylvain,Swindler,Swigert,Swider,Stiner,Stever,Steffes,Stampley,Stair,Smidt,Skeete,Silvestre,Shy,Shutts,Shock,Shealey,Seigler,Schweizer,Schuldt,Schlichting,Scherr,Saulsberry,Saner,Rosin,Rosato,Roling,Rohn,Rix,Rister,Remley,Remick,Recinos,Ramm,Raabe,Pursell,Poythress,Poli,Pokorny,Plum,Pettry,Petrey,Petitt,Penman,Payson,Paquet,Pappalardo,Outland,Oscar,Orenstein,Nuttall,Nuckols,Nott,Nimmo,Murtagh,Mousseau,Moulder,Mooneyhan,Moak,Minch,Miera,Mercuri,Meighan,Mcnelly,Mcguffin,Mccreery,Mcclaskey,Man,Mainor,Luongo,Lundstrom,Loughman,Loose,Lobo,Lobb,Linhart,Liberty,Lever,Leu,Leiter,Lehoux,Lehn,Lares,Lapan,Langhorne,Lamon,Ladwig,Ladson,Kuzma,Kreitzer,Knop,Keech,Kea,Kadlec,Jo,Jhonson,Jantz,Inglis,Husk,Hulme,Housel,Hofman,Hillery,Heidenreich,Heaps,Haslett,Harting,Hartig,Hamler,Halton,Hallum,Gutierres,Guida,Guerrier,Grossi,Gress,Greenhalgh,Gravelle,Gow,Goslin,Gonyea,Gipe,Gerstner,Gasser,Garceau,Gannaway,Gama,Gallop,Gaiser,Fullilove,Foutz,Fossum,Flannagan,Farrior,Faller,Ericksen,Entrekin,Enochs,Englund,Ellenberger,Eastland,Earwood,Dudash,Du,Drozd,Desoto,Delph,Dekker,Dejohn,Degarmo,Defeo,Defalco,Deblois,Dacus,Cudd,Crossen,Crooms,Cronan,Costin,Costanza,Cordray,Comerford,Collie,Colegrove,Coldwell,Claassen,Chartrand,Castiglione,Carte,Cardella,Carberry,Capp,Capobianco,Cangelosi,Buch,Brunell,Brucker,Brockett,Brizendine,Brinegar,Brimer,Brase,Bosque,Bonk,Bolger,Bohanon,Bohan,Blazek,Berning,Bergan,Bennette,Beauchemin,Battiste,Barra,Balogh,Avis,Avallone,Aubry,Ashcroft,Asencio,Arledge,Anchondo,Amy,Alvord,Acheson,Zaleski,Yonker,Wyss,Wycoff,Woodburn,Wininger,Winders,Willmon,Wiechmann,Westley,Weatherholt,Warnick,Wardle,Warburton,Volkert,Virgin,Villanveva,Veit,Vass,Vanallen,Tung,Toribio,Toothman,Tiggs,Thornsberry,Thome,Tepper,Teeple,Tebo,Tassone,Tann,Sultan,Stucker,Stotler,Stoneman,Stehle,Stanback,Stallcup,Spurr,Speers,Spada,Solum,Smolen,Sinn,Silvernail,Sholes,Shives,Shain,Secrest,Seagle,Schuette,Schoch,Schnieders,Schild,Schiavone,Schiavo,Scharff,Santee,Sandell,Salvo,Rollings,Rollin,Rivenburg,Ritzman,Rist,Rio,Ricardo,Reynosa,Retana,Reiber,Regnier,Rarick,Ransome,Rall,Propes,Prall,Poyner,Ponds,Poitra,Plaster,Pippins,Pinion,Piccolo,Phu,Perillo,Penrose,Pendergraft,Pelchat,Peed,Patenaude,Palko,Odoms,Oddo,Novoa,Noone,Newburn,Negri,Nantz,Mosser,Moshier,Molter,Molinari,Moler,Millman,Meurer,Mendel,Mcray,Mcnicholas,Mcnerney,Mckillip,Mcilvain,Mcadory,Matter,Master,Marmol,Marinez,Manzer,Mankin,Makris,Majeski,Magnus,Maffei,Luoma,Luman,Luebke,Luby,Lomonaco,Loar,Litchford,Lintz,Licht,Levenson,Legge,Laughter,Lanigan,Krom,Kreger,Koop,Kober,Klima,Kitterman,Kinkead,Kimbell,Kilian,Kibbe,Kendig,Kemmer,Kash,Jenkin,Inniss,Hurlbut,Hunsucker,Hugo,Huckabee,Hoxie,Hoglund,Hockensmith,Hoadley,Hinkel,Higuera,Herrman,Heiner,Hausmann,Haubrich,Hassen,Hanlin,Hallinan,Haglund,Hagberg,Gullo,Gullion,Groner,Greenwalt,Grand,Goodwill,Gong,Gobert,Glowacki,Glessner,Gines,Gildersleeve,Gildea,Gerke,Gerhard,Gebhard,Gatton,Gately,Galasso,Fralick,Fouse,Fluharty,Faucette,Fairfax,Evanoff,Elser,Ellard,Egerton,Edie,Ector,Ebling,Dunkel,Duhart,Drysdale,Dostal,Dorey,Dolph,Doles,Dismukes,Digregorio,Digby,Dewees,Deramus,Denniston,Dennett,Deloney,Delaughter,Darcy,Cuneo,Cumberland,Crotts,Crosswhite,Cremeans,Creasey,Cottman,Cothern,Costales,Cosner,Corpus,Cora,Constable,Colligan,Cobble,Clutter,Chupp,Chevez,Chatmon,Chaires,Caplan,Caffee,Cabana,Burrough,Burditt,Buckler,Brunswick,Brouillard,Broady,Bowlby,Bouley,Borgman,Boltz,Boddy,Blackston,Birdsell,Bedgood,Bate,Basil,Bartos,Barriga,Barrie,Barna,Barcenas,Banach,Baccus,Auclair,Ashman,Arter,Arendt,Ansell,Allums,Allsop,Allender,Alber,Albarran,Adelson,Zoll,Wysong,Wimbley,Wildes,Whitis,Whitehill,Whicker,Weymouth,Well,Weldy,Wark,Wareham,Waddy,Viveiros,Vito,Vides,Vecchio,Vath,Vandoren,Vanderhoof,Unrein,Uecker,Tsan,Trepanier,Tregre,Torkelson,Ton,Tobler,Tineo,Timmer,Swopes,Swofford,Sweeten,Swarts,Summerfield,Sumler,Stucky,Strozier,Stigall,Stickel,Stennis,Stelzer,Steely,Solar,Slayden,Skillern,Shurtz,Shelor,Shellenbarger,Shand,Shabazz,Seo,Scroggs,Schwandt,Schrecengost,Schoenrock,Schirmer,Sandridge,Ruzicka,Rozek,Rowlands,Roser,Rosendahl,Romanowski,Romaine,Rolston,Rink,Riggio,Reichman,Redondo,Reay,Rawlinson,Raskin,Raine,Quandt,Purpura,Purdue,Pruneda,Prevatte,Prettyman,Pinedo,Pierro,Pidgeon,Phillippi,Pfeil,Penix,Peasley,Paro,Overall,Ospina,Ortegon,Ogata,Ogara,Normandin,Nordman,Nims,Nassar,Motz,Morlan,Mooring,Moles,Moir,Mizrahi,Mire,Minaya,Millwood,Mikula,Messmer,Meikle,Mctaggart,Mcgonagle,Mcewan,Mccasland,Mccane,Mccaffery,Mcalexander,Mattocks,Mattie,Matranga,Martone,Markland,Maravilla,Manno,Manly,Mancha,Mallery,Magno,Lorentz,Locklin,Livingstone,Lipford,Lininger,Line,Liao,Lepley,Leming,Lemelin,Leadbetter,Lawhon,Lattin,Langworthy,Lampman,Lambeth,Lamarr,Lahey,Krajewski,Klopp,Kinnison,Kestner,Kerry,Kennell,Karim,Jozwiak,Jakubowski,Jagger,Ivery,Ishmael,Iliff,Iddings,Hudkins,Houseman,Holz,Holderman,Hoehne,Highfill,Hiett,Heskett,Heldt,Hedman,Hayslett,Hatchell,Hasse,Hamon,Hamada,Hakala,Haislip,Haffey,Hackbarth,Guo,Gullickson,Guerrette,Guan,Greenblatt,Goudreau,Gongora,Godbout,Glaude,Gills,Gillison,Gigliotti,Gargano,Gallucci,Galli,Galante,Frasure,Fodor,Fizer,Fishburn,Finkbeiner,Finck,Fager,Estey,Espiritu,Eppinger,Epperly,Emig,Eckley,Dray,Dorsch,Dille,Devita,Deslauriers,Demery,Delorme,Delbosque,Dauphin,Dantonio,Curd,Crume,Crown,Cozad,Cossette,Comacho,Climer,Chadbourne,Cespedes,Cayton,Castaldo,Carpino,Carls,Capozzi,Canela,Cadet,Buzard,Busick,Burlison,Brinkmann,Bridgeforth,Bourbeau,Bornstein,Boots,Bonfiglio,Boice,Boese,Biondi,Bilski,Betton,Berwick,Berlanga,Behan,Becraft,Barrientez,Banh,Balke,Balderrama,Bahe,Bachand,Atlas,Armer,Arceo,Aliff,Alatorre,Zermeno,Zane,Younce,You,Yeoman,Yamasaki,Wroten,Worm,Woodby,Winer,Wilmer,Willits,Wilcoxon,Wehmeyer,Waterbury,Wass,Wann,Wake,Wachtel,Vizcarra,Vince,Victory,Veitch,Vanderbilt,Vallone,Vallery,Ureno,Tyer,Tipps,Tiedeman,Theberge,Texeira,Taub,Tapscott,Stutts,Stults,Stukes,Staff,Spink,Sottile,Smithwick,Slane,Simeone,Silvester,Siegrist,Shiffer,Sheedy,Sheaffer,Severin,Sellman,Scotto,Schupp,Schueller,Schreier,Schoolcraft,Schoenberger,Schnabel,Sangster,Samford,Saliba,Ryles,Ryans,Rossetti,Rodriguz,Risch,Riel,Rezendes,Rester,Rencher,Recker,Rathjen,Profitt,Poteete,Polizzi,Perrigo,Patridge,Osby,Orvis,Opperman,Oppenheim,Onorato,Olaughlin,Ohagan,Ogles,Oehler,Obyrne,Nuzzo,Nickle,Nease,Neagle,Navarette,Nagata,Musto,Morning,Morison,Montz,Mogensen,Mizer,Miraglia,Mingus,Migliore,Merideth,Menges,Mellor,Mcnear,Mcnab,Mcloud,Mcelligott,Mccollom,Maynes,Marquette,Markowski,Marcantonio,Mar,Maldanado,Makin,Macey,Lundeen,Lovin,Longino,Lisle,Linthicum,Limones,Lesure,Lesage,Leisure,Lauver,Laubach,Latshaw,Lary,Lapham,Lacoste,Lacher,Kutcher,Knickerbocker,Klos,Klingler,Kleiman,Kittleson,Kimbrel,Kimberly,Kemmerer,Kelson,Keese,Kam,Kallas,Jurgensen,Junkins,Juneau,Juergens,Jolliff,Jelks,Janicki,Jang,Innocent,Ingles,Inge,Huguley,Huggard,Howton,Hone,Holford,Holding,Hogle,Hipple,Heimbach,Heider,Heidel,Havener,Hattaway,Harrah,Hanscom,Hankinson,Hamdan,Gridley,Goulette,Goulart,Goodspeed,Goodrow,Go,Girardi,Gent,Gautreau,Ganz,Gandara,Gamblin,Galipeau,Fyffe,Furrow,Fulp,Fricks,Frase,Frandsen,Fout,Foulks,Fouche,Foskey,Forgey,Foor,Fobbs,Finklea,Fincham,Figueiredo,Festa,Ferrier,Fellman,Eslick,Eilerman,Eckart,Eaglin,Dunfee,Dumond,Drewry,Douse,Domino,Dimick,Diener,Dickert,Deines,Degree,Declue,Daw,Dattilo,Danko,Custodio,Cuccia,Crunk,Crispin,Corp,Cornwall,Corea,Coppin,Considine,Coniglio,Conboy,Collar,Cockrum,Clute,Clewis,Claude,Christiano,Channell,Channel,Cerrato,Cecere,Catoe,Castillon,Castile,Carstarphen,Carmouche,Caperton,Buteau,Bury,Bumpers,Brey,Brenton,Brazeal,Brassard,Brass,Braga,Bradham,Bourget,Borrelli,Borba,Boothby,Bohr,Bohm,Boehme,Bodin,Bloss,Blocher,Bizzell,Bieker,Berthelot,Bernardini,Berends,Benard,Belser,Baze,Bartling,Barrientes,Barras,Barcia,Banfield,Aurand,Artman,Arnott,Arend,Ardis,Amon,Almaguer,Allee,Albarado,Alameda,Abdo,Zuehlke,Zoeller,Yokoyama,Yocom,Wyllie,Woolum,Wint,Winland,Wink,Wilner,Wilmes,Whitlatch,Westervelt,Walthall,Walkowiak,Walburn,Viviano,Vanderhoff,Valez,Ugalde,Trumbull,Todaro,Tilford,Tidd,Tibbits,Terranova,Templeman,Tannenbaum,Talmage,Tabarez,Swearengin,Swartwood,Svendsen,Strum,Strack,Storie,Stockard,Steinbeck,Starns,Stanko,Stankiewicz,Stacks,Stach,Sproles,Spenser,Smotherman,Slusser,Sinha,Silber,Siefert,Siddiqui,Shuff,Sherburne,Seldon,Seddon,Schweigert,Schroeter,Schmucker,Saffold,Rutz,Rundle,Rosinski,Rosenow,Rogalski,Ridout,Rhymer,Replogle,Regina,Reda,Raygoza,Ratner,Rascoe,Rahm,Quincy,Quast,Pry,Pressnell,Predmore,Pou,Porto,Pleasants,Pigford,Pavone,Patnaude,Parramore,Papadopoulos,Palmatier,Ouzts,Oshields,Ortis,Olmeda,Olden,Okamoto,Norby,Nitz,Niebuhr,Nevius,Neiman,Neidig,Neece,Murawski,Mroz,Moylan,Moultry,Mosteller,Moring,Morganti,Mook,Moffet,Mettler,Merlo,Mengel,Mendelsohn,Meli,Melchior,Mcmeans,Mcfaddin,Mccullers,Mccollister,Mccloy,Mcclaine,Maury,Maser,Martelli,Manthey,Malkin,Maio,Magwood,Maginnis,Mabon,Luton,Lusher,Lucht,Lobato,Levis,Letellier,Legendre,Laurel,Latson,Larmon,Largo,Landreneau,Landgraf,Lamberson,Kurland,Kresge,Korman,Korando,Klapper,Kitson,Kinyon,Kincheloe,Kawamoto,Kawakami,Jenney,Jeanpierre,Ivers,Issa,Ince,Hugh,Hug,Honda,Hollier,Hollars,Hoerner,Hodgkinson,Hiott,Hibbitts,Herlihy,Henricks,Heavner,Hayhurst,Harvill,Harewood,Hanselman,Hanning,Gwyn,Gustavson,Grounds,Grizzard,Grinder,Graybeal,Gravley,Gorney,Goll,Goehring,Godines,Gobeil,Glickman,Giuliano,Gimbel,Gift,Geib,Gayhart,Gatti,Gains,Gadberry,Frei,Fraise,Fouch,Forst,Forsman,Folden,Fogleman,Figaro,Fetty,Feely,Fabry,Eury,Estill,Epling,Elamin,Echavarria,Dutil,Duryea,Dumais,Drago,Downard,Douthit,Doolin,Dobos,Dison,Dinges,Diebold,Desilets,Deshazo,Depaz,Degennaro,Dall,Cyphers,Cryer,Croce,Crisman,Credle,Coriell,Copp,Coop,Compos,Colmenero,Cogar,Cliff,Chapel,Carnevale,Campanella,Caley,Calderone,Burtch,Brouwer,Brehmer,Brassell,Brafford,Bourquin,Bourn,Bohnert,Blewett,Blass,Blakes,Bhakta,Besser,Berge,Bellis,Balfour,Avera,Austria,Applin,Ammon,Alsop,Aleshire,Akbar,Zoller,Zapien,Wymore,Wyble,Wolken,Wix,Wickstrom,Whobrey,Whigham,Westerlund,Welsch,Weisser,Weisner,Weinstock,Wehner,Watlington,Wakeland,Wafer,Virgen,Victorino,Veltri,Veith,Urich,Uresti,Umberger,Twedt,Tuohy,Tschida,Trumble,Troia,Tristan,Trimmer,Topps,Tonn,Tiernan,Threet,Thrall,Thetford,Teneyck,Tartaglia,Swords,Strohl,Streater,Strausbaugh,Stradley,Stonecipher,Steadham,Stansel,Stalcup,Stabile,Sprenger,Spradley,Speier,Southwood,Sorrels,Slezak,Skow,Sirmans,Simental,Silk,Sifford,Sievert,Shover,Sheley,Selzer,Scriven,Schwindt,Schwan,Schroth,Saylors,Saragosa,Sant,Salaam,Saephan,Routt,Rousey,Ros,Rolfes,Rieke,Rieder,Richeson,Redinger,Rasnick,Rapoza,Rambert,Rafael,Quist,Pyron,Punch,Pullman,Przybylski,Pridmore,Pooley,Pines,Perkinson,Perine,Perham,Pecor,Peavler,Partington,Panton,Oliverio,Olague,Ohman,Ohearn,Noyola,Nicolai,Nebel,Murtha,Muff,Mowrey,Moroney,Morgenstern,Morant,Monty,Monsour,Mohammad,Moffit,Mijares,Meriwether,Mendieta,Melendrez,Mejorado,Mckittrick,Mckey,Mckenny,Mckelvy,Mckechnie,Mcelvain,Mccoin,Mazzarella,Mazon,Maurin,Matthies,Maston,Maske,Marzano,Marmon,Marburger,Mangus,Mangino,Mallet,Luo,Losada,Londono,Lobdell,Lipson,Lesniak,Leighty,Lei,League,Lavallie,Lareau,Laperle,Lape,Laforce,Laffey,Kuehner,Kravitz,Kowalsky,Kohr,Kinsman,Keppler,Kennemer,Keiper,Keely,Kaler,Jun,Jelinek,Jarnagin,Issac,Isakson,Hypes,Hutzler,Huls,Horak,Hitz,Hice,Herrell,Henslee,Heitz,Heiss,Heiman,Hasting,Hartwick,Harmer,Harland,Hammontree,Haldeman,Hakes,Guse,Guillotte,Guard,Groleau,Greve,Greenough,Golub,Golson,Goldschmidt,Golder,Godbolt,Gilmartin,Gies,Gibby,Geren,Genthner,Gendreau,Gemmill,Gaymon,Galyean,Galeano,Friar,Folkerts,Fleeman,Fitzgibbons,Ferranti,Felan,Farrand,Eoff,Enger,Engels,Ducksworth,Duby,Dry,Drumheller,Douthitt,Doris,Donis,Dixion,Dittrich,Dials,Dessert,Descoteaux,Depaul,Denker,Demuth,Demelo,Delacerda,Deforge,Danos,Dalley,Daigneault,Cybulski,Crystal,Cristobal,Cothren,Corns,Corkery,Copas,Coco,Clubb,Clore,Chitty,Chichester,Chery,Charon,Chamber,Chace,Catanzaro,Castonguay,Cassella,Caroll,Carlberg,Cammarata,Calle,Cajigas,Byas,Buzbee,Busey,Burling,Bufkin,Brzezinski,Brun,Brickner,Brabham,Boller,Bodily,Bockman,Bleich,Blakeman,Bisbee,Bier,Bezanson,Bevilacqua,Besaw,Berrian,Berkeley,Bequette,Beauford,Baumgarten,Baudoin,Batie,Basaldua,Bardin,Bangert,Banes,Backlund,Avitia,Artz,Archey,Apel,Amico,Alam,Aden,Zebrowski,Yokota,Wormley,Wootton,Woodie,Womac,Wiltz,Wigington,Whitehorn,Whisman,Weisgerber,Weigle,Weedman,Watkin,Wasilewski,Wadlington,Wadkins,Viverette,Vidaurri,Vidales,Vezina,Vanleer,Vanhoy,Vanguilder,Vanbrunt,Uy,Updegraff,Tylor,Trinkle,Touchette,Tilson,Tilman,Tengan,Tarkington,Surrett,Super,Summy,Streetman,Straughter,Steere,Stalling,Spruell,Spadaro,Solley,Smathers,Silvera,Siems,Shreffler,Sholar,Selden,Schaper,Samayoa,Ruggeri,Rowen,Rosso,Rosenbalm,Roosevelt,Roose,Ronquillo,Rogowski,Rexford,Repass,Renzi,Renick,Renda,Rehberg,Reaper,Ranck,Raffa,Rackers,Raap,Pugsley,Puglisi,Prinz,Primus,Pounders,Pon,Pompa,Plasencia,Pipkins,Pillar,Petrosky,Pelley,Pauls,Pauli,Parkison,Parisien,Pangle,Pancoast,Palazzolo,Owenby,Overbay,Orris,Orlowski,Nipp,Newbern,Nedd,Nealon,Najar,Mysliwiec,Myron,Myres,Musson,Murrieta,Munsell,Mumma,Muldowney,Moyle,Mowen,Mose,Morejon,Moodie,Monier,Mikkelsen,Miers,Metzinger,Melin,Mcquay,Mcpeek,Mcneeley,Mcglothin,Mcghie,Mcdonell,Mccumber,Mccranie,Mcbean,Mayhugh,Marts,Marenco,Manges,Lynam,Lupien,Luff,Luebbert,Loh,Loflin,Lococo,Loch,Lis,Linke,Lightle,Lewellyn,Leishman,Lebow,Lebouef,Leanos,Lanz,Landy,Landaverde,Lacefield,Kyler,Kuebler,Kropf,Kroeker,Kluesner,Klass,Kimberling,Kilkenny,Kiker,Ketter,Kelemen,Keasler,Kawamura,Karst,Kardos,Jeremiah,Jared,Igo,Huseman,Huseby,Hurlbert,Huard,Hottinger,Hornberger,Hopps,Holdsworth,Hensen,Heilig,Heeter,Harpole,Haak,Gutowski,Gunnels,Grimmer,Grieve,Gravatt,Granderson,Gotcher,Gleaves,Genao,Garfinkel,Frerichs,Foushee,Flanery,Finnie,Feldt,Fagin,Ewalt,Ellefson,Eiler,Eckhart,Eastep,Dwight,Digirolamo,Didomenico,Devera,Delavega,Defilippo,Debusk,Daub,Damiani,Cupples,Cuddy,Crofoot,Courter,Coto,Costigan,Corning,Corman,Corlett,Cooperman,Collison,Coghlan,Cobbins,Coady,Coachman,Clothier,Client,Clear,Cipolla,Chmielewski,Chiodo,Chatterton,Chappelle,Chairez,Ceron,Casperson,Casler,Casados,Carrow,Carolina,Carlino,Carico,Cardillo,Caouette,Canto,Canavan,Cambra,Byard,Buterbaugh,Buse,Bucy,Buckwalter,Bubb,Bryd,Brissette,Brault,Bradwell,Boshears,Borchert,Blansett,Blanch,Blade,Biondo,Bilbo,Biehl,Bessey,Berta,Belles,Bella,Beeks,Beekman,Beaufort,Bayliss,Bardsley,Avilla,Astudillo,Ardito,Anwar,Antunez,Amen,Aderholt,Abate,Yowell,Yin,Yearby,Ye,Wurst,Woolverton,Woolbright,Wildermuth,Whittenburg,Whitely,Wetter,Wetherbee,Wenz,Welliver,Welling,Welcome,Wason,Warrior,Warlick,Voorhies,Vivier,Villines,Vida,Verde,Veiga,Varghese,Vanwyk,Vanwingerden,Vanhorne,Umstead,Twiggs,Tusing,Trego,Tompson,Tinkle,Thoman,Thole,Tatman,Tartt,Suda,Studley,Strock,Strawbridge,Stokely,Stec,Stang,Stalter,Speidel,Spafford,Spade,Sontag,Sokolowski,Skillman,Skelley,Skalski,Sison,Sippel,Sinquefield,Sin,Siegle,Sher,Sharrow,Setliff,Sera,Sellner,Selig,Seibold,Seery,Scriber,Schull,Schrupp,Schippers,Say,Saulsbury,Sao,Santillo,Sanor,Sancho,Rufus,Rubalcaba,Roosa,Ronk,Robbs,Roache,River,Riebe,Reinoso,Quin,Prude,Preuss,Pottorff,Pontiff,Plouffe,Picou,Picklesimer,Pettyjohn,Petti,Penaloza,Parmelee,Pardee,Palazzo,Overholt,Ogawa,Ofarrell,Nova,Nolting,Noda,Nicola,Nickson,Nevitt,Neveu,Navarre,Nam,Murrow,Munz,Mulloy,Monzo,Milliman,Metivier,Merlino,Mcpeters,Mckissack,Mckeen,Mcgurk,Mcfee,Mcfarren,Mcelwee,Mceachin,Mcdonagh,Mccarville,Mayhall,Mattoon,Martello,Marconi,Marbury,Mao,Manzella,Maly,Malec,Maitland,Maheu,Maclennan,Lyke,Luera,Loyola,Lowenstein,Losh,Lopiccolo,Longacre,Loman,Loden,Loaiza,Lieber,Libbey,Lenhardt,Lefebre,Lauterbach,Lauritsen,Lass,Larocco,Larimer,Lansford,Lanclos,Lamay,Lal,Kulikowski,Kriebel,Kosinski,Kleinman,Kleiner,Kleckner,Kistner,Kissner,Kissell,Kilroy,Kenna,Keisler,Keeble,Keaney,Kale,Joly,Jimison,Jeans,Ikner,Hursey,Hruska,Hove,Hou,Host,Hosking,Hoose,Holle,Hoeppner,Hittle,Hitchens,Hirth,Hinerman,Hilario,Higby,Hertzog,Hentz,Hensler,Heist,Heier,Hegg,Hassel,Harpe,Hara,Hank,Hain,Hagopian,Grimshaw,Grado,Gowin,Gowans,Googe,Goodlow,Goering,Gleaton,Gidley,Giannone,Gascon,Garneau,Gambrel,Galaz,Fuentez,Frisina,Fresquez,Fraher,Fitting,Feuerstein,Felten,Everman,Estell,Ertel,Erazo,Ensign,Endo,Ellerman,Eichorn,Edgell,Ebron,Eaker,Dundas,Duncanson,Duchene,Ducan,Dombroski,Doman,Dock,Dickison,Dewoody,Deloera,Delahoussaye,Dejean,Degroat,Decaro,Dearmond,Dashner,Dales,Crossett,Cressey,Cowger,Courts,Court,Cornette,Corbo,Coplin,Coover,Condie,Cokley,Cicero,Ceaser,Cannaday,Callanan,Cadle,Buscher,Bullion,Bucklin,Bruening,Bruckner,Brose,Branan,Bradway,Botsford,Bortz,Borelli,Bonetti,Bolan,Boerger,Bloomberg,Bingman,Bilger,Berns,Beringer,Beres,Beets,Beede,Beaudet,Beachum,Baughn,Bator,Bastien,Basquez,Barreiro,Barga,Baratta,Balser,Baillie,Axford,Attebery,Arakaki,Annunziata,Andrzejewski,Ament,Amendola,Adcox,Abril,Zenon,Zeitler,Zang,Zambrana,Ybanez,Yagi,Wolak,Wilcoxson,Whitesel,Whitehair,Weyand,Westendorf,Welke,Weinmann,Wei,Weesner,Weekes,Wedel,Wedding,Weatherall,Warthen,Vose,Villalta,Vila,Viator,Vaz,Valtierra,Urbanek,Tulley,Trojanowski,Trapani,Toups,Torpey,Tomita,Tindal,Tieman,Tevis,Tedrow,Taul,Tash,Tammaro,Sylva,Swiderski,Sweeting,Sund,Stutler,Stocking,Stich,Sterns,Stegner,Stalder,Splawn,Speirs,Southwell,Soltys,Smead,Slye,Skipworth,Sipos,Simmerman,Sigmund,Sidhu,Shuffler,Shingleton,Shadwick,Sermons,Seefeldt,Scipio,Schwanke,Schreffler,Schiro,Scheiber,Sandoz,Samsel,Ruddell,Royse,Rouillard,Rotella,Rosalez,Romriell,Rommel,Rizer,Riner,Rickards,Rhoton,Rhem,Reppert,Rayl,Raulston,Raposo,Rapier,Rainville,Radel,Quinney,Purdie,Puffer,Pizzo,Pincus,Petrus,Pendelton,Pendarvis,Peltz,Peguero,Peete,Patricio,Patchett,Parrino,Papke,Pam,Palafox,Ottley,Ostby,Oritz,Oren,Ogan,Odegaard,Oatman,Noell,Nida,Nicoll,Newhall,Newbill,Netzer,Nettleton,Neblett,Murley,Mungo,Mulhall,Mosca,Morissette,Morford,Montag,Monsen,Mitzel,Miskell,Minder,Mehaffey,Mcquillen,Mclennan,Mcgrail,Mccreight,Mayville,Maysonet,Maust,Mathieson,Mastrangelo,Maskell,Martina,Manz,Malmberg,Makela,Madruga,Luz,Lotts,Longnecker,Logston,Littell,Liska,Lindauer,Lillibridge,Levron,Letchworth,Lesh,Leffel,Leday,Leamon,Laura,Kulas,Kula,Kucharski,Kromer,Kraatz,Konieczny,Konen,Komar,Kivett,Kirts,Kinnear,Kersh,Keithley,Keifer,Judah,Jimenes,Jeppesen,Jasmin,Jansson,Huntsberry,Hund,Huitt,Huffine,Hosford,Hopes,Holmstrom,Hollen,Hodgin,Hirschman,Hiltner,Hilliker,Hibner,Hennis,Helt,Heidelberg,Heger,Heer,Hartness,Hardrick,Halladay,Gula,Guillaume,Guerriero,Grunewald,Grosse,Griffeth,Grenz,Grassi,Grandison,Ginther,Gimenez,Gillingham,Gillham,Gess,Gelman,Gearheart,Gaskell,Gariepy,Gamino,Gallien,Galentine,Fuquay,Froman,Froelich,Friedel,Foos,Fomby,Focht,Flythe,Fiqueroa,Filson,Filip,Fierros,Fett,Fedele,Fasching,Farney,Fargo,Everts,Even,Etzel,Elzey,Eichner,Eger,Eatman,Ducker,Duchesne,Donati,Domenech,Dollard,Dodrill,Dinapoli,Denn,Delfino,Delcid,Delaune,Delatte,Deems,Daluz,Cusson,Cullison,Cue,Cuadrado,Crumrine,Cruickshank,Crosland,Croll,Criddle,Crepeau,Coutu,Couey,Cort,Coppinger,Collman,Cockburn,Coca,Clayborne,Claflin,Cissell,Chowdhury,Chicoine,Chenier,Causby,Caulder,Cassano,Casner,Cardiel,Burner,Brunton,Bruch,Broxton,Brosius,Brooking,Branco,Bracco,Bourgault,Bosserman,Books,Bonet,Bolds,Bolander,Bohman,Boelter,Blohm,Blea,Blaise,Bischof,Billie,Beus,Bellew,Bastarache,Bast,Bartolome,Bark,Barcomb,Barco,Balls,Balk,Balas,Bakos,Avey,Atnip,Ashbrook,Arno,Arbour,Aquirre,Appell,Aldaco,Alcazar,Alban,Ahlstrom,Abadie,Zylstra,Zick,Zheng,Yother,Wyse,Wunsch,Whitty,Weist,Vrooman,Vine,Villalon,Vidrio,Vavra,Vasbinder,Vanmatre,Vandorn,Ugarte,Turberville,Tuel,Trogdon,Town,Toupin,Toone,Tolleson,Tinkham,Tinch,Tiano,Teston,Teer,Tea,Tawney,Taplin,Tant,Tansey,Swayne,Sutcliffe,Sunderman,Suits,Strothers,Stromain,Stork,Stoneburner,Stolte,Stolp,Stoehr,Stingley,Stegman,Stangl,Spinella,Spier,Soules,Sommerfield,Sipp,Simek,Siders,Shufelt,Shue,Shor,Shires,Shellenberger,Sheely,Service,Sepe,Seaberg,Schwing,Scherrer,Scalzo,Saver,Sasse,Sarvis,Santora,Sansbury,Salls,Saleem,Ryland,Rybicki,Ruggieri,Rothenberg,Rosenstein,Roquemore,Rollison,Rodden,Rivet,Rita,Ridlon,Riche,Riccardi,Reiley,Regner,Rech,Rayo,Rawley,Ranger,Raff,Radabaugh,Quon,Quill,Privette,Prange,Pickrell,Perino,Penning,Pankratz,Orlandi,Nyquist,Norrell,Noren,Naples,Nale,Nakashima,Musselwhite,Murrin,Murch,Mullinix,Mullican,Mullan,Morneau,Mondor,Molinar,Mo,Minjares,Minix,Mingle,Minchew,Mill,Milewski,Mikkelson,Mifflin,Messing,Merkley,Meis,Meas,Mcroy,Mcphearson,Mcneel,Mcmunn,Mcmorrow,Mcdorman,Mccroskey,Mccoll,Mcclusky,Mcclaran,Mccampbell,Mazzariello,Mauzy,Mauch,Mastro,Martinek,Marsala,Marcantel,Mahle,Lyda,Lucius,Luciani,Lubbers,Louder,Lobel,Linsey,Linch,Liller,Legros,Layden,Lapine,Lansberry,Lage,Laforest,Labriola,Koga,Knupp,Klimek,Kittinger,Kirchoff,Kinzel,Killinger,Kilbourne,Ketner,Kepley,Kemble,Kells,Kear,Kaya,Karsten,Kaneshiro,Kamm,Joines,Joachim,Janelle,Jacobus,Iler,Holgate,Hoar,Hisey,Hird,Hilyard,Heslin,Herzberg,Hennigan,Hegland,Hartl,Haner,Handel,Gualtieri,Greenly,Grasser,Gran,Goetsch,Godbold,Gilland,Gidney,Gibney,Giancola,Gettinger,Garzon,Garret,Galle,Galgano,Gaier,Gaertner,Fuston,Freel,Fortes,Flock,Fiorillo,Figgs,Fenstermacher,Fedler,Facer,Fabiano,Evins,Eusebio,Euler,Esquer,Enyeart,Elem,Eisenhower,Eich,Edgerly,Durocher,Durgan,Duffin,Drolet,Drewes,Dotts,Dossantos,Dolly,Dockins,Dirksen,Difiore,Dierks,Dickerman,Dice,Dery,Denault,Demaree,Delmonte,Delcambre,Days,Daulton,Darst,Dahle,Curnutt,Cully,Culligan,Cueva,Crosslin,Croskey,Cromartie,Crofts,Covin,Coutee,Countess,Cost,Coppa,Coogan,Condrey,Concannon,Coger,Cloer,Clatterbuck,Cieslak,Chumbley,Choudhury,Chiaramonte,Charboneau,Chai,Carneal,Cappello,Campisi,Callicoat,Burgoyne,Bucholz,Brumback,Brosnan,Brogden,Broder,Brendle,Breece,Bown,Bou,Boser,Bondy,Bolster,Boll,Bluford,Blandon,Biscoe,Bevill,Bence,Battin,Basel,Bartram,Barnaby,Barmore,Balbuena,Badgley,Backstrom,Auyeung,Ater,Arrellano,Arant,Ansari,Alling,Alejandre,Alcock,Alaimo,Aguinaldo,Aarons,Zurita,Zeiger,Zawacki,Yutzy,Yarger,Wygant,Wurm,Wuest,Wolfram,Witherell,Wisneski,Whitby,Whelchel,Weisz,Weisinger,Weishaar,Wehr,Wedge,Waxman,Waldschmidt,Walck,Waggener,Vosburg,Vita,Villela,Vercher,Venters,Vanscyoc,Vandyne,Valenza,Utt,Urick,Ungar,Ulm,Tumlin,Tsao,Tryon,Trudel,Treiber,Tow,Tober,Tipler,Tillson,Tiedemann,Thornley,Tetrault,Temme,Tarrance,Tackitt,Sykora,Sweetman,Swatzell,Sutliff,Suhr,Sturtz,Strub,Strayhorn,Stormer,Steveson,Stengel,Steinfeldt,Spiro,Spieker,Speth,Spero,Soza,Souliere,Soucie,Snedeker,Slifer,Skillings,Situ,Siniard,Simeon,Signorelli,Siggers,Shultis,Shrewsbury,Shippee,Shimp,Sherron,Shepler,Sharpless,Shadrick,Severt,Severs,Semon,Semmes,Seiter,Segers,Sclafani,Sciortino,Schroyer,Schrack,Schoenberg,Schober,Scheidt,Scheele,Satter,Sartori,Sarris,Sarratt,Salvaggio,Saladino,Sakamoto,Saine,Ryman,Rumley,Ruggerio,Rucks,Roughton,Room,Robards,Ricca,Rexroad,Resler,Reny,Rentschler,Redrick,Redick,Reagle,Raymo,Rape,Raker,Racette,Pyburn,Pritt,Presson,Pressman,Pough,Plain,Pisani,Perz,Perras,Pelzer,Pedrosa,Palos,Palmisano,Paille,Orem,Orbison,Oliveros,Nourse,Nordquist,Newbury,Nelligan,Nawrocki,Myler,Mumaw,Morphis,Moldenhauer,Miyashiro,Mignone,Mickelsen,Michalec,Mesta,Mcree,Mcqueary,Mcninch,Mcneilly,Mclelland,Mclawhorn,Mcgreevy,Mcconkey,Mattes,Maselli,Marten,Mart,Marcucci,Manseau,Manjarrez,Malbrough,Machin,Mabie,Lynde,Lykes,Lueras,Lokken,Loken,Linzy,Lillis,Lilienthal,Levey,Legler,Leedom,Lebowitz,Lazzaro,Larabee,Lapinski,Langner,Langenfeld,Lampkins,Lamotte,Lambright,Lagarde,Ladouceur,Labrador,Labounty,Lablanc,Laberge,Kyte,Kroon,Kron,Kraker,Kouba,Kirwin,Kincer,Kimbler,Kegler,Keach,Katzman,Katzer,Kalman,Journey,Jimmerson,Jenning,Janus,Iacovelli,Hust,Huson,Husby,Humphery,Hufnagel,Honig,Holsey,Holoman,Hohl,Hogge,Hinderliter,Hildebrant,Hick,Hey,Hemby,Helle,Heintzelman,Heidrick,Hearon,Heap,Hazelip,Hauk,Hasbrouck,Harton,Hartin,Harpster,Hansley,Hanchett,Haar,Guthridge,Gulbranson,Guill,Guerrera,Grund,Grosvenor,Grist,Grell,Grear,Granberry,Gonser,Giunta,Giuliani,Gillon,Gillmore,Gillan,Gibbon,Gettys,Gelb,Gano,Galliher,Fullen,Frese,Frates,Foxwell,Fleishman,Fleener,Fielden,Ferrera,Feng,Fells,Feemster,Fauntleroy,Fails,Evatt,Espy,Eno,Emmerich,Edwin,Edler,Eastham,Dunavant,Duca,Drinnon,Dowe,Dorgan,Dollinger,Divers,Dipalma,Difranco,Dietrick,Denzer,Demarest,Delee,Delariva,Delany,Decesare,Debellis,Deavers,Deardorff,Dawe,Darosa,Darley,Dalzell,Dahlen,Curto,Cupps,Cunniff,Cude,Crivello,Cripps,Cresswell,Cousar,Cotta,Compo,Colorado,Clyne,Clayson,Cearley,Catania,Carini,Cargo,Cantero,Cali,Buttrey,Buttler,Burpee,Bulkley,Buitron,Buda,Bublitz,Bryer,Bryden,Brouillette,Brott,Brookman,Bronk,Breshears,Brennen,Brannum,Brandl,Braman,Bracewell,Boyter,Bomberger,Bold,Bogen,Boeding,Bob,Blauvelt,Blandford,Bigger,Biermann,Bielecki,Bibby,Berthold,Berkman,Belvin,Bellomy,Beland,Behne,Beecham,Becher,Beams,Bax,Bassham,Barret,Baley,Bacchus,Auxier,Atkison,Ary,Arocha,Arechiga,Anspach,An,Algarin,Alcott,Alberty,Ager,Adolph,Ackman,Abdul,Abdallah,Zwick,Ziemer,Zastrow,Zajicek,Yokum,Yokley,Wittrock,Winebarger,Wilker,Wilham,Whitham,Wetzler,Westling,Westbury,Wendler,Wellborn,Weitzman,Weitz,Weight,Wallner,Waldroup,Vrabel,Vowels,Volker,Vitiello,Visconti,Villicana,Vibbert,Vesey,Vannatter,Vangilder,Vandervort,Vandegrift,Vanalstyne,Vallecillo,Usrey,Tynan,Turpen,Tuller,Trisler,Townson,Tillmon,Threlkeld,Thornell,Terrio,Taunton,Tarry,Tardy,Swoboda,Swihart,Sustaita,Suitt,Stuber,Strine,Stookey,Stmartin,Stiger,Stainbrook,Solem,Smail,Sligh,Siple,Sieben,Shumake,Shriner,Showman,Shiner,Sheen,Sheckler,Seim,Secrist,Scoggin,Schultheis,Schmalz,Schendel,Schacher,Savard,Saulter,Santillanes,Sandiford,Sande,Salzer,Salvato,Saltz,Sakai,Ryckman,Ryant,Ruck,Ronald,Rocker,Rittenberry,Ristau,Risk,Richart,Rhynes,Reyer,Reulet,Reser,Redington,Reddington,Rebello,Reasor,Raftery,Rabago,Raasch,Quintanar,Pylant,Purington,Provencal,Prom,Prioleau,Prestwood,Pothier,Popa,Polster,Politte,Poffenberger,Pinner,Pietrzak,Pettie,Penaflor,Pellot,Pellham,Paylor,Payeur,Papas,Paik,Oyola,Osbourn,Orzechowski,Oppenheimer,Olesen,Oja,Ohl,Nuckolls,Nordberg,Noonkester,Nold,Nitta,Niblett,Neuhaus,Nesler,Ned,Nanney,Myrie,Mutch,Motto,Mosquera,Morena,Montalto,Montagna,Mizelle,Mincy,Millikan,Millay,Miler,Milbourn,Mikels,Migues,Miesner,Mershon,Merrow,Merlin,Melia,Meigs,Mealey,Mcraney,Mcmartin,Mclachlan,Mcgeehan,Mcferren,Mcdole,Mccaulley,Mcanulty,Maziarz,Maul,Mateer,Martinsen,Marson,Mariotti,Manna,Mang,Mance,Malbon,Mah,Magnusson,Maclachlan,Macek,Lurie,Luc,Lown,Loranger,Lonon,Lisenby,Linsley,Linger,Lenk,Leavens,Learned,Lauritzen,Lathem,Lashbrook,Landman,Lamarche,Lamantia,Laguerre,Lagrange,Kogan,Klingbeil,Kist,Kimpel,Kime,Kier,Kerfoot,Kennamer,Kellems,Kammer,Kamen,Jess,Jepsen,Jarnigan,Isler,Ishee,Isabel,Hux,Hungate,Hummell,Hultgren,Huffaker,Hruby,Hover,Hornick,Hooser,Hooley,Hoggan,Hirano,Hilley,Higham,Heuser,Henrickson,Henegar,Hellwig,Heide,Hedley,Hasegawa,Hartt,Hambright,Halfacre,Hafley,Guion,Guinan,Grunwald,Grothe,Gries,Greaney,Granda,Grabill,Gothard,Gossman,Gosser,Gossard,Gosha,Goldner,Gobin,Gloss,Ginyard,Gilkes,Gilden,Gerson,Gephart,Gengler,Gautier,Gassett,Garon,Gandhi,Galusha,Gallager,Galdamez,Fulmore,Fritsche,Fowles,Foutch,Forward,Footman,Fludd,Flakes,Ferriera,Ferrero,Ferreri,Fenimore,Fegley,Fegan,Fearn,Farrier,Fansler,Fane,Falzone,Fairweather,Etherton,Elsberry,Dykema,Duppstadt,Dunnam,Dunklin,Duet,Due,Dudgeon,Dubuc,Doxey,Dory,Donmoyer,Dodgen,Disanto,Dingler,Dimattia,Dilday,Digennaro,Diedrich,Derossett,Deputy,Depp,Demasi,Degraffenreid,Deakins,Deady,Davin,Daigre,Daddario,Czerwinski,Cullens,Cubbage,Cracraft,Constance,Comes,Combest,Coletti,Coghill,Clerk,Claybrooks,Class,Christofferse,Chiesa,Chason,Chamorro,Cessna,Celentano,Cayer,Carolan,Carnegie,Capetillo,Callier,Cadogan,Caba,Byrom,Byrns,Burrowes,Burket,Burdge,Burbage,Bukowski,Buchholtz,Brunt,Brungardt,Brunetti,Brumbelow,Brugger,Broadhurst,Brigance,Brandow,Bouknight,Bottorff,Bottomley,Bosarge,Borger,Bona,Bombardier,Bologna,Boggan,Blumer,Blecha,Birney,Birkland,Betances,Beran,Benny,Benes,Belin,Belgrave,Bealer,Bauch,Bath,Bashir,Bartow,Baro,Barnhouse,Barile,Ballweg,Baisley,Bains,Baehr,Badilla,Bachus,Bacher,Bachelder,Auzenne,Aten,Astle,Allis,Agarwal,Adger,Adamek,Ziolkowski,Zinke,Zazueta,Zamorano,Younkin,Won,Wittig,Witman,Winsett,Winkles,Wiedman,Whitner,Whitcher,Wetherby,Westra,Westhoff,Wehrle,Wee,Wagaman,Voris,Vicknair,Vegas,Veasley,Vaugh,Vanish,Vanderburg,Valletta,Tunney,Trumbo,Truluck,Trueman,Truby,Trombly,Trojan,Tourville,Tostado,Tone,Titcomb,Timpson,Tignor,Thrush,Thresher,Thiede,Tews,Tamplin,Taff,Tacker,Syverson,Sylvestre,Summerall,Stumbaugh,Strouth,Straker,Stradford,Stoney,Stokley,Steinhoff,Steinberger,Stairs,Spigner,Soltero,Snively,Sletten,Sinkler,Sinegal,Simoes,Siller,Sigel,Shoe,Shire,Shinkle,Shellman,Sheller,Sheats,Sharer,Selvage,Sedlak,Sea,Schriver,Schimke,Scheuerman,Schanz,Savory,Saulters,Sauers,Sais,Rusin,Rumfelt,Ruhland,Rozar,Rosborough,Ronning,Rolph,Roloff,Rogue,Robie,Riviera,Rimer,Riehle,Ricco,Rhein,Retzlaff,Reisman,Reimann,Re,Rayes,Raub,Raminez,Quesinberry,Pua,Procopio,Priolo,Printz,Prewett,Preas,Prahl,Portugal,Poovey,Ploof,Platz,Plaisted,Pinzon,Pineiro,Pickney,Petrovich,Perl,Pehrson,Peets,Pavon,Pautz,Pascarella,Paras,Paolini,Pals,Pafford,Oyer,Ovellette,Outten,Outen,Ours,Orduna,Odriscoll,Oberlin,Nosal,Niven,Nisbett,Nevers,Nathanson,Mule,Mukai,Mozee,Mowers,Motyka,Morency,Montford,Mollica,Molden,Mitten,Miser,Mina,Millender,Midgette,Messerly,Melendy,Meisel,Meidinger,Meany,Mcnitt,Mcnemar,Mcmakin,Mcgaugh,Mccaa,Mauriello,Maudlin,Matzke,Mattia,Matteo,Matsumura,Masuda,Mangels,Maloof,Malizia,Mahmoud,Maglione,Maddix,Lucchesi,Lochner,Linquist,Lino,Lietz,Leventhal,Leopard,Lemanski,Leiser,Laury,Lauber,Lamberth,Kuss,Kung,Kulik,Kuiper,Krout,Kotter,Kort,Kohlmeier,Koffler,Koeller,Knipe,Knauss,Kleiber,Kissee,Kirst,Kirch,Kilgo,Kerlin,Kellison,Kehl,Kalb,Jorden,Jantzen,Jamar,Inabinet,Ikard,Husman,Hunsberger,Hundt,Hucks,Houtz,Houseknecht,Hoots,Hogsett,Hogans,Hintze,Hession,Henault,Hemming,Helsley,Heinen,Heffington,Heberling,Heasley,Heal,Hazley,Hazeltine,Hayton,Hayse,Hawke,Haston,Harward,Harvard,Harrow,Hanneman,Hafford,Hadnot,Guerro,Graig,Grahm,Gowins,Gordillo,Goosby,Glatt,Gibbens,Ghent,Gerrard,Germann,Geil,Gebo,Gean,Garling,Gardenhire,Garbutt,Gagner,Furguson,Funchess,Fujiwara,Fujita,Friley,Frigo,Forshee,Folkes,Filler,Fernald,Ferber,Feingold,Favorite,Faul,Farrelly,Fairbank,Failla,Estelle,Espey,Eshleman,Ertl,Erhart,Erhardt,Erbe,Elsea,Ells,Ellman,Eisenhart,Ehmann,Earnhardt,Duplantis,Dulac,Ducote,Draves,Dosch,Dolce,Divito,Ditch,Dimauro,Derringer,Demeo,Demartini,Delima,Dehner,Degen,Defrancisco,Defoor,Dedeaux,Debnam,Cypert,Cutrer,Cusumano,Custis,Croker,Courtois,Costantino,Cormack,Corbeil,Copher,Conlan,Conkling,Cogdell,Cilley,Chapdelaine,Cendejas,Castiglia,Cassette,Cashin,Carstensen,Carol,Caprio,Calcote,Calaway,Byfield,Butner,Bushway,Burritt,Browner,Brobst,Briner,Brighton,Bridger,Brickley,Brendel,Bratten,Bratt,Brainerd,Brackman,Bowne,Bouck,Borunda,Bordner,Bonenfant,Boer,Boehmer,Bodiford,Bleau,Blankinship,Blane,Blaha,Bitting,Bissonette,Bigby,Bibeau,Beverage,Bermudes,Berke,Bergevin,Bergerson,Bendel,Belville,Bechard,Bearce,Beadles,Batz,Bartlow,Barren,Ayoub,Avans,Aumiller,Arviso,Arpin,Arnwine,Armwood,Arent,Arehart,Arcand,Antle,Ambrosino,Alongi,Alm,Allshouse,Ahart,Aguon,Ziebarth,Zeledon,Zakrzewski,Yuhas,Yingst,Yedinak,Wommack,Winnett,Wingler,Wilcoxen,Whitmarsh,Whistler,Wayt,Watley,Wasser,Warkentin,Voll,Vogelsang,Voegele,Vivanco,Vinton,Villafane,Viles,Versace,Ver,Venne,Vanwagoner,Vanwagenen,Vanleuven,Vanauken,Uselton,Uren,Trumbauer,Tritt,Treadaway,Tozier,Tope,Tomczak,Tomberlin,Tomasini,Tollett,Toller,Titsworth,Tirrell,Tilly,Tavera,Tarnowski,Tanouye,Tall,Swarthout,Sutera,Surette,Styers,Styer,Stipe,Stickland,Steve,Stembridge,Stearn,Starkes,Stanberry,Stahr,Spino,Spicher,Sperber,Speece,Soo,Sonntag,Sneller,Smalling,Slowik,Slocumb,Sliva,Slemp,Slama,Sitz,Sisto,Sisemore,Sindelar,Shipton,Shillings,Sheeley,Sharber,Shaddix,Severns,Severino,Sever,Sensabaugh,Seder,Seawell,Seamons,Schrantz,Schooler,Scheffer,Scheerer,Scalia,Saum,Santibanez,Sano,Sanjuan,Sampley,Sailer,Sabella,Sabbagh,Royall,Rottman,Rivenbark,Rikard,Ricketson,Rickel,Rethman,Reily,Reddin,Reasoner,Reade,Rast,Ranallo,Rana,Quintal,Pung,Pucci,Proto,Prosperie,Prim,Preusser,Preslar,Powley,Postma,Pinnix,Pilla,Pietsch,Pickerel,Pica,Pharris,Petway,Petillo,Perin,Pereda,Pennypacker,Pennebaker,Pedrick,Patin,Patchell,Parodi,Parman,Pantano,Padua,Padro,Osterhout,Orner,Opp,Olivar,Ohlson,Odonoghue,Oceguera,Oberry,Novello,Noguera,Newquist,Newcombe,Neihoff,Nehring,Nees,Nebeker,Nau,Mundo,Mullenix,Morrisey,Moronta,Morillo,Morefield,Mongillo,Molino,Minto,Midgley,Michie,Menzies,Medved,Mechling,Mealy,Mcshan,Mcquaig,Mcnees,Mcglade,Mcgarity,Mcgahey,Mcduff,Mayweather,Mastropietro,Masten,Maranto,Maniscalco,Maize,Mahmood,Maddocks,Maday,Macha,Maag,Luken,Lopp,Lolley,Llanas,Litz,Litherland,Lindenberg,Lieu,Letcher,Lentini,Lemelle,Leet,Lecuyer,Leber,Laursen,Latch,Larrick,Lantigua,Langlinais,Lalli,Lafever,Labat,Labadie,Kurt,Krogman,Kohut,Knarr,Klimas,Klar,Kittelson,Kirschbaum,Kintzel,Kincannon,Kimmell,Killgore,Kettner,Kelsch,Karle,Kapoor,Johansson,Jock,Jenkinson,Janney,Isabelle,Iraheta,Insley,Hyslop,Hy,Human,Huckstep,Holleran,Hoerr,Hinze,Hinnenkamp,Hilger,Higgin,Hicklin,Heroux,Henkle,Helfer,Heikkinen,Heckstall,Heckler,Heavener,Haydel,Haveman,Haubert,Harrop,Harnois,Hansard,Hanover,Hammitt,Haliburton,Haefner,Hadsell,Haakenson,Guynn,Guizar,Grout,Grosz,Goo,Gomer,Golla,Godby,Glanz,Glancy,Givan,Giesen,Gerst,Gayman,Garraway,Gabor,Furness,Frisk,Fremont,Frary,Forand,Fessenden,Ferrigno,Fearon,Favreau,Faulks,Falbo,Ewen,Everton,Eurich,Etchison,Esterly,Entwistle,Ellingsworth,Elders,Ek,Eisenbarth,Edelson,Eckel,Earnshaw,Dunneback,Doyal,Donnellan,Dolin,Dibiase,Deschenes,Dermody,Denmark,Degregorio,Darnall,Dant,Dansereau,Danaher,Dammann,Dames,Czarnecki,Cuyler,Custard,Cummingham,Cuffie,Cuffee,Cudney,Cuadra,Crigler,Creger,Coughlan,Corvin,Cortright,Corchado,Connery,Conforti,Condron,Colosimo,Colclough,Cola,Cohee,Claire,Ciotti,Chill,Chien,Check,Chacko,Cevallos,Cavitt,Cavins,Castagna,Cashwell,Carrozza,Carrara,Capra,Campas,Callas,Caison,Cai,Caggiano,Cabot,Bynoe,Buswell,Burpo,Burnam,Burges,Buerger,Buelow,Bueche,Buckle,Bruni,Brummitt,Brodersen,Briese,Breit,Brakebill,Braatz,Boyers,Boughner,Borror,Borquez,Bonelli,Bohner,Blaze,Blaker,Blackmer,Bissette,Bibbins,Bhatt,Bhatia,Bessler,Bergh,Beresford,Bensen,Benningfield,Benito,Bellantoni,Behler,Beehler,Beazley,Beauchesne,Bargo,Bannerman,Baltes,Balog,Ballantyne,Bad,Axelson,Apgar,Aoki,Anstett,Alejos,Alcocer,Albury,Aichele,Ahl,Ackles,Zerangue,Zehner,Zank,Zacarias,Youngberg,Yorke,Yarbro,Xie,Wydra,Worthley,Wolbert,Wittmer,Witherington,Wishart,Wire,Winnie,Winkleman,Willilams,Willer,Wiedeman,Whittingham,Whitbeck,Whetsel,Wheless,Westerberg,Welcher,Wegman,Waterfield,Wasinger,Warfel,Wannamaker,Walborn,Wada,Vogl,Vizcarrondo,Vitela,Villeda,Veras,Venuti,Veney,Ulrey,Uhlig,Turcios,Tremper,Torian,Torbett,Thrailkill,Terrones,Teitelbaum,Teems,Tay,Swoope,Sunseri,Stutes,Stthomas,Strohm,Stroble,Striegel,Streicher,Stodola,Stinchcomb,Steves,Steppe,Stem,Steller,Staudt,Starner,Stamant,Stam,Stackpole,Sprankle,Speciale,Spahr,Sowders,Sova,Soluri,Soderlund,Slinkard,Skates,Sjogren,Sirianni,Siewert,Sickels,Sica,Shugart,Shoults,Shive,Shimer,Shier,Shield,Shepley,Sheeran,Sharper,Sevin,Severe,Seto,Segundo,Sedlacek,Scuderi,Schurman,Schuelke,Scholten,Schlater,Schisler,Schiefelbein,Schalk,Sanon,Sae,Sabala,Ruyle,Ruybal,Ruf,Rueb,Rowsey,Rosol,Rocheleau,Rishel,Rippey,Ringgold,Rieves,Ridinger,Rew,Retherford,Rempe,Reith,Rafter,Raffaele,Quinto,Putz,Purdom,Puls,Pulaski,Propp,Principato,Preiss,Prada,Polansky,Poch,Plath,Pittard,Pinnock,Pfarr,Pfannenstiel,Penniman,Pauling,Patchen,Paschke,Parkey,Pando,Overly,Ouimet,Ottman,Otter,Ostlund,Ormiston,Occhipinti,Nowacki,Norred,Noack,Nishida,Nilles,Nicodemus,Neth,Nealey,Myricks,Murff,Mungia,Mullet,Motsinger,Moscato,Mort,Morado,Moors,Monnier,Molyneux,Modzelewski,Miura,Minich,Militello,Milbrandt,Michalik,Meserve,Merle,Mendivil,Melara,Meadow,Mcnish,Mcelhannon,Mccroy,Mccrady,Mazzella,Maule,Mattera,Mathena,Matas,Mass,Mascorro,Marone,Marinello,Marguez,Marcell,Manwaring,Manhart,Mangano,Maggi,Lymon,Luter,Luse,Lukasik,Luiz,Ludlum,Luczak,Lowenthal,Lossett,Lorentzen,Loredo,Longworth,Lomanto,Lisi,Lish,Lipsky,Linck,Liedtke,Levering,Lessman,Lemond,Lembo,Ledonne,Leatham,Laufer,Lanphear,Langlais,Lando,Lamphear,Lamberton,Lafon,Lade,Lacross,Kyzer,Krok,Kring,Krell,Krehbiel,Kratochvil,Krach,Kovar,Kostka,Knudtson,Knaack,Kliebert,Klahn,Kirkley,Kimzey,Kettle,Kerrick,Kennerson,Keesler,Karlin,Kan,Jenny,Janousek,Jan,Imel,Icenhour,Hyler,Hunger,Hudock,Houpt,Hopping,Hoops,Holquin,Holiman,Holahan,Hodapp,Hires,Hillen,Hickmon,Hersom,Henrich,Helvey,Heidt,Heideman,Hedstrom,Hedin,Hebron,Hayter,Harn,Hardage,Harbor,Halsted,Hahne,Hagemann,Guzik,Guel,Groesbeck,Gritton,Grego,Graziani,Grasty,Graney,Gouin,Gossage,Golston,Goheen,Godina,Glade,Giorgi,Giambrone,Gerrity,Gerrish,Gero,Gerling,Gaulke,Garlick,Galiano,Gaiter,Gahagan,Gagnier,Friddle,Fredericksen,Franqui,Follansbee,Foerster,Flury,Fitzmaurice,Fiorini,Finlayson,Fiecke,Fickes,Fichter,Ferron,Ferdinand,Farrel,Fackler,Eyman,Escarcega,Errico,Erler,Erby,Engman,Engelmann,Elsass,Elliston,Eddleman,Eadie,Dummer,Drost,Dorrough,Dorrance,Doolan,Donalson,Domenico,Ditullio,Dittmar,Dishon,Dionisio,Dike,Devinney,Desir,Deschamp,Derrickson,Delamora,Deitch,Dechant,Dave,Danek,Dahmen,Curci,Cudjoe,Crumble,Croxton,Creasman,Craney,Crader,Cowling,Coulston,Cortina,Corlew,Corl,Copland,Convery,Cohrs,Clune,Clausing,Cipriani,Cinnamon,Cianciolo,Chubb,Chittum,Chenard,Charlesworth,Charlebois,Champine,Chamlee,Chagoya,Casselman,Cardello,Capasso,Cannella,Calderwood,Byford,Buttars,Bushee,Burrage,Buentello,Brzozowski,Bryner,Brumit,Brookover,Bronner,Bromberg,Brixey,Brinn,Briganti,Bremner,Brawn,Branscome,Brannigan,Bradsher,Bozek,Boulay,Bormann,Bongiorno,Bollin,Bohler,Bogert,Bodenhamer,Blose,Blind,Bivona,Bitter,Billips,Bibler,Benfer,Benedetti,Belue,Bellanger,Belford,Behn,Beerman,Barnhardt,Baltzell,Balling,Balducci,Bainter,Babineau,Babich,Baade,Attwood,Asmus,Asaro,Artiaga,April,Applebaum,Ang,Anding,Amar,Amaker,Allsup,Alligood,Alers,Agin,Agar,Achenbach,Abramowitz,Abbas,Aasen,Zehnder,Yopp,Yelle,Yeldell,Wynter,Woodmansee,Wooding,Woll,Winborne,Willsey,Willeford,Widger,Whiten,Whitchurch,Whang,Wen,Weissinger,Weinman,Weingartner,Weidler,Waltrip,Walt,Wagar,Wafford,Vitagliano,Villalvazo,Villacorta,Vigna,Vickrey,Vicini,Ventimiglia,Vandenbosch,Valvo,Valazquez,Utsey,Urbaniak,Unzueta,Trombetta,Trevizo,Trembley,Tremaine,Traverso,Tores,Tolan,Tillison,Tietjen,Tee,Teachout,Taube,Tatham,Tarwater,Tarbell,Sydow,Sy,Swims,Swader,Striplin,Stops,Stoltenberg,Steinhauer,Steil,Steigerwald,Starkweather,Stallman,Squier,Sparacino,Span,Spadafora,Shiflet,Shibata,Shevlin,Sherrick,Shake,Sessums,Servais,Senters,Seevers,Seelye,Searfoss,Seabrooks,Scoles,Schwager,Schrom,Schmeltzer,Scheffel,Sax,Sawin,Saterfiel,Sardina,Sanroman,Sane,Sandin,Salamanca,Saladin,Sak,Sabia,Rustin,Rushin,Ruley,Rueter,Row,Rotter,Rosenzweig,Roles,Rohe,Roder,Rockey,Ro,Riter,Rieth,Ried,Riding,Riddles,Ridder,Rennick,Remmers,Remer,Relyea,Reilley,Reder,Rasheed,Rakowski,Rabin,Queener,Pursel,Prue,Prowell,Pritts,Primo,Presler,Pouncy,Porche,Porcaro,Pollman,Pleas,Planas,Pinkley,Pinegar,Pilger,Philson,Petties,Perrodin,Pendergrast,Patao,Pasternak,Passarelli,Pasko,Parshall,Panos,Panella,Palombo,Padillo,Oyama,Overlock,Overbeck,Otterson,Orrell,Ornellas,Opitz,Okelly,Officer,Obando,Noggle,Nicosia,Netto,Negrin,Natali,Nakayama,Nagao,Nadel,Musial,Murrill,Murrah,Munsch,Mucci,Mrozek,Moyes,Mowrer,Moris,Morais,Moorhouse,Monico,Mone,Mondy,Moncayo,Mole,Miltenberger,Milsap,Milone,Millikin,Milardo,Mika,Micheals,Micco,Meyerson,Mericle,Mendell,Meinhardt,Meachum,Mcleroy,Mcgray,Mcgonigal,Maultsby,Matis,Matheney,Matamoros,Marro,Marcil,Marcial,Mantz,Mannings,Maltby,Malchow,Maiorano,Mahn,Mahlum,Maglio,Mae,Maberry,Lustig,Luellen,Longwell,Longenecker,Lofland,Locascio,Linney,Linneman,Lighty,Levell,Levay,Lenahan,Lemen,Lehto,Lebaron,Lanctot,Lamy,Lainez,Laffoon,Labombard,Kujawski,Kroger,Kreutzer,Korhonen,Kondo,Kollman,Kohan,Kogut,Knaus,Kivi,Kittel,Kinner,Kindig,Kindel,Kiesel,Kidney,Kibby,Khang,Kettler,Ketterer,Kepner,Kelliher,Keenum,Kanode,Kail,July,Juhasz,Jowett,Jolicoeur,Jeon,Iser,Ingrassia,Imai,Hutchcraft,Humiston,Hulings,Hukill,Huizenga,Hugley,Huddle,Hose,Hornyak,Hodder,Hisle,Hillenbrand,Hille,Higuchi,Hertzler,Herdon,Heppner,Hepp,Heitmann,Heckart,Hazlewood,Hayles,Hayek,Hawthorn,Hawkin,Haugland,Hasler,Harbuck,Happel,Hambly,Hambleton,Hagaman,Guzzi,Gullette,Guinyard,Grogg,Grise,Griffing,Goto,Gosney,Goods,Goley,Goldblatt,Gledhill,Girton,Giltner,Gillock,Gilham,Gilfillan,Giblin,Gentner,Gehlert,Gehl,Garten,Garney,Garlow,Garett,Galles,Galeana,Futral,Fuhr,Friedland,Franson,Fransen,Foulds,Follmer,Foland,Flax,Flavin,Firkins,Fillion,Figueredo,Ferrill,Fenster,Fenley,Fauver,Farfan,Factor,Eustice,Eppler,Engelman,Engelke,Emmer,Elzy,Ellwood,Ellerbee,Elks,Ehret,Ebbert,Durrah,Dupras,Dubuque,Dragoo,Donlon,Dolloff,Doi,Dibella,Derrico,Demko,Demar,Darrington,Czapla,Crooker,Creagh,Cranor,Craner,Crafts,Crabill,Coyer,Cowman,Cowherd,Cottone,Costillo,Coster,Costas,Cosenza,Corker,Collinson,Coello,Clingman,Clingerman,Claborn,Citizen,Chmura,Chausse,Chaudhry,Chapell,Chancy,Cerrone,Caves,Caverly,Caulkins,Carn,Campfield,Campanelli,Callaham,Cadorette,Butkovich,Buske,Burrier,Burkley,Bunyard,Budge,Buckelew,Buchheit,Broman,Brescia,Brasel,Brain,Boyster,Booe,Bonomo,Bonnet,Bondi,Bohnsack,Bobby,Blomberg,Blanford,Bilderback,Biggins,Bently,Behrends,Beegle,Bedoya,Bechtol,Beaubien,Bayerl,Baumgart,Baumeister,Barratt,Barlowe,Barkman,Barbagallo,Baldree,Baine,Bail,Baggs,Bacote,Aylward,Ashurst,Arvidson,Arthurs,Arrieta,Arrey,Arreguin,Arrant,Arner,Armor,Arizmendi,Anker,Amis,Amend,Alphin,Allbright,Aikin,Acres,Zupan,Zuchowski,Zeolla,Zanchez,Zahradnik,Zahler,Younan,Yeater,Yearta,Yarrington,Yantis,Woomer,Wollard,Wolfinger,Woerner,Witek,Wishon,Wisener,Wingerter,Willet,Wilding,Wiedemann,Weisel,Wedeking,Weary,Waybright,Wardwell,Walkins,Waldorf,Voth,Voit,Virden,Viloria,Villagran,Vasta,Vashon,Vaquera,Vantassell,Vanderlinden,Vandergrift,Vancuren,Valenta,Underdahl,Tyra,Tygart,Twining,Twiford,Turlington,Tullius,Tubman,Trowell,Trieu,Transue,Tousant,Torgersen,Tooker,Tony,Tome,Toma,Tocci,Tippins,Tinner,Timlin,Tillinghast,Tidmore,Teti,Tedrick,Tacey,Swanberg,Sunde,Summitt,Summerford,Summa,Sue,Stratman,Strandberg,Storck,Stober,Steitz,Stayer,Stauber,Staiger,Sponaugle,Spofford,Sparano,Spagnola,Sokoloski,Snay,Slough,Skowronski,Sieck,Shimkus,Sheth,Sherk,Shankles,Shakespeare,Shahid,Sevy,Sergeant,Senegal,Seiden,Seidell,Searls,Searight,Schwalm,Schug,Schilke,Schier,Scheck,Sawtelle,Santore,Santa,Sanks,Sandquist,Sanden,Saling,Sabine,Saathoff,Ryberg,Rustad,Ruffing,Rudnicki,Ruane,Rozzi,Rowse,Rosenau,Rodes,Risser,Riggin,Riess,Riese,Rhoten,Reinecke,Reigle,Reichling,Redner,Rebelo,Raynes,Raimondi,Rahe,Rada,Querry,Quellette,Pulsifer,Prochnow,Pretty,Prato,Poulton,Poudrier,Poll,Policastro,Polhemus,Polasek,Poissant,Pohlmann,Plotner,Pitkin,Pita,Pio,Pinkett,Pilot,Piekarski,Pichon,Philippe,Pfau,Petroff,Petermann,Peplinski,Peller,Pecinovsky,Pearse,Pattillo,Patague,Parlier,Parenti,Parchman,Pane,Paff,Ota,Ortner,Oros,Nolley,Noakes,Nigh,Nicolosi,Nicolay,Newnam,Netter,Nass,Napoles,Nakata,Nakamoto,Muriel,Muck,Morlock,Moraga,Montilla,Mongeau,Molitor,Mohney,Mitchener,Meyerhoff,Medel,Mcniff,Mcmonagle,Mcglown,Mcglinchey,Mcgarrity,Mccright,Mccorvey,Mcconnel,Mccargo,Mazzei,Matula,Mastroianni,Massingale,Maring,Maricle,Marc,Mans,Mannon,Mannix,Manney,Manger,Manalo,Malo,Malan,Mahony,Madril,Mackowiak,Macko,Macintosh,Lurry,Luczynski,Lucke,Lucarelli,Luca,Loud,Lou,Losee,Lorence,Loiacono,Lohse,Loder,Lipari,Linebarger,Lindamood,Limbaugh,Letts,Leleux,Leep,Leeder,Leard,Laxson,Lawry,Laverdiere,Laughton,Lastra,Kurek,Kriss,Krishnan,Kretschmer,Krebsbach,Kontos,Knobel,Knauf,Klick,Kleven,Klawitter,Kitchin,Kirkendoll,Kinkel,Kingrey,Kilbourn,Kensinger,Kennerly,Kamin,Justiniano,Jurek,Junkin,Julia,Judon,Jordahl,Jeanes,Jarrells,Jamal,Iwamoto,Isreal,Ishida,Ines,Immel,Iman,Ihle,Hyre,Hurn,Hunn,Hultman,Huffstetler,Huffer,Hubner,Howey,Horney,Hooton,Holts,Holscher,Holen,Hoggatt,Hilaire,Herz,Henne,Helstrom,Hellickson,Heinlein,Heckathorn,Heckard,Heather,Heart,Headlee,Hauptman,Haughey,Hatt,Harring,Harford,Hammill,Hamed,Halperin,Haig,Hagwood,Hagstrom,Gunnells,Gundlach,Guardiola,Greeno,Greenland,Gonce,Goldsby,Gobel,Gisi,Gillins,Gillie,Germano,Geibel,Gauger,Garriott,Garbarino,Gander,Gajewski,Funari,Fullbright,Fuell,Fritzler,Freshwater,Freas,Fortino,Forbus,Fonda,Flohr,Flemister,Fisch,Finks,Fenstermaker,Feldstein,Faw,Farhat,Farah,Fankhauser,Fagg,Fader,Exline,Emigh,Eguia,Edman,Eckler,Eastburn,Dy,Dunmore,Dubuisson,Dubinsky,Drayer,Doverspike,Doubleday,Doten,Dorner,Dolson,Dohrmann,Disla,Direnzo,Dipaola,Dines,Dickie,Diblasi,Dewolf,Desanti,Dennehy,Demming,Delker,Decola,Davilla,Davids,Daughtridge,Darville,Darland,Danzy,Dandy,Dagenais,Culotta,Cruzado,Crudup,Croswell,Coverdale,Covelli,Couts,Corbell,Coplan,Coolbaugh,Conyer,Conlee,Conigliaro,Comiskey,Coberly,Clendening,Clairmont,Cienfuegos,Chojnacki,Chilcote,Champney,Cassara,Casazza,Casado,Carew,Carbin,Carabajal,Calcagni,Cail,Caddy,Busbee,Burts,Burbridge,Bunge,Bundick,Buhler,Bucker,Bucholtz,Bruen,Broce,Brite,Brignac,Brierly,Bridgman,Braham,Bradish,Boyington,Borjas,Bonnie,Bonn,Bonhomme,Bohlen,Bogardus,Bockelman,Blick,Blackerby,Bizier,Biro,Binney,Bertolini,Bertin,Berti,Bert,Bento,Beno,Belgarde,Belding,Beckel,Becerril,Bazaldua,Bayes,Bayard,Barrus,Barris,Baros,Bara,Ballow,Balboa,Bakewell,Baginski,Badalamenti,Backhaus,Avilez,Auvil,Atteberry,Ardon,Anzaldua,Anello,Amsler,Amo,Ambrosio,Althouse,Alles,Alix,Alberti,Alberson,Aitchison,Aguinaga,Ziemann,Zickefoose,Zerr,Zeh,Zeck,Zartman,Zahm,Zabriskie,Yohn,Yellowhair,Yeaton,Yarnall,Yaple,Wolski,Wixon,Winford,Willner,Willms,Whitsitt,Wheelwright,Weyandt,Wess,Wengerd,Weatherholtz,Wattenbarger,Walrath,Walpole,Waldrip,Voges,Violet,Vinzant,Viars,Veres,Veneziano,Veillon,Vawter,Vaughns,Vanwart,Vanostrand,Valiente,Valderas,Uhrig,Tunison,Tulloch,Trostle,Treaster,Traywick,Toye,Tomson,Tomasello,Tomasek,Tippit,Tinajero,Tift,Tienda,Thorington,Thierry,Thieme,Thibeau,Thakkar,Tewell,Test,Telfer,Sweetser,Sum,Stratford,Stracener,Stoke,Stiverson,Stelling,Stefan,Stavros,Speaker,Spatz,Spagnoli,Sorge,Sober,Slevin,Slabaugh,Simson,Shupp,Shoultz,Shotts,Shiroma,Shetley,Sherrow,Sheffey,Shawgo,Shamburger,Sester,Segraves,Seelig,Seats,Scioneaux,Schwartzkopf,Schwabe,Scholes,Schmuck,Schluter,Schlecht,Schillaci,Schildgen,Schieber,Schewe,Schecter,Scarpelli,Scaglione,Sautter,Santelli,Sandman,Salmi,Sabado,Ryer,Rydberg,Ryba,Rushford,Running,Runk,Ruddick,Rotondo,Rote,Rosenfield,Roesner,Rocchio,Ritzer,Rippel,Rimes,Riffel,Richison,Ribble,Reynold,Resh,Rehn,Ratti,Rasor,Rasnake,Rappold,Rando,Radosevich,Pulice,Puff,Prichett,Pribble,Poynor,Plowden,Pitzen,Pittsley,Pitter,Pigeon,Philyaw,Philipps,Petite,Pestana,Perro,Perone,Pera,Peil,Pedone,Pawlowicz,Pattee,Parten,Parlin,Pariseau,Paredez,Pardon,Panther,Paek,Pacifico,Otts,Ostrow,Osornio,Oslund,Orso,Ooten,Onken,Oniel,Onan,Ollison,Ohlsen,Ohlinger,Odowd,Niemiec,Neubert,Nembhard,Neaves,Neathery,Nakasone,Myerson,Muto,Muntz,Munez,Mumme,Mumm,Mujica,Muise,Muench,Morriss,Molock,Mishoe,Minier,Metzgar,Mero,Meiser,Meese,Meals,Mcsween,Mcquire,Mcquinn,Mcpheeters,Mckeller,Mcilrath,Mcgown,Mcdavis,Mccuen,Mcclenton,Maxham,Matsui,Marriner,Marlette,Mantle,Mansur,Mancino,Maland,Majka,Maisch,Maheux,Madry,Madriz,Mackley,Macke,Lydick,Lutterman,Luppino,Lundahl,Lovingood,Loudon,Longmore,Lippman,Liefer,Leveque,Lescarbeau,Lemmer,Ledgerwood,Lawver,Lawrie,Lattea,Lasko,Lahman,Kulpa,Kukowski,Kukla,Kubota,Kubala,Krizan,Kriz,Krikorian,Kravetz,Kramp,Kowaleski,Knobloch,Klosterman,Kloster,Klepper,Kirven,Kinnaman,Kinnaird,Killam,Kiesling,Kesner,Keebler,Keagle,Karls,Kapinos,Kantner,Kaba,Junious,Jefferys,Jacquet,Izzi,Ishii,Irion,Ifill,Hyun,Hotard,Horman,Hoppes,Hopkin,Hokanson,Hoda,Hocutt,Hoaglin,Hites,Hirai,Hindle,Hinch,Hilty,Hild,Hier,Hickle,Hibler,Henrichs,Hempstead,Helmers,Hellard,Heims,Heidler,Hearst,Hawbaker,Hau,Harkleroad,Harari,Hanney,Hannaford,Hamid,Hamburger,Haltom,Hallford,Guilliams,Guerette,Gryder,Groseclose,Groen,Grimley,Greenidge,Greek,Graffam,Goucher,Goodenough,Goldsborough,Goldie,Gloster,Glanton,Gladson,Gladding,Ghee,Gethers,Gerstein,Geesey,Geddie,Gayer,Gaw,Gaver,Gauntt,Gartland,Garriga,Garoutte,Gao,Gan,Fronk,Fritze,Frenzel,Forgione,Fluitt,Flinchbaugh,Flach,Fiorito,Finan,Finamore,Fimbres,Fillman,File,Figeroa,Ficklin,Feher,Feddersen,Fambro,Fairbairn,Eves,Esperanza,Escalona,Elsey,Eisenstein,Ehrenberg,Eargle,Dress,Drane,Dorothy,Doria,Dogan,Dively,Dewolfe,Dettman,Desiderio,Desch,Dennen,Denk,Demaris,Delsignore,Dejarnette,Deere,Dedman,Daws,Dawn,Dauphinais,Danz,Dantin,Dannenberg,Dalby,Currence,Culwell,Cuesta,Croston,Crossno,Cromley,Crisci,Craw,Coryell,Cooter,Condra,Columbia,Colpitts,Colas,Coach,Clink,Clevinger,Clermont,Cistrunk,Cirilo,Chirico,Chiarello,Cephus,Cecena,Cavaliere,Caughey,Casimir,Carwell,Carlon,Carbonaro,Caraveo,Cantley,Callejas,Cagney,Cadieux,Cabaniss,Bushard,Burlew,Buras,Budzinski,Bucklew,Bruneau,Brummer,Brueggemann,Brotzman,Bross,Broad,Brittian,Brimage,Briles,Brickman,Breneman,Breitenstein,Brandel,Brackins,Boydstun,Botta,Bosket,Boros,Borgmann,Bordeau,Bonifacio,Bolten,Boehman,Blundell,Bloodsaw,Bjerke,Biffle,Bickett,Bickers,Beville,Bergren,Bergey,Benzing,Belfiore,Beirne,Beckert,Bebout,Baumert,Battey,Bartman,Barrs,Barriere,Barcelo,Barbe,Balliet,Baham,Babst,Auton,Asper,Asbell,Arzate,Argento,Arel,Araki,Arai,Apo,Antley,Amodeo,Ammann,Allyn,Allensworth,Aldape,Akey,Abeita,Zweifel,Zeng,Zeiler,Zamor,Zalenski,Yzaguirre,Yousef,Yetman,Yau,Wyer,Woolwine,Wohlgemuth,Wohlers,Wittenberg,Wingrove,Wind,Wimsatt,Willimas,Wilkenson,Wildey,Wilderman,Wilczynski,Wigton,Whorley,Wellons,Welles,Welle,Weirich,Weideman,Weide,Weekly,Weast,Wasmund,Warshaw,Walson,Waldner,Walch,Walberg,Wagener,Wageman,Vrieze,Vossen,Vorce,Voorhis,Vonderheide,Viruet,Vicari,Verne,Velasques,Vautour,Vartanian,Varona,Vankeuren,Vandine,Vandermeer,Ursery,Underdown,Uhrich,Uhlman,Tworek,Twine,Twellman,Tweedie,Tutino,Turmelle,Tubb,Troop,Trivedi,Triano,Trevathan,Treese,Treanor,Treacy,Traina,Topham,Toenjes,Tippetts,Tieu,Thomure,Thatch,Than,Tetzlaff,Tetterton,Tena,Tell,Teamer,Tappan,Tank,Talcott,Tagg,Szczepanski,Syring,Surace,Sulzer,Sugrue,Sugarman,Suess,Styons,Stwart,Stupka,Strey,Straube,Strate,Stoddart,Stockbridge,Stjames,Stinger,Steimle,Steenberg,Start,Stamand,Staller,Stahly,Stager,Spurgin,Sprow,Sponsler,Speas,Spainhour,Sones,Smits,Smelcer,Slovak,Slaten,Singleterry,Simien,Sidebottom,Sibrian,Shellhammer,Shelburne,Shambo,Sepeda,Seigel,Scogin,Scianna,Schmoll,Schmelzer,Scheu,Schachter,Savant,Sauseda,Satcher,Sandor,Sampsell,Rugh,Rufener,Rudolf,Rotenberry,Rossow,Rossbach,Roots,Rollman,Rodrique,Rodreguez,Rodkey,Roda,Rising,Rini,Riggan,Rients,Riedl,Rhines,Ress,Reinbold,Raschke,Rardin,Rain,Racicot,Quillin,Pushard,Primrose,Pries,Pressey,Precourt,Pratts,Postel,Poppell,Plumer,Pingree,Pieroni,Pflug,Petre,Petrarca,Peterka,Peru,Perkin,Pergande,Peranio,Penna,Pekar,Pea,Paulhus,Pasquariello,Parras,Parmentier,Para,Panzer,Pamplin,Oviatt,Osterhoudt,Ostendorf,Osmun,Ortman,Orloff,Orban,Onofrio,Olveda,Oltman,Okeeffe,Ocana,Nunemaker,Novy,Noffsinger,Nish,Niday,Nethery,Nestle,Nemitz,Neidert,Nadal,Nack,Muszynski,Munsterman,Mulherin,Mortimore,Morter,Montesino,Montalvan,Montalbano,Momon,Moman,Mom,Mogan,Minns,Millward,Milling,Michelsen,Micheal,Mewborn,Metro,Metayer,Mensch,Meloy,Meggs,Meaders,Mcsorley,Mcmenamin,Mclead,Mclauchlin,Mcguffey,Mcguckin,Mcglaughlin,Mcferron,Mcentyre,Mccrum,Mccawley,Mcbain,Mayhue,Mau,Matzen,Matton,Marsee,Marrin,Marland,Markum,Mantilla,Manfre,Malta,Makuch,Madlock,Maclaren,Macauley,Luzier,Luthy,Lufkin,Lucena,Loudin,Lothrop,Lorch,Lona,Loll,Loadholt,Lisa,Lippold,Likes,Lichtman,Liberto,Liakos,Lewicki,Levett,Level,Lentine,Leja,Legree,Lawhead,Lauro,Lauder,Lard,Lanman,Lank,Laning,Lama,Lalor,Krob,Kriger,Kriegel,Krejci,Kreisel,Kozel,Kos,Konkel,Kolstad,Koenen,Kocsis,Knoblock,Knebel,Klopfer,Klee,Kilday,Kesten,Kerbs,Kempker,Keathley,Kazee,Kawasaki,Kaur,Kamer,Kamaka,Kallenbach,Kafka,Jerrell,Jehle,Jaycox,Jardin,Jahns,Ivester,Hyppolite,Hyche,Husbands,Hur,Huppert,Hulin,Hubley,Horsey,Hornak,Holzwarth,Holmon,Hollabaugh,Holaway,Hodes,Hoak,Hinesley,Hillwig,Hillebrand,Highfield,Heslop,Herrada,Hendryx,Hellums,Heit,Heishman,Heindel,Hayslip,Hayford,Hastie,Hartgrove,Hanus,Hakim,Hains,Hadnott,Gundersen,Gulino,Guidroz,Guebert,Gressett,Greenhouse,Graydon,Gramling,Grahn,Goupil,Gory,Gorelick,Goodreau,Goodnough,Golay,Going,Goers,Glatz,Gillikin,Gieseke,Giammarino,Getman,Geronimo,Gerardo,Gensler,Gazda,Garibaldi,Gahan,Fury,Funderburke,Fukuda,Fugitt,Fuerst,Fortman,Forsgren,Formica,Fluke,Flink,Fitton,Feltz,Fekete,Feit,Fehrenbach,Farone,Farinas,Faries,Fagen,Ewin,Esquilin,Esch,Enderle,Ellery,Ellers,Ekberg,Egli,Effinger,Dymond,Dulle,Dula,Duhe,Dudney,Duane,Dowless,Dower,Dorminey,Dopp,Dooling,Domer,Disher,Dillenbeck,Difilippo,Dibernardo,Deyoe,Devillier,Denley,Deland,Defibaugh,Deeb,Debow,Dauer,Datta,Darcangelo,Daoust,Damelio,Dahm,Dahlman,Cypher,Curling,Curlin,Cupit,Culton,Cuenca,Cropp,Croke,Cremer,Crace,Cosio,Corzine,Coombe,Coman,Colone,Coloma,Collingwood,Coletta,Coderre,Cocke,Cobler,Claybrook,Circle,Cincotta,Cimmino,Christoff,Christina,Chisum,Chillemi,Chevere,Chae,Chachere,Cervone,Cermak,Cefalu,Cauble,Cather,Caso,Carns,Carcamo,Carbo,Capoccia,Capello,Capell,Canino,Cambareri,Calvi,Cabiness,Bushell,Burtt,Burstein,Burkle,Bunner,Bundren,Buechler,Bryand,Bruso,Brownstein,Brow,Brouse,Brodt,Broaden,Brisbin,Brightman,Bridgett,Brenes,Breitenbach,Brazzell,Brazee,Bramwell,Bramhall,Bradstreet,Boyton,Bowland,Boulter,Bossert,Bonura,Bonebrake,Bonacci,Boeck,Blystone,Birchard,Bilal,Biddy,Bibee,Bevans,Bethke,Bertelsen,Berney,Bergfeld,Benware,Bellon,Bellah,Been,Batterton,Barberio,Bamber,Bagdon,Badeaux,Averitt,Augsburger,Ates,Arvie,Aronowitz,Arens,Arch,Araya,Angelos,Andrada,Amell,Amante,Alvin,Almy,Almquist,Alls,Aispuro,Aguillon,Agudelo,Admire,Acy,Aceto,Abbot,Abalos,Zdenek,Zaremba,Zaccaria,Youssef,Wrona,Wrinkle,Wrede,Wotton,Woolston,Wolpert,Wollman,Wince,Wimberley,Willmore,Willetts,Wikoff,Wieder,Wickert,Whitenack,Wernick,Welte,Welden,Weiskopf,Weisenberger,Weich,Wallington,Walder,Vossler,Vore,Vigo,Vierling,Victorine,Verdun,Vencill,Vena,Vazguez,Vassel,Vanzile,Vanvliet,Vantrease,Vannostrand,Vanderveer,Vanderveen,Vancil,Uyeda,Umphrey,Uhler,Uber,Tutson,Turrentine,Tullier,Tugwell,Trundy,Tripodi,Tomer,Tomei,Tomasi,Tomaselli,Tokarski,Tisher,Tibbets,Thweatt,Thistle,Tharrington,Tesar,Telesco,Teasdale,Tatem,Taniguchi,Suriel,Sudler,Stutsman,Sturman,Strite,Strelow,Streight,Strawder,Stransky,Strahl,Stours,Stong,Stinebaugh,Stilts,Stillson,Steyer,Stelle,Steffy,Steffensmeier,Statham,Squillante,Spiess,Spargo,Southward,Soller,Soden,Snuggs,Snellgrove,Smyers,Smiddy,Slonaker,Skyles,Skowron,Sivils,Siqueiros,Siers,Siddall,Shorty,Shontz,Shingler,Shiley,Shibley,Sherard,Shelnutt,Shedrick,Shasteen,Sereno,Selke,Scovil,Scola,Schuett,Schuessler,Schreckengost,Schranz,Schoepp,Schneiderman,Schlanger,Schiele,Scheuermann,Schertz,Scheidler,Scheff,Schaner,Schamber,Scardina,Savedra,Saulnier,Sater,Sarro,Sambrano,Salomone,Sabourin,Ruud,Rutten,Ruffino,Ruddock,Rowser,Roussell,Rosengarten,Rominger,Rollinson,Rohman,Roeser,Rodenberg,Roberds,Ridgell,Rhodus,Reynaga,Rexrode,Revelle,Rempel,Remigio,Reising,Reiling,Reetz,Rayos,Ravenscroft,Ravenell,Raulerson,Rasmusson,Rask,Rase,Ragon,Quesnel,Quashie,Puzo,Puterbaugh,Ptak,Prost,Prisbrey,Principe,Pricer,Pratte,Pouncey,Portman,Pontious,Pomerantz,Platter,Planck,Pilkenton,Pilarski,Piano,Phegley,Pertuit,Perla,Penta,Pelc,Peffer,Pech,Peagler,Pavelka,Pavao,Patman,Paskett,Parrilla,Pardini,Papazian,Panter,Palin,Paley,Pai,Pages,Paetzold,Packett,Pacheo,Ostrem,Orsborn,Olmedo,Okamura,Oiler,Ohm,Oglesbee,Oatis,Oakland,Nuckles,Notter,Nordyke,Nogueira,Niswander,Nibert,Nesby,Neloms,Nading,Naab,Munns,Mullarkey,Moudy,Moret,Monnin,Molder,Modisette,Moczygemba,Moctezuma,Mischke,Miro,Mings,Milot,Milledge,Milhorn,Milera,Mieles,Mickley,Michelle,Micek,Metellus,Mersch,Merola,Mercure,Mencer,Mellin,Mell,Meinke,Mcquillan,Mcmurtrie,Mckillop,Mckiernan,Mckendrick,Mckamie,Mcilvaine,Mcguffie,Mcgonigle,Mcgarrah,Mcfetridge,Mcenaney,Mcdow,Mccutchan,Mccallie,Mcadam,Maycock,Maybee,Mattei,Massi,Masser,Masiello,Marth,Marshell,Marmo,Marksberry,Markell,Marchal,Manross,Manganaro,Mally,Mallow,Mailhot,Magyar,Madonna,Madero,Madding,Maddalena,Macfarland,Lynes,Lush,Lugar,Luckie,Lucca,Lovitt,Loveridge,Loux,Loth,Loso,Lorenzana,Lorance,Lockley,Lockamy,Littler,Litman,Litke,Liebel,Lichtenberger,Licea,Leverich,Letarte,Lesesne,Leno,Legleiter,Leffew,Laurin,Launius,Laswell,Lassen,Lasala,Laraway,Laramore,Landrith,Lancon,Lanahan,Laiche,Laford,Lachermeier,Kunst,Kugel,Kuck,Kuchta,Kube,Korus,Koppes,Kolbe,Koerber,Kochan,Knittel,Kluck,Kleve,Kleine,Kitch,Kirton,Kirker,Kintz,Kinghorn,Kindell,Kimrey,Kilduff,Kilcrease,Kicklighter,Kibble,Kervin,Keplinger,Keogh,Kellog,Keeth,Kealey,Kazmierczak,Karner,Kamel,Kalina,Kaczynski,Juel,Joye,Jerman,Jeppson,Jawad,Jasik,Jaqua,Janusz,Janco,Island,Inskeep,Inks,Ingold,Ing,Hyndman,Hymer,Hunte,Hunkins,Humber,Huffstutler,Huffines,Hudon,Hudec,Hovland,Houze,Hout,Hougland,Hopf,Hon,Holsapple,Holness,Hollenbach,Hoffmeister,Hitchings,Hirata,Hieber,Hickel,Hewey,Herriman,Hermansen,Herandez,Henze,Heffelfinger,Hedgecock,Hazlitt,Hazelrigg,Haycock,Harren,Harnage,Harling,Harcrow,Hannold,Hanline,Hanel,Hanberry,Hammersley,Hamernik,Halliwell,Hajduk,Haithcock,Haff,Hadaway,Haan,Gullatt,Guilbault,Guidotti,Gruner,Grisson,Grieves,Granato,Gracie,Grabert,Gover,Gorka,Glueck,Girardin,Giorgio,Giesler,Gersten,Gering,Geers,Gaut,Gaulin,Gaskamp,Garbett,Gallivan,Galland,Gaeth,Fullenkamp,Fullam,Friedrichs,Freire,Freeney,Fredenburg,Frappier,Fowkes,Foree,Fleurant,Fleig,Fleagle,Fitzsimons,Fischetti,Fiorenza,Finneran,Filippi,Figueras,Fesler,Fertig,Fennel,Feltmann,Felps,Felmlee,Faye,Fannon,Familia,Fairall,Fail,Fadden,Esslinger,Enfinger,Elsasser,Elmendorf,Ellisor,Einhorn,Ehrman,Egner,Edmisten,Edlund,Ebinger,Dyment,Dykeman,Durling,Dunstan,Dunsmore,Dugal,Duer,Drescher,Doyel,Down,Dossey,Donelan,Dockstader,Dobyns,Divis,Dilks,Didier,Desrosier,Desanto,Deppe,Deng,Delosh,Delange,Defrank,Debo,Dauber,Dartez,Daquila,Dankert,Dahn,Cygan,Cusic,Curfman,Croghan,Croff,Criger,Creviston,Crays,Cravey,Crandle,Crail,Crago,Craghead,Cousineau,Couchman,Cothron,Corella,Conine,Coller,Colberg,Cogley,Coatney,Coale,Clendenin,Claywell,Clagon,Cifaldi,Choiniere,Chickering,Chica,Chennault,Chavarin,Chattin,Chaloux,Challis,Cesario,Certain,Cazarez,Caughman,Catledge,Casebolt,Carrel,Carra,Carlow,Capote,Canez,Camillo,Caliendo,Calbert,Cairo,Bylsma,Bustle,Buskey,Buschman,Burkhard,Burghardt,Burgard,Buonocore,Bunkley,Bungard,Bundrick,Bumbrey,Buice,Buffkin,Brundige,Brockwell,Brion,Brin,Briant,Bredeson,Bransford,Brannock,Brakefield,Brackens,Brabant,Boxer,Bowdoin,Bouyer,Bothe,Boor,Bonavita,Bollig,Blurton,Blunk,Blanke,Blanck,Birden,Bierbaum,Bevington,Beutler,Betters,Bettcher,Bera,Benway,Bengston,Benesh,Behar,Bedsole,Becenti,Beachy,Battersby,Basta,Bartmess,Bartle,Bartkowiak,Barsky,Barrio,Barletta,Barfoot,Banegas,Ballin,Baldonado,Bal,Azcona,Avants,Austell,Aungst,Aune,Aumann,Audia,Atterbury,Asselin,Asmussen,Ashline,Asbill,Arvizo,Arnot,Ariola,Ardrey,Angstadt,Anastasio,Amsden,Amor,Amerman,Alred,Almeda,Allington,Alewine,Alcina,Alberico,Alas,Ahlgren,Aguas,Agrawal,Agosta,Adolphsen,Addie,Acre,Acey,Aburto,Abler,Zwiebel,Zuk,Zepp,Zentz,Ybarbo,Yarberry,Yamauchi,Yamashiro,Wurtz,Wronski,Worster,Wootten,Wool,Wongus,Woltz,Wolanski,Witzke,Withey,Wisecarver,Wingham,Wineinger,Winegarden,Windholz,Wilgus,Wiesen,Wieck,Widrick,Wickliffe,Whittenberg,Westby,Werley,Wengert,Wendorf,Weimar,Weick,Weckerly,Watrous,Wasden,Walford,Wainright,Wahlstrom,Wadlow,Vrba,Voisin,Vives,Vivas,Vitello,Villescas,Villavicencio,Villanova,Vialpando,Vetrano,Verona,Vensel,Vassell,Varano,Vanriper,Vankleeck,Vanduyne,Vanderpol,Vanantwerp,Valenzula,Udell,Turnquist,Tuff,Trickett,Tremble,Tramble,Tingey,Ting,Timbers,Tietz,Thon,Thiem,Then,Tercero,Tenner,Tenaglia,Teaster,Tarlton,Taitt,Taggert,Tabon,Sward,Swaby,Suydam,Surita,Suman,Sugar,Suddeth,Stumbo,Studivant,Strobl,Stretch,Streich,Stow,Stoodley,Stoecker,Stillwagon,Stickle,Stellmacher,Stefanik,Steedley,Starbird,Stake,Stainback,Stacker,Speir,Spath,Sommerfeld,Soltani,Solie,Sojka,Sobota,Sobieski,Sobczak,Smullen,Sleeth,Slaymaker,Skolnick,Skoglund,Sires,Singler,Silliman,Shrock,Shott,Shirah,Shimek,Shepperd,Sheffler,Sheeler,Sharrock,Sharman,Shalash,Seyfried,Seybold,Selander,Seip,Seifried,Sedor,Sedlock,Sebesta,Seago,Scutt,Scrivens,Sciacca,Schultze,Schoemaker,Schleifer,Schlagel,Schlachter,Schempp,Scheider,Scarboro,Santi,Sang,Sandhu,Sally,Salim,Saia,Rylander,Ryburn,Rutigliano,Ruocco,Ruland,Rudloff,Rott,Rosenburg,Rosenbeck,Romberger,Romanelli,Rohloff,Rohlfing,Rodda,Rodd,Ritacco,Rielly,Rieck,Rickles,Rickenbacker,Rhett,Respass,Reisner,Reineck,Reighard,Rehbein,Rega,Redwood,Reddix,Razor,Rawles,Raver,Rattler,Ratledge,Rathman,Ramsburg,Raisor,Radovich,Radigan,Quail,Puskar,Purtee,Priestly,Prestidge,Presti,Pressly,Pozo,Pottinger,Portier,Porta,Porcelli,Poplawski,Polin,Points,Poeppelman,Pocock,Plump,Plantz,Placek,Piro,Pinnell,Pinkowski,Pietz,Picone,Philbeck,Pflum,Peveto,Perret,Pentz,Payer,Paulette,Patlan,Paterno,Papageorge,Pae,Overmyer,Overland,Osier,Orwig,Orum,Orosz,Oquin,Opie,Oda,Ochsner,Oathout,Nygard,Norville,Northway,Niver,Nicolson,Newhart,Nery,Neitzel,Nath,Nanez,Mustard,Murnane,Mortellaro,Morreale,Morino,Moriarity,Morgado,Moorehouse,Mongiello,Molton,Mirza,Minnix,Millspaugh,Milby,Miland,Miguez,Mickles,Michaux,Mento,Melugin,Melrose,Melito,Meinecke,Mehr,Meares,Mcneece,Mckane,Mcglasson,Mcgirt,Mcgilvery,Mcculler,Mccowen,Mccook,Mcclintic,Mccallon,Mazzotta,Maza,Mayse,Mayeda,Matousek,Matley,Martyn,Maroon,Marney,Marnell,Marling,Marcelino,Manuelito,Maltos,Malson,Maire,Mahi,Maffucci,Macken,Maass,Lyttle,Lynd,Lyden,Lukasiewicz,Luebbers,Lovering,Loveall,Lords,Longtin,Lok,Lobue,Loberg,Loan,Lipka,Lion,Linen,Lightbody,Lichty,Levert,Lev,Lettieri,Letsinger,Lepak,Lemmond,Lembke,Leitz,Lasso,Lasiter,Lango,Landsman,Lamirande,Lamey,Laber,Kuta,Kulesza,Kua,Krenz,Kreiner,Krein,Kreiger,Kraushaar,Kottke,Koser,Kornreich,Kopczynski,Konecny,Kok,Koff,Koehl,Kocian,Knaub,Kmetz,Kluender,Klenke,Kleeman,Kitzmiller,Kirsh,Kilman,Kildow,Kielbasa,Ketelsen,Kesinger,Kendra,Kehr,Keef,Kauzlarich,Karter,Kahre,Junk,Jong,Jobin,Joaquin,Jinkins,Jines,Jeffress,Jaquith,Jaillet,Jablonowski,Ishikawa,Irey,Ingerson,Indelicato,In,Huntzinger,Huisman,Huett,Howson,Houge,Hosack,Hora,Hoobler,Holtzen,Holtsclaw,Hollingworth,Hollin,Hoberg,Hobaugh,Hilker,Hilgefort,Higgenbotham,Heyen,Hetzler,Hessel,Hennessee,Hendrie,Hellmann,Heft,Heesch,Haymond,Haymon,Haye,Havlik,Havis,Haverland,Haus,Harstad,Harriston,Harm,Harju,Hardegree,Hankey,Hands,Hampshire,Hammell,Hamaker,Halbrook,Halberg,Guptill,Guntrum,Gunderman,Gunder,Gularte,Guarnieri,Gu,Groll,Grippo,Greely,Grave,Gramlich,Goh,Goewey,Goetzinger,Goding,Giraud,Giefer,Giberson,Gennaro,Gemmell,Gearing,Gayles,Gaudin,Gatz,Gatts,Gasca,Garn,Gandee,Gammel,Galindez,Galati,Gagliardo,Fulop,Fukushima,Friedt,Fretz,Frenz,Freeberg,Frederic,Fravel,Fountaine,Forry,Forck,Fonner,Flippin,Flewelling,Flansburg,Filippone,Fettig,Fenlon,Felter,Felkins,Fein,Faz,Favor,Favero,Faulcon,Farver,Farless,Fahnestock,Facemire,Faas,Eyer,Evett,Every,Esses,Escareno,Ensey,Ennals,Engelking,Empey,Emily,Elvira,Ellithorpe,Effler,Edling,Edgley,Durrell,Dunkerson,Draheim,Domina,Dombrosky,Doescher,Dobbin,Divens,Dinatale,Dimitri,Dieguez,Diede,Devivo,Devilbiss,Devaul,Determan,Desjardin,Deshaies,Demo,Delpozo,Delorey,Delman,Delapp,Delamater,Deibert,Degroff,Debelak,Dapolito,Dano,Dacruz,Dacanay,Cushenberry,Cruze,Crosbie,Cregan,Cousino,Corrie,Corrao,Corney,Cookingham,Conry,Collingsworth,Coldren,Cobian,Coate,Clauss,Chrysler,Christine,Christenberry,Chmiel,Chauez,Charters,Chait,Cesare,Cella,Caya,Castenada,Cashen,Captain,Cantrelle,Canova,Candy,Canary,Campione,Camel,Calixte,Caicedo,Byerley,Buttery,Butter,Burda,Burchill,Bun,Bulmer,Bulman,Buesing,Buczek,Buckholz,Buchner,Buchler,Buban,Bryne,Brutus,Brunkhorst,Brumsey,Brumer,Brownson,Broker,Brodnax,Brezinski,Brazile,Braverman,Brasil,Branning,Bradly,Boye,Boulden,Bough,Bossard,Bosak,Borth,Borgmeyer,Borge,Blowers,Blaschke,Blann,Blankenbaker,Bisceglia,Billingslea,Bialek,Beverlin,Besecker,Berquist,Benigno,Benavente,Belizaire,Beisner,Behrman,Beausoleil,Bea,Baylon,Bayley,Bassi,Basnett,Basilio,Basden,Basco,Banerjee,Balli,Bake,Bagnell,Bady,Averette,Augusta,Arzu,Arn,Archambeault,Arboleda,Arbaugh,Arata,Antrim,Amrhein,Amerine,Alpers,Alfrey,Alcon,Albus,Albertini,Aguiniga,Aday,Acquaviva,Accardi,Zygmont,Zych,Zollner,Zobel,Zinck,Zertuche,Zaragosa,Zale,Zaldivar,Ying,Yeadon,Wykoff,Woullard,Wolfrum,Wohlford,Wison,Wiseley,Wisecup,Winchenbach,Wiltsie,Whittlesey,Whitelow,Whiteford,Wever,Westrich,Wertman,Wensel,Wenrich,Weisbrod,Weglarz,Wedderburn,Weatherhead,Wease,Warring,Wand,Wadleigh,Voltz,Vise,Villano,Vicario,Vermeulen,Vazques,Vasko,Varughese,Vangieson,Vanfossen,Vanepps,Vanderploeg,Vancleve,Valerius,Uyehara,Unsworth,Twersky,Turrell,Tuner,Tsui,Trunzo,Trousdale,Trentham,Traughber,Torgrimson,Toppin,Tokar,Tobia,Tippens,Tigue,Thong,Thiry,Thackston,Terhaar,Tenny,Tassin,Tadeo,Sweigart,Sutherlin,Sumrell,Suen,Stuhr,Strzelecki,Strosnider,Streiff,Stottlemyer,Storment,Storlie,Stonesifer,Stogsdill,Stenzel,Stemen,Stellhorn,Steidl,Stecklein,Statton,Staple,Stangle,Spratling,Spoor,Spight,Spelman,Spece,Spanos,Spadoni,Southers,Sola,Sobol,Smyre,Slaybaugh,Sizelove,Sirmons,Simington,Silversmith,Siguenza,Sieren,Shelman,Shawn,Sharples,Sharif,Shack,Seville,Sessler,Serrata,Serino,Serafini,Semien,Selvey,Seedorf,Seckman,Seawood,Screws,Screen,Scoby,Scicchitano,Schorn,Schommer,Schnitzer,Schleusner,Schlabach,Schiel,Schepers,Schaber,Scally,Sautner,Sartwell,Santerre,Sandage,Salvia,Salvetti,Salsman,Sallis,Salais,Saint,Saeger,Sable,Sabat,Saar,Ruther,Russom,Ruoff,Rumery,Rubottom,Rozelle,Rowton,Routon,Rotolo,Rostad,Roseborough,Rorick,Ronco,Rolls,Roher,Roberie,Robare,Ritts,Rison,Rippe,Rinke,Ringwood,Righter,Rieser,Rideaux,Rickerson,Renfrew,Releford,Reinsch,Reiman,Reifsteck,Reidhead,Redfearn,Reddout,Reaux,Rance,Ram,Rado,Radebaugh,Quinby,Quigg,Provo,Provenza,Provence,Prophet,Pridgeon,Praylow,Powel,Poulter,Portner,Pontbriand,Police,Poirrier,Poirer,Platero,Pixler,Pintor,Pigman,Piersall,Piel,Pichette,Phou,Phillis,Phillippe,Pharis,Phalen,Petsche,Perrier,Penfield,Pelosi,Pebley,Peat,Pawloski,Pawlik,Pavlick,Pavel,Patz,Patout,Pascucci,Pasch,Parrinello,Parekh,Pantaleo,Pannone,Pankow,Pangborn,Pagani,Pacelli,Ort,Orsi,Oriley,Orduno,Oommen,Olivero,Okada,Ocon,Ocheltree,Oberman,Nyland,Noss,Norling,Nolton,Nobile,Nitti,Nishimoto,Nghiem,Neuner,Neuberger,Neifert,Negus,Naval,Nagler,Mullally,Moulden,Morra,Morquecho,Morocco,Moots,Monica,Mizzell,Mirsky,Mirabito,Minardi,Milholland,Mikus,Mijangos,Michener,Michalek,Methvin,Merrit,Menter,Meneely,Melody,Meiers,Mehring,Mees,Medal,Mcwhirt,Mcwain,Mcphatter,Mcnichol,Mcnaught,Mclarty,Mcivor,Mcginness,Mcgaughy,Mcferrin,Mcfate,Mcclenny,Mcclard,Mccaskey,Mccallion,Mcamis,Mathisen,Marton,Marsico,Mariner,Marchi,Mani,Mangione,Magda,Macaraeg,Lupi,Lunday,Lukowski,Lucious,Locicero,Loach,Littlewood,Litt,Litle,Lipham,Linley,Lindon,Lightford,Lieser,Leyendecker,Lewey,Lesane,Lenzi,Lenart,Lena,Leisinger,Lehrman,Lefebure,Leandro,Lazard,Laycock,Laver,Launer,Lastrapes,Lastinger,Lasker,Larkey,Larger,Lanser,Lanphere,Landey,Lan,Lampton,Lamark,Lager,Kumm,Kullman,Krzeminski,Krasner,Kram,Koran,Koning,Kohls,Kohen,Kobel,Kniffen,Knick,Kneip,Knappenberger,Knack,Klumpp,Klausner,Kitamura,Kisling,Kirshner,Kinloch,Kingman,Kin,Kimery,Kestler,Kellen,Keleher,Keehn,Kearley,Kasprzak,Kary,Kampf,Kamerer,Kalis,Kahan,Kaestner,Kadel,Kabel,Junge,Juckett,Joynt,Jorstad,Jetter,Jelley,Jefferis,Jeff,Jeansonne,Janecek,Jaffee,Jacko,Izzard,Istre,Isherwood,Ipock,Iannuzzi,Hypolite,Hussein,Humfeld,Huckleberry,Hotz,Hosein,Honahni,Holzworth,Holdridge,Holdaway,Holaday,Hodak,Hitchman,Hippler,Hinchey,Hillin,Hiler,Hibdon,Hevey,Heth,Hepfer,Henneman,Hemsley,Hemmings,Hemminger,Helbert,Helberg,Heinze,Heeren,Hee,Heber,Haver,Hauff,Haswell,Harvison,Hartson,Harshberger,Harryman,Harries,Hannibal,Hane,Hamsher,Haggett,Hagemeier,Haecker,Haddon,Haberkorn,Guttman,Guttierrez,Guthmiller,Guillet,Guilbert,Gugino,Grumbles,Griffy,Gregerson,Greg,Granada,Grana,Goya,Goranson,Gonsoulin,Goettl,Goertz,Goe,Godlewski,Glandon,Glad,Gilsdorf,Gillogly,Gilkison,Giard,Giampaolo,Gheen,Gettings,Gesell,Gershon,Gaumer,Gartrell,Garside,Garrigan,Garmany,Garlitz,Garlington,Gamet,Gail,Fuss,Furlough,Funston,Funaro,Frix,Frasca,Francoeur,Forshey,Foose,Flatley,Flagler,Fils,Fillers,Fickett,Feth,Fennelly,Fencl,Felch,Fedrick,Febres,Fazekas,Farnan,Fairless,Ewan,Etsitty,Enterline,Elvin,Elsworth,Elliff,Ell,Eleby,Eldreth,Eidem,Edgecomb,Edds,Ebarb,Dworkin,Dusenberry,Durrance,Duropan,Durfey,Dungy,Dundon,Dumbleton,Duffel,Dubon,Dubberly,Droz,Drinkwater,Dressel,Doughtie,Doshier,Dorrell,Dora,Dople,Doonan,Donadio,Dollison,Doig,Ditzler,Dishner,Discher,Dimaio,Digman,Difalco,Diem,Devino,Devens,Derosia,Deppen,Depaola,Deniz,Denardo,Demos,Demay,Delgiudice,Davi,Danielsen,Dally,Dais,Dahmer,Cutsforth,Cusimano,Curington,Cumbee,Cryan,Crusoe,Crowden,Crete,Cressman,Crapo,Cowens,Coupe,Councill,Coty,Cotnoir,Correira,Copen,Consiglio,Combes,Coffer,Cockrill,Coad,Clogston,Clasen,Chock,Chesnutt,Charrier,Chain,Chadburn,Cerniglia,Cebula,Castruita,Castilla,Castaldi,Casebeer,Casagrande,Carta,Carrales,Carnley,Cardon,Carasco,Capshaw,Capron,Cappiello,Capito,Canney,Candela,Caminiti,Califano,Calico,Calabria,Caiazzo,Cahall,Buscemi,Burtner,Burgdorf,Bureau,Burdo,Buffaloe,Buchwald,Brwon,Brunke,Brummond,Brumm,Broe,Brocious,Brocato,Bro,Britain,Briski,Brisker,Brightwell,Bresett,Breiner,Brazeau,Braz,Brayman,Brandis,Bramer,Bradeen,Boyko,Bourbon,Bossi,Boshart,Bortle,Boniello,Bomgardner,Bolz,Bolenbaugh,Bohling,Bohland,Bochenek,Blust,Bloxham,Blowe,Blish,Blackwater,Bjelland,Biros,Birkhead,Biederman,Bickle,Bialaszewski,Bevil,Beverley,Beumer,Bettinger,Besse,Bernett,Bermejo,Bement,Belfield,Beckler,Beatrice,Baxendale,Batdorf,Bastin,Bashore,Bascombe,Bartlebaugh,Barsh,Ballantine,Bahl,Badon,Bachelor,Autin,Audie,Astin,Askey,Ascher,Arrigo,Arbeiter,Antes,Angers,Amburn,Amarante,Alvidrez,Althaus,Allmond,Alfieri,Aldinger,Akerley,Akana,Aikins,Ader,Acebedo,Accardo,Abila,Aberle,Abele,Abboud,Zollars,Zimmerer,Zieman,Zerby,Zelman,Zellars,Yule,Yoshimura,Yonts,Yeats,Yant,Yamanaka,Wyland,Wuensche,Worman,Wordlaw,Wohl,Winslett,Winberg,Wilmeth,Willcutt,Wiers,Wiemer,Wickwire,Wichman,Whitting,Whidbee,Westergard,Wemmer,Wellner,Weishaupt,Weinert,Weedon,Waynick,Wasielewski,Waren,Walworth,Wallingford,Walke,Waechter,Viviani,Vitti,Villagrana,Vien,Vicks,Venema,Varnes,Varnadoe,Varden,Vanpatten,Vanorden,Vanderzee,Vandenburg,Vandehey,Valls,Vallarta,Valderrama,Valade,Urman,Ulery,Tusa,Tuft,Tripoli,Trimpe,Trickey,Tortora,Torrens,Torchia,Toft,Tjaden,Tison,Tindel,Thurmon,Thode,Tardugno,Tancredi,Taketa,Taillon,Tagle,Sytsma,Symes,Swindall,Swicegood,Swartout,Sundstrom,Sumners,Sulton,Studstill,Student,Stroop,Stonerock,Stmarie,Stlawrence,Stemm,Steinhauser,Steinert,Steffensen,Stefano,Stefaniak,Starck,Stalzer,Spidle,Spake,Sowinski,Sosnowski,Sorber,Somma,Soliday,Soldner,Soja,Soderstrom,Soder,Sockwell,Sobus,Snowball,Sloop,Skeeter,Sinner,Sinkfield,Simerly,Silguero,Sigg,Siemers,Siegmund,Sidle,Shum,Sholtis,Shkreli,Sheikh,Shattles,Sharlow,Shao,Shambaugh,Shaikh,Serrao,Serafino,Selley,Selle,Seel,Sedberry,Secord,Seat,Schunk,Schuch,Schor,Scholze,Schnee,Schmieder,Schleich,Schimpf,Scherf,Satterthwaite,Sasson,Sarkisian,Sarinana,Sanzone,Salvas,Salone,Salido,Saiki,Sahr,Rusher,Rusek,Ruse,Ruppel,Rubi,Rubel,Rough,Rothfuss,Rothenberger,Rossell,Rosenquist,Rosebrook,Romito,Romines,Rolando,Rolan,Roker,Roehrig,Rockhold,Rocca,Robuck,Riss,Rinaldo,Right,Riggenbach,Rezentes,Reuther,Reuben,Renolds,Rench,Remus,Remsen,Reller,Relf,Reitzel,Reiher,Rehder,Redeker,Ramero,Rahaim,Radice,Quijas,Qualey,Purgason,Prum,Proudfoot,Prock,Probert,Printup,Primer,Primavera,Prenatt,Pratico,Polich,Podkowka,Podesta,Plattner,Plasse,Plamondon,Pittmon,Pippenger,Pineo,Pierpont,Petzold,Petz,Pettiway,Petters,Petroski,Petrik,Pesola,Pershall,Perlmutter,Penepent,Peevy,Pechacek,Pears,Peaden,Pazos,Pavia,Pascarelli,Parm,Parillo,Parfait,Paoletti,Palomba,Palencia,Pagaduan,Oxner,Overfield,Overcast,Oullette,Ouk,Ostroff,Osei,Omarah,Olenick,Olah,Odem,Nygren,Notaro,Northcott,Nodine,Nilges,Neyman,Neve,Neuendorf,Neptune,Neisler,Neault,Narciso,Naff,Muscarella,Mun,Most,Morrisette,Morphew,Morein,Mor,Montville,Montufar,Montesinos,Monterroso,Mongold,Mona,Mojarro,Moitoso,Mode,Mirarchi,Mirando,Minogue,Milici,Miga,Midyett,Michna,Mey,Meuser,Messana,Menzie,Menz,Mendicino,Melone,Mellish,Meller,Melle,Meints,Mechem,Mealer,Mcwilliam,Mcwhite,Mcquiggan,Mcphillips,Mcpartland,Mcnellis,Mcmackin,Mclaughin,Mckinny,Mckeithan,Mcguirk,Mcgillivray,Mcgarr,Mcgahee,Mcfaul,Mcfadin,Mceuen,Mccullah,Mcconico,Mcclaren,Mccaul,Mccalley,Mccalister,Mazer,Mayson,Mayhan,Maugeri,Mauger,Mattix,Mattews,Maslowski,Masek,Martir,Marsch,Marquess,Maron,Markwell,Markow,Marinaro,Marietta,Marcinek,Manner,Mannella,Mango,Mallen,Majeed,Mahnke,Mahabir,Magby,Magallan,Madere,Machnik,Lybrand,Luque,Lundholm,Lueders,Lucian,Lubinski,Lowy,Loew,Lippard,Linson,Lindblad,Lightcap,Levitsky,Levens,Leonardi,Lenton,Lengyel,Leng,Leitzel,Leicht,Leaver,Laubscher,Lashua,Larusso,Larrimore,Lanterman,Lanni,Lanasa,Lamoureaux,Lambros,Lamborn,Lamberti,Lall,Lagos,Lafuente,Laferriere,Laconte,Kyger,Kupiec,Kunzman,Kuehne,Kuder,Kubat,Krogh,Kreidler,Krawiec,Krauth,Kratky,Kottwitz,Korb,Kono,Kolman,Kolesar,Koeppel,Knapper,Klingenberg,Kjos,Keppel,Kennan,Keltz,Kealoha,Kasel,Karney,Kanne,Kamrowski,Kagawa,Joo,Johnosn,Joesph,Jilek,Jarvie,Jarret,Jansky,Jacquemin,Jacox,Jacome,Italiano,Iriarte,Ingwersen,Imboden,Iglesia,Huyser,Hurston,Hursh,Huntoon,Hudman,Hoying,Horsman,Horrigan,Hornbaker,Horiuchi,Hopewell,Hoop,Hommel,Homeyer,Holzinger,Holmer,Hollow,Hipsher,Hinchman,Hilts,Higginbottom,Hieb,Heyne,Hessling,Hesler,Hertlein,Herford,Heras,Henricksen,Hennemann,Henery,Hendershott,Hemstreet,Heiney,Heckert,Heatley,Hazell,Hazan,Hayashida,Hausler,Hartsoe,Harth,Harriott,Harriger,Harpin,Hardisty,Hardge,Hao,Hannaman,Hannahs,Hamp,Hammersmith,Hamiton,Halsell,Halderman,Hagge,Habel,Gusler,Gushiken,Gurr,Gummer,Gullick,Grunden,Grosch,Greenburg,Greb,Greaver,Gratz,Grajales,Gourlay,Gotto,Gorley,Goodpasture,Godard,Glorioso,Gloor,Glascock,Gizzi,Giroir,Gibeault,Gauldin,Gauer,Gartin,Garrels,Gamber,Gallogly,Galley,Gade,Fusaro,Fripp,Freyer,Freiberg,Franzoni,Fragale,Foston,Forti,Forness,Folts,Followell,Foard,Flom,Fling,Flett,Fleitas,Flamm,Fino,Finnen,Finchum,Filippelli,Fickel,Feucht,Feiler,Feenstra,Feagins,Faver,Faux,Faulkenberry,Farabaugh,Fandel,Fallen,Faler,Faivre,Fairey,Facey,Exner,Evensen,Erion,Erben,Epting,Epping,Ephraim,Engberg,Elsen,Ellingwood,Ellen,Eisenmann,Eichman,Ehle,Edsall,Eagles,Durall,Dupler,Dunker,Dumlao,Duford,Duffie,Dudding,Dries,Doung,Dorantes,Donahoo,Domenick,Dollins,Dobles,Dipiazza,Dino,Dimeo,Diehm,Dicicco,Devin,Devenport,Desormeaux,Derrow,Depaolo,Denver,Denise,Demas,Delpriore,Delosantos,Dela,Degreenia,Degenhardt,Defrancesco,Defenbaugh,Deets,Debonis,Deary,Dazey,Dargie,Dambrosia,Dalal,Dagen,Cun,Cuen,Crupi,Crossan,Crichlow,Creque,Coutts,Counce,Coram,Constante,Connon,Collelo,Coit,Cocklin,Coblentz,Cobey,Coard,Clutts,Clingan,Claw,Clampitt,Claeys,Ciulla,Cimini,Ciampa,Christon,Choat,Chiou,Chenail,Chavous,Catto,Catalfamo,Casterline,Cassinelli,Caspers,Carroway,Carlen,Carithers,Cappel,Calo,Callow,Calandra,Cagley,Cafferty,Byun,Byam,Buttner,Buth,Burtenshaw,Burget,Burfield,Buresh,Bunt,Bultman,Bulow,Buchta,Buchmann,Brunett,Bruemmer,Brueggeman,Britto,Briney,Brimhall,Bribiesca,Bresler,Brazan,Brashier,Brar,Brandstetter,Brandi,Boze,Boonstra,Bluitt,Blomgren,Blattner,Blasi,Bladen,Bitterman,Bilby,Bierce,Biello,Bettes,Bertone,Berrey,Bernat,Berberich,Benshoof,Bendickson,Below,Bellefeuille,Bednarski,Beddingfield,Beckerman,Beaston,Bavaro,Batalla,Basye,Baskins,Bartolotta,Bartkowski,Barranco,Barkett,Band,Banaszak,Bame,Bamberger,Balsley,Ballas,Balicki,Balding,Bald,Badura,Aymond,Aylor,Aylesworth,Axley,Axelrod,Aubert,Armond,Ariza,Apicella,Anstine,Ankrom,Angevine,Anger,Andreotti,Andrea,Alto,Alspaugh,Alpaugh,Almada,Allinder,Alexandra,Alequin,Alan,Aguillard,Agron,Agena,Afanador,Ackerley,Abrev,Abdalla,Aaronson,Zynda,Zucco,Zipp,Zetina,Zenz,Zelinski,Youngren,Yochum,Yearsley,Yankey,Woodfork,Wohlwend,Woelfel,Wiste,Wismer,Winzer,Winker,Wilkison,Wigger,Wierenga,Whipps,Wheeling,Westray,Wesch,Weld,Weible,Wedell,Weddell,Wawrzyniak,Wasko,Washinton,Wantz,Walts,Wallander,Wain,Wahlen,Wachowiak,Voshell,Viteri,Vire,Villafuerte,Vieyra,Viau,Vescio,Verrier,Verhey,Vause,Vandermolen,Vanderhorst,Valois,Valla,Valcourt,Vacek,Uzzle,Umland,Um,Ulman,Ulland,Turvey,Tuley,Trembath,Trees,Trabert,Towsend,Totman,Toews,Toby,Tito,Tisch,Tisby,Tipping,Tierce,Thivierge,Tenenbaum,Teagle,Tacy,Tabler,Szewczyk,Swearngin,Suire,Sturrock,Stubbe,Stronach,Stoute,Stoudemire,Stoneberg,Sterba,Stejskal,Steier,Stehr,Steckler,Steckel,Stearman,Steakley,Star,Stanforth,Stancill,Stalls,Srour,Sprowl,Spevak,Sole,Sokoloff,Soderman,Snover,Sleeman,Slaubaugh,Sitzman,Simpler,Simmer,Simes,Siegal,Sidoti,Sidler,Sider,Sidener,Siddiqi,Shireman,Shima,Sheroan,Shadduck,Seyal,Sentell,Sennett,Senko,Seneca,Sen,Seligman,Seipel,Seekins,Seabaugh,Scouten,Schweinsberg,Schwartzberg,Schurr,Schult,Schrick,Schoening,Schmitmeyer,Schlicher,Schlager,Schack,Schaar,Scavuzzo,Scarpa,Sassano,Santigo,Sandavol,San,Sampsel,Samms,Samet,Salzano,Salyards,Salva,Saidi,Sabir,Saam,Saab,Runions,Rundquist,Rousselle,Round,Rotunno,Roses,Rosch,Romney,Rohner,Roff,Rockhill,Rockefeller,Rocamora,Rm,Ringle,Riggie,Ricklefs,Rexroat,Reves,Revel,Reuss,Reta,Repka,Rentfro,Reineke,Recore,Recalde,Rease,Rawling,Ravencraft,Ravelo,Rappa,Randol,Ramsier,Ramerez,Rahimi,Rahim,Radney,Racey,Raborn,Rabalais,Quebedeaux,Pujol,Puchalski,Prothro,Proffit,Prigge,Prideaux,Prevo,Portales,Porco,Popovic,Popek,Popejoy,Pompei,Plumber,Plude,Platner,Plate,Pizzuto,Pizer,Pistone,Piller,Pierri,Piehl,Pickert,Piasecki,Phong,Philipp,Peugh,Pesqueira,Perrett,Perfetti,Percell,Penhollow,Pelto,Pellett,Pavlak,Paulo,Paula,Patricia,Pastorius,Parsell,Parrales,Pareja,Parcell,Pappan,Pajak,Owusu,Ovitt,Ory,Orrick,Oniell,Olliff,Olberding,Oesterling,Odwyer,Ocegueda,Obey,Obermiller,Nylander,Nulph,Nottage,Northam,Norgard,Nodal,Niel,Nicols,Newhard,Nellum,Neira,Nazzaro,Nassif,Narducci,Nalbandian,Nails,Musil,Murga,Muraoka,Mumper,Mulroy,Mountjoy,Mossey,Moreton,Morea,Montoro,Montesdeoca,Montealegre,Montanye,Montandon,Mok,Moisan,Mohl,Modesto,Modeste,Mitra,Mister,Minson,Minjarez,Milbourne,Michaelsen,Metheney,Mestre,Mescher,Mervis,Mennenga,Melgarejo,Meisinger,Meininger,Mcwaters,Mckern,Mckendree,Mchargue,Mcglothlen,Mcgibbon,Mcgavock,Mcduffee,Mcclurkin,Mccausland,Mccardell,Mccambridge,Mazzoni,Mayen,Maxton,Mawson,Mauffray,Mattinson,Mattila,Matsunaga,Mater,Mascia,Marse,Marotz,Marois,Markin,Markee,Marcinko,Marcin,Manville,Mantyla,Manser,Manry,Manderscheid,Mallari,Malia,Malecha,Malcomb,Majerus,Mailman,Macinnis,Mabey,Lyford,Luth,Lupercio,Luhman,Luedke,Lovick,Lossing,Loss,Lorraine,Lookabaugh,Longway,Lone,Loisel,Logiudice,Loffredo,Locust,Lobe,Lobaugh,Lizaola,Livers,Littlepage,Linnen,Limmer,Liebsch,Liebman,Leyden,Levitan,Levison,Levier,Leven,Levalley,Lettinga,Lessley,Lessig,Lepine,Leight,Leick,Leggio,Leffingwell,Leffert,Lefevers,Ledlow,Leaton,Leander,Leaming,Lazos,Laviolette,Lauffer,Latz,Lasorsa,Lasch,Larin,Laporta,Lanter,Langstaff,Landi,Lamica,Lambson,Lambe,Lamarca,Laman,Lamagna,Lajeunesse,Lafontant,Lafler,Labrum,Laakso,Kush,Kuether,Kuchar,Kruk,Kroner,Kroh,Kridler,Kreuzer,Kovats,Koprowski,Kohout,Knicely,Knell,Klutts,Kindrick,Kiddy,Khanna,Ketcher,Kerschner,Kerfien,Kensey,Kenley,Kenan,Kemplin,Kellerhouse,Keesling,Keep,Keena,Keas,Kaplin,Kanady,Kampen,Jutras,Jungers,Julio,Jeschke,Jen,Janowski,Janas,Iskra,Imperato,Ikerd,Igoe,Hyneman,Hynek,Husain,Hurrell,Hultquist,Hullett,Hulen,Huf,Huberty,Hoyte,Hossain,Hornstein,Hori,Hopton,Holms,Hollmann,Holdman,Holdeman,Holben,Hoffert,Himel,Hillsman,Hillary,Herdt,Hellyer,Hellen,Heister,Heimer,Heidecker,Hedgpeth,Hedgepath,Hebel,Heatwole,Hayer,Hausner,Haskew,Haselden,Hartranft,Harsch,Harres,Harps,Hardimon,Halm,Hallee,Hallahan,Hackley,Hackenberg,Hachey,Haapala,Guynes,Gunnerson,Gunby,Gulotta,Gudger,Groman,Grignon,Griebel,Gregori,Greenan,Grauer,Gourd,Gorin,Gorgone,Gooslin,Goold,Goltz,Goldberger,Gobble,Glotfelty,Glassford,Glance,Gladwin,Giuffre,Gilpatrick,Germaine,Gerdts,Genna,Geisel,Gayler,Gaunce,Gaulding,Gateley,Gassman,Gash,Garson,Garron,Garand,Gangestad,Gallow,Galbo,Gabrielli,Fullington,Fucci,Frum,Frieden,Friberg,Frasco,Francese,Fowle,Foucher,Fothergill,Foraker,Fonder,Foisy,Fogal,Flurry,Flenniken,Fitzhenry,Fishbein,Finton,Filmore,Filice,Feola,Felberbaum,Fausnaught,Fasciano,Farrah,Farquharson,Faires,Estridge,Essman,Enz,Enriques,Emmick,Ekker,Ekdahl,Eisman,Eggleton,Eddinger,Eakle,Eagar,Durio,Dunwoody,Duhaime,Duenes,Duden,Dudas,Dresher,Dresel,Doutt,Donlan,Donathan,Domke,Dobrowolski,Dingee,Dimmitt,Dimery,Dilullo,Deveaux,Devalle,Desper,Desnoyers,Desautels,Derouin,Derbyshire,Denmon,Dena,Demski,Delucca,Delpino,Delmont,Deller,Dejulio,Deibler,Dehne,Deharo,Degner,Defore,Deerman,Decuir,Deckman,Deasy,Dease,Deaner,Dawdy,Daughdrill,Darrigo,Darity,Daniele,Dalbey,Dagenhart,Daffron,Curro,Curnutte,Curatolo,Cruikshank,Crosswell,Croslin,Croney,Crofton,Criado,Crecelius,Coscia,Conniff,Commodore,Coltharp,Colonna,Collyer,Collington,Cobbley,Coache,Clonts,Cloe,Cliett,Clemans,Clara,Cid,Christo,Chrisp,China,Chiarini,Chia,Cheatam,Cheadle,Che,Chauncey,Chand,Chadd,Cervera,Cerulli,Cerezo,Cedano,Cayetano,Cawthorne,Cavalieri,Cattaneo,Caryl,Cartlidge,Carrithers,Carreira,Carranco,Cargle,Candanoza,Camille,Camburn,Calender,Calderin,Calcagno,Cahn,Cadden,Byham,Buttry,Burry,Burruel,Burkitt,Burgio,Burgener,Buescher,Buckalew,Brymer,Brumett,Brugnoli,Brugman,Brosnahan,Bronder,Broeckel,Broderson,Brisbon,Brinsfield,Brinks,Bresee,Bregman,Branner,Brambila,Brailsford,Bouska,Boster,Borucki,Bortner,Boroughs,Borgeson,Bonier,Bomba,Bolender,Boesch,Boeke,Bloyd,Bley,Binger,Billing,Bilbro,Biery,Bichrest,Bezio,Bevel,Berrett,Bermeo,Bergdoll,Bercier,Benzel,Bentler,Bennetts,Belnap,Bellini,Beitz,Behrend,Bednarczyk,Bearse,Batman,Bartolini,Bartol,Barretta,Barbero,Barbaro,Banvelos,Bankes,Ballengee,Baldon,Aye,Ausmus,Atilano,Atienza,Aschenbrenner,Arora,Armstong,Aquilino,Appleberry,Applebee,Apolinar,Antos,Angles,Andrepont,Ancona,Amesquita,Alvino,Altschuler,Allin,Alire,Ainslie,Agular,Aeschliman,Accetta,Abdulla,Abbe,Zwart,Zufelt,Zona,Zirbel,Zingaro,Zilnicki,Zenteno,Zent,Zemke,Zayac,Zarrella,Yoshimoto,Yearout,Wrench,World,Womer,Woltman,Wolin,Wolery,Woldt,Witts,Wittner,Witherow,Winward,Winrow,Wiemann,Wichmann,Whitwell,Whitelaw,Wheeless,Whalley,Wey,Wessner,Wenzl,Wene,Weatherbee,Waye,Wattles,Wanke,Walkes,Waldeck,Vonruden,Voisine,Vogus,Vittetoe,Villalva,Villacis,Victorian,Verge,Venturini,Venturi,Venson,Vanloan,Vanhooser,Vanduzer,Vandever,Vanderwal,Vanderheyden,Vanbeek,Vanbebber,Vallance,Vales,Vahle,Urbain,Upshur,Umfleet,Twist,Tsuji,Trybus,Triolo,Trimarchi,Trezza,Trenholm,Tovey,Tourigny,Torry,Torrain,Torgeson,Tongue,Tomey,Tischler,Tinkler,Tinder,Ticknor,Tibbles,Tibbals,Throneberry,Thormahlen,Thibert,Thibeaux,Theurer,Templet,Tegeler,Tavernier,Taubman,Tamashiro,Tallon,Tallarico,Taboada,Sypher,Sybert,Swyers,Switalski,Swinger,Swedberg,Suther,Surprenant,Sullen,Sulik,Sugden,Suder,Suchan,Such,Strube,Stroope,Strittmatter,Streett,Straughn,Strasburg,Stjacques,Stimage,Stimac,Stifter,Stgelais,Steinhart,Stehlik,Steffenson,Steenbergen,Stanbery,Stallone,Sprung,Spraggs,Spoto,Spilman,Speno,Spanbauer,Spalla,Spagnolo,Soliman,Solan,Sobolik,Snelgrove,Snedden,Smale,Sliter,Slankard,Sircy,Signor,Shutter,Shurtliff,Shur,Show,Shirkey,Shi,Shewmake,Shams,Shadley,Shaddox,Sgro,Serfass,Seppala,Segawa,Segalla,Seaberry,Scruton,Scism,Schwein,Schwartzman,Schwantes,Schomer,Schoenborn,Schlottmann,Schissler,Scheurer,Schepis,Scheidegger,Saunier,Sauders,Sassman,Sannicolas,Sanderfur,Salser,Sagar,Saffer,Saeed,Sadberry,Saban,Ryce,Rybak,Rux,Rumore,Rummell,Rummage,Rudasill,Rozman,Rota,Rossin,Rosell,Rosel,Romberg,Rojero,Rochin,Rochell,Robideau,Robarge,Roath,Risko,Ringel,Ringdahl,Riera,Riemann,Ribas,Revard,Renna,Renegar,Reinwald,Rehman,Regal,Reels,Ree,Redel,Reasons,Raysor,Rathke,Rapozo,Rampton,Ramaker,Rakow,Raia,Radin,Raco,Rackham,Racca,Racanelli,Rabun,Quaranta,Purves,Pundt,Protsman,Prosper,Prezioso,Presutti,President,Presgraves,Poydras,Portnoy,Portalatin,Pop,Pontes,Poehler,Poblete,Poat,Plumadore,Pleiman,Pizana,Piscopo,Piraino,Pinelli,Pillai,Picken,Picha,Piccoli,Philen,Petteway,Petros,Peskin,Perugini,Perrella,Pernice,Peper,Pensinger,Pembleton,Patron,Passman,Parrent,Panetta,Pancake,Pallas,Palka,Pais,Paglia,Padmore,Oum,Ottesen,Ost,Oser,Ortmann,Ormand,Oriol,Orick,Oler,Okafor,Ohair,Obert,Oberholtzer,Number,Nowland,Nosek,Nordeen,Nolf,Nogle,Nobriga,Nicley,Niccum,Newingham,Neumeister,Neugebauer,Netherland,Nerney,Neiss,Neis,Neider,Neeld,Nailor,Mustain,Mussman,Musante,Murton,Murden,Munyon,Muldrew,Motton,Moscoso,Moschella,Moroz,Mormon,Morelos,Morace,Moone,Montesano,Montemurro,Montas,Montalbo,Molander,Mleczko,Miyake,Mitschke,Minger,Minelli,Minear,Millener,Mihelich,Miedema,Miah,Metzer,Mery,Merrigan,Merck,Mennella,Membreno,Melecio,Melder,Mehling,Mehler,Medcalf,Meche,Mealing,Mcqueeney,Mcphaul,Mcmickle,Mcmeen,Mcmains,Mclees,Mcgowin,Mcfarlain,Mcdivitt,Mccotter,Mcconn,Mcclane,Mccaster,Mcbay,Mcbath,Mayoral,Mayeux,Matsuo,Masur,Massman,Marzette,Martensen,Marlett,Markie,Markgraf,Marcinkowski,Marchbanks,Marcella,Mansir,Mandez,Mancil,Malagon,Magnani,Madonia,Madill,Madia,Mackiewicz,Macgillivray,Macdowell,Macbeth,Mabee,Lundblad,Lovvorn,Lovings,Loreto,Linz,Linwood,Linnell,Linebaugh,Lindstedt,Lindbloom,Linda,Limberg,Liebig,Lickteig,Lichtenberg,Licari,Lex,Lewison,Levario,Levar,Lepper,Lenzen,Lenderman,Lemarr,Leinen,Leider,Legrande,Lefort,Lebleu,Leask,Learn,Leacock,Lazano,Lawalin,Laven,Laplaca,Lant,Langsam,Langone,Landress,Landen,Lande,Lamorte,Lairsey,Laidlaw,Laffin,Lackner,Lacaze,Labuda,Labree,Labella,Labar,Kyer,Kuyper,Kulinski,Kulig,Kuhnert,Kuchera,Kubicek,Kruckeberg,Kruchten,Krider,Kotch,Kornfeld,Koren,Koogler,Koll,Kole,Kohnke,Kohli,Kofoed,Koelling,Kluth,Klump,Klopfenstein,Klippel,Klinge,Klett,Klemp,Kleis,Klann,Kitzman,Kinnan,Kingsberry,Kind,Kina,Kilmon,Killpack,Kilbane,Kijowski,Kies,Kierstead,Kettering,Kesselman,Kenton,Kennington,Keniston,Kehrer,Kearl,Keala,Kassa,Kasahara,Kantz,Kalin,Kaina,Jupin,Juntunen,Juares,Joynes,Jovel,Joos,Jn,Jiggetts,Jervis,Jerabek,Jennison,Jaso,Janz,Izatt,Ishibashi,Iannotti,Hymas,Huneke,Hulet,Hougen,Horvat,Horstmann,Hopple,Holtkamp,Holsten,Hohenstein,Hoefle,Hoback,Hiney,Hiemstra,Herwig,Herter,Herriott,Hermsen,Herdman,Herder,Herbig,Hem,Helper,Helling,Helbig,Heitkamp,Heinrichs,Heinecke,Heileman,Heffley,Heavrin,Heaston,Haymaker,Hauenstein,Hartlage,Harlin,Harig,Hardenbrook,Hankin,Hamiter,Hagens,Hagel,Grizzell,Griest,Griese,Grief,Grennan,Graden,Gosse,Gorder,Goldin,Goatley,Gillespi,Gilbride,Giel,Gianni,Ghoston,Getter,Gershman,Geisinger,Gehringer,Gedeon,Gebert,Gaxiola,Gawronski,Gau,Gathright,Gatchell,Gargiulo,Garg,Galang,Gadison,Fyock,Furniss,Furby,Funnell,Frizell,Frenkel,Freeburg,Frankhouser,Franchi,Foulger,Formby,Forkey,Fonte,Folson,Follette,Flicker,Flavors,Flavell,Finegan,Fill,Filippini,Ferencz,Ference,Fennessey,Feggins,Feehan,Fazzino,Fazenbaker,Fausto,Faunce,Farraj,Farnell,Farler,Farabee,Falkowski,Facio,Etzler,Ethington,Esterline,Esper,Esker,Erxleben,Ericsson,Erick,Engh,Emling,Elridge,Ellenwood,Elfrink,Ekhoff,Eisert,Eis,Eifert,Eichenlaub,Egnor,Eggebrecht,Edlin,Edberg,Eble,Eber,Easler,Duwe,Dutta,Dutremble,Dusseault,Durney,Dunworth,Dumire,Dukeman,Dufner,Duey,Duble,Dreese,Dozal,Douville,Dougal,Doom,Done,Diver,Ditmore,Distin,Dimuzio,Dildine,Dignan,Dieterich,Dieckman,Didonna,Dhillon,Dezern,Devereux,Devall,Detty,Detamore,Derksen,Deremer,Deras,Denslow,Deno,Denicola,Denbow,Demma,Demille,Delisa,Delira,Delawder,Delara,Delahanty,Dejonge,Deininger,Dedios,Dederick,Decelles,Debus,Debruyn,Deborde,Deak,Dauenhauer,Darsey,Daring,Dansie,Dalman,Dakin,Dagley,Czaja,Cybart,Cutchin,Currington,Curbelo,Croucher,Crinklaw,Cremin,Cratty,Cranfield,Crafford,Cowher,Cowboy,Couvillion,Couturier,Counter,Corter,Coombes,Contos,Consolini,Connaughton,Conely,Coltrane,Collom,Cockett,Clepper,Cleavenger,Claro,Clarkin,Ciriaco,Ciesla,Cichon,Ciancio,Cianci,Chynoweth,Chuang,Chrzanowski,Christion,Cholewa,Chipley,Chilcott,Cheyne,Cheslock,Chenevert,Cheers,Charlot,Chagolla,Chabolla,Cesena,Cerutti,Cava,Caul,Cassone,Cassin,Cassese,Casaus,Casali,Cartledge,Carsten,Cardamone,Carcia,Carbonneau,Carboni,Carabello,Capozzoli,Capella,Cap,Cannata,Campoverde,Campeau,Cambre,Camberos,Calvery,Calnan,Calmes,Calley,Callery,Calise,Cacciotti,Cacciatore,Butterbaugh,Burgo,Burgamy,Burell,Bunde,Bumbalough,Buel,Buechner,Buchannon,Bryon,Brunn,Brost,Broadfoot,Brittan,Brevard,Breda,Brazel,Brayboy,Brasier,Boyea,Boxx,Both,Boso,Bosio,Boruff,Borda,Bongiovanni,Bolerjack,Boedeker,Blye,Blumstein,Blumenfeld,Blinn,Bleakley,Blatter,Blan,Bjornson,Bisignano,Billick,Bieniek,Bhatti,Bevacqua,Betterton,Berra,Berenbaum,Bensinger,Bennefield,Belvins,Belson,Bellin,Beighley,Beecroft,Beaudreau,Baynard,Bautch,Bausch,Basch,Bartleson,Barthelemy,Barak,Balzano,Balistreri,Bailer,Bagnall,Bagg,Bae,Auston,Augustyn,Aslinger,Ashalintubbi,Artist,Arjona,Arebalo,Arab,Appelbaum,Anna,Angst,Angert,Angelucci,Andry,Andersson,Amorim,Amavisca,Alward,Alvelo,Alvear,Alumbaugh,Alsobrook,Alli,Allgeier,Allende,Aldrete,Akiyama,Ahlquist,Adolphson,Addario,Acoff,Abelson,Abasta,Zulauf,Zirkind,Zeoli,Zemlicka,Zawislak,Zappia,Zanella,Yelvington,Yeatman,Yanni,Wragg,Wissing,Wischmeier,Wirta,Wiren,Wilmouth,Williard,Willert,Willaert,Wildt,Whelpley,Westwood,Weingart,Weidenbach,Weidemann,Weatherman,Weakland,Watwood,Wattley,Waterson,Wambach,Walzer,Waldow,Waag,Vorpahl,Volkmann,Vitolo,Visitacion,Vincelette,Vina,Viggiano,Vieth,Vidana,Vert,Verna,Verges,Verdejo,Venzon,Velardi,Varian,Vargus,Vandermeulen,Vandam,Vanasse,Vanaman,Utzinger,Uriostegui,Uplinger,Twiss,Tumlinson,Tschanz,Trunnell,Troung,Troublefield,Trojacek,Trial,Treloar,Tranmer,Touchton,Torsiello,Torina,Tootle,Toki,Toepfer,Tippin,Tippie,Thronson,Thomes,Tezeno,Texada,Testani,Tessmer,Terrel,Terra,Terlizzi,Tempel,Temblador,Tayler,Tawil,Tasch,Tames,Talor,Talerico,Swinderman,Sweetland,Swager,Sulser,Sullens,Subia,Sturgell,Stumpff,Stufflebeam,Stucki,Strohmeyer,Strebel,Straughan,Strackbein,Stobaugh,Stetz,Stelter,Steinmann,Steinfeld,Stefani,Stecher,Stanwood,Stanislawski,Stander,Speziale,Soppe,Soni,Sol,Sobotka,Snipe,Smuin,Slider,Slee,Skerrett,Sjoberg,Sittig,Simonelli,Simo,Sima,Silvio,Silverio,Silveria,Silsby,Sillman,Sienkiewicz,Sick,Sia,Shomo,Shoff,Shoener,Shiba,Sherfey,Shehane,Shawl,Sexson,Setton,Sergi,Selvy,Seiders,Seegmiller,Sebree,Seabury,Scroggin,Sconyers,Schwalb,Schurg,Schulenberg,Schuld,Schrage,Schow,Schon,Schnur,Schneller,Schmidtke,Schlatter,Schieffer,Schenkel,Scheeler,Schauwecker,Schartz,Schacherer,Scafe,Sayegh,Savidge,Saur,Sarles,Sarkissian,Sarkis,Sarcone,Sagucio,Saffell,Saenger,Sacher,Rylee,Ruvolo,Ruston,Ruple,Rulison,Ruge,Ruffo,Ruehl,Rueckert,Rudman,Rudie,Rubert,Rozeboom,Roysden,Roylance,Rothchild,Rosse,Rosecrans,Rodrick,Rodi,Rockmore,Robnett,Roberti,Rivett,Riva,Ritzel,Rierson,Ricotta,Ricken,Rezac,Rendell,Remo,Reitman,Reindl,Reeb,Reddic,Reddell,Rebuck,Reali,Raye,Raso,Ramthun,Ramsden,Rameau,Ralphs,Rak,Rago,Racz,Quinteros,Quinter,Quinley,Quiggle,Quaid,Purvines,Purinton,Purdum,Pummill,Puglia,Puett,Ptacek,Przybyla,Prowse,Providence,Prestwich,Pracht,Poutre,Poucher,Portera,Polinsky,Poage,Platts,Pineau,Pinckard,Pilson,Pilling,Pilkins,Pili,Pikes,Pigram,Pietila,Pickron,Pia,Philippi,Philhower,Pflueger,Pfalzgraf,Pettibone,Pett,Petrosino,Persing,Perrino,Perotti,Periera,Peri,Peredo,Peralto,Pennywell,Pennel,Pen,Pellegren,Pella,Pedroso,Paulos,Paulding,Pates,Pasek,Paramo,Paolino,Panganiban,Paneto,Paluch,Ozaki,Ownbey,Overfelt,Outman,Opper,Onstad,Oland,Okuda,Oertel,Oelke,Normandeau,Nordby,Nordahl,Noecker,Noblin,No,Niswonger,Nishioka,Nett,Nephew,Negley,Needles,Nedeau,Natera,Nachman,Naas,Musich,Mungin,Mourer,Mounsey,Mottola,Mothershed,Moskal,Mosbey,Morini,Moreles,Mood,Montaluo,Moneypenny,Monda,Moench,Moates,Moad,Mixer,Missildine,Misiewicz,Mirabella,Minott,Minnifield,Mincks,Milum,Milani,Mikelson,Mestayer,Mess,Mertes,Merrihew,Merlos,Meritt,Melnyk,Medlen,Meder,Mean,Mcvea,Mcquarrie,Mcquain,Mclucas,Mclester,Mckitrick,Mckennon,Mcinnes,Mcgrory,Mcgranahan,Mcglamery,Mcgivney,Mcgilvray,Mccuiston,Mccuin,Mccrystal,Mccolley,Mcclerkin,Mcclenon,Mccamey,Mcaninch,Mazariegos,Maynez,Mattioli,Mastronardi,Masone,Marzett,Marsland,Mari,Margulies,Margolin,Malatesta,Malachi,Mainer,Maietta,Magrath,Maese,Madkins,Madeiros,Madamba,Mackson,Mac,Maben,Lytch,Lundgreen,Lumb,Lukach,Luick,Luetkemeyer,Luechtefeld,Ludy,Ludden,Luckow,Lubinsky,Lowes,Lout,Lorenson,Loran,Lopinto,Looby,Lones,Livsey,Liskey,Lisby,Lintner,Lindow,Lindblom,Liming,Liechty,Leth,Lesniewski,Lenig,Lemonds,Leisy,Lehrer,Lehnen,Lehmkuhl,Leeth,Leer,Leeks,Lechler,Lebsock,Lavere,Lautenschlage,Laughridge,Lauderback,Laudenslager,Lassonde,Laroque,Laramee,Laracuente,Lapeyrouse,Lampron,Lamers,Lamer,Laino,Lague,Laguardia,Lafromboise,Lafata,Lacount,Lachowicz,Kysar,Kwiecien,Kuffel,Kueter,Kronenberg,Kristensen,Kristek,Krings,Kriesel,Krey,Krebbs,Kreamer,Krabbe,Kossman,Kosakowski,Kosak,Kopacz,Konkol,Koepsell,Koening,Koen,Knerr,Knapik,Kluttz,Klocke,Klenk,Klemme,Klapp,Kitchell,Kita,Kissane,Kirkbride,Kirchhoff,Kinter,Kinsel,Kingsland,Kimmer,Kimler,Killoran,Kieser,Khalsa,Khalaf,Kettel,Kerekes,Keplin,Kentner,Kennebrew,Kenison,Kellough,Kellman,Keatts,Keasey,Kauppi,Katon,Kari,Kanner,Kampa,Kall,Kai,Kaczorowski,Kaczmarski,Juarbe,Jordison,Jonathan,Jobst,Jezierski,Jeanbart,Jarquin,Janey,Jagodzinski,Ishak,Isett,Isa,Infantino,Imburgia,Illingworth,Hysmith,Hynson,Hydrick,Hurla,Hunton,Hunnell,Humbertson,Housand,Hottle,Hosch,Hoos,Honn,Hohlt,Hodel,Hochmuth,Hixenbaugh,Hislop,Hisaw,Hintzen,Hilgendorf,Hilchey,Higgens,Hersman,Herrara,Hendrixson,Hendriks,Hemond,Hemmingway,Heminger,Helgren,Heisey,Heilmann,Hehn,Hegna,Heffern,Hawrylak,Haverty,Hauger,Haslem,Harnett,Harb,Happ,Hanzlik,Hanway,Hanby,Hanan,Hamric,Hammaker,Halas,Hagenbuch,Hacking,Habeck,Gwozdz,Gutter,Gunia,Guise,Guadarrama,Grubaugh,Grivas,Griffieth,Grieb,Grewell,Gregorich,Grazier,Graeber,Graciano,Gowens,Goodpaster,Gondek,Gohr,Goffney,Godbee,Gitlin,Gisler,Gin,Gillyard,Gillooly,Gilchrest,Gilbo,Gierlach,Giebler,Giang,Geske,Gervasio,Gertner,Gehling,Geeter,Gaus,Gattison,Gatica,Gathings,Gath,Gassner,Gassert,Garabedian,Gamon,Gameros,Galban,Gabourel,Gaal,Fuoco,Fullenwider,Fudala,Friscia,Franceschini,Foronda,Fontanilla,Florey,Florentino,Flore,Flegle,Flecha,Fisler,Fischbach,Fiorita,Fines,Figura,Figgins,Fichera,Fester,Ferra,Fear,Fawley,Fawbush,Fausett,Farnes,Farago,Fairclough,Fahie,Fabiani,Everest,Evanson,Eutsey,Eshbaugh,Esh,Ertle,Eppley,Englehardt,Engelhard,Emswiler,Elza,Elling,Elderkin,Eland,Efaw,Edstrom,Edmund,Edgemon,Ecton,Echeverri,Ebright,Earheart,Dynes,Dygert,Dyches,Dulmage,Duhn,Duhamel,Dues,Dubrey,Dubray,Dubbs,Drone,Drey,Drewery,Dreier,Dorval,Dorough,Dorais,Donlin,Donatelli,Doke,Dohm,Doetsch,Dobek,Ditty,Disbrow,Ding,Dinardi,Dillahunty,Dillahunt,Diers,Dier,Diekmann,Diangelo,Deskin,Deschaine,Depaoli,Denner,Demyan,Demont,Demaray,Delillo,Deleeuw,Deibel,Decato,Deblasio,Debartolo,Daubenspeck,Darner,Dardon,Danziger,Danials,Damewood,Dalpiaz,Dallman,Dallaire,Cunniffe,Cumpston,Cumbo,Cubero,Cruzan,Cronkhite,Critelli,Crimi,Creegan,Crean,Craycraft,Crater,Cranfill,Coyt,Courchesne,Coufal,Corradino,Corprew,Colville,Cocco,Coby,Clinch,Clickner,Clavette,Claggett,Cirigliano,Ciesielski,Christain,Chesbro,Chavera,Chard,Casteneda,Castanedo,Cast,Casseus,Casa,Caruana,Carnero,Cappelli,Capellan,Canedy,Cancro,Camilleri,Calero,Cada,Burghart,Burbidge,Bulfer,Buis,Budniewski,Bucko,Bruney,Brugh,Brossard,Brodmerkel,Brockmann,Bring,Brigmond,Briere,Bremmer,Breck,Breau,Brautigam,Brasch,Brandenberger,Bran,Bragan,Bozell,Bowsher,Bosh,Borgia,Borey,Boomhower,Bonneville,Bonam,Bolland,Boise,Boeve,Boettger,Boersma,Boateng,Bliven,Blazier,Blanca,Blahnik,Bjornstad,Bitton,Biss,Birkett,Billingsly,Biagioni,Bettle,Bertucci,Bertolino,Bermea,Bergner,Berber,Bensley,Bendixen,Beltrami,Bellone,Belland,Bein,Behringer,Begum,Beans,Bayona,Batiz,Bassin,Baskette,Bartolomeo,Bartolo,Bartholow,Barkan,Barish,Barett,Bardo,Bamburg,Ballerini,Balla,Balis,Bakley,Bailon,Bachicha,Babiarz,Ayars,Axton,Axel,Awong,Awe,Awalt,Auslander,Ausherman,Aumick,Athens,Atha,Atchinson,Aslett,Askren,Arrowsmith,Arras,Arnhold,Armagost,Arey,Arcos,Archibeque,Antunes,Antilla,Ann,Andras,Amyx,Amison,Amero,Alzate,Alphonse,Alper,Aller,Alioto,Alexandria,Aigner,Agtarap,Agbayani,Adami,Achorn,Aceuedo,Acedo,Abundis,Aber,Abee,Zuccaro,Ziglar,Zier,Ziebell,Zieba,Zamzow,Zahl,Yurko,Yurick,Yonkers,Yerian,Yeaman,Yarman,Yann,Yahn,Yadon,Yadao,Woodbridge,Wolske,Wollenberg,Wojtczak,Wnuk,Witherite,Winther,Winick,Widell,Wickens,Whichard,Wheelis,Wesely,Wentzell,Wenthold,Wemple,Weisenburger,Wehling,Weger,Weaks,Water,Wassink,Warn,Walquist,Wadman,Wacaster,Waage,Voliva,Vlcek,Villafana,Vigliotti,Viger,Viernes,Viands,Vey,Veselka,Versteeg,Vero,Verhoeven,Vendetti,Velardo,Vatter,Vasconcellos,Varn,Vanwagner,Vanvoorhis,Vanhecke,Vanduyn,Vandervoort,Vanderslice,Valone,Vallier,Vails,Uvalle,Ursua,Urenda,Upright,Uphoff,Tustin,Turton,Turnbough,Turck,Tullio,Tuch,Truehart,Tropea,Troester,Trippe,Tricarico,Trevarthen,Trembly,Trace,Trabue,Traber,Toto,Tosi,Toal,Tinley,Tingler,Timoteo,Tiffin,Tien,Ticer,Thurgood,Thorman,Therriault,Theel,Tessman,Tekulve,Tejera,Tebbs,Tavernia,Tarpey,Tallmadge,Takemoto,Szot,Sylvest,Swindoll,Swearinger,Swantek,Swaner,Swainston,Susi,Surrette,Sur,Supple,Sullenger,Sudderth,Suddarth,Suckow,Strider,Strege,Stream,Strassburg,Stoval,Stotz,Stoneham,Stilley,Stille,Stierwalt,Stfleur,Steuck,Stermer,Stclaire,Stano,Staker,Stahler,Stablein,Srinivasan,Squillace,Sprvill,Sproull,Sprau,Sporer,Spore,Spittler,Speelman,Sparr,Sparkes,Spang,Spagnuolo,Sosinski,Sorto,Sorkin,Sondag,Sollers,Socia,Snarr,Smrekar,Smolka,Slyter,Slovinsky,Sliwa,Slavik,Slatter,Skiver,Skeem,Skala,Sitzes,Sitsler,Sitler,Sinko,Simser,Siegler,Sideris,Shrewsberry,Shoopman,Shoaff,Shira,Shindler,Shimmin,Shill,Shenkel,Shemwell,Shehorn,Severa,Sergio,Semones,Selsor,Seller,Sekulski,Segui,Sechrest,Scot,Schwer,Schwebach,Schur,Schmiesing,Schlick,Schlender,Schebler,Schear,Schapiro,Sauro,Saunder,Sauage,Satterly,Saraiva,Saracino,Saperstein,Sanmartin,Sanluis,Sandt,Sandrock,Sammet,Sama,Salk,Sakata,Saini,Sackrider,Rys,Russum,Russi,Russaw,Rozzell,Roza,Rowlette,Rothberg,Rossano,Rosebrock,Romanski,Romanik,Romani,Roma,Roiger,Roig,Roehr,Rodenberger,Rodela,Rod,Rochford,Ristow,Rispoli,Ripper,Rigo,Riesgo,Riebel,Ribera,Ribaudo,Rhoda,Reys,Resendes,Repine,Reisdorf,Reisch,Rebman,Rasmus,Raske,Ranum,Rames,Rambin,Raman,Rajewski,Raffield,Rady,Radich,Raatz,Quinnie,Pyper,Puthoff,Prow,Proehl,Pribyl,Pretti,Prete,Presby,Poyer,Powelson,Porteous,Poquette,Pooser,Pollan,Ploss,Plewa,Plants,Placide,Pion,Pinnick,Pinales,Pin,Pillot,Pille,Pilato,Piggee,Pietrowski,Piermarini,Pickford,Piccard,Phenix,Pevey,Petrowski,Petrillose,Pesek,Perrotti,Perfecto,Peppler,Peppard,Penfold,Pellitier,Pelland,Pehowic,Pedretti,Paules,Passero,Pasha,Panza,Pallante,Palau,Pakele,Pacetti,Paavola,Overy,Overson,Outler,Osegueda,Ord,Oplinger,Oldenkamp,Ok,Ohern,Oetting,Odums,Oba,Nowlen,Nowack,Nordlund,Noblett,Nobbe,Nierman,Nichelson,Niblock,Newbrough,Nest,Nemetz,Neeson,Needleman,Necessary,Navin,Nastasi,Naslund,Naramore,Nakken,Nakanishi,Najarro,Mushrush,Muma,Mulero,Morganfield,Moreman,Morain,Moquin,Montrose,Monterrosa,Monsivais,Monroig,Monje,Monfort,Moises,Moffa,Moeckel,Mobbs,Mitch,Misiak,Mires,Mirelez,Mineo,Mineau,Milnes,Mikeska,Michelin,Michalowski,Meszaros,Messineo,Meshell,Merten,Meola,Menton,Mends,Mende,Memmott,Melius,Mehan,Mcnickle,Mcmorran,Mclennon,Mcleish,Mclaine,Mckendry,Mckell,Mckeighan,Mcisaac,Mcie,Mcguinn,Mcgillis,Mcfatridge,Mcfarling,Mcelravy,Mcdonalds,Mcculla,Mcconnaughy,Mcconnaughey,Mcchriston,Mcbeath,Mayr,Matyas,Matthiesen,Matsuura,Matinez,Mathys,Matarazzo,Masker,Masden,Mascio,Martis,Marrinan,Marinucci,Margerum,Marengo,Manthe,Mansker,Manoogian,Mankey,Manigo,Manier,Mangini,Mandelbaum,Maltese,Malsam,Mallo,Maliszewski,Mainolfi,Maharaj,Maggart,Magar,Maffett,Macmaster,Macky,Macdonnell,Mable,Lyvers,Lyn,Luzzi,Lutman,Luk,Lover,Lovan,Lonzo,Longest,Longerbeam,Lofthouse,Loethen,Lodi,Llorens,Lizardo,Lizama,Liz,Litscher,Lisowski,Lipski,Lipsett,Lipkin,Linzey,Lineman,Limerick,Limb,Limas,Lige,Lierman,Liebold,Liberti,Leverton,Levene,Lesueur,Lenser,Lenker,Lemme,Legnon,Lefrancois,Ledwell,Lavecchia,Laurich,Lauricella,Latino,Lannigan,Landor,Lamprecht,Lamountain,Lamore,Lamonica,Lammert,Lamboy,Lamarque,Lamacchia,Lalley,Lagace,Lacorte,Lacomb,Kyllonen,Kyker,Kye,Kuschel,Kupfer,Kunde,Kucinski,Kubacki,Kuan,Kroenke,Krech,Koziel,Kovacich,Kothari,Koth,Kotek,Kostelnik,Kosloski,Knoles,Knabe,Kmiecik,Klingman,Kliethermes,Kleffman,Klees,Klaiber,Kittell,Kissling,Kisinger,Kintner,Kinoshita,Kiener,Khouri,Kerman,Kelii,Keirn,Keezer,Kaup,Kathan,Kaser,Karlsen,Kapur,Kandoll,Kammel,Kahele,Justesen,Jue,Jonason,Johnsrud,Joerling,Jochim,Jespersen,Jeong,Jenness,Jedlicka,Jakob,Isaman,Inghram,Ingenito,Imperial,Iadarola,Hynd,Huxtable,Huwe,Huron,Hurless,Humpal,Hughston,Hughart,Huggett,Hugar,Huether,Howdyshell,Houtchens,Houseworth,Hoskie,Holshouser,Holmen,Holloran,Hohler,Hoefler,Hodsdon,Hochman,Hjort,Hippert,Hippe,Hinzman,Hillock,Hilden,Hilde,Heyn,Heyden,Heyd,Hergert,Henrikson,Henningsen,Hendel,Helget,Helf,Helbing,Heintzman,Heggie,Hege,Hecox,Heatherington,Heare,Haxton,Haverstock,Haverly,Hatler,Haselton,Hase,Hartzfeld,Harten,Harken,Hargrow,Haran,Hanton,Hammar,Hamamoto,Halper,Halko,Hackathorn,Haberle,Haake,Gunnoe,Gunkel,Gulyas,Guiney,Guilbeau,Guider,Guerrant,Gudgel,Guarisco,Grossen,Grossberg,Gropp,Groome,Grobe,Gremminger,Greenley,Grauberger,Grabenstein,Gowers,Gostomski,Gosier,Goodenow,Gonzoles,Goliday,Goettle,Goens,Goates,Glymph,Glavin,Glassco,Gladys,Gladfelter,Glackin,Githens,Girgis,Gimpel,Gilbreth,Gilbeau,Giffen,Giannotti,Gholar,Gervasi,Gertsch,Gernatt,Gephardt,Genco,Gehr,Geddis,Gear,Gase,Garrott,Garrette,Gapinski,Ganter,Ganser,Gangi,Gangemi,Gang,Gallina,Galdi,Gailes,Gaetano,Gadomski,Gaccione,Fuschetto,Furtick,Furfaro,Fullman,Frutos,Fruchter,Frogge,Freytag,Freudenthal,Fregoe,Franzone,Frankum,Francia,Franceschi,Fraction,Forys,Forero,Folkers,Foil,Flug,Flitter,Flemons,Fitzer,Firpo,Finizio,Filiault,Figg,Fiddler,Fichtner,Fetterolf,Ferringer,Feil,Fayne,Farro,Faddis,Ezzo,Ezelle,Eynon,Evitt,Eutsler,Euell,Escovedo,Erne,Eriksson,Enriguez,Empson,Elkington,Elk,Eisenmenger,Eidt,Eichenberger,Ehrmann,Ediger,Earlywine,Eacret,Duzan,Dunnington,Duffer,Ducasse,Dubiel,Drovin,Drager,Drage,Donham,Donat,Dona,Dolinger,Dokken,Doepke,Dodwell,Docherty,Distasio,Disandro,Diniz,Digangi,Didion,Dezzutti,Devora,Detmer,Deshon,Derrigo,Dentler,Demoura,Demeter,Demeritt,Demayo,Demark,Demario,Delzell,Delnero,Delgrosso,Dejarnett,Debernardi,Dearmas,Dau,Dashnaw,Daris,Danks,Danker,Dangler,Daignault,Dafoe,Dace,Curet,Cumberledge,Culkin,Cuba,Crowner,Crocket,Crawshaw,Craun,Cranshaw,Cragle,Courser,Costella,Cornforth,Corkill,Cordy,Coopersmith,Conzemius,Connett,Connely,Condict,Condello,Concha,Comley,Colt,Collen,Cohoon,Coday,Clugston,Clowney,Clippard,Clinkenbeard,Clines,Clelland,Clause,Clapham,Clancey,Clabough,Cichy,Cicalese,Chuck,Chua,Chittick,Chisom,Chisley,Chino,Chinchilla,Cheramie,Cerritos,Cercone,Cena,Cawood,Cavness,Catanzarite,Casada,Carvell,Carp,Carmicheal,Carll,Cardozo,Caplin,Candia,Canby,Cammon,Callister,Calligan,Calkin,Caillouet,Buzzelli,Bute,Bustillo,Bursey,Burgeson,Bupp,Bulson,Bulls,Buist,Buffey,Buczkowski,Buckbee,Bucio,Brueckner,Broz,Brookhart,Brong,Brockmeyer,Broberg,Brittenham,Brisbois,Bridgmon,Bride,Breyer,Brede,Breakfield,Breakey,Brauner,Branigan,Brandewie,Branche,Brager,Brader,Bovell,Bouthot,Bostock,Bosma,Boseman,Boschee,Borthwick,Borneman,Borer,Borek,Boomershine,Boni,Bommarito,Bolman,Boleware,Boisse,Boehlke,Bodle,Blash,Blasco,Blakesley,Blacklock,Blackley,Bittick,Birks,Birdin,Bircher,Bilbao,Bick,Biby,Bertoni,Bertino,Bertini,Berson,Bern,Berkebile,Bergstresser,Benne,Benevento,Belzer,Beltre,Bellomo,Bellerose,Beilke,Begeman,Bebee,Beazer,Beaven,Beamish,Baymon,Baston,Bastidas,Basom,Basket,Basey,Bartles,Baroni,Barocio,Barnet,Barclift,Banville,Balthazor,Balleza,Balkcom,Baires,Bailiff,Bailie,Baik,Baggott,Bagen,Bachner,Babington,Babel,Asmar,Askin,Arvelo,Artega,Arrendondo,Arreaga,Arrambide,Arquette,Aronoff,Arico,Argentieri,Arevalos,Archbold,Apuzzo,Antczak,Ankeny,Angelle,Angelini,Anfinson,Amer,Amberg,Amarillas,Altier,Altenburg,Alspach,Alosa,Allsbrook,Alexopoulos,Aleem,Aldred,Albertsen,Akerson,Ainsley,Agler,Adley,Addams,Acoba,Achille,Abplanalp,Abella,Abare,Zwolinski,Zollicoffer,Zola,Zins,Ziff,Zenner,Zender,Zelnick,Zelenka,Zeches,Zaucha,Zauala,Zappa,Zangari,Zagorski,Youtsey,Yorker,Yell,Yasso,Yarde,Yarbough,Xiao,Woolever,Woodsmall,Woodfolk,Wonders,Wobig,Wixson,Wittwer,Wirtanen,Winson,Wingerd,Wilkening,Wilhelms,Wierzbicki,Wiechman,Whites,Weyrick,Wessell,Wenrick,Wenning,Weltz,Weinrich,Weiand,Wehunt,Wareing,Walth,Waibel,Wahlquist,Vona,Voelkel,Vitek,Vinsant,Vincente,Vilar,Viel,Vicars,Vermette,Verma,Vent,Venner,Veazie,Vayda,Vashaw,Varon,Vardeman,Vandevelde,Vanbrocklin,Valery,Val,Vaccarezza,Urquidez,Urie,Urbach,Uram,Ungaro,Umali,Ulsh,Tutwiler,Turnbaugh,Tumminello,Tuite,Tueller,Trulove,Troha,Trivino,Trisdale,Trippett,Tribbett,Treptow,Tremain,Travelstead,Trautwein,Trautmann,Tram,Traeger,Tonelli,Tomsic,Tomich,Tomasulo,Tomasino,Tole,Todhunter,Toborg,Tischer,Tirpak,Tircuit,Tinnon,Tinnel,Tines,Tina,Timbs,Tilden,Tiede,Thumm,Throne,Throgmorton,Thorndike,Thornburgh,Thoren,Thomann,Therrell,Thau,Thammavong,Tetrick,Tessitore,Tesreau,Teicher,Teaford,Tauscher,Tauer,Tanabe,Talamo,Takeuchi,Taite,Tadych,Sweeton,Swecker,Swartzentrube,Swarner,Surrell,Surbaugh,Suppa,Sunshine,Sumbry,Suchy,Stuteville,Studt,Stromer,Strome,Streng,Stonestreet,Stockley,Stmichel,Sticker,Stfort,Sternisha,Stensrud,Steinhardt,Steinback,Steichen,Stauble,Stasiak,Starzyk,Stango,Standerfer,Stachowiak,Springston,Spratlin,Spracklen,Sponseller,Spilker,Spiegelman,Spellacy,Speiser,Spaziani,Spader,Spackman,Space,Sorum,Sopha,Sollis,Sollenberger,Solivan,Solheim,Sokolsky,Sogge,Smyser,Smitley,Sloas,Slinker,Skora,Skiff,Skare,Siverd,Sivels,Siska,Siordia,Simmering,Simko,Sime,Silmon,Silano,Sieger,Siebold,Shukla,Shreves,Shoun,Shortle,Shonkwiler,Shoals,Shimmel,Shiel,Shieh,Sherbondy,Shenkman,Shein,Shearon,Shean,Shatz,Shanholtz,Shafran,Shaff,Shackett,Sgroi,Sewall,Severy,Sethi,Sessa,Sequra,Sepulvado,Seper,Senteno,Sendejo,Semmens,Seipp,Segler,Seegers,Sedwick,Sedore,Sechler,Sebastiano,Scovel,Scotton,Scopel,Schwend,Schwarting,Schutter,Schrier,Schons,Scholtes,Schnetzer,Schnelle,Schmutz,Schlichter,Schelling,Schams,Schamp,Scarber,Scallan,Scalisi,Scaffidi,Saxby,Sawrey,Sauvageau,Sauder,Sarrett,Sanzo,Santizo,Santella,Santander,Sandez,Sandel,Sammon,Salsedo,Salge,Sailors,Sagun,Safi,Sader,Sacchetti,Sablan,Saber,Saade,Runnion,Runkel,Rung,Rumbo,Ruesch,Ruegg,Ruckle,Ruchti,Rubens,Rubano,Rozycki,Roupe,Roufs,Rossel,Rosmarin,Rosero,Rosenwald,Roselle,Ronca,Romos,Rolla,Rohling,Rohleder,Roell,Roehm,Rochefort,Roch,Robotham,Rivenburgh,Riopel,Riederer,Ridlen,Rias,Rhudy,Reynard,Retter,Respess,Reppond,Repko,Rengifo,Reinking,Reichelt,Reeh,Redenius,Rebolledo,Raymundo,Rauh,Ratajczak,Rapley,Ranalli,Ramie,Raitt,Radloff,Radle,Rabbitt,Quay,Quant,Pusateri,Puffinberger,Puerta,Provencio,Proano,Privitera,Prenger,Prellwitz,Pousson,Potier,Poster,Portz,Portlock,Porth,Portela,Portee,Porchia,Pollick,Polinski,Polfer,Polanski,Polachek,Pluta,Plourd,Plauche,Pitner,Piontkowski,Pileggi,Pierotti,Pico,Piacente,Phinisee,Phaup,Pfost,Pettinger,Pettet,Petrich,Peto,Persley,Persad,Perlstein,Perko,Pere,Penders,Peifer,Peco,Pear,Pay,Pawley,Pash,Parrack,Parady,Papen,Pangilinan,Pandolfo,Palone,Palmertree,Padin,Ou,Ottey,Ottem,Ostroski,Ornstein,Ormonde,Onstott,Oncale,Oltremari,Olcott,Olan,Oishi,Oien,Odonell,Odonald,Ode,Obeso,Obeirne,Oatley,Nusser,Novo,Novicki,Noreen,Nora,Nitschke,Nistler,Nim,Nikkel,Niese,Nierenberg,Nield,Niedzwiecki,Niebla,Niebel,Nicklin,Neyhart,Newsum,Nevares,Nageotte,Nagai,Myung,Mutz,Murata,Muralles,Munnerlyn,Mumpower,Muegge,Muckle,Muchmore,Moulthrop,Motl,Moskos,Mortland,Morring,Mormile,Morimoto,Morikawa,Morgon,Mordecai,Montour,Mont,Mongan,Monell,Miyasato,Mish,Minshew,Mimbs,Millin,Milliard,Mihm,Middlemiss,Miano,Mew,Mesick,Merlan,Mendonsa,Mench,Melonson,Melling,Mecca,Meachem,Mctighe,Mcnelis,Mcmurtrey,Mcmurphy,Mckesson,Mckenrick,Mckelvie,Mcjunkins,Mcgory,Mcgirr,Mcgeever,Mcfield,Mcelhinney,Mccrossen,Mccommon,Mccannon,Mazyck,Mawyer,Maull,Matute,Mathies,Maschino,Marzan,Martinie,Marrotte,Marmion,Markarian,Marinacci,Margolies,Margeson,Marcia,Marcel,Marak,Maraia,Maracle,Manygoats,Mano,Manker,Mank,Mandich,Manderson,Maltz,Malmquist,Malacara,Majette,Mais,Magnan,Magliocca,Madina,Madara,Macwilliams,Macqueen,Maccallum,Lyde,Lyday,Lutrick,Lurz,Lurvey,Lumbreras,Luhrs,Luhr,Lue,Lowrimore,Lowndes,Lowers,Lourenco,Lougee,Lorona,Longstreth,Loht,Lofquist,Loewenstein,Lobos,Lizardi,Liverpool,Lionberger,Limoli,Liljenquist,Liguori,Liebl,Liburd,Leukhardt,Letizia,Lesinski,Lepisto,Lenzini,Leisenring,Leipold,Leier,Leggitt,Legare,Leaphart,Lazor,Lazaga,Lavey,Laue,Laudermilk,Lauck,Lassalle,Larsson,Larison,Lanzo,Lantzy,Lanners,Langtry,Landford,Lancour,Lamour,Lambertson,Lalone,Lairson,Lainhart,Lagreca,Lacina,Labranche,Labate,Kurtenbach,Kuipers,Kuechle,Kue,Kubo,Krinsky,Krauser,Kraeger,Kracht,Kozeliski,Kozar,Kowalik,Kotler,Kotecki,Koslosky,Kosel,Koob,Kolasinski,Koizumi,Kohlman,Koffman,Knutt,Knore,Knaff,Kmiec,Klamm,Kittler,Kitner,Kirkeby,Kiper,Kindler,Kilmartin,Killings,Killin,Kilbride,Kerchner,Kendell,Keddy,Keaveney,Kearsley,Karras,Karlsson,Karalis,Kappes,Kapadia,Kallman,Kallio,Kalil,Kader,Jurkiewicz,Joya,Johann,Jitchaku,Jillson,Jex,Jeune,Jarratt,Jarchow,Janak,Ivins,Ivans,Isenhart,Inocencio,Inoa,Imhof,Iacono,Hynds,Hutching,Hutchin,Hulsman,Hulsizer,Hueston,Huddleson,Hrbek,Howry,Housey,Hounshell,Hosick,Hortman,Horseman,Horky,Horine,Hootman,Honeywell,Honeyestewa,Holste,Holien,Holbrooks,Hoffmeyer,Hof,Hoese,Hoenig,Hirschfeld,Hildenbrand,Higson,Higney,Hibert,Hibbetts,Hewlin,Hesley,Herrold,Hermon,Heritage,Hepker,Henwood,Helbling,Heinzman,Heidtbrink,Hedger,Havey,Hatheway,Hartshorne,Harpel,Haning,Handelman,Hamalainen,Hamad,Halt,Halasz,Haigwood,Haggans,Hackshaw,Guzzo,Gunner,Gundrum,Guilbeault,Gugliuzza,Guglielmi,Gue,Guderian,Gruwell,Grunow,Grundman,Gruen,Grotzke,Grossnickle,Groomes,Grode,Grochowski,Grob,Grein,Greif,Greenwall,Greenup,Grassl,Grannis,Grandfield,Grames,Grabski,Grabe,Gouldsberry,Gotham,Gosch,Goody,Goodling,Goodermote,Gonzale,Golebiowski,Goldson,Godlove,Glanville,Gillin,Gilkerson,Giessler,Giambalvo,Giacomini,Giacobbe,Ghio,Gergen,Gentz,Genrich,Gelormino,Gelber,Geitner,Geimer,Gauthreaux,Gaultney,Garvie,Gareau,Garbo,Garbacz,Ganoe,Gangwer,Gandarilla,Galyen,Galt,Galluzzo,Gallon,Galardo,Gager,Gaddie,Gaber,Gabehart,Gaarder,Fusilier,Furnari,Furbee,Fugua,Fruth,Frohman,Friske,Frilot,Fridman,Frescas,Freier,Frayer,Franzese,Franklyn,Frankenberry,Frain,Fosse,Foresman,Forbess,Foot,Florida,Flook,Fletes,Fleer,Fleek,Fleegle,Fishburne,Fiscalini,Finnigan,Fini,Filipiak,Figueira,Fiero,Ficek,Fiaschetti,Ferren,Ferrando,Ferman,Fergusson,Fenech,Feiner,Feig,Fees,Faulds,Fate,Fariss,Fantasia,Falor,Falke,Ewings,Eversley,Everding,Eunice,Etling,Essen,Erskin,Enstrom,Enrico,Engebretsen,Ender,Emma,Eitel,Eichberger,Ehler,Eekhoff,Edrington,Edmonston,Edgmon,Edes,Eberlein,Dwinell,Dux,Dupee,Dunklee,Dunk,Dungey,Dunagin,Dumoulin,Duggar,Duenez,Dudzic,Dudenhoeffer,Ducey,Dub,Drouillard,Dreibelbis,Dreger,Dreesman,Draughon,Downen,Double,Dorminy,Dominic,Dombeck,Dolman,Doebler,Dittberner,Dishaw,Disanti,Dinicola,Dinham,Dimino,Dilling,Difrancesco,Dicello,Dibert,Deshazer,Deserio,Descoteau,Deruyter,Dering,Depinto,Dente,Demus,Demattos,Demarsico,Delude,Dekok,Debrito,Debois,Deakin,Dea,Dayley,Dawsey,Dauria,Datson,Darty,Darsow,Darragh,Darensbourg,Dalleva,Dalbec,Dadd,Cutcher,Curb,Cung,Cuello,Cuadros,Crute,Crutchley,Crispino,Crislip,Crisco,Crevier,Creekmur,Crance,Cragg,Crager,Cozby,Coyan,Coxon,Covalt,Couillard,Costley,Costilow,Cossairt,Corvino,Corigliano,Cordaro,Corbridge,Corban,Coor,Cooler,Conkel,Cong,Conary,Coltrain,Collopy,Colgin,Colen,Colbath,Coiro,Coffie,Cochrum,Cobbett,Clopper,Cliburn,Clendenon,Clemon,Clementi,Clausi,Cirino,Cina,Churn,Churchman,Chilcutt,Cherney,Cheetham,Cheatom,Chatelain,Chandra,Chalifour,Cesa,Cervenka,Cerullo,Cerreta,Cerbone,Cecchini,Ceccarelli,Cawthorn,Cavalero,Catalina,Castner,Castlen,Castine,Casimiro,Casdorph,Cartmill,Cartmell,Carro,Carriger,Carlee,Carias,Caravella,Cappas,Capen,Cantey,Canedo,Camuso,Camps,Campanaro,Camero,Cambria,Calzado,Callejo,Caligiuri,Cafaro,Cadotte,Cacace,Byrant,Busbey,Burtle,Burres,Burnworth,Burggraf,Burback,Bunte,Bunke,Bulle,Bugos,Budlong,Buckhalter,Buccellato,Brummet,Bruff,Brubeck,Brouk,Broten,Brosky,Broner,Brittle,Brislin,Brimm,Brillhart,Bridgham,Brideau,Brennecke,Brenna,Breer,Breeland,Bredesen,Branden,Brackney,Brackeen,Boza,Boyum,Bowdry,Bowdish,Bouwens,Bouvier,Bougie,Bouche,Bottenfield,Bostian,Bossie,Bosler,Boschert,Boroff,Borello,Boom,Bonser,Bonfield,Bon,Bole,Boldue,Bogacz,Boemer,Bluth,Bloxom,Blickenstaff,Blessinger,Bleazard,Blatz,Blanchet,Blacksher,Birchler,Binning,Binkowski,Biltz,Bilotta,Bilagody,Bigbee,Bieri,Biehle,Bidlack,Betker,Bethers,Bethell,Bertha,Bero,Bernacchi,Bermingham,Berkshire,Benvenuto,Bensman,Benoff,Bencivenga,Beman,Bellow,Bellany,Belflower,Belch,Bekker,Bejar,Beisel,Beichner,Began,Beedy,Beas,Beanblossom,Bawek,Baus,Baugus,Battie,Battershell,Bateson,Basque,Basford,Bartone,Barritt,Barko,Bann,Bamford,Baltrip,Balon,Balliew,Ballam,Baldus,Ayling,Avelino,Ashwell,Ashland,Arseneau,Arroyos,Armendarez,Arita,Argust,Archuletta,Arcement,Antonacci,Anthis,Antal,Annan,Andree,Anderman,Amster,Amiri,Amadon,Alveraz,Altomari,Altmann,Altenhofen,Allers,Allbee,Allaway,All,Aleo,Alcoser,Alcorta,Akhtar,Ahuna,Agramonte,Agard,Adkerson,Achord,Abt,Abdi,Abair,Zurn,Zoellner,Zirk,Zion,Zee,Zarro,Zarco,Zambo,Zaiser,Zaino,Zachry,Youd,Yonan,Yniguez,Yepes,Yeo,Yellock,Yellen,Yeatts,Yearling,Yatsko,Yannone,Wyler,Woodridge,Wolfrom,Wolaver,Wolanin,Wojnar,Wojciak,Wittmann,Wittich,Wiswell,Wisser,Wintersteen,Wineland,Willing,Willford,Wiginton,Wigfield,Wierman,Wice,Wiater,Whitsel,Whitbread,Wheller,Wettstein,Werling,Wente,Wenig,Wempe,Welz,Weinhold,Weigelt,Weichman,Wedemeyer,Weddel,Ways,Wayment,Waycaster,Wauneka,Watzka,Watton,Warnell,Warnecke,Warmack,Warder,Wands,Waldvogel,Waldridge,Wahs,Wagganer,Waddill,Vyas,Vought,Votta,Voiles,Virga,Viner,Villella,Villaverde,Villaneda,Viele,Vickroy,Vicencio,Veve,Vetere,Vermilyea,Verley,Verburg,Ventresca,Veno,Venard,Venancio,Velaquez,Veenstra,Vea,Vasil,Vanzee,Vanwie,Vantine,Vant,Vanschoyck,Vannice,Vankampen,Vanicek,Vandersloot,Vanderpoel,Vanderlinde,Vallieres,Uzzell,Uzelac,Uranga,Uptain,Updyke,Uong,Untiedt,Umbrell,Umbaugh,Umbarger,Ulysse,Ullmann,Ullah,Tutko,Turturro,Turnmire,Turnley,Turcott,Turbyfill,Turano,Tuminello,Tumbleson,Tsou,Truscott,Trulson,Troutner,Trone,Troll,Trinklein,Tremmel,Tredway,Trease,Traynham,Traw,Totty,Torti,Torregrossa,Torok,Tomkins,Tomaino,Tkach,Tirey,Tinsman,Timpe,Tiefenauer,Tiedt,Tidball,Thwaites,Thulin,Throneburg,Thorns,Thorell,Thorburn,Thiemann,Thieman,Thesing,Tham,Terrien,Terrance,Telfair,Taybron,Tasson,Tasso,Tarro,Tanenbaum,Talent,Tailor,Taddeo,Tada,Taborn,Tabios,Szekely,Szatkowski,Sylve,Swineford,Swartzfager,Swanton,Swagerty,Surrency,Sunderlin,Sumerlin,Suero,Suddith,Sublette,Stumpe,Stueve,Study,Stuckert,Strycker,Struve,Struss,Strubbe,Strough,Strothmann,Strahle,Stoutner,Stooksbury,Stones,Stonebarger,Stokey,Stoffer,Stimmel,Stief,Stephans,Stemper,Steltenpohl,Stellato,Steinle,Stegeman,Steffler,Steer,Steege,Steckman,Stapel,Stansbery,Stanaland,Stahley,Stagnaro,Stachowski,Squibb,Sprunger,Sproule,Sprehe,Spreen,Sprecher,Sposato,Spivery,Souter,Sopher,Sommerfeldt,Soffer,Snowberger,Snape,Smylie,Smyer,Smack,Slaydon,Slatton,Slaght,Skovira,Skeans,Sjolund,Sjodin,Siragusa,Singelton,Sinatra,Silis,Siebenaler,Shuffield,Shobe,Shiring,Shimabukuro,Shilts,Sherley,Sherbert,Shelden,Sheil,Shedlock,Shearn,Shaub,Sharbono,Shapley,Shands,Shaheen,Shaffner,Servantez,Sentz,Seney,Selin,Seitzinger,Seider,Sehr,Sego,Segall,Seeds,Sebastien,Scimeca,Schwenck,Schweiss,Schwark,Schwalbe,Schucker,Schronce,Schrag,Schouten,Schoppe,Schomaker,Schnarr,Schmied,Schmader,Schlicht,Schlag,Schield,Schiano,Scheve,Scherbarth,Schaumburg,Schauman,Scarpino,Savinon,Sassaman,Sarah,Saporito,Sanville,Santilli,Santaana,Sanda,Salzmann,Salman,Saks,Sagraves,Safran,Saccone,Sa,Rutty,Russett,Rupard,Rump,Rumbley,Ruffins,Ruacho,Rozema,Roxas,Routson,Rourk,Rought,Rotunda,Rotermund,Rosman,Rosette,Rork,Rooke,Rolin,Rohm,Rohlman,Rohl,Roeske,Roecker,Rober,Robenson,Riso,Rinne,Rima,Riina,Rigsbee,Riggles,Riester,Rials,Rhinehardt,Reynaud,Reyburn,Rewis,Revermann,Reutzel,Retz,Rende,Rendall,Reistad,Reinders,Reichardt,Rehrig,Rehrer,Recendez,Reamy,Raz,Rauls,Ratz,Rattray,Rasband,Rapone,Ragle,Ragins,Radican,Raczka,Rachels,Raburn,Rabren,Raboin,Ra,Quesnell,Quaintance,Puccinelli,Pruner,Prouse,Proud,Prosise,Proffer,Prochazka,Probasco,Previte,Prayer,Pour,Portell,Porcher,Popoca,Poncho,Pomroy,Poma,Polsky,Polsgrove,Polidore,Podraza,Plymale,Plescia,Pleau,Platte,Plato,Pizzi,Pinchon,Picot,Piccione,Picazo,Philibert,Phebus,Pfohl,Petell,Pesso,Pesante,Pervis,Perrins,Perley,Perkey,Pereida,Penate,Peloso,Pellerito,Peffley,Peddicord,Pecina,Peale,Peaks,Payette,Paxman,Pawlikowski,Pavy,Pavlov,Patry,Patmon,Patil,Pater,Patak,Pasqua,Pasche,Partyka,Parody,Parmeter,Pares,Pardi,Paonessa,Pao,Panozzo,Panameno,Paletta,Pait,Oyervides,Ossman,Oshima,Ortlieb,Orsak,Orleans,Onley,On,Oldroyd,Okano,Ohora,Offley,Oestreicher,Odonovan,Odham,Odegard,Obst,Obriant,Obrecht,Nuccio,Nowling,Nowden,Novelli,Novell,Nost,Norstrom,Norfolk,Nordgren,Nopper,Noller,Nisonger,Niskanen,Nienhuis,Nienaber,Neuwirth,Neumeyer,Neice,Naugher,Naiman,Nagamine,Mustin,Murrietta,Murdaugh,Munar,Mulberry,Muhlbauer,Mroczkowski,Mowdy,Mouw,Mousel,Mountcastle,Moscowitz,Mosco,Morro,Moresi,Morago,Moomaw,Montroy,Montpas,Montieth,Montanaro,Mongelli,Mon,Mollison,Mollette,Moldovan,Mohar,Mizuno,Mitchelle,Mishra,Misenheimer,Minshall,Minozzi,Minniefield,Minion,Milhous,Migliaccio,Migdal,Mickell,Meyering,Methot,Mester,Mesler,Meriweather,Mensing,Mensah,Menge,Mendola,Mendibles,Meloche,Melnik,Mellas,Meinert,Mehrhoff,Medas,Meckler,Mctague,Mcspirit,Mcshea,Mcquown,Mcquiller,Mclarney,Mckiney,Mckearney,Mcguyer,Mcfarlan,Mcfadyen,Mcdanial,Mcdanel,Mccurtis,Mccrohan,Mccorry,Mcclune,Mccant,Mccanna,Mccandlish,Mcaloon,Mayall,Maver,Maune,Matza,Matty,Matsuzaki,Matott,Mathey,Mateos,Masoner,Masino,Mas,Marzullo,Marz,Maryland,Marsolek,Marquard,Mario,Marchetta,Marberry,Manzione,Many,Manthei,Manka,Mangram,Mangle,Mangel,Mandato,Mancillas,Mammen,Malina,Maletta,Malecki,Majkut,Mages,Maestre,Macphail,Maco,Macneill,Macadam,Lysiak,Lyne,Luxton,Luptak,Lundmark,Luginbill,Lovallo,Louthan,Lousteau,Loupe,Lotti,Lopresto,Lonsdale,Longsworth,Lohnes,Loghry,Logemann,Lofaro,Loeber,Locastro,Livings,Litzinger,Litts,Liotta,Lingard,Lineback,Lindy,Lindhorst,Lill,Lide,Lickliter,Liberman,Lewinski,Levandowski,Leimbach,Leifer,Leidholt,Leiby,Leibel,Leibee,Lehrke,Lehnherr,Lego,Leese,Leen,Ledo,Lech,Leblond,Leap,Leahey,Lazzari,Lawrance,Lawlis,Lawhorne,Lawes,Lavigna,Lavell,Lauzier,Lauter,Laumann,Latsha,Latourette,Latona,Latney,Laska,Larner,Larmore,Larke,Larence,Lapier,Lanzarin,Lands,Lammey,Lamke,Laminack,Lamastus,Lamaster,Lacewell,Labarr,Laabs,Kutch,Kuper,Kuna,Kubis,Krzemien,Krupinski,Krepps,Kreeger,Kraner,Krammer,Kountz,Kothe,Korpela,Komara,Kolenda,Kolek,Kohnen,Koelzer,Koelsch,Kocurek,Knoke,Knauff,Knaggs,Knab,Kluver,Klose,Klien,Klahr,Kitagawa,Kissler,Kirstein,Kinnon,Kinnebrew,Kinnamon,Kimmins,Kilgour,Kilcoyne,Kiester,Kiehm,Kha,Kesselring,Kerestes,Kenniston,Kennamore,Kenebrew,Kelderman,Keitel,Kefauver,Katzenberger,Katt,Kast,Kassel,Kasey,Karol,Kamara,Kalmbach,Kaizer,Kaiwi,Kainz,Jurczyk,Jumonville,Juliar,Jourdain,Johndrow,Johanning,Johannesen,Joffrion,Jobes,Jerde,Jentzsch,Jenkens,Jendro,Jellerson,Jefferds,Jaure,Jaquish,Janeway,Jago,Iwasaki,Ishman,Isaza,Inmon,Inlow,Inclan,Ildefonso,Ike,Iezzi,Ianni,Iacovetto,Hyldahl,Huxhold,Huser,Humpherys,Humburg,Hult,Hullender,Hulburt,Huckabay,Howeth,Hovermale,Hoven,Houtman,Hourigan,Hosek,Hopgood,Homrich,Holstine,Holsclaw,Hokama,Hoffpauir,Hoffner,Hochstein,Hochstatter,Hochberg,Hjelm,Hiscox,Hinsley,Hinks,Hineman,Hineline,Hinck,Hilbun,Hewins,Herzing,Hertzberg,Hertenstein,Herrea,Herington,Hercules,Henrie,Henman,Hengst,Hemmen,Helmke,Helgerson,Heinsohn,Heigl,Hegstad,Heggen,Hegge,Hefti,Heathcock,Haylett,Haupert,Haufler,Hatala,Haslip,Hartless,Hartje,Hartis,Harpold,Harmsen,Harbach,Hanten,Hanington,Hammen,Hameister,Hallstrom,Habersham,Habegger,Gussman,Gundy,Guitterez,Guisinger,Guilfoyle,Groulx,Grismer,Griesbach,Grawe,Grall,Graft,Graben,Goulden,Gornick,Gori,Gookin,Gonzalaz,Gonyer,Gonder,Golphin,Goller,Goergen,Glosson,Glor,Gladin,Girdler,Gillim,Gillians,Gillaspie,Gilhooly,Gildon,Gignac,Gibler,Gibbins,Giardino,Giampietro,Gettman,Gerringer,Gerrald,Gerlich,Georgiou,Georgia,Georgi,Geiselman,Gehman,Gauze,Gangl,Gamage,Gallian,Gallen,Gallatin,Galen,Galea,Gainor,Gahr,Furbush,Fulfer,Fuhrmann,Fritter,Friis,Friendly,Friedly,Freudenberger,Frees,Freemon,Fratus,Frans,Foulke,Fosler,Forquer,Fontan,Folwell,Folds,Foeller,Fodge,Fobes,Florek,Fliss,Flight,Flesner,Flegel,Fitzloff,Fiser,First,Firmin,Firestine,Finfrock,Fineberg,Figures,Fiegel,Fickling,Fesperman,Fernadez,Felber,Feimster,Feazel,Favre,Faughn,Fatula,Fasone,Farron,Faron,Farino,Falvey,Falkenberg,Faley,Faletti,Faeth,Fackrell,Ezekiel,Espe,Eskola,Escott,Esaw,Erps,Erker,Erath,Enfield,Emfinger,Embury,Embleton,Emanuele,Em,Elvers,Ellwanger,Ellegood,Einstein,Eichinger,Egge,Egeland,Edgett,Echard,Eblen,Eastmond,Duteau,Durland,Dure,Dunlavy,Dungee,Dukette,Dugay,Duboise,Dubey,Dsouza,Druck,Dralle,Doubek,Dorta,Dorch,Dorce,Dopson,Dolney,Dockter,Distler,Diss,Dippel,Diperna,Dina,Dichiara,Dicerbo,Dewindt,Dewan,Deveney,Devargas,Deutscher,Deuel,Detter,Dess,Derrington,Deroberts,Dern,Deponte,Denogean,Denardi,Denard,Demary,Demarcus,Demarais,Delucas,Deloe,Delmonico,Delisi,Delio,Delduca,Delaine,Deihl,Dehmer,Deep,Decoste,Dechick,Decatur,Dec,Debruce,Debold,Debell,Deats,Daunt,Daquilante,Dambrosi,Damas,Dalin,Daisy,Dahman,Dahlem,Daffin,Dacquel,Cutrell,Cusano,Curtner,Currens,Curnow,Cuppett,Cummiskey,Cullers,Culhane,Crull,Crossin,Cropsey,Cromie,Crofford,Criscuolo,Crisafulli,Crego,Creeden,Covello,Covel,Corse,Correra,Corners,Cordner,Cordier,Coplen,Copeman,Contini,Conteras,Consalvo,Conduff,Condo,Compher,Comas,Colliver,Colan,Cohill,Cohenour,Cogliano,Codd,Cockayne,Clum,Clowdus,Clarida,Clance,Clairday,Clagg,Citron,Citino,Ciriello,Cicciarelli,Chrostowski,Christley,Christians,Chrisco,Chris,Chrest,Chisler,Chieffo,Cherne,Cherico,Cherian,Cheirs,Chauhan,Charter,Chamblin,Cerra,Cepero,Cellini,Celia,Celeste,Celedon,Cejka,Cavagnaro,Cauffman,Catanese,Castrillo,Castrellon,Casserly,Casino,Caseres,Carthen,Carse,Carragher,Carpentieri,Carmony,Carmer,Carlozzi,Caradine,Cappola,Capece,Capaldi,Cantres,Cantos,Canevari,Canete,Calcaterra,Cal,Cadigan,Cabbell,Byrn,Bykowski,Butchko,Busler,Bushaw,Buschmann,Burow,Buri,Burgman,Bunselmeyer,Bunning,Buhrman,Budnick,Buckson,Buckhannon,Brunjes,Brummel,Brumleve,Bruckman,Brouhard,Brougham,Brostrom,Broerman,Brocks,Brison,Brining,Brindisi,Brereton,Breon,Breitling,Breedon,Brasseaux,Branaman,Bramon,Brackenridge,Boyan,Boxley,Bouman,Bouillion,Botting,Botti,Bosshart,Borup,Borner,Bordonaro,Boot,Bonsignore,Bonsall,Bolter,Bojko,Bohne,Bohlmann,Bogus,Bogdon,Boen,Bodenschatz,Bockoven,Bobrow,Blondin,Blissett,Bligen,Blasini,Blankenburg,Bjorkman,Bistline,Bisset,Birdow,Biondolillo,Bielski,Biele,Biddix,Biddinger,Bianchini,Bevens,Bevard,Betancur,Bernskoetter,Bernet,Bernardez,Berliner,Berland,Berkheimer,Berent,Bensch,Benesch,Belleau,Bedingfield,Beckstrom,Beckim,Bechler,Beachler,Bazzell,Basa,Bartoszek,Barsch,Barrell,Barnas,Barnaba,Barillas,Barbier,Baltodano,Baltierra,Balle,Balint,Baldi,Balderson,Balderama,Baldauf,Balcazar,Balay,Baiz,Bairos,Baba,Azim,Axe,Aversa,Avellaneda,Ausburn,Aurelio,Auila,Augusto,Atwill,Artiles,Arterberry,Aro,Arnow,Arnaud,Arnall,Armando,Argyle,Ares,Arenz,Arduini,Archila,Arakawa,Appleman,Aplin,Antonini,Anstey,Anglen,Andros,Amweg,Amstutz,Amari,Amadeo,Aly,Alteri,Aloi,Allebach,Allah,Aley,Alamillo,Airhart,Ahrendt,Africa,Aegerter,Adragna,Admas,Adderly,Adderley,Addair,Abelar,Abbamonte,Abadi,Zurek,Zundel,Zuidema,Zuelke,Zuck,Zogg,Zody,Zets,Zech,Zecca,Zavaleta,Zarr,Yousif,Yoes,Yoast,Yeagley,Yaney,Yanda,Yackel,Wyles,Wyke,Woolman,Woollard,Woodis,Woodin,Wonderly,Wombles,Woloszyn,Wollam,Wnek,Wms,Wittie,Withee,Wissman,Wisham,Wintle,Winthrop,Winokur,Winch,Wilmarth,Willhoite,Wildner,Wikel,Wieser,Wien,Wicke,Wiatrek,Whitehall,Whetstine,Wheelus,Weyrauch,Weyers,Westerling,Wendelken,Welner,Welder,Weinreb,Weinheimer,Weilbacher,Weihe,Weider,Wecker,Wead,Watler,Watkinson,Wasmer,Waskiewicz,Wasik,Warneke,Wares,Wangerin,Wamble,Walken,Waker,Wakeley,Wahlgren,Wahlberg,Wagler,Wachob,Vorhies,Vonseggern,Vittitow,Virgilio,Vink,Villarruel,Villamil,Villamar,Villalovos,Vidmar,Victorero,Vespa,Vertrees,Verissimo,Veltman,Vecchione,Veals,Varrone,Varma,Vanveen,Vanterpool,Vaneck,Vandyck,Vancise,Vanausdal,Vanalphen,Valdiviezo,Urton,Urey,Updegrove,Unrue,Ulbrich,Tysinger,Tyo,Twiddy,Tunson,Trueheart,Troyan,Trier,Traweek,Trafford,Tozzi,Toulouse,Touch,Tosto,Toste,Torez,Tooke,Tonini,Tonge,Tomerlin,Tolmie,Tobe,Tippen,Tierno,Tichy,Thuss,Threat,Thran,Thornbury,Thone,Theunissen,Thelmon,Theall,Textor,Teters,Tesh,Tennis,Teng,Tench,Tekautz,Tehrani,Teat,Teas,Teare,Te,Tavenner,Tartaglione,Tanski,Tanis,Tanguma,Tangeman,Taney,Tammen,Tamburri,Tamburello,Talsma,Tallie,Takeda,Taira,Taheri,Tademy,Taddei,Taaffe,Szymczak,Szczepaniak,Szafranski,Swygert,Swem,Swartzlander,Sutley,Supernaw,Sundell,Sullivant,Suderman,Sudbury,Suares,Stueber,Stromme,Striker,Streeper,Streck,Strebe,Stonehouse,Stoia,Stohr,Stodghill,Stirewalt,Stick,Sterry,Stephanie,Stenstrom,Stene,Steinbrecher,Stear,Stdenis,Stanphill,Staniszewski,Stanard,Stahlhut,Stachowicz,Srivastava,Spong,Spomer,Spinosa,Spindel,Spera,Spark,Soward,Sopp,Sooter,Sonnek,Sonne,Soland,Sojourner,Soeder,Sobolewski,Snellings,Snare,Smola,Smetana,Smeal,Smarr,Sloma,Sligar,Skenandore,Skalsky,Sitter,Sissom,Sirko,Simkin,Silverthorn,Silman,Sikkink,Signorile,Siddens,Shumsky,Shrider,Shoulta,Shonk,Shomaker,Shippey,Shimada,Shillingburg,Shifflet,Shiels,Shepheard,Sheerin,Shedden,Sheckles,Sharrieff,Sharpley,Shappell,Shaneyfelt,Shampine,Shaefer,Shaddock,Shadd,Sforza,Severtson,Setzler,Sepich,Senne,Senatore,Sementilli,Selway,Selover,Sellick,Seigworth,Sefton,Seegars,Sebourn,Seaquist,Sealock,Seabreeze,Scriver,Scinto,Schumer,Schulke,Schryver,Schriner,Schramek,Schoon,Schoolfield,Schonberger,Schnieder,Schnider,Schlitz,Schlather,Schirtzinger,Scherman,Schenker,Scheiner,Scheible,Schaus,Schakel,Schaad,Saxe,Savely,Savary,Sardinas,Santarelli,Sanschagrin,Sans,Sanpedro,Sanjose,Sandra,Sandine,Sandigo,Sandgren,Sanderford,Sandahl,Salzwedel,Salzar,Salvino,Salvatierra,Salminen,Salierno,Salberg,Sahagun,Saelee,Sabel,Rynearson,Ryker,Rupprecht,Runquist,Rumrill,Ruhnke,Rovira,Rottenberg,Rosoff,Rosete,Rosebrough,Roppolo,Roope,Romas,Roley,Rohrback,Rohlfs,Rogriguez,Roel,Rodriguiz,Rodewald,Roback,Rizor,Ritt,Rippee,Riolo,Rinkenberger,Riggsby,Rigel,Rieman,Riedesel,Rideau,Ricke,Rhinebolt,Rheault,Revak,Relford,Reinsmith,Reichmann,Rei,Regula,Redlinger,Redhead,Rayno,Raycroft,Rave,Raus,Raupp,Rathmann,Rastorfer,Rasey,Raponi,Rantz,Ranno,Ranes,Randal,Ramp,Ramnauth,Rahal,Raddatz,Quattrocchi,Quang,Purchase,Pullis,Pulanco,Pryde,Prohaska,Primiano,Prez,Prevatt,Prechtl,Pottle,Potenza,Portes,Porowski,Poppleton,Pontillo,Pong,Polka,Politz,Politi,Poggi,Plonka,Plaskett,Placzek,Pizzuti,Pizzaro,Pisciotta,Pippens,Pinkins,Pinilla,Pini,Pingitore,Piercey,Pickup,Piccola,Piccioni,Picciano,Phy,Philps,Philp,Philo,Philmon,Philbin,Pflieger,Pezzullo,Petruso,Petrea,Petitti,Peth,Peshlakai,Peschel,Persico,Persichetti,Persechino,Perris,Perlow,Perico,Pergola,Penniston,Pembroke,Pellman,Pekarek,Peirson,Pearcey,Pealer,Pavlicek,Passino,Pasquarello,Pasion,Parzych,Parziale,Parga,Papalia,Papadakis,Paino,Pacini,Oyen,Ownes,Owczarzak,Outley,Ouelette,Ottosen,Otting,Ostwinkle,Osment,Oshita,Osario,Orlow,Oriordan,Orefice,Orantes,Oran,Orahood,Opel,Olpin,Oliveria,Okon,Okerlund,Okazaki,Ohta,Offerman,Nyce,Nutall,Northey,Norcia,Noor,Noh,Niehoff,Niederhauser,Nickolson,Nguy,Neylon,Newstrom,Nevill,Netz,Nesselrodt,Nemes,Neally,Nauyen,Nascimento,Nardella,Nanni,Myren,Murchinson,Munter,Munster,Mundschenk,Mujalli,Muckleroy,Mu,Moussa,Mouret,Moulds,Mottram,Motte,Mosey,Morre,Montreuil,Monton,Montellano,Monninger,Monhollen,Mongeon,Monestime,Monegro,Mondesir,Monceaux,Mola,Moga,Moening,Moccia,Misko,Miske,Mishaw,Minturn,Mingione,Minerva,Milstein,Milos,Milla,Milks,Milhouse,Michl,Micheletti,Michals,Mesia,Merson,Meras,Menifee,Meluso,Mella,Melick,Mehlman,Meffert,Medoza,Mecum,Meaker,Meahl,Mczeal,Mcwatters,Mcomber,Mcmonigle,Mckiddy,Mcgranor,Mcgeary,Mcgaw,Mcenery,Mcelderry,Mcduffey,Mccuistion,Mccrudden,Mccrossin,Mccosh,Mccolgan,Mcclish,Mcclenahan,Mcclam,Mccartt,Mccarrell,Mcbane,Mc,Maybury,Mayben,Maw,Maulden,Mauceri,Matko,Mathie,Matheis,Mathai,Masucci,Massiah,Martorano,Martnez,Martindelcamp,Marschke,Marovich,Markiewicz,Marinaccio,Marhefka,Marcrum,Manton,Mantel,Mannarino,Manlove,Mangham,Manasco,Malpica,Mallernee,Malinsky,Malhotra,Maish,Maisel,Mainville,Maharrey,Magid,Maertz,Mada,Maclaughlin,Macina,Macdermott,Macallister,Macadangdang,Maack,Lynk,Lydic,Luyando,Lutke,Lupinacci,Lunz,Lundsten,Lull,Lujano,Luhn,Luecke,Luebbe,Ludolph,Luckman,Lucker,Luckenbill,Luckenbach,Lucido,Lowney,Lowitz,Lovaglio,Louro,Louk,Loudy,Louderback,Lorick,Lorenzini,Lorensen,Lorenc,Lomuscio,Loguidice,Lockner,Lockart,Lochridge,Litaker,Lisowe,Liptrap,Linnane,Linhares,Lindfors,Lindenmuth,Lincourt,Lina,Like,Liew,Lies,Liebowitz,Levengood,Leskovec,Lesch,Leoni,Lennard,Legner,Leaser,Leas,Lean,Leadingham,Lazarski,Layland,Laurito,Laulu,Laughner,Laughman,Laughery,Laube,Latiolais,Lasserre,Lasser,Lars,Larrow,Larrea,Lapsley,Lantrip,Lanthier,Langwell,Langelier,Landaker,Lampi,Lamond,Lamblin,Lambie,Lakins,Laipple,Lagrimas,Lafrancois,Laffitte,Laday,Lacko,Lacava,Labor,Labianca,Kutsch,Kuske,Kunert,Kubly,Kuamoo,Krummel,Krise,Krenek,Kreiser,Krausz,Kraska,Krakowski,Kradel,Kozik,Koza,Kotowski,Koslow,Korber,Kojima,Kochel,Knabjian,Klunder,Klugh,Klinkhammer,Kliewer,Klever,Kleber,Klages,Klaas,Kizziar,Kitchel,Kishimoto,Kirschenman,Kirschenbaum,Kinnick,Kinn,Kinkle,Kiner,Kindla,Kindall,Kincaide,Kilson,Killins,Kill,Kightlinger,Kienzle,Kiah,Khim,Ketcherside,Kerl,Kelsoe,Kelker,Keizer,Keir,Keepers,Kawano,Kawa,Kaveney,Kath,Kasparek,Kaplowitz,Kantrowitz,Kant,Kanoff,Kano,Kann,Kamalii,Kalt,Kaleta,Kalbach,Kalauli,Kalata,Kalas,Kaigler,Kachel,Juran,Jubb,Jonker,Jonke,Jolivette,Joles,Joas,Jividen,Jewel,Jeffus,Jeanty,Jarvi,Jardon,Janvier,Janosko,Janoski,Janiszewski,Janish,Janek,Iwanski,Iuliano,Isabella,Irle,Ingmire,Imber,Ijames,Iiams,Ihrig,Ichikawa,Hynum,Hutzel,Hutts,Huskin,Husak,Hurndon,Huntsinger,Humm,Hulette,Huitron,Huguenin,Hugg,Hugee,Huelskamp,Huch,Howen,Hovanec,Hoston,Hostettler,Horsfall,Horodyski,Holzhauer,Hollimon,Hollender,Hogarth,Hoffelmeyer,Histand,Hissem,Hisel,Hirayama,Hinegardner,Hinde,Hinchcliffe,Hiltbrand,Hilsinger,Hillstrom,Hiley,Hickenbottom,Hickam,Hibley,Heying,Hewson,Hetland,Hersch,Herlong,Herda,Henzel,Henshall,Hendler,Hence,Helson,Helfen,Heinbach,Heikkila,Heggs,Hefferon,Hebard,Heathcote,Hearl,Heaberlin,Hauth,Hauschild,Haughney,Hauch,Hattori,Haste,Hasley,Hartpence,Harroun,Harrier,Harelson,Hardgrove,Hardel,Hansbrough,Handsome,Handshoe,Handly,Haluska,Hally,Halling,Halfhill,Halferty,Hakanson,Haist,Hairgrove,Hahner,Hagg,Hafele,Haaland,Guttierez,Gutknecht,Gunnarson,Gunlock,Gummersheimer,Gullatte,Guity,Guilmette,Guhl,Guenette,Guardino,Groshong,Grober,Gripp,Grillot,Grilli,Greulich,Gretzinger,Greenwaldt,Graven,Grassman,Granberg,Graeser,Graeff,Graef,Grabow,Grabau,Gotchy,Goswick,Gosa,Gordineer,Gorczyca,Goodchild,Golz,Gollihue,Goldwire,Goldbach,Goffredo,Glassburn,Glaeser,Gillilan,Gigante,Giere,Gieger,Gidcumb,Giarrusso,Giannelli,Gettle,Gesualdi,Geschke,Gerwig,Gervase,Geoffrion,Gentilcore,Genther,Gemes,Gemberling,Gelles,Geitz,Geeslin,Gedney,Gebauer,Gaye,Gawron,Gavia,Gautney,Gaustad,Gasmen,Gargus,Ganske,Ganger,Galvis,Gallinger,Gallichio,Galletta,Gaede,Gadlin,Gaby,Gabrielsen,Gaboriault,Furlan,Furgerson,Fujioka,Fugett,Fuehrer,Frisco,Frint,Frigon,Frevert,Frautschi,Fraker,Fradette,Foulkes,Forslund,Forni,Foo,Fontenette,Fones,Folz,Folmer,Follman,Folkman,Flourney,Flickner,Flemmings,Fleischacker,Flander,Flament,Fithian,Fister,Fiorello,Fiorelli,Fioravanti,Fieck,Ficke,Fiallos,Fiacco,Feuer,Ferrington,Fernholz,Feria,Fergurson,Feick,Febles,Favila,Faulkingham,Fath,Farnam,Falter,Fakhouri,Fairhurst,Failing,Fahs,Eva,Estrello,Essick,Espree,Esmond,Eskelson,Escue,Escatel,Erebia,Epperley,Epler,Enyart,Engelbert,Enderson,Emmitt,Emch,Elisondo,Eli,Elford,El,Ekman,Eick,Eichmann,Ehrich,Ehlen,Edwardson,Edley,Edghill,Edel,Eastes,Easterbrooks,Eagleson,Eagen,Eade,Dyle,Dutkiewicz,Dunnagan,Duncil,Duling,Drumgoole,Droney,Dreyfus,Dragan,Dowty,Doscher,Dornan,Doremus,Doogan,Donaho,Donahey,Dombkowski,Dolton,Dolen,Dobratz,Diveley,Dittemore,Ditsch,Disque,Dishmon,Disch,Dirickson,Dippolito,Dimuccio,Dilger,Diefenderfer,Dicola,Diblasio,Dibello,Devan,Dettmer,Deschner,Desbiens,Derusha,Denkins,Demonbreun,Demchak,Delucchi,Delprete,Deloy,Deliz,Deline,Delap,Deiter,Deignan,Degiacomo,Degaetano,Defusco,Dede,Deboard,Debiase,Deaville,Deadwyler,Davanzo,Daughton,Darter,Darrin,Danser,Dandrade,Dando,Dampeer,Dalziel,Dalen,Dain,Dai,Dague,Czekanski,Cutwright,Cutliff,Curle,Cuozzo,Cunnington,Cunning,Cunnigham,Cumings,Crowston,Croak,Crittle,Crispell,Crisostomo,Crear,Creach,Craigue,Crabbs,Cozzi,Cozza,Coxe,Cowsert,Coviello,Couse,Coull,Cottier,Costagliola,Corra,Corpening,Cormany,Corless,Corkern,Conteh,Conquest,Conkey,Cones,Conditt,Conaty,Colomb,Collura,Colledge,Colins,Colgate,Coleson,Colemon,Coins,Coffland,Coccia,Coast,Clougherty,Clewell,Cleckley,Cleaveland,Clarno,Clamp,Civils,Cillo,Cifelli,Ciesluk,Chum,Chui,Christison,Christiana,Chowning,Chouteau,Choung,Childres,Cherrington,Chenette,Cheeves,Cheairs,Chaddock,Cernoch,Cerino,Cazier,Cathy,Castel,Casselberry,Caserta,Carvey,Carton,Cart,Carry,Carris,Carrie,Carmant,Cariello,Cardarelli,Caras,Caracciolo,Capitano,Cantoni,Cantave,Cancio,Campillo,Cam,Callens,Caldero,Calamia,Cahee,Cahan,Cahalan,Cabanilla,Cabal,Bywater,Bynes,Byassee,Butkus,Busker,Bushby,Busack,Burtis,Burrola,Buroker,Burnias,Burn,Burlock,Burham,Burak,Bulla,Buffin,Buffa,Buening,Budney,Buchannan,Buchalter,Bua,Brule,Brugler,Broxson,Broun,Brosh,Brissey,Brisby,Brinlee,Brinkmeyer,Brimley,Brickell,Breth,Breger,Brees,Brank,Braker,Bozak,Bowlds,Bowersock,Bousman,Boushie,Botz,Bordwell,Bonkowski,Bonine,Bonifay,Bonesteel,Boldin,Bohringer,Bohlander,Boecker,Bocook,Bocock,Boblett,Bobbett,Boas,Boarman,Bleser,Blazejewski,Blaustein,Blausey,Blancarte,Blaize,Blackson,Blacketer,Blackard,Bisch,Birchett,Billa,Bilder,Bierner,Bienvenu,Bielinski,Bialas,Biagini,Beynon,Beyl,Bettini,Bethany,Betcher,Bessent,Beshara,Besch,Bernd,Bergemann,Bergeaux,Berdan,Bens,Benedicto,Bendall,Beltron,Beltram,Bellville,Beisch,Behney,Beemer,Beechler,Beckum,Becks,Batzer,Batte,Bastida,Bassette,Basley,Base,Bartosh,Bartolone,Barraclough,Barnick,Barket,Barkdoll,Baringer,Barges,Barella,Barbian,Barbati,Bannan,Banderas,Balles,Baldo,Balasubramani,Bala,Baig,Bahn,Bachmeier,Babyak,Baas,Baars,Ayuso,Axt,Avinger,Avella,Ausbrooks,Aull,Augello,Atkeson,Atkerson,Atherley,Athan,Assad,Asebedo,Arrison,Armon,Armfield,Armbrust,Arlington,Arkin,Archambeau,Antonellis,Angotti,Andy,Amorose,Amini,Amborn,Amano,Aluarez,Alma,Allgaier,Allegood,Ales,Alen,Aldama,Albertine,Aki,Aird,Ahsing,Ahmann,Aguado,Agostino,Agostinelli,Agnes,Adwell,Adsit,Adelstein,Ade,Actis,Acierno,Achee,Abbs,Abbitt,Zwagerman,Zuercher,Zinno,Zettler,Zeff,Zavalza,Zaugg,Zarzycki,Zappulla,Zanotti,Zachman,Zacher,Yundt,Yslas,Younes,Yontz,Yglesias,Yeske,Yellow,Yeargin,Yauger,Yamane,Xang,Wylam,Wrobleski,Wratchford,Worker,Woodlee,Wolsey,Wolfinbarger,Wohlenhaus,Wittler,Wittenmyer,Witkop,Wishman,Wintz,Winkelmann,Windus,Winborn,Wims,Wiltrout,Wilshire,Willmott,Williston,Wilemon,Wilbourne,Wiedyk,Widmann,Wickland,Wickes,Wichert,Whitsell,Whisenand,Whidby,Wetz,Westmeyer,Wertheim,Wernert,Werle,Werkheiser,Weng,Weldin,Weissenborn,Weingard,Weinfeld,Weihl,Weightman,Weichel,Wehrheim,Wegrzyn,Wegmann,Wearing,Waszak,Wankum,Wangler,Walthour,Waltermire,Walstad,Waldren,Walbert,Walawender,Wahlund,Wahlert,Wahlers,Wach,Vuncannon,Vroom,Vredenburgh,Vonk,Vollmar,Voisinet,Vlahos,Viscardi,Vires,Vipperman,Violante,Vidro,Vessey,Vesper,Veron,Vergari,Verbeck,Venturino,Velastegui,Vegter,Varas,Vanwey,Vanvranken,Vanvalkenbur,Vanorsdale,Vanoli,Vanochten,Vanier,Vanevery,Vane,Vanduser,Vandersteen,Vandell,Vandall,Vallot,Vallon,Vallez,Vallely,Vadenais,Uthe,Usery,Unga,Ultsch,Ullom,Tyminski,Twogood,Tursi,Turay,Tungate,Truxillo,Trulock,Trovato,Troise,Tripi,Trinks,Trimboli,Trickel,Trezise,Trefry,Treen,Trebilcock,Travieso,Trachtenberg,Touhey,Tougas,Tortorella,Tormey,Torelli,Torborg,Toran,Tomek,Tomassi,Tollerson,Tolden,Toda,Tobon,Tjelmeland,Titmus,Tilbury,Tietje,Thurner,Thum,Thrope,Thornbrough,Thibaudeau,Thackeray,Tesoro,Territo,Ternes,Teich,Tecson,Teater,Teagarden,Tatsch,Tarallo,Tapanes,Tanberg,Tamm,Sylvis,Swenor,Swedlund,Swagger,Sutfin,Sura,Sundt,Sundin,Summerson,Sumatzkuku,Sultemeier,Sulivan,Suggitt,Suermann,Sturkie,Sturgess,Stumph,Stuemke,Struckhoff,Strose,Stroder,Stride,Stricklen,Strick,Streib,Strei,Strawther,Stratis,Strahm,Stortz,Storrer,Storino,Stohler,Stohl,Stockel,Stinnette,Stile,Stieber,Stensland,Steffenhagen,Stefanowicz,Steever,Steagall,Statum,Stapley,Stanish,Standiford,Standen,Stamos,Stahlecker,Stadtler,Spratley,Spraker,Sposito,Spickard,Spehar,Spees,Spearing,Spangle,Spallone,Sox,Soulard,Sorel,Sora,Sopko,Sood,Sonnen,Som,Solly,Solesbee,Soldano,Sobey,Sobczyk,Snedegar,Sneddon,Smolinski,Smolik,Slota,Sloman,Sleigh,Slavick,Skorupski,Skolnik,Skirvin,Skeels,Skains,Skahan,Skaar,Siwiec,Siverly,Siver,Sivak,Sirk,Sinton,Sinor,Sincell,Silberstein,Sieminski,Sidelinger,Shurman,Shunnarah,Shirer,Shidler,Sherlin,Shepperson,Shemanski,Sharum,Shartrand,Shapard,Shanafelt,Shamp,Shader,Shackelton,Seyer,Seroka,Sernas,Seright,Serano,Sengupta,Semper,Selinger,Seith,Seidler,Seehusen,Seefried,Seed,Scovell,Scorzelli,Sconiers,Schwind,Schwichtenber,Schwerin,Schwenke,Schwaderer,Schussler,Schuneman,Schumpert,Schultheiss,Schroll,Schroepfer,Schroeden,Schrimpf,Schook,Schoof,Schomburg,Schoenfeldt,Schoener,Schnoor,Schmick,Schlereth,Schindele,Schildt,Schildknecht,Schemmel,Scharfenberg,Schanno,Schane,Schaer,Schad,Scearce,Scardino,Sawka,Sawinski,Savoca,Savery,Saults,Saucer,Sarpy,Saris,Sardinha,Sarafin,Sankar,Sanjurjo,Sanderfer,Sanagustin,Samudio,Sammartino,Samas,Salz,Salmen,Sallie,Salkeld,Salamon,Sakurai,Sakoda,Safley,Sada,Sachse,Ryden,Ryback,Russow,Russey,Ruprecht,Rumple,Ruffini,Rudzinski,Rudel,Rudden,Rud,Rovero,Routledge,Roussin,Rousse,Rouser,Rougeau,Rosie,Rosica,Romey,Romaniello,Rolfs,Rogoff,Rogne,Rodriquz,Rodrequez,Rodin,Rocray,Rocke,Robbin,Riviere,Rivette,Riske,Risenhoover,Rindfleisch,Rinaudo,Rimbey,Riha,Righi,Ridner,Ridling,Riden,Rhue,Reyome,Reynoldson,Reusch,Rensing,Rensch,Rennels,Renderos,Reininger,Reiners,Reigel,Rehmer,Regier,Reff,Reef,Redlin,Recchia,Reaume,Reagor,Rayne,Rawe,Rattigan,Raska,Rashed,Ranta,Ranft,Randlett,Randa,Ramiez,Ramella,Rallis,Rajan,Raisbeck,Raimondo,Raible,Ragone,Rackliffe,Quirino,Quiring,Quero,Quaife,Pyke,Purugganan,Pursifull,Purkett,Purdon,Punches,Pun,Pulos,Pulling,Puccia,Provance,Propper,Preis,Prehn,Prata,Prasek,Pranger,Pradier,Portor,Portley,Porte,Popiel,Popescu,Pomales,Polowy,Pollett,Politis,Polit,Poley,Pol,Pohler,Poggio,Poet,Podolak,Poag,Plymel,Ploeger,Planty,Piskura,Pirrone,Pirro,Piroso,Pinsky,Pile,Pilant,Pickerill,Piccolomini,Picart,Piascik,Phann,Petruzzelli,Petosa,Persson,Perretta,Perkowski,Perilli,Percifield,Perault,Peppel,Pember,Pelotte,Pelcher,Peixoto,Pehl,Peatross,Pearlstein,Peacher,Payden,Paya,Pawelek,Pavey,Pauda,Pathak,Parrillo,Parness,Parlee,Paoli,Pannebaker,Palomar,Palo,Palmberg,Paganelli,Paffrath,Padovano,Padden,Pachucki,Over,Ovando,Othman,Osowski,Osler,Osika,Orsburn,Orlowsky,Oregel,Oppelt,Opfer,Opdyke,Onell,Omer,Olivos,Okumura,Okoro,Ogas,Offer,Oelschlaeger,Odette,Oder,Ocanas,Obrion,Obarr,Oas,Oare,Nyhus,Nyenhuis,Nunnelley,Nunamaker,Nuckels,Noyd,Nowlan,Novakovich,Noteboom,Norviel,Nortz,Norment,Norland,Nolt,Nolie,Nixson,Nitka,Nissley,Nishiyama,Niland,Niewiadomski,Niemeier,Nieland,Nickey,Nicholsen,Newark,Neugent,Neto,Nerren,Nein,Neikirk,Neigh,Nedrow,Neave,Nazaire,Navaro,Navalta,Nasworthy,Nasif,Nani,Nalepa,Nakao,Nakai,Nadolny,Myklebust,Mussel,Murthy,Muratore,Murat,Mundie,Mulverhill,Muilenburg,Muetzel,Mudra,Mudgett,Mrozinski,Moura,Mottinger,Morson,Moretto,Morentin,Mordan,Mooreland,Mooers,Monts,Montone,Montondo,Montiero,Monserrate,Monie,Monat,Monares,Mollo,Mollet,Molacek,Mokry,Mohrmann,Mohabir,Mogavero,Moes,Moceri,Miyoshi,Mitzner,Misra,Mis,Mirr,Mira,Minish,Minge,Minckler,Milroy,Mille,Mileski,Milanesi,Miko,Mihok,Mihalik,Mieczkowski,Messerli,Meskill,Mesenbrink,Merton,Merryweather,Merkl,Menser,Menner,Menk,Menden,Menapace,Melbourne,Mekus,Meinzer,Mein,Meers,Mctigue,Mcquitty,Mcpheron,Mcmurdie,Mcleary,Mclafferty,Mckinzy,Mckibbin,Mckethan,Mcintee,Mcgurl,Mceachran,Mcdowall,Mcdermitt,Mccuaig,Mccreedy,Mccoskey,Mcclosky,Mcclintick,Mccleese,Mccanless,Mazzucco,Mazzocco,Mazurkiewicz,Mazariego,Mayhorn,Maxcy,Mavity,Mauzey,Maulding,Matuszewski,Mattsson,Mattke,Matsushita,Matsuno,Matsko,Matkin,Mathur,Mates,Masterman,Massett,Massart,Massari,Mashni,Martella,Marren,Margotta,Marder,Marczak,Maran,Maradiaga,Manwarren,Mantini,Manter,Mantelli,Manso,Mangone,Manfredonia,Malden,Malboeuf,Malanga,Makara,Maison,Maisano,Mairs,Mailhiot,Magri,Magic,Madron,Madole,Mackall,Macduff,Macartney,Lynds,Lusane,Luffman,Lua,Louth,Loughmiller,Lougheed,Lotspeich,Lorenzi,Loree,Loosli,Looker,Longe,Longanecker,Lonero,Lohmeyer,Loeza,Lobstein,Lobner,Lober,Littman,Litalien,Lippe,Lints,Linear,Lijewski,Ligas,Liebert,Liebermann,Liberati,Lezcano,Levinthal,Lessor,Less,Lesieur,Lenning,Lengel,Len,Lempke,Lemp,Lemar,Leitzke,Leinweber,Legrone,Lege,Leder,Lawnicki,Lauth,Laun,Laughary,Latin,Lassley,Lashway,Larrivee,Largen,Lare,Lanouette,Lanno,Langille,Langen,Landing,Lana,Lamonte,Lalin,Lala,Laible,Lafratta,Laforte,Lacuesta,Lacer,Labore,Laboe,Labeau,Kwasniewski,Kunselman,Kuhr,Kuchler,Kuc,Krugman,Kruckenberg,Krotzer,Kroemer,Krist,Krigbaum,Kreke,Kreisman,Kreisler,Kreft,Krasnow,Kras,Krag,Kouyate,Kough,Kotz,Kostura,Korner,Kornblum,Korczynski,Koppa,Kopczyk,Konz,Komorowski,Kollen,Kolander,Koepnick,Koehne,Kochis,Knoch,Knippers,Knaebel,Klipp,Klinedinst,Klimczyk,Klier,Klement,Klaphake,Kisler,Kinzie,Kines,Kindley,Kimple,Kimm,Kimbel,Kilker,Kilborn,Kibbey,Khong,Ketchie,Kerbow,Kennemore,Kennebeck,Kenneally,Kenndy,Kenmore,Kemnitz,Kemler,Kemery,Kelnhofer,Kellstrom,Kellis,Kellams,Keiter,Keirstead,Keeny,Keelin,Keefauver,Keams,Kautzman,Kaus,Katayama,Kasson,Kassim,Kasparian,Kase,Karwoski,Kapuscinski,Kaneko,Kamerling,Kamada,Kalka,Kalar,Kakacek,Kaczmarczyk,Jurica,Junes,Journell,Jolliffe,Johnsey,Joel,Jindra,Jimenz,Jette,Jesperson,Jerido,Jenrette,Jencks,Jech,Jayroe,Jayo,Jaye,Javens,Jaskot,Jaros,Jaquet,Janowiak,Jame,Jaegers,Jackel,Izumi,Ith,Italia,Irelan,Ion,Inzunza,Imoto,Imme,Iglehart,Iannone,Iannacone,Huyler,Hussaini,Hurlock,Hurlbutt,Huprich,Humphry,Hulslander,Huelsman,Hudelson,Hudecek,Hsia,Hreha,Hoyland,Howk,Housholder,Housden,Houff,Horkey,Honan,Homme,Holtzberg,Hollyfield,Hollings,Hollenbaugh,Hokenson,Hogrefe,Hogland,Hoel,Hodgkin,Hochhalter,Hjelle,Hittson,Hinderman,Hinchliffe,Hime,Hilyer,Hilby,Hibshman,Heydt,Hewell,Heward,Hetu,Hestand,Heslep,Herridge,Herner,Hernande,Hermandez,Hermance,Herbold,Heon,Henthorne,Henion,Henao,Heming,Helmkamp,Hellberg,Heidgerken,Heichel,Hehl,Hegedus,Hefty,Heckathorne,Hearron,Haymer,Haycook,Havlicek,Hausladen,Haseman,Hartsook,Hartog,Harns,Harne,Harmann,Haren,Hanserd,Hanners,Hanekamp,Hamra,Hamley,Hamelin,Hamblet,Hakimi,Hagle,Hagin,Haehn,Haeck,Hackleman,Haacke,Gulan,Guirand,Guiles,Guggemos,Guerrieri,Guerreiro,Guereca,Gudiel,Guccione,Gubler,Gruenwald,Gritz,Grieser,Grewe,Grenon,Gregersen,Grefe,Greener,Grech,Grecco,Gravette,Grassia,Granholm,Graner,Grandi,Grahan,Gradowski,Gradney,Graczyk,Gouthier,Gottschall,Goracke,Gootee,Goodknight,Goodine,Gonzalea,Gonterman,Gonalez,Gomm,Goleman,Goldtooth,Goldstone,Goldey,Golan,Goes,Goen,Goeller,Goel,Goecke,Godek,Goan,Glunz,Gloyd,Glodowski,Glinski,Glawe,Girod,Girdley,Giovanni,Gindi,Gillings,Gildner,Giger,Giesbrecht,Gierke,Gier,Giboney,Giaquinto,Giannakopoulo,Giaimo,Giaccio,Giacalone,Gessel,Gerould,Gerlt,Gerhold,Geralds,Genson,Genereux,Gellatly,Geigel,Gehrig,Gehle,Geerdes,Geagan,Gawel,Gavina,Gauss,Gatwood,Gathman,Gaster,Garske,Garratt,Garms,Garis,Gansburg,Gammell,Gambale,Gamba,Galimore,Gadway,Gadoury,Furrer,Furnish,Furino,Fullard,Fukui,Fuhrer,Fryou,Friesner,Friedli,Friedl,Friedberg,Freyermuth,Fremin,Fredell,Fraze,Franken,Fought,Foth,Fote,Fortini,Fornea,Formanek,Forker,Forgette,Folan,Foister,Foglesong,Flinck,Flewellen,Flaten,Flaig,Fitgerald,Fischels,Firman,Finstad,Finkelman,Finister,Finder,Fina,Fettes,Fetterhoff,Ferriter,Ferch,Fennessy,Feltus,Feltes,Feinman,Farve,Farry,Farrall,Farag,Falzarano,Falck,Falanga,Fakhoury,Faire,Fairbrother,Fagley,Faggins,Facteau,Ewer,Ewbank,Evola,Evener,Eustis,Eugenio,Estwick,Estel,Essa,Espinola,Escutia,Eschmann,Erpelding,Ernsberger,Erling,Entz,Enrique,Engelhart,Enbody,Emick,Elsinger,Ellinwood,Ellingsen,Ellicott,Elkind,Eisinger,Eisenbeisz,Eischen,Eimer,Eigner,Eichhorst,Ehmke,Egleston,Eggett,Ege,Efurd,Edgeworth,Eckels,Ebey,Eberling,Eagleton,Dwiggins,Dweck,Dunnings,Dunnavant,Dumler,Duman,Dugue,Duerksen,Dudeck,Dreisbach,Drawdy,Drawbaugh,Draine,Draggoo,Dowse,Dovel,Doughton,Douds,Doubrava,Dort,Dorshorst,Dornier,Doolen,Donavan,Dominque,Dominion,Dominik,Domingez,Dome,Dom,Dolder,Dold,Dobies,Dk,Diskin,Disano,Dirden,Diponio,Dipirro,Dimock,Diltz,Dillabough,Diley,Dikes,Digges,Digerolamo,Diel,Dicker,Dicharry,Dicecco,Dibartolomeo,Diamant,Dewire,Devone,Dessecker,Dertinger,Derousselle,Derk,Depauw,Depalo,Denherder,Demeyer,Demetro,Demastus,Delvillar,Deloye,Delosrios,Delgreco,Delarge,Delangel,Dejongh,Deitsch,Degiorgio,Degidio,Defreese,Defoe,Decambra,Debenedetto,Deaderick,Daza,Dauzat,Daughenbaugh,Dato,Dass,Darwish,Dantuono,Danton,Dammeyer,Daloia,Daleo,Dagg,Dacey,Curts,Cuny,Cunneen,Culverhouse,Cuervo,Cucinella,Cubit,Crumm,Crudo,Crowford,Crout,Crotteau,Crossfield,Crooke,Crom,Critz,Cristaldi,Crickmore,Cribbin,Cremeens,Crayne,Cradduck,Couvertier,Cottam,Cossio,Correy,Cordrey,Coplon,Copass,Coone,Coody,Contois,Consla,Connelley,Connard,Congo,Congleton,Condry,Conception,Coltey,Colindres,Colgrove,Colfer,Colasurdo,Cocker,Cochell,Cobbin,Clouthier,Closs,Cloonan,Clizbe,Clennon,Clayburn,Claybourn,Clausell,Clasby,Clagett,Ciskowski,Cirrincione,Cinque,Cinelli,Cimaglia,Ciaburri,Christiani,Christeson,Chladek,Chizmar,Chinnici,Chiarella,Chevrier,Cheves,Chernow,Cheong,Chelton,Charlette,Chanin,Cham,Chaligoj,Celestino,Cayce,Cavey,Cavaretta,Caughron,Catmull,Catapano,Casio,Cashaw,Carullo,Carualho,Carthon,Cartelli,Carruba,Carrere,Carolus,Carmine,Carlstrom,Carli,Carfora,Carello,Carbary,Car,Caplette,Cannell,Cancilla,Campell,Cammarota,Camilo,Camejo,Camarata,Caisse,Cacioppo,Cabbagestalk,Cabatu,Cabanas,Byles,Buxbaum,Butland,Butch,Burrington,Burnsed,Burningham,Burlingham,Burgy,Buitrago,Buffett,Bueti,Buehring,Buday,Bucks,Bucknell,Buchbinder,Bucey,Bruster,Brunston,Brumby,Bruins,Brouillet,Brosious,Broomes,Brodin,Broddy,Brochard,Britsch,Britcher,Brierley,Brezina,Bressi,Bressette,Breslow,Brenden,Breier,Brei,Braymer,Brasuell,Brash,Branscomb,Branin,Brandley,Brahler,Bracht,Bracamontes,Brabson,Boyne,Boxell,Bowery,Bovard,Boutelle,Boulette,Bottini,Botkins,Bosen,Boscia,Boscarino,Borich,Bores,Boreman,Bordoy,Bordley,Bordenet,Boquet,Boocks,Bolner,Boissy,Boilard,Bohnen,Bohall,Boening,Boccia,Boccella,Bobe,Blyth,Blitz,Blew,Blacksmith,Biviano,Bitto,Bisel,Binstock,Bines,Billiter,Bigsby,Bighorse,Bielawski,Bickmore,Bettin,Bettenhausen,Besson,Beseau,Berton,Berroa,Berntson,Bernas,Berisford,Berhow,Bergsma,Benyo,Benyard,Bente,Bennion,Benko,Belsky,Bellavance,Belasco,Belardo,Beidler,Behring,Begnaud,Bega,Befort,Beek,Bedore,Beddard,Becknell,Beardslee,Beardall,Beagan,Bayly,Bauza,Bautz,Bausman,Baumler,Batterson,Battenfield,Bassford,Basse,Basemore,Baruch,Bartholf,Bars,Barman,Baray,Barabas,Banghart,Banez,Balsam,Ballester,Ballagh,Baldock,Bagnoli,Bagheri,Bacus,Bacho,Baccam,Axson,Averhart,Aver,Ave,Austill,Auberry,Athans,Atcitty,Atay,Astarita,Ascolese,Artzer,Arts,Arrasmith,Argenbright,Aresco,Arb,Aranjo,Appleyard,Appenzeller,App,Apilado,Antonetti,Antis,Annett,Annas,Angwin,Andris,Andries,Andreozzi,Ando,Andis,Anderegg,Anastasia,Amyot,Aminov,Amelung,Amelio,Amason,Alviar,Allendorf,Allday,Alice,Aldredge,Alcivar,Alaya,Alapai,Airington,Aina,Ailor,Ahrns,Ahmadi,Agresta,Agent,Affolter,Aeschlimann,Adney,Aderhold,Adell,Adachi,Ackiss,Aben,Abdelhamid,Abar,Aase,Zorilla,Zordan,Zollman,Zoch,Zipfel,Zimmerle,Zike,Ziel,Zhong,Zens,Zelada,Zaman,Zahner,Zadora,Zachar,Zaborowski,Zabinski,Yzquierdo,Yoshizawa,Yori,Yielding,Yerton,Yehl,Yeargain,Yeakley,Yamaoka,Yagle,Yablonski,Wynia,Wyne,Wyers,Wrzesinski,Wrye,Wriston,Woolums,Woolen,Woodlock,Woodle,Wonser,Wombacher,Wollschlager,Wollen,Wolfley,Wolfer,Wisse,Wisell,Wirsing,Winstanley,Winsley,Winiecki,Winiarski,Winge,Winesett,Windell,Winberry,Willyard,Willemsen,Wilkosz,Wilensky,Wikle,Wiford,Wienke,Wieneke,Wiederhold,Wiebold,Widick,Wickenhauser,Whitrock,Whisner,Whinery,Wherley,Whedbee,Wheadon,Whary,Wessling,Wessells,Wenninger,Wendroth,Wende,Wellard,Weirick,Weinkauf,Wehrman,Weech,Weathersbee,Waterford,Warton,Warncke,Warm,Wardrip,Walstrom,Walks,Walkowski,Walcutt,Waight,Wai,Wagman,Waggett,Wadford,Vowles,Vormwald,Vondran,Vohs,Vitt,Vitalo,Viser,Vinas,Villena,Villaneuva,Villafranca,Villaflor,Vilain,Vigilante,Vicory,Viana,Vian,Vial,Verucchi,Verra,Venzke,Venske,Veley,Veile,Veeder,Vaske,Vasconez,Vargason,Varble,Vanwert,Vantol,Vanscooter,Vanmetre,Vanmaanen,Vanhise,Vanetta,Vaneaton,Vandyk,Vandriel,Vandorp,Vandewater,Vandervelden,Vanderstelt,Vanderhoef,Vanderbeck,Vanbibber,Vanalstine,Vanacore,Valdespino,Vaill,Vailes,Vagliardo,Ursini,Urrea,Urive,Uriegas,Umphress,Ucci,Uballe,Tyrone,Tynon,Twiner,Tutton,Tudela,Tuazon,Troisi,Tripplett,Trias,Trescott,Treichel,Tredo,Tranter,Tozer,Toxey,Tortorici,Tornow,Topolski,Topia,Topel,Topalian,Tonne,Tondre,Tola,Toepke,Tiu,Tisdell,Tiscareno,Thornborrow,Thomison,Thilges,Theuret,Therien,Thang,Thagard,Thacher,Texter,Terzo,Teresa,Tep,Tenpenny,Tempesta,Teetz,Teaff,Tavella,Taussig,Tatton,Tasler,Tarrence,Tardie,Tarazon,Tantillo,Tanney,Tankson,Tangen,Tamburo,Takes,Tabone,Szilagyi,Syphers,Swistak,Swiatkowski,Sweigert,Swayzer,Swapp,Svehla,Sutphen,Sutch,Susa,Surma,Surls,Sundermeyer,Sundeen,Sulek,Suite,Sughrue,Sudol,Sturms,Stupar,Stum,Stuckman,Strole,Strohman,Streed,Strebeck,Strausser,Strassel,Stpaul,Storts,Storr,Stommes,Stmary,Stjulien,Stika,Stiggers,Sthill,Stevick,Sterman,Stephany,Stepanek,Stemler,Stelman,Stelmack,Steinkamp,Steinbock,Stcroix,Stcharles,Staudinger,Starry,Stanly,Stallsworth,Stalley,Stains,Srock,Spritzer,Spracklin,Spinuzzi,Spidell,Spice,Speyrer,Sperbeck,Spendlove,Speedy,Speckman,Spargur,Spangenberg,Spaid,Sowle,Soulier,Sotolongo,Sostre,Sorey,Sonier,Somogyi,Somera,Solo,Soldo,Sofia,Soderholm,Snoots,Snooks,Snoke,Snodderly,Snide,Snee,Smoke,Smithhart,Smillie,Smay,Smallman,Sliwinski,Slentz,Sledd,Slager,Skogen,Skog,Skarda,Skalicky,Siwek,Sitterson,Sisti,Sissel,Sis,Sinopoli,Similton,Simila,Simenson,Silvertooth,Silos,Siggins,Sieler,Siburt,Sianez,Shurley,Shular,Shuecraft,Shreeves,Shon,Shollenberger,Shoen,Shishido,Shipps,Shipes,Shinall,Sherfield,Shawe,Sharrett,Sharrard,Shankman,Shan,Sham,Sessum,Serviss,Servello,Serice,Serda,Semler,Semenza,Selmon,Sellen,Seley,Seidner,Seib,Sehgal,Seelbach,Sedivy,Sebren,Sebo,Seanez,Seagroves,Seagren,Seagrave,Seabron,Schwertner,Schwegel,Schwarzer,Schrunk,Schriefer,Schreder,Schrank,Schopp,Schonfeld,Schoenwetter,Schnall,Schnackenberg,Schnack,Schmutzler,Schmierer,Schmidgall,Schlup,Schloemer,Schlitt,Schermann,Scherff,Schellenberg,Schain,Schaedler,Schabel,Scaccia,Saye,Saxman,Saurez,Sasseen,Sasnett,Sas,Sarti,Sarra,Sarber,Saran,Santoy,Santeramo,Sansoucy,Sando,Sandles,Sandburg,Sandau,Samra,Samaha,Salon,Salizar,Salam,Saindon,Sagaser,Saeteun,Sadusky,Sackman,Sabater,Saas,Ruthven,Ruszkowski,Rusche,Rumpf,Ruhter,Ruhenkamp,Rufo,Rudge,Ruddle,Rowlee,Rowand,Routhier,Rougeot,Rotramel,Rotan,Roswell,Rosten,Rosillo,Rookard,Roode,Rongstad,Rollie,Roider,Roffe,Roettger,Rodick,Rochez,Rochat,Roads,Rivkin,Rivadeneira,Riston,Risso,Rise,Rinderknecht,Riis,Riggsbee,Rifkin,Rieker,Riegle,Riedy,Richwine,Richmon,Ricciuti,Riccardo,Ricardson,Rhew,Revoir,Revier,Remsberg,Remiszewski,Rembold,Rella,Reinken,Reiland,Reidel,Reichart,Rehak,Redway,Rednour,Redifer,Redgate,Redenbaugh,Redburn,Reap,Readus,Raybuck,Rauhuff,Rauda,Ratte,Rathje,Rappley,Rands,Ramseyer,Ramseur,Ramsdale,Ramo,Ramariz,Raitz,Raisch,Rainone,Rahr,Ragasa,Rafalski,Radunz,Quenzer,Queja,Queenan,Pyun,Puz,Putzier,Puskas,Purrington,Puri,Punt,Pullar,Pruse,Pring,Primeau,Prevette,Preuett,Presto,Prestage,Pownell,Pownall,Potthoff,Potratz,Poth,Poter,Posthuma,Posen,Porritt,Popkin,Poormon,Polidoro,Poles,Polcyn,Pokora,Poer,Pluviose,Plock,Pleva,Placke,Pioli,Pingleton,Pinchback,Pinch,Pieretti,Piccone,Piatkowski,Philley,Phibbs,Phay,Phagan,Pfund,Peyer,Pettersen,Petter,Petrucelli,Petropoulos,Petras,Petix,Pester,Perks,Pepperman,Pennick,Penado,Pelot,Pelis,Peeden,Pechon,Peal,Pazmino,Patchin,Pasierb,Parran,Parilla,Pardy,Parcells,Paragas,Paradee,Papin,Panko,Pangrazio,Pangelinan,Pandya,Pancheri,Panas,Palmiter,Pallares,Palinkas,Palek,Pagliaro,Packham,Pacitti,Ozier,Overbaugh,Oursler,Ouimette,Otteson,Otsuka,Othon,Osmundson,Oroz,Orgill,Ordeneaux,Orama,Oppy,Opheim,Onkst,Oltmanns,Olstad,Olofson,Ollivier,Olen,Olejniczak,Okura,Okuna,Okey,Ohrt,Oharra,Oguendo,Ogier,Offermann,Oetzel,Oechsle,Odor,Odoherty,Oddi,Ockerman,Occhiogrosso,Obryon,Obremski,Nyreen,Nylund,Nylen,Nyholm,Nuon,Nuanes,Norrick,Noris,Nordell,Norbury,Nooner,Nono,Nomura,Nole,Nolden,Nola,Nofsinger,Nocito,Nobel,Niedbala,Niebergall,Nicolini,Nicole,Nicklaus,Nevils,Neuburger,Nemerofsky,Nemecek,Nazareno,Nastri,Nast,Nancy,Nagorski,Myre,Muzzey,Mutton,Mutschler,Muther,Musumeci,Muranaka,Muramoto,Murad,Murach,Muns,Munno,Muncrief,Mugrage,Muecke,Mozer,Moyet,Mowles,Mottern,Mosman,Mosconi,Morine,Morge,Moravec,Morad,Moneymaker,Mones,Moncur,Monarez,Molzahn,Moglia,Moesch,Mody,Modisett,Mitnick,Mithcell,Mitchiner,Mistry,Misercola,Mirabile,Minvielle,Mino,Minkler,Minifield,Minichiello,Mindell,Minasian,Milteer,Millwee,Millstein,Millien,Mikrut,Mihaly,Miggins,Michard,Mezo,Metzner,Mesquita,Mervin,Merriwether,Merk,Merfeld,Mercik,Mercadante,Mention,Menna,Mendizabal,Mender,Members,Melusky,Melquist,Mellado,Meler,Melendes,Mekeel,Meiggs,Megginson,Meck,Mcwherter,Mcwayne,Mcsparren,Mcrea,Mcneff,Mcnease,Mcmurrin,Mckeag,Mchughes,Mcguiness,Mcgilton,Mcelreath,Mcelhone,Mcelhenney,Mceldowney,Mccurtain,Mccure,Mccosker,Mccory,Mccormic,Mccline,Mccleave,Mcclatchey,Mccarney,Mccanse,Mcallen,Mazzie,Mazin,Mazanec,Mayette,Mautz,Mauser,Maun,Mattas,Mathurin,Mathiesen,Massmann,Masri,Masias,Mascolo,Mascetti,Mascagni,Marzolf,Maruska,Martain,Marta,Marszalek,Marolf,Marmas,Marlor,Markwood,Marines,Marinero,Marier,Marich,Marcom,Marciante,Marchman,Marchio,Marbach,Manzone,Mantey,Mannina,Manhardt,Manfred,Manaois,Malmgren,Mallonee,Mallin,Mallary,Malette,Makinson,Makins,Makarewicz,Mainwaring,Maida,Maiava,Magro,Magouyrk,Magett,Maeder,Madyun,Maduena,Maden,Madeira,Macnamara,Mackins,Mackel,Macinnes,Macia,Macgowan,Lyssy,Lyerly,Lyalls,Lutter,Lunney,Luksa,Ludeman,Lucidi,Lucci,Lowden,Lovier,Loughridge,Losch,Lory,Lorson,Lorenzano,Lorden,Lorber,Lopardo,Loosier,Loomer,Longsdorf,Longchamps,Loncar,Loker,Logwood,Loeffelholz,Lockmiller,Livoti,Linford,Linenberger,Lindloff,Lindenbaum,Limoges,Lilla,Liley,Lighthill,Lightbourne,Lieske,Leza,Levels,Levandoski,Leuck,Lepere,Leonhart,Lenon,Lemma,Lemler,Leising,Leinonen,Lehtinen,Lehan,Leetch,Leeming,Ledyard,Ledwith,Ledingham,Leclere,Leck,Lebert,Leandry,Lazzell,Layo,Laye,Laxen,Lawther,Lawn,Lawerance,Lavoy,Lavertu,Laverde,Lauren,Latouche,Latner,Lathen,Last,Laskin,Lashbaugh,Lascala,Larroque,Larick,Laraia,Laplume,Lanzilotta,Lannom,Landrigan,Landolt,Landess,Lancia,Lamkins,Lalla,Lalk,Lakeman,Lakatos,Laib,Lahay,Lagrave,Lagerquist,Lafoy,Lafleche,Lader,Labrada,Kwiecinski,Kutner,Kunshier,Kulakowski,Kujak,Kuehnle,Kubisiak,Krzyminski,Krugh,Krois,Kritikos,Krill,Kriener,Krewson,Kretzschmar,Kretz,Kresse,Kreiter,Kreischer,Krebel,Kraut,Krans,Kraling,Krahenbuhl,Kouns,Kotson,Kossow,Kopriva,Konkle,Kolter,Kolk,Kolich,Kohner,Koeppen,Koenigs,Kock,Kochanski,Kobus,Knowling,Knouff,Knoerzer,Knippel,Kloberdanz,Kleinert,Klarich,Klaassen,Kizzie,Kisamore,Kirn,Kiraly,Kipps,Kinson,Kinneman,Kington,Kine,Kimbriel,Kille,Kick,Kibodeaux,Khamvongsa,Keylon,Kever,Keser,Kertz,Kercheval,Kenneth,Kendrix,Kendle,Ken,Kempt,Kemple,Keesey,Keats,Keatley,Kazmierski,Kazda,Kazarian,Kawashima,Katsch,Kasun,Kassner,Kassem,Kasperski,Kasinger,Kaschak,Karels,Kantola,Kana,Kamai,Kalthoff,Kalla,Kalani,Kahrs,Kahanek,Kacher,Jurasek,Juniper,Jungels,Jukes,Juelfs,Judice,Juda,Ju,Josselyn,Jonsson,Jonak,Joens,Jobson,Jegede,Jee,Jeanjacques,Jaworowski,Jaspers,Jannsen,Janner,Jankowiak,Jank,Janiak,Jackowski,Jacklin,Jabbour,Iyer,Iveson,Ivan,Isner,Iniquez,Ingwerson,Ingber,Ina,Imbrogno,Ille,Ikehara,Iannelli,Hyson,Huxford,Huseth,Hurns,Hurney,Hurles,Hunnings,Humbarger,Hulan,Huisinga,Hughett,Hughen,Hudler,Hubiak,Hricko,How,Hoversten,Hottel,Hosaka,Horsch,Hormann,Hordge,Honzell,Homburg,Holten,Holme,Hollopeter,Hollinsworth,Hollibaugh,Holberg,Hohmann,Hoenstine,Hodell,Hodde,Hobert,Hives,Hiter,Hirko,Hipolito,Hinzmann,Hinrichsen,Hinger,Hincks,Hilz,Hilborn,Highley,Higashi,Hieatt,Hicken,Heverly,Hesch,Hervert,Hershkowitz,Herreras,Hermanns,Herget,Henriguez,Hennon,Hengel,Helmlinger,Helmig,Helen,Heldman,Heizer,Heinitz,Heifner,Heidorn,Heglin,Heffler,Hebner,Heathman,Heaslip,Hazlip,Haymes,Hayase,Hawver,Haw,Havermale,Havas,Hauber,Hashim,Hasenauer,Harvel,Hartney,Hartel,Harsha,Harpine,Harkrider,Harkin,Harer,Harclerode,Hanzely,Hanni,Hannagan,Hampel,Hammerschmidt,Hamar,Hallums,Hallin,Hainline,Haid,Haggart,Hafen,Haer,Hadiaris,Hadad,Hackford,Habeeb,Guymon,Guttery,Gunnett,Gull,Guillette,Guiliano,Guilbeaux,Guiher,Guignard,Guerry,Gude,Gucman,Guadian,Grzybowski,Grzelak,Grussendorf,Grumet,Gruenhagen,Grudzinski,Ground,Grossmann,Grof,Grisso,Grisanti,Griffitts,Griesbaum,Grella,Gregston,Graveline,Grandusky,Grandinetti,Gramm,Goynes,Gowing,Goudie,Gosman,Gort,Gorsline,Goralski,Goodstein,Goodroe,Goodlin,Goodheart,Goodhart,Gonzelez,Gonthier,Goldsworthy,Goldade,Goettel,Goerlitz,Goepfert,Goehner,Goben,Gobeille,Glock,Gliem,Gleich,Glasson,Glascoe,Gladwell,Giusto,Girdner,Gipple,Giller,Giesing,Giammona,Ghormley,Germon,Geringer,Gergely,Gerberich,Gepner,Gens,Genier,Gemme,Gelsinger,Geigle,Gebbia,Gayner,Gavitt,Gatrell,Gastineau,Gasiewski,Gascoigne,Garro,Garin,Ganong,Ganga,Galpin,Gallus,Galizia,Gajda,Gahm,Gagen,Gaffigan,Furno,Furnia,Furgason,Fronczak,Frishman,Friess,Frierdich,Fresh,Freestone,Franta,Frankovich,Fors,Forres,Forrer,Floris,Florido,Floria,Flis,Flicek,Flens,Flegal,Flamenco,Finkler,Finkenbinder,Finefrock,Filter,Filpo,Filion,Fierman,Fieldman,Ferreyra,Fernendez,Fergeson,Fera,Fencil,Feith,Feight,Federici,Federer,Fechtner,Feagan,Fausnaugh,Faubert,Fata,Farman,Farinella,Fantauzzi,Fanara,Falso,Falardeau,Fagnani,Fabro,Excell,Ewton,Evey,Everetts,Eve,Evarts,Etherington,Estremera,Estis,Estabrooks,Essig,Esplin,Espenschied,Ernzen,Erich,Eppes,Eppard,Entwisle,Emmi,Emison,Elison,Elguezabal,Eledge,Elbaz,Eisler,Eiden,Eichorst,Eichert,Egle,Eggler,Eggimann,Edey,Eckerman,Echelberger,Ebbs,Ebanks,Dziak,Dyche,Dyce,Dusch,Duross,Durley,Durate,Dunsworth,Dumke,Dulek,Duhl,Duggin,Dufford,Dudziak,Ducrepin,Dubree,Dubre,Dubie,Dubas,Droste,Drisko,Drewniak,Doxtator,Dowtin,Downum,Doubet,Dottle,Dosier,Doshi,Dorst,Dorset,Dornbusch,Doren,Donze,Donica,Domanski,Domagala,Dohse,Doerner,Doerfler,Doble,Dobkins,Dilts,Digiulio,Digaetano,Dietzel,Diddle,Dickel,Dezarn,Devoy,Devoss,Devonshire,Devon,Devilla,Devere,Deters,Desvergnes,Deshay,Desena,Deross,Der,Depedro,Densley,Demorest,Demore,Demora,Demirjian,Demerchant,Dematteis,Demateo,Delgardo,Delfavero,Delaurentis,Delamar,Delacy,Deitrich,Deisher,Degracia,Degraaf,Defries,Defilippis,Decoursey,Debruin,Debiasi,Debar,Dearden,Dealy,Dayhoff,Davino,Darvin,Darrisaw,Darbyshire,Daquino,Daprile,Danial,Danh,Danahy,Dalsanto,Dallavalle,Daine,Dagel,Dadamo,Dacy,Dacunha,Dabadie,Czyz,Cutsinger,Curney,Cuppernell,Cunliffe,Cumby,Cullop,Cullinane,Cugini,Cudmore,Cuda,Cucuzza,Cuch,Crumby,Crouser,Crock,Critton,Critchley,Cristy,Cremona,Cremar,Crehan,Creary,Crasco,Crall,Crabbe,Cozzolino,Cozier,Coyner,Couvillier,Counterman,Coulthard,Coudriet,Cottom,Corzo,Cornutt,Corkran,Cords,Corda,Copelin,Coonan,Consolo,Conrow,Conran,Connerton,Conkwright,Condren,Comp,Comly,Comisky,Colli,Collet,Colello,Colbeck,Colarusso,Coiner,Cohron,Codere,Cocks,Cobia,Cly,Cluster,Clure,Clowser,Clovis,Clingenpeel,Clenney,Clendaniel,Clemenson,Cleere,Cleckler,Claybaugh,Clason,Cirullo,Ciraulo,Ciolek,Ciampi,Christopherse,Christophe,Chovanec,Chopra,Chol,Chiem,Chestnutt,Chesterman,Chernoff,Chermak,Chelette,Checketts,Charpia,Charo,Chargois,Champman,Challender,Chafins,Cerruto,Celi,Cea,Cazenave,Cay,Cavaluzzi,Cauthon,Caudy,Catino,Caterina,Catano,Castell,Cassaro,Cassarino,Carrano,Carozza,Carow,Carmickle,Carlyon,Carlew,Cardena,Caputi,Capley,Capalbo,Canseco,Candella,Canal,Campton,Camposano,Calleros,Calleja,Callegari,Calica,Calarco,Calais,Caillier,Cahue,Cadenhead,Cadenas,Cabera,Buzzo,Busto,Bussmann,Busenbark,Burzynski,Bursley,Bursell,Burle,Burkleo,Burkette,Burczyk,Bumstead,Bullett,Buikema,Buenaventura,Buege,Buechel,Budreau,Budhram,Bucknam,Brye,Brushwood,Brumbalow,Brulotte,Bruington,Bruderer,Browns,Brougher,Bromfield,Broege,Brodhead,Brocklesby,Broadie,Brizuela,Britz,Brisendine,Brilla,Briggeman,Brierton,Bridgeford,Breyfogle,Brevig,Breuninger,Bresse,Bresette,Brelsford,Breitbach,Bread,Brayley,Braund,Branscom,Brando,Brandner,Brahm,Braboy,Brabble,Bozman,Boyte,Boynes,Boyken,Bowell,Bowan,Boutet,Bouse,Boulet,Boule,Bottcher,Bosquez,Borrell,Boria,Bordes,Borchard,Bonson,Bonino,Bonas,Bonamico,Bolstad,Bolser,Bollis,Bolich,Bolf,Boker,Boileau,Bohac,Bogucki,Bogren,Boeger,Bodziony,Bodo,Bodley,Boback,Blyther,Blight,Blenker,Blazina,Blase,Blamer,Blacknall,Blackmond,Bitz,Biser,Biscardi,Binz,Bilton,Billotte,Billafuerte,Bigford,Biegler,Bibber,Bhandari,Beyersdorf,Bevelle,Bettendorf,Bessard,Bertsche,Berne,Berlinger,Berish,Beranek,Bentson,Bentsen,Benskin,Benoy,Benoist,Benitz,Belongia,Belmore,Belka,Belen,Beitzel,Beiter,Beitel,Behrns,Beckworth,Becka,Beaudion,Beary,Beare,Beames,Beabout,Beaber,Bazzano,Bazinet,Baucum,Batrez,Baswell,Bastos,Bascomb,Bartha,Barstad,Barrilleaux,Barretto,Barresi,Barona,Barkhurst,Barke,Bardales,Barczak,Barca,Barash,Banfill,Bambino,Balonek,Balmes,Ballon,Balko,Balestrieri,Baldino,Baldelli,Baken,Baiza,Bahner,Baek,Badour,Badman,Badley,Badia,Backmon,Bacich,Bacca,Ayscue,Ayo,Aynes,Austen,Ausiello,Auringer,Auiles,Aspinwall,Askwith,Artiga,Arroliga,Arns,Arman,Arellanes,Aracena,Antwine,Antuna,Anselmi,Ansel,Annen,Angelino,Angeli,Angarola,Andrae,Amparo,Amodio,Amie,Ameen,Alwine,Alverio,Altro,Altobello,Altemus,Alquicira,Ally,Allphin,Allemand,Allam,Alessio,Akpan,Akerman,Aiona,Aikman,Agyeman,Agredano,Adamik,Adamczak,Acrey,Achilles,Acevado,Abu,Abreo,Abrahamsen,Abild,Zwicker,Zweig,Zuvich,Zumpano,Zuluaga,Zubek,Zornes,Zoglmann,Ziminski,Zimbelman,Zhanel,Zenor,Zechman,Zauner,Zamarron,Zaffino,Yusuf,Ytuarte,Yoke,Yett,Yerkovich,Yelder,Yaw,Yasuda,Yapp,Yankee,Yaden,Yackley,Yaccarino,Xia,Wytch,Wyre,Wussow,Worthing,Wormwood,Wormack,Worlds,Wordsworth,Wordell,Woodroof,Woodington,Woodhams,Wooddell,Wollner,Wojtkowski,Wojcicki,Wogan,Wlodarczyk,Wixted,Withington,Withem,Wisler,Wirick,Winterhalter,Winski,Winne,Winemiller,Wimett,Wiltfong,Willibrand,Willes,Wilkos,Wilbon,Wiktor,Wiggers,Wigg,Wiegmann,Wickliff,Wiberg,Whittler,Whittenton,Whitling,Whitledge,Whitherspoon,Whiters,Whitecotton,Whitebird,Wheary,Wetherill,Westmark,Westaby,Wertenberger,Wentland,Wenstrom,Wenker,Wellen,Weier,Wegleitner,Wedekind,Wawers,Wassel,Warehime,Wank,Wandersee,Waltmon,Waltersheid,Walbridge,Wakely,Wakeham,Wajda,Waithe,Waidelich,Wahler,Wahington,Wagster,Wadel,Vuyovich,Vuolo,Vulich,Vukovich,Volmer,Vollrath,Vollbrecht,Vogelgesang,Voeller,Vlach,Vivar,Vitullo,Vitanza,Visker,Visalli,Viray,Vinning,Viniard,Villapando,Villaman,Vier,Viar,Viall,Verstraete,Vermilya,Verdon,Venn,Velten,Velis,Vasey,Vanoven,Vanorder,Vanlue,Vanheel,Vanderwoude,Vanderheide,Vandenheuvel,Vandenbos,Vandeberg,Vandal,Vanblarcom,Vanaken,Vanacker,Vallian,Valine,Valent,Vaine,Vaile,Vadner,Uttech,Urioste,Urbanik,Unrath,Unnasch,Underkofler,Uehara,Udy,Tyrer,Tyburski,Twaddle,Turntine,Tunis,Tullock,Trunk,Tropp,Troilo,Tritsch,Triola,Trigo,Tribou,Tribley,Tri,Trethewey,Tress,Trela,Treharne,Trefethen,Trayler,Trax,Traut,Trang,Tranel,Trager,Traczyk,Towsley,Torrecillas,Tornatore,Tork,Torivio,Toriello,Tooles,Toodle,Tomme,Tolosa,Tolen,Toca,Titterington,Tipsword,Tinklenberg,Tim,Tigney,Tigert,Thygerson,Thurn,Thur,Threats,Thorstad,Thornberg,Thoresen,Thomaston,Tholen,Thicke,Theiler,Thebeau,Theaux,Thaker,Tewani,Teufel,Tetley,Terrebonne,Terrano,Terpening,Telly,Tela,Teig,Teichert,Tegethoff,Teele,Tatar,Tashjian,Tarte,Tanton,Tanimoto,Tamimi,Tamas,Talman,Taal,Szydlowski,Szostak,Swoyer,Swerdlow,Sweeden,Sweda,Swanke,Swander,Swackhammer,Suyama,Suriano,Suri,Surdam,Suprenant,Sundet,Summerton,Sult,Suleiman,Suffridge,Suby,Stych,Studeny,Stubbins,Strupp,Struckman,Strief,Strictland,Stremcha,Strehl,Stramel,Stoy,Stoutamire,Storozuk,Stordahl,Stopher,Stolley,Stolfi,Stoeger,Stockhausen,Stjulian,Stivanson,Stinton,Stinchfield,Stigler,Stieglitz,Stgermaine,Steuer,Steuber,Steuart,Stepter,Stepnowski,Stepanian,Steimer,Stefanelli,Stebner,Stears,Steans,Stayner,Staubin,Statz,Stasik,Starn,Starmer,Stargel,Stanzione,Stankovich,Stan,Stamour,Staib,Stadelman,Stadel,Stachura,Squadrito,Sprinkles,Springstead,Spragg,Spigelmyer,Spieler,Spielberg,Spaur,Sovocool,Sovereign,Soundara,Soulia,Souffrant,Sos,Sorce,Sonkin,Sodhi,Soble,Sniffen,Smouse,Smittle,Smithee,Smedick,Smaller,Slowinski,Slovacek,Slominski,Slice,Skowronek,Skokan,Skanes,Sivertson,Sinyard,Sinka,Sinard,Simonin,Simonian,Simmions,Silcott,Silberg,Siefken,Siddon,Shuttlesworth,Shubin,Shubeck,Shiro,Shiraki,Shipper,Shina,Shilt,Shikles,Shideler,Shenton,Shelvey,Shellito,Shelhorse,Shawcroft,Shatto,Shanholtzer,Shamonsky,Shall,Shadden,Seymer,Seyfarth,Sewer,Setlock,Servant,Serratos,Serr,Sepulueda,Senay,Semmel,Semans,Selvig,Selkirk,Selk,Seligson,Seldin,Seiple,Seiersen,Seidling,Seidensticker,Secker,Searson,Scordo,Scollard,Scoggan,Scobee,Sciandra,Scialdone,Schwimmer,Schwieger,Schweer,Schwanz,Schutzenhofer,Schuetze,Schrodt,Schriever,Schriber,Schremp,Schrecongost,Schraeder,Schonberg,Scholtz,Scholle,Schoettle,Schoenemann,Schoene,Schnitker,Schmuhl,Schmith,Schlotterbeck,Schleppenbach,Schlee,Schickel,Schibi,Schein,Scheide,Scheibe,Scheib,Schaumberg,Schardein,Schaalma,Scantlin,Scantlebury,Sayle,Sausedo,Saurer,Sassone,Sarracino,Saric,Sanz,Santino,Santarpia,Santano,Santaniello,Sangha,Sandvik,Sandoral,Sandobal,Sandercock,Sanantonio,Salviejo,Salsberry,Salois,Salazer,Sagon,Saglibene,Sagel,Sagal,Saetern,Saefong,Sadiq,Sabori,Saballos,Rygiel,Rushlow,Runco,Rulli,Ruller,Ruffcorn,Ruess,Ruebush,Rudlong,Rudin,Rudgers,Rudesill,Ruderman,Rucki,Rucinski,Rubner,Rubinson,Rubiano,Ruan,Roznowski,Rozanski,Rowson,Rower,Rounsaville,Roudabush,Rotundo,Rothell,Rotchford,Rosiles,Roshak,Rosetti,Rosenkranz,Rorer,Rollyson,Rokosz,Rojek,Roitman,Rohrs,Rogel,Roewe,Rodriges,Rodocker,Rodgerson,Rodan,Rodak,Rocque,Rochholz,Rochel,Robicheau,Robbinson,Roady,Ritchotte,Ripplinger,Rippetoe,Ringstaff,Ringenberg,Rinard,Rigler,Rightmire,Riesen,Riek,Ridges,Richner,Richberg,Riback,Rial,Rhyner,Rhees,Resse,Renno,Renee,Rendleman,Ren,Reisz,Reisenauer,Reinschmidt,Reins,Reinholt,Reinard,Reifsnyder,Rehfeld,Reha,Regester,Reffitt,Redler,Rediske,Reckner,Reckart,Rebolloso,Rebollar,Reasonover,Reasner,Reaser,Reano,Reagh,Raval,Ratterman,Ratigan,Rater,Rasp,Raneses,Randolf,Ramil,Ramdas,Ramberg,Rajaniemi,Rail,Raid,Raggio,Ragel,Ragain,Rade,Radaker,Racioppi,Rabinovich,Quickle,Quertermous,Queal,Quartucci,Quander,Quain,Pynes,Putzel,Purl,Pulizzi,Pugliares,Prusak,Prueter,Protano,Propps,Primack,Prieur,Presta,Preister,Prawl,Pratley,Prairie,Pozzo,Powless,Povey,Pottorf,Pote,Postley,Porzio,Ports,Portney,Ponzi,Pontoriero,Ponto,Pont,Poncedeleon,Polimeni,Polhamus,Pole,Polan,Poetker,Poellnitz,Podgurski,Plotts,Pliego,Plaugher,Plantenberg,Plair,Plagmann,Pizzitola,Pittinger,Pitcavage,Pischke,Piontek,Pintar,Pinnow,Pinneo,Pinley,Pingel,Pinello,Pimenta,Pillard,Piker,Pietras,Piere,Picasso,Phillps,Pfleger,Pfahl,Pezzuti,Petruccelli,Petrello,Peteet,Pescatore,Peruzzi,Perusse,Perotta,Perona,Perini,Peretti,Perelman,Perciful,Peppin,Pennix,Pennino,Penalosa,Pemble,Pelz,Peltzer,Pelphrey,Pelote,Pellum,Pellecchia,Pelikan,Peitz,Peels,Pebworth,Peary,Pawlicki,Pavelich,Paster,Pasquarella,Paskey,Paseur,Paschel,Parslow,Parrow,Parrot,Parlow,Parlett,Parler,Pargo,Parco,Paprocki,Panepinto,Panebianco,Pandy,Pandey,Pamphile,Pamintuan,Pamer,Paluso,Paleo,Paker,Pagett,Paczkowski,Ozburn,Ovington,Overmeyer,Ouellet,Osterlund,Oslin,Oseguera,Osaki,Orrock,Ormsbee,Orlikowski,Organista,Oregan,Orebaugh,Orabuena,Openshaw,Ontiveroz,Ondo,Omohundro,Ollom,Ollivierre,Olivencia,Oley,Olazabal,Okino,Oki,Offenberger,Oestmann,Ocker,Obar,Oakeson,Nuzum,Nurre,Nowinski,Novosel,Norquist,Nordlie,Noorani,Nonnemacher,Nolder,Njoku,Niznik,Niwa,Niss,Ninneman,Niner,Nimtz,Niemczyk,Nieder,Nicolo,Nichlos,Niblack,Newyear,Newtown,Newill,Newcom,Neverson,Neuhart,Neuenschwande,Nestler,Nenno,Nejman,Neiffer,Neidlinger,Neglia,Needs,Nearing,Nazarian,Navor,Nary,Narayan,Nangle,Nakama,Naish,Naik,Nadolski,Muscato,Murphrey,Murdick,Murchie,Muratalla,Munnis,Mundwiller,Muncey,Munce,Mullenbach,Mulhearn,Mulcahey,Muhammed,Muchow,Mountford,Moudry,Mosko,Morvay,Morrical,Morr,Moros,Mormann,Morgen,Moredock,Morden,Mordarski,Moravek,Morandi,Morale,Mooradian,Montejo,Montegut,Montan,Monsanto,Monford,Moncus,Molinas,Molek,Mohd,Moehrle,Moehring,Modzeleski,Model,Modafferi,Moala,Moake,Miyahira,Mitani,Mischel,Minges,Minella,Mimes,Milles,Milbrett,Milanes,Mikolajczyk,Mikami,Meucci,Metler,Methven,Metge,Messmore,Messerschmidt,Mesrobian,Meservey,Merseal,Menor,Menon,Menear,Melott,Melley,Melfi,Meinhart,Megivern,Megeath,Meester,Meeler,Meegan,Medoff,Medler,Meckley,Meath,Mearns,Mcquigg,Mcpadden,Mclure,Mckellips,Mckeithen,Mcglathery,Mcginnes,Mcghan,Mcdonel,Mccullom,Mccraken,Mccrackin,Mcconathy,Mccloe,Mcclaughry,Mcclaflin,Mccarren,Mccaig,Mcaulay,Mcaffee,Mazzuca,Maytubby,Mayner,Maymi,Mattiello,Matthis,Matthees,Matthai,Mathiason,Mastrogiovann,Masteller,Mashack,Marucci,Martorana,Martiniz,Marter,Martellaro,Marsteller,Marris,Marrara,Maroni,Marolda,Marocco,Maritn,Margo,Maresh,Maready,Marchione,Marbut,Maranan,Maragno,Mapps,Manrriquez,Manny,Mannis,Manni,Mangina,Manganelli,Mancera,Mamon,Maloch,Mallozzi,Maller,Majchrzak,Majano,Mainella,Mahanna,Maertens,Madon,Macumber,Macioce,Machuga,Machlin,Machida,Machala,Mabra,Lynne,Lybbert,Luvert,Lutts,Luttrull,Lupez,Lukehart,Ludewig,Luchsinger,Loyal,Lovecchio,Louissaint,Loughney,Lottie,Lostroh,Lose,Lorton,Lorette,Lopeman,Loparo,Longs,Loner,Londo,Lombera,Lokietek,Loiko,Lohrenz,Lohan,Lofties,Locklar,Lockaby,Lobianco,Loader,Loa,Llano,Livesey,Litster,Liter,Liske,Linsky,Linne,Lindbeck,Limes,Licudine,Leyua,Levie,Letterman,Leonelli,Lenzo,Lenze,Lents,Leitao,Leif,Leidecker,Leibold,Lehne,Legan,Legacy,Lefave,Leehy,Ledue,Lecount,Lecea,Leadley,Lazzara,Lazcano,Lazalde,Layer,Lavi,Lavancha,Lavan,Lav,Laude,Latu,Latty,Lato,Larranaga,Lapidus,Lapenta,Langridge,Langeveld,Langel,Lanes,Landowski,Landgren,Landfried,Lame,Lamattina,Lallier,Lairmore,Lahaie,Lagazo,Lagan,Lafoe,Lafluer,Laflame,Lafevers,Lada,Lacoss,Lachney,Labreck,Labreche,Labay,Laa,Kwasnik,Kuzyk,Kutzner,Kushnir,Kusek,Kurtzman,Kurian,Kulhanek,Kuklinski,Kuh,Kueny,Kuczynski,Kubitz,Kuang,Kruschke,Krous,Krompel,Kritz,Krimple,Kriese,Krenzer,Kreis,Kratzke,Krane,Krage,Kraebel,Kozub,Kozma,Kouri,Koudelka,Kotcher,Kotas,Kostic,Kosh,Kosar,Kopko,Kopka,Kooy,Konigsberg,Konarski,Kolmer,Kohlmeyer,Kobbe,Knoop,Knoedler,Knocke,Knipple,Knippenberg,Knickrehm,Kneisel,Kluss,Klossner,Klipfel,Klawiter,Klasen,Kittles,Kissack,Kirtland,Kirschenmann,Kirckof,Kiphart,Kinstler,Kinion,Kilton,Killman,Kiehl,Kief,Kett,Kesling,Keske,Kerstein,Kepple,Keneipp,Kempson,Kempel,Kelp,Kehm,Kehler,Keh,Keeran,Keedy,Kebert,Keast,Kearbey,Kawaguchi,Kaupu,Kauble,Katzenbach,Kate,Katcher,Kartes,Karpowicz,Karpf,Karen,Karban,Kanzler,Kanarek,Kamper,Kaman,Kalsow,Kalafut,Kaeser,Kaercher,Kaeo,Kaeding,Jurewicz,Julson,Jozwick,Jollie,Johnigan,Johll,Jochum,Jewkes,Jestes,Jeska,Jersey,Jereb,Jayson,Jaurez,Jarecki,Jansma,Janosik,Jandris,Jamin,Jahr,Jacot,Jabs,Ivens,Itson,Isenhower,Iovino,Ionescu,Ingrum,Ingels,Inch,Imrie,Imlay,Ihlenfeld,Ihde,Igou,Ibach,Huyett,Hurry,Huppe,Hultberg,Hullihen,Hugi,Hueso,Huesman,Hsiao,Hronek,Hovde,Housewright,Houlahan,Hougham,Houchen,Hostler,Hoster,Hosang,Hornik,Hornes,Horio,Honyumptewa,Honeyman,Honer,Hommerding,Holsworth,Hollobaugh,Hollinshead,Hollands,Hollan,Holecek,Holdorf,Hokes,Hogston,Hoesly,Hodkinson,Hodgman,Hodgens,Hochstedler,Hochhauser,Hobbie,Hoare,Hnat,Hiss,Hiskey,Hirschy,Hinostroza,Hink,Hing,Hillmer,Hillian,Hillerman,Hietala,Hierro,Hickling,Hickingbottom,Heye,Heubusch,Hesselschward,Herriot,Hernon,Hermida,Hermans,Hentschel,Henningson,Henneke,Henk,Heninger,Heltsley,Helmle,Helminiak,Helmes,Hellner,Hellmuth,Helke,Heitmeyer,Heird,Heinle,Heinicke,Heinandez,Heimsoth,Heimlich,Heibel,Hegyi,Heggan,Hefel,Heeralall,Hedrington,Heacox,Hazlegrove,Hazelett,Haymore,Havenhill,Hautala,Hascall,Harvie,Hartrick,Hartling,Harrer,Harles,Hargenrader,Hanshew,Hanly,Hankla,Hanisch,Hancox,Hammann,Hambelton,Halseth,Hallisey,Halleck,Hallas,Haisley,Hairr,Hainey,Hainer,Hailstock,Haertel,Guzek,Guyett,Guster,Gussler,Gurwitz,Gurka,Gunsolus,Guinane,Guiden,Gugliotti,Guevin,Guevarra,Guerard,Gudaitis,Guadeloupe,Gschwind,Grupe,Grumbach,Gruenes,Gruenberg,Grosser,Grom,Grodski,Groden,Grizzel,Gritten,Griswald,Grishaber,Grinage,Grimwood,Grims,Griffon,Griffies,Gribben,Grew,Gressley,Gren,Greenstreet,Grealish,Gravett,Grantz,Granfield,Granade,Gowell,Gossom,Gorsky,Goring,Goodnow,Goodfriend,Goodemote,Golob,Gollnick,Golladay,Goldwyn,Goldsboro,Golds,Goldrick,Gohring,Gohn,Goettsch,Goertzen,Goelz,Godinho,Goans,Glumac,Gleisner,Gleen,Glassner,Glanzer,Gladue,Gjelaj,Givhan,Girty,Girone,Girgenti,Giorgianni,Gilpatric,Gillihan,Gillet,Gilbar,Gierut,Gierhart,Gibert,Gianotti,Giannetto,Gianelli,Giambanco,Gharing,Geurts,Gettis,Gettel,Gest,Germani,Gerdis,Gerbitz,Geppert,Gennings,Gemmer,Gelvin,Gellert,Gehler,Geddings,Gearon,Geach,Gazaille,Gayheart,Gauld,Gaukel,Gaudio,Gato,Gathing,Gasque,Garstka,Garsee,Garringer,Garofano,Garo,Garnsey,Garigen,Garcias,Garbe,Ganoung,Ganfield,Ganaway,Gamero,Galuska,Galster,Gallacher,Galinski,Galimi,Galik,Galeazzi,Galdo,Galdames,Galas,Galanis,Gaglio,Gaff,Gaeddert,Gadapee,Fussner,Furukawa,Fuhs,Fuerte,Fuerstenberg,Fryrear,Fruits,Froese,Fringer,Frieson,Friesenhahn,Frieler,Friede,Freymuth,Freyman,Freudenberg,Freman,Fredricksen,Frech,Frasch,Frantum,Frankin,Franca,Frago,Fragnoli,Fouquet,Fossen,Foskett,Forner,Formosa,Formisano,Forget,Fooks,Fons,Folino,Flott,Floor,Flesch,Flener,Flemmons,Flattery,Flanagin,Flamino,Flamand,Fitzerald,Findling,Filsinger,Fillyaw,Fillinger,Fiechter,Ferre,Ferdon,Feldkamp,Fazzio,Favia,Faulconer,Faughnan,Faubel,Fassler,Faso,Farrey,Farrare,Farnworth,Farland,Fairrow,Faille,Faherty,Fagnant,Fabula,Fabbri,Eylicio,Esteve,Estala,Espericueta,Escajeda,Erlich,Equia,Epson,Enrriquez,Enomoto,Enmon,Engemann,Emmerson,Emmel,Emler,Emilio,Elstad,Ellwein,Ellerson,Eliott,Eliassen,Elchert,Eisenbeis,Eisel,Eikenberry,Eichholz,Ehmer,Edris,Edgerson,Echenique,Eberley,Eans,Dziuk,Dykhouse,Dworak,Dutt,Dupas,Duntz,Dunshee,Dunovant,Dunnaway,Dummermuth,Duerson,Duddy,Ducotey,Duchon,Duchesneau,Ducci,Dubord,Duberry,Dubach,Drummonds,Droege,Drish,Drier,Drexel,Dresch,Dresbach,Drenner,Drechsler,Dowen,Dotter,Dosreis,Doser,Dorward,Dorin,Dorf,Door,Domeier,Doler,Doleman,Dolbow,Dolbin,Dobrunz,Dobransky,Dobberstein,Dlouhy,Diosdado,Dingmann,Dimmer,Dimarino,Dimaria,Dilly,Dillenburg,Dilaura,Dieken,Dickhaus,Dibbles,Dibben,Diamante,Dewilde,Dewaard,Devich,Devenney,Devaux,Dettinger,Desroberts,Dershem,Dersch,Derita,Derickson,Depina,Deorio,Deoliveira,Denzler,Dentremont,Denoble,Demshar,Demond,Demint,Demichele,Demel,Delzer,Delval,Delorbe,Delli,Delbridge,Delanoy,Delancy,Delahoya,Dekle,Deitrick,Deis,Dehnert,Degrate,Defrance,Deetz,Deeg,Decoster,Decena,Dearment,Daughety,Datt,Darrough,Danzer,Dante,Danielovich,Dandurand,Dancause,Dalo,Dalgleish,Daisley,Daft,Dadlani,Daddona,Daddio,Dacpano,Cyprian,Cutillo,Cush,Curz,Curvin,Cuna,Cumber,Cullom,Cudworth,Cubas,Crysler,Cryderman,Crummey,Crumbly,Crookshanks,Croes,Criscione,Crimes,Crespi,Cresci,Creaser,Craton,Cramp,Cradle,Cowin,Cowdrey,Coutcher,Cotterman,Cosselman,Cosgriff,Cortner,Corsini,Corporan,Corniel,Cornick,Cordts,Cordial,Copening,Coolman,Connick,Conlisk,Conelli,Common,Comito,Colten,Colling,Colletta,Coldivar,Colclasure,Colantuono,Colaizzi,Coggeshall,Cockman,Cockfield,Cobourn,Cobo,Cobarrubias,Clyatt,Cloney,Clonch,Climes,Cleckner,Clearo,Claybourne,Clavin,Claridge,Claffey,Ciufo,Cisnero,Cipollone,Cieslik,Ciejka,Cichocki,Cicchetti,Cianflone,Chrusciel,Christesen,Chmielowiec,Chirino,Chillis,Chihuahua,Chhoun,Chevas,Chehab,Chaviano,Chavaria,Chasten,Charbonnet,Chanley,Champoux,Champa,Chalifoux,Cerio,Cedotal,Cech,Cavett,Cavendish,Catoire,Castronovo,Castellucci,Castellow,Castaner,Casso,Cassels,Cassatt,Cassar,Cashon,Cartright,Carros,Carrisalez,Carrig,Carrejo,Carnicelli,Carnett,Carlise,Carline,Carhart,Caren,Cardova,Cardell,Carchi,Caram,Caquias,Capper,Capizzi,Capano,Cannedy,Campese,Calvello,Callon,Callins,Callies,Callicutt,Calix,Calin,Califf,Calderaro,Caldeira,Cadriel,Cadmus,Cadman,Caccamise,Buys,Buttermore,Butay,Bustamente,Busa,Burmester,Burkard,Burhans,Burgert,Bure,Burdin,Bullman,Bulin,Buelna,Buehner,Budin,Buco,Buckhanon,Bryars,Brutger,Brus,Brumitt,Brum,Bruer,Brucato,Broyhill,Broy,Brownrigg,Brownie,Brossart,Brookings,Broden,Brocklehurst,Brockert,Bristo,Briskey,Brisbane,Bringle,Bries,Briar,Bressman,Bren,Branyan,Brands,Bramson,Brammell,Brallier,Bozich,Boysel,Bowthorpe,Bowron,Bowin,Boutilier,Boulos,Boullion,Boughter,Bottiglieri,Borruso,Borrow,Borreggine,Borns,Borkoski,Borghese,Borenstein,Boran,Bora,Booton,Bonvillain,Bonini,Bong,Bonello,Bolls,Boitnott,Boike,Bohnet,Bohnenkamp,Bohmer,Boeson,Boeneke,Bodey,Bocchino,Bobrowski,Bobic,Bluestein,Bloomingdale,Blogg,Blewitt,Blenman,Bleck,Blaszak,Blankenbeckle,Blando,Blanchfield,Blancato,Blalack,Blakenship,Blackett,Bisping,Birkner,Birckhead,Bingle,Bineau,Billiel,Bigness,Bies,Bierer,Bhalla,Beyerlein,Bew,Betesh,Besler,Berzins,Bertalan,Berntsen,Berna,Bergo,Berganza,Bennis,Benney,Benkert,Benjamen,Benincasa,Bengochia,Bendle,Bendana,Benchoff,Benbrook,Belsito,Belshaw,Belinsky,Belak,Bela,Beigert,Beidleman,Behen,Befus,Beel,Beebee,Bedonie,Beckstrand,Beckerle,Beato,Bears,Bauguess,Baughan,Bauerle,Battis,Batis,Bastone,Bastille,Bassetti,Bashor,Bary,Bartunek,Bartoletti,Barro,Barno,Barnicle,Barlage,Barkus,Barkdull,Bari,Barcellos,Barbarino,Baranski,Baranick,Bankert,Banchero,Ban,Bambrick,Bamberg,Bambenek,Balthrop,Balmaceda,Ballman,Balistrieri,Balcomb,Balboni,Balbi,Bakshi,Bagner,Bagent,Badasci,Bacot,Bache,Babu,Babione,Babic,Babers,Babbs,Awkward,Avitabile,Avers,Avena,Avance,Ausley,Auker,Audas,Aud,Aubut,Athearn,Atcheson,Astorino,Asplund,Aslanian,Askari,Ashmead,Asby,Asai,Arterbury,Artalejo,Arqueta,Arquero,Arostegui,Arnell,Armeli,Arista,Arender,Arca,Arballo,Aprea,Applen,Applegarth,Apfel,Antonello,Antolin,Antkowiak,Angis,Angione,Angerman,Angelilli,Andujo,Andrick,Anderberg,Amigon,Ambers,Amalfitano,Alviso,Alvez,Altice,Altes,Almarez,Allton,Allston,Allgeyer,Allegretti,Aliaga,Algood,Alberg,Albarez,Albaladejo,Akre,Aitkin,Ahles,Ahlberg,Agnello,Adrien,Adinolfi,Adamis,Abramek,Abolt,Abitong,Zurich,Zurawski,Zufall,Zubke,Zizzo,Zipperer,Zinner,Zinda,Ziller,Zill,Zevallos,Zesati,Zenzen,Zentner,Zellmann,Zelinsky,Zboral,Zarcone,Zapalac,Zaldana,Zakes,Zaker,Zahniser,Zacherl,Zabawa,Zabaneh,Yum,Youse,Youree,Younis,Yorty,Yonce,Yero,Yerkey,Yeck,Yeargan,Yauch,Yashinski,Yambo,Xiang,Wrinn,Wrightsman,Worton,Wortley,Worland,Woolworth,Woolfrey,Woodhead,Woltjer,Wolfenden,Wolden,Wolchesky,Wojick,Woessner,Witwer,Witters,Witchard,Wissler,Wisnieski,Wisinski,Winnike,Winkowski,Winkels,Wingenter,Wineman,Winegardner,Wimpy,Wilridge,Wilmont,Willy,Willians,Williamsen,Wilhide,Wilhelmsen,Wilhelmi,Wildrick,Wilden,Wiland,Wiker,Wigglesworth,Wiebusch,Widdowson,Wiant,Wiacek,Whittet,Whitter,Whitelock,Whiteis,Whiley,Westrope,Westpfahl,Westin,Wessman,Wessinger,Wesemann,Wesby,Wertheimer,Weppler,Wenke,Wengler,Wender,Welp,Weitzner,Weissberg,Weisenborn,Weipert,Weiman,Weidmann,Wehrsig,Wehrenberg,Weemes,Weeman,Wayner,Waston,Wasicek,Wascom,Wasco,Warmath,Warbritton,Waltner,Wallenstein,Waldoch,Waldal,Wala,Waide,Wadlinger,Wadhams,Vullo,Voorheis,Vonbargen,Volner,Vollstedt,Vollman,Vold,Voge,Vittorio,Virtue,Virginia,Violett,Viney,Vinciguerra,Vinal,Villata,Villarrvel,Vilanova,Vigor,Vigneault,View,Vielma,Veyna,Vessella,Versteegh,Verderber,Venier,Venice,Venditti,Velotta,Vejarano,Veil,Vecchia,Vecchi,Vastine,Vasguez,Varella,Vanry,Vannah,Vanhyning,Vanhuss,Vanhoff,Vanhoesen,Vandivort,Vandevender,Vanderlip,Vanderkooi,Vandebrink,Vancott,Vallien,Vallas,Vallandingham,Valiquette,Valasek,Vahey,Vagott,Uyematsu,Urbani,Uran,Upp,Uno,Union,Umbach,Udo,Tyon,Tyma,Twyford,Twombley,Twohig,Tutterrow,Turnes,Turkington,Turchi,Tunks,Tumey,Tumbaga,Tuinstra,Tsukamoto,Tschetter,Trussel,Trubey,Trovillion,Troth,Trostel,Tron,Trinka,Trine,Tribbey,Triarsi,Trevor,Treto,Trautz,Tragesser,Tooman,Toolson,Tonozzi,Tomkiewicz,Tomb,Tomasso,Tolin,Tolfree,Toelle,Tisor,Tiry,Tinstman,Timmermann,Tillie,Tickner,Tiburcio,Thunberg,Thronton,Thompsom,Theil,Thayne,Thaggard,Teschner,Tensley,Tenery,Tempest,Tellman,Tellado,Telep,Teigen,Teator,Teall,Tayag,Tavis,Tattersall,Tassoni,Tarshis,Tappin,Tappe,Tansley,Talone,Talford,Tainter,Taha,Taguchi,Tacheny,Tabak,Szymczyk,Szwaja,Szopinski,Sze,Syvertsen,Swogger,Switcher,Swist,Swilling,Swierczek,Swiech,Swickard,Swiatek,Swezey,Swepson,Sweezy,Swaringen,Swanagan,Swailes,Swade,Sveum,Svenningsen,Svec,Suttie,Supry,Sunga,Summerhill,Summars,Sulit,Stys,Stutesman,Stupak,Stumpo,Stuller,Stuekerjuerge,Stuckett,Stuckel,Stuchlik,Stuard,Strutton,Strop,Stromski,Stroebel,Strehlow,Strause,Strano,Straney,Stradling,Stoyle,Stormo,Stopyra,Stoots,Stoop,Stonis,Stoltenburg,Stoiber,Stoessel,Stitzer,Stien,Stichter,Stezzi,Stewert,Stepler,Steinkraus,Stegemann,Steeples,Steenburg,Steeley,Staszak,Stasko,Starkson,Stanwick,Stanke,Stanifer,Stangel,Stain,Stai,Squiers,Sprout,Springsteen,Spraglin,Spragins,Spraberry,Spoelstra,Spisak,Spirko,Spille,Spidel,Speyer,Speroni,Spenst,Speak,Spartz,Sparlin,Sparacio,Spaman,Spainhower,Sow,Souers,Souchet,Sosbee,Sorn,Sorice,Sorbo,Soqui,Somer,Solon,Soehl,Sodergren,Socorro,Sobie,Smucker,Smsith,Smoley,Smolensky,Smolenski,Smolder,Smethers,Slusar,Slowey,Slonski,Slemmons,Slatkin,Slates,Slappy,Slaney,Slagter,Slacum,Skutnik,Skrzypek,Skibbe,Sjostrom,Sjoquist,Sivret,Sitko,Sisca,Sinnett,Sineath,Simoni,Simar,Simao,Silvestro,Silleman,Silkwood,Silha,Silfies,Silberhorn,Silacci,Sigrist,Sieczkowski,Sieczka,Shure,Shulz,Shugrue,Shrode,Shown,Shovlin,Shortell,Shonka,Shiyou,Shiraishi,Shiplett,Sheu,Shermer,Sherick,Sheng,Sheeks,Shed,Sharron,Shantz,Shakir,Shaheed,Shadoan,Shadid,Shackford,Shabot,Seung,Seufert,Setty,Setters,Servis,Server,Serres,Serrell,Serpico,Serpas,Serafine,Sensenig,Senft,Semenec,Semen,Semas,Semaan,Selvera,Sellmeyer,Sek,Segar,Seever,Seeney,Seeliger,Seehafer,Seebach,Sebben,Seaward,Seary,Searl,Searby,Scotland,Scordino,Scolieri,Scolaro,Schwiebert,Schwartze,Schwaner,Schuur,Schupbach,Schumacker,Schum,Schudel,Schubbe,Schroader,Schramel,Schollmeyer,Schoenherr,Schoeffler,Schoeder,Schnurr,Schnorr,Schneeman,Schnake,Schnaible,Schmaus,Schlotter,Schinke,Schimming,Schimek,Schikora,Scheulen,Scherping,Schermer,Scherb,Schember,Schellhase,Schedler,Schanck,Schaffhauser,Schaffert,Schadler,Scarola,Scarfo,Scarff,Scantling,Scaff,Sayward,Sayas,Saxbury,Savin,Savel,Savastano,Savannah,Sault,Satre,Sarkar,Santellan,Sandmeier,Sampica,Salvesen,Saltis,Salloum,Salling,Salce,Salatino,Salata,Salamy,Safe,Sadowsky,Sadlier,Sabbatini,Sabatelli,Sabal,Sabados,Rydzewski,Rybka,Rybczyk,Ruz,Rusconi,Rupright,Rufino,Ruffalo,Rudiger,Rudig,Ruda,Rubyor,Royea,Roxberry,Rover,Rouzer,Roumeliotis,Roston,Rossmann,Rosko,Rosetta,Rosene,Rosenbluth,Roseland,Rosasco,Rosano,Rosal,Rorabaugh,Romie,Romaro,Rolstad,Rollow,Rohrich,Roghair,Rogala,Roets,Roen,Roemmich,Roelfs,Roeker,Roedl,Roedel,Rodeheaver,Roddenberry,Rockstad,Rocchi,Robirds,Robben,Robasciotti,Robaina,Rizzotto,Rizzio,Rittle,Ritcher,Rissman,Riseden,Ripa,Rion,Rintharamy,Rinehimer,Rinck,Riling,Rike,Rietschlin,Riesenberg,Riemenschneid,Rieland,Rickenbaugh,Rickenbach,Riches,Rhody,Revells,Reutter,Respress,Resnik,Renton,Remmel,Reitmeyer,Reitan,Reister,Reinstein,Reino,Reinkemeyer,Reifschneider,Reierson,Reichle,Rehmeier,Rehl,Regine,Reeds,Rede,Records,Recar,Rebeiro,Raybourn,Rawl,Rautio,Raugust,Raudenbush,Raudales,Rattan,Rashad,Rapuano,Rapoport,Rantanen,Ransbottom,Raner,Ramkissoon,Rambousek,Raio,Rainford,Radakovich,Rad,Rabenhorst,Quivers,Quispe,Quintin,Quinoes,Quince,Quilici,Quattrone,Quates,Quance,Quale,Purswell,Purpora,Pulera,Pulcher,Puckhaber,Pryer,Pruyne,Pruit,Prudencio,Prows,Protzman,Prothero,Prospero,Prosperi,Prospal,Privott,Pritchet,Priem,Prest,Prell,Preer,Pree,Preddy,Preda,Pravata,Pradhan,Potocki,Postier,Postema,Posse,Posadas,Poremba,Popper,Popichak,Ponti,Pomrenke,Pomponi,Pomarico,Pollok,Polkinghorn,Polino,Pock,Plough,Plenty,Plater,Plagman,Pipher,Pinzone,Pinkleton,Pillette,Pillers,Pill,Pilapil,Pignone,Pignatelli,Piersol,Piepho,Picton,Pickrel,Picket,Pichard,Picchi,Piatek,Pharo,Phanthanouvon,Pettingill,Pettinato,Petrovits,Pethtel,Petersheim,Pershing,Perrez,Perra,Pergram,Peretz,Perego,Perches,Pennello,Pennella,Pennant,Pendry,Penaz,Pellish,Peeks,Pecanty,Peare,Paysour,Pavlovich,Pavick,Pavelko,Paustian,Patzer,Patsy,Patete,Patadia,Paszkiewicz,Pase,Pasculli,Pascascio,Parrotte,Parlor,Parajon,Paparo,Papandrea,Paone,Pantaleon,Panning,Paniccia,Pancho,Panarello,Palmeter,Pallan,Palardy,Pahmeier,Padget,Padel,Oyster,Oya,Oxborrow,Oveson,Outwater,Ottaway,Otake,Ostermeyer,Osmer,Osinski,Osiecki,Oroak,Orndoff,Orms,Orkin,Oregon,Ordiway,Opatz,Onsurez,Onishi,Oliger,Okubo,Okoye,Ohlmann,Offord,Offner,Offerdahl,Oesterle,Oesch,Odonnel,Odeh,Odebralski,Obie,Obermeier,Oberhausen,Obenshain,Obenchain,Oats,Nute,Nulty,Norrington,Norlin,Nore,Nordling,Nordhoff,Norder,Nordan,Norals,Nogales,Noboa,Nitsche,Niermann,Nienhaus,Niedringhaus,Niedbalski,Nicolella,Nicolais,Nickleberry,Nicewander,Newfield,Neurohr,Neumeier,Netterville,Nersesian,Nern,Nerio,Nerby,Nerbonne,Neitz,Neighbours,Neighbor,Neidecker,Neat,Neason,Nead,Navratil,Naves,Nastase,Nasir,Nasca,Narine,Narimatsu,Nard,Narayanan,Nappo,Namm,Nalbone,Nakonechny,Nabarro,Myott,Muthler,Muscatello,Murriel,Murin,Murders,Muoio,Mundel,Munafo,Mulch,Mukherjee,Muffoletto,Muessig,Muckey,Mucher,Mruk,Moyd,Mowell,Mowatt,Moutray,Mourning,Mou,Motzer,Moster,Mortis,Morgenroth,Morga,Morataya,Montross,Montezuma,Monterroza,Montemarano,Montello,Montbriand,Montavon,Montaque,Monigold,Monforte,Molgard,Moleski,Mohsin,Mohead,Mofield,Moerbe,Moeder,Mochizuki,Miyazaki,Miyasaki,Mital,Miskin,Mischler,Minus,Minniear,Minero,Milosevic,Mildenhall,Mila,Mikhail,Mielsch,Midden,Michonski,Michniak,Michitsch,Michelotti,Micheli,Michelfelder,Michand,Miao,Metelus,Merkt,Merando,Meranda,Mentz,Meneley,Menaker,Memory,Melino,Meir,Mehaffy,Meehl,Meech,Meczywor,Mcweeney,Mcumber,Mcredmond,Mcneer,Mcnay,Mcmikle,Mcmaken,Mclaurine,Mclauglin,Mclaney,Mckune,Mckinnies,Mckague,Mchattie,Mcgrapth,Mcglothen,Mcgath,Mcfolley,Mcdannell,Mccurty,Mccort,Mcclymonds,Mcclimon,Mcclamy,Mccaughan,Mccartan,Mccan,Mccadden,Mcburnie,Mcburnett,Mcbryar,Mcannally,Mcalevy,Mcaleese,Maytorena,Mayrant,Mayol,Mayland,Mayeaux,Mauter,Matthewson,Mathiew,Matern,Matera,Maslow,Mashore,Masaki,Maruco,Martorell,Martenez,Marry,Marrujo,Marrison,Maroun,Markway,Markos,Markoff,Markman,Marian,Marello,Marbry,Marban,Maranda,Maphis,Manuele,Mansel,Manganello,Mandrell,Mandoza,Manard,Manago,Maltba,Mallick,Mallak,Maline,Malikowski,Majure,Majcher,Maise,Mahl,Maffit,Maffeo,Madueno,Madlem,Madariaga,Macvane,Mackler,Macconnell,Macchi,Maccarone,Lyng,Lynchard,Lura,Lunning,Luneau,Lunden,Lumbra,Lumbert,Lueth,Ludington,Luckado,Lucchini,Lucatero,Luallen,Lozeau,Lowen,Lovera,Lovelock,Louck,Lothian,Lorio,Lorimer,Lorge,Loretto,Longhenry,Lonas,Loiseau,Lohrman,Logel,Loft,Locks,Lockie,Llerena,Livington,Liuzzi,Liscomb,Lippeatt,Liou,Linhardt,Lindelof,Lindbo,Limehouse,Limage,Lillo,Lillian,Lilburn,Liggons,Lidster,Liddy,Liddick,Lich,Liberato,Lian,Lia,Leysath,Lewelling,Lesney,Leser,Lescano,Leonette,Lentsch,Lenius,Lemmo,Lemming,Lemcke,Lein,Leggette,Legerski,Legard,Leever,Leete,Ledin,Lecomte,Lecocq,Leakes,Leab,Lazarz,Layous,Lawrey,Lawery,Lauze,Lautz,Laughinghouse,Latulippe,Lattus,Lattanzio,Later,Lascano,Larmer,Laris,Larcher,Laprise,Lapin,Lapage,Lano,Langseth,Langman,Langland,Landstrom,Landsberg,Landsaw,Landram,Lamphier,Lamendola,Lamberty,Lakhani,Laker,Lajara,Lagrow,Lagman,Ladewig,Laderman,Ladden,Lacrue,Laclaire,Lachut,Lachner,Kwit,Kvamme,Kvam,Kutscher,Kushi,Kurgan,Kunsch,Kundert,Kun,Kulju,Kukene,Kudo,Kubin,Kubes,Kuberski,Krystofiak,Kruppa,Krul,Krukowski,Kruegel,Kronemeyer,Krock,Kriston,Kretzer,Krenn,Kralik,Krafft,Krabill,Kozisek,Kovich,Koverman,Kovatch,Kovarik,Kotlowski,Kosmala,Kosky,Kosir,Kosa,Korpi,Kornbluth,Koppen,Kooistra,Kohlhepp,Kofahl,Koeneman,Koebel,Koczur,Kobrin,Kobashigawa,Koba,Knuteson,Knoff,Knoble,Knipper,Knierim,Kneisley,Klusman,Kloc,Klitzing,Klinko,Klinefelter,Klemetson,Kleinpeter,Klauser,Klatte,Klaren,Klare,Kissam,Kirkhart,Kirchmeier,Kinzinger,Kindt,Kincy,Kincey,Kimoto,Killingworth,Kilcullen,Kilbury,Kietzman,Kienle,Kiedrowski,Kidane,Khamo,Khalili,Ketterling,Ketchem,Kessenich,Kessell,Kepp,Kenon,Kenning,Kennady,Kendzior,Kemppainen,Kellermann,Keirns,Keilen,Keiffer,Kehew,Keelan,Keawe,Keator,Kealy,Keady,Kathman,Kastler,Kastanes,Kassab,Karren,Karpin,Karau,Karathanasis,Kara,Kaps,Kaplun,Kapaun,Kannenberg,Kanipe,Kander,Kandel,Kanas,Kanan,Kamke,Kaltenbach,Kallenberger,Kallam,Kali,Kaley,Kafton,Kafer,Kabler,Kaaihue,Jupiter,Jundt,Jubilee,Jovanovich,Jojola,Johnstad,Jodon,Joachin,Jinright,Jew,Jessick,Jeronimo,Jerald,Jenne,Jelsma,Jeannotte,Jeangilles,Jaworsky,Jaubert,Jarry,Jarrette,Jarreau,Jarett,Janos,Janecka,Janczak,Jalomo,Jagoda,Jagla,Jacquier,Jaber,Iwata,Ivanoff,Isola,Iserman,Isais,Isaacks,Iron,Inverso,Infinger,Ibsen,Hyser,Hylan,Hybarger,Hwee,Hutchenson,Hutchcroft,Husar,Hurlebaus,Hunsley,Hunker,Hummingbird,Humberson,Hulst,Hulon,Huhtala,Hugill,Hugghins,Huffmaster,Huckeba,Hrabovsky,Howden,Hoverson,Houts,Houskeeper,Housh,Hosten,Horras,Horchler,Hor,Hopke,Hooke,Honie,Holtsoi,Holsomback,Holoway,Holmstead,Hoistion,Hohnstein,Hoheisel,Hoguet,Hoggle,Hogenson,Hoffstetter,Hoffler,Hoffa,Hofe,Hoefling,Hoague,Hizer,Hirschfield,Hironaka,Hiraldo,Hinote,Hingston,Hind,Hinaman,Hillie,Hillesheim,Hilderman,Hiestand,Heyser,Heys,Hews,Hew,Hertler,Herrero,Herrandez,Heppe,Henle,Henkensiefken,Henigan,Henandez,Henagan,Hemberger,Heman,Helser,Helmich,Hellinger,Helfrick,Heldenbrand,Heinonen,Heineck,Heikes,Heidkamp,Heglar,Heffren,Heelan,Hedgebeth,Heckmann,Heckaman,Hechmer,Hazelhurst,Hawken,Haverkamp,Havatone,Hausauer,Hasch,Harwick,Hartse,Harts,Harrower,Harle,Hargroder,Hardway,Hardinger,Hardemon,Harbeck,Hant,Hamre,Hamberg,Hallback,Haisten,Hailstone,Hahl,Hagner,Hagman,Hagemeyer,Haeussler,Hackwell,Haby,Haataja,Gverrero,Gustovich,Gustave,Guske,Gushee,Gurski,Gurnett,Gura,Gunto,Gunselman,Gugler,Gudmundson,Gudinas,Guarneri,Grumbine,Gruis,Grotz,Grosskopf,Grosman,Grosbier,Grinter,Grilley,Grieger,Grewal,Gressler,Greaser,Graus,Grasman,Graser,Grannan,Granath,Gramer,Graboski,Goyne,Gowler,Gottwald,Gottesman,Goshay,Gorr,Gorovitz,Gores,Goossens,Goodier,Goodhue,Gonzeles,Gonzalos,Gonnella,Golomb,Golick,Golembiewski,Goeke,Godzik,Goar,Glosser,Glendenning,Glendening,Glatter,Glas,Gittings,Gitter,Gisin,Giscombe,Gimlin,Gillitzer,Gillick,Gilliand,Gilb,Gigler,Gidden,Gibeau,Gibble,Gianunzio,Giannattasio,Gertelman,Gerosa,Gerold,Gerland,Gerig,Gerecke,Gerbino,Genz,Genovesi,Genet,Gelrud,Geitgey,Geiszler,Gehrlein,Gazzo,Gawrys,Gavilanes,Gaulden,Gate,Garthwaite,Garmoe,Gargis,Gara,Gannett,Galligher,Galler,Galleher,Gallahan,Galford,Gal,Gahn,Gacek,Gabert,Fuster,Furuya,Furse,Fujihara,Fuhriman,Fruit,Frueh,Fromme,From,Froemming,Friskney,Frietas,Freiler,Freelove,Freber,Frear,Frankl,Frankenfield,Franey,Francke,Foxworthy,Formella,Foringer,Forgue,Forge,Fonnesbeck,Fonceca,Folland,Fodera,Fode,Floresca,Fleurent,Fleshner,Flentge,Fleischhacker,Fleeger,Flecher,Flam,Flair,Flaim,Fivecoat,Firebaugh,Fioretti,Finucane,Filley,Figuroa,Figuerda,Fiddelke,Feurtado,Fetterly,Fessel,Femia,Feild,Fehling,Fegett,Fedde,Fechter,Fawver,Faustino,Faulhaber,Fatchett,Fassnacht,Fashaw,Fasel,Farrugia,Farran,Farness,Farhart,Farbman,Fama,Falwell,Falvo,Falling,Falkenstein,Falin,Failor,Faigin,Fagundo,Fague,Fagnan,Fagerstrom,Faden,Eytchison,Eyles,Ewy,Evon,Everage,Evangelist,Estrin,Estorga,Esponda,Espindola,Escher,Esche,Escarsega,Escandon,Erven,Erding,Eplin,Enix,Englade,Engdahl,Enck,Emmette,Embery,Emberson,Eltzroth,Else,Elsayed,Ellerby,Ellens,Elhard,Elfers,Elazegui,Eisermann,Eilertson,Eiben,Ehrhard,Ehresman,Egolf,Egnew,Eggins,Efron,Effland,Eduardo,Edminster,Edgeston,Ede,Eckstrom,Eckhard,Eckford,Echoles,Ebsen,Eatherly,Eastlick,Earnheart,Ear,Dykhuizen,Dyas,Duttweiler,Dutka,Dutch,Dusenbury,Dusenbery,Durre,Durnil,Durnell,Durie,Durhan,Durando,Dupriest,Dunsmoor,Dunseith,Dunnum,Dunman,Dunlevy,Duma,Dulude,Dulong,Duignan,Dugar,Dufek,Ducos,Duchaine,Duch,Dubow,Drowne,Dross,Drollinger,Droke,Driggars,Dredge,Drawhorn,Drach,Drabek,Doyne,Doukas,Dorvil,Dorow,Doroski,Dornak,Dormer,Dorian,Donnelson,Donna,Donn,Donivan,Dondero,Dompe,Dolle,Doakes,Diza,Dixie,Divirgilio,Ditore,Distel,Disimone,Disbro,Dipiero,Dingson,Diluzio,Dillehay,Dilbert,Digiorgio,Diflorio,Dietzler,Dietsch,Dieterle,Dierolf,Dierker,Dicostanzo,Dicesare,Dexheimer,Dewitte,Dewing,Devoti,Devincentis,Devary,Deutschman,Dettloff,Detienne,Destasio,Dest,Despard,Desmet,Deslatte,Desfosses,Derise,Derenzo,Deppner,Depolo,Denoyer,Denoon,Denno,Denne,Deniston,Denike,Denes,Demoya,Demick,Demicco,Demetriou,Demange,Delva,Delorge,Delley,Delisio,Delhoyo,Delgrande,Delgatto,Delcour,Delair,Deinert,Degruy,Degrave,Degeyter,Defino,Deffenbaugh,Deener,Decook,Decant,Deboe,Deblanc,Deatley,Dearmitt,Deale,Deaguiar,Dayan,Daus,Dauberman,Datz,Dase,Dary,Dartt,Darocha,Dario,Dari,Dardis,Dapper,Danowski,Dancel,Dami,Dallmann,Dalere,Dalba,Dakan,Daise,Dailing,Dahan,Dagnan,Daggs,Dagan,Czarkowski,Czaplinski,Cutten,Curtice,Curenton,Cure,Curboy,Cura,Culliton,Culberth,Cucchiara,Cubbison,Csaszar,Crytser,Crotzer,Crossgrove,Crosser,Croshaw,Croissant,Crocco,Critzer,Creveling,Cressy,Creps,Creese,Cratic,Crate,Craigo,Craigen,Craib,Cracchiolo,Crable,Coykendall,Cowick,Coville,Couzens,Coutch,Cousens,Cousain,Counselman,Coult,Cotterell,Cott,Cotham,Corsaut,Corriere,Corredor,Cornet,Cornelia,Corkum,Coreas,Cordoza,Corbet,Corathers,Conwill,Contreas,Consuegra,Constanza,Conolly,Conedy,Companion,Comins,Combee,Colosi,Colom,Colmenares,Collymore,Colleran,Colina,Colaw,Colatruglio,Colantro,Colantonio,Cohea,Cogill,Codner,Code,Codding,Cockram,Cocanougher,Cobine,Cluckey,Clucas,Cloward,Cloke,Clisham,Clipper,Clinebell,Cliffe,Clendenen,Cisowski,Cirelli,Ciraolo,Ciocca,Cintora,Ciesco,Cibrian,Chupka,Chugg,Christmann,Choma,Chiverton,Chirinos,Chinen,Chimenti,Chima,Cheuvront,Chesla,Chesher,Chesebro,Chern,Chehebar,Cheatum,Chastine,Chapnick,Chapelle,Chambley,Cercy,Celius,Celano,Cayea,Cavicchi,Cattell,Catanach,Catacutan,Castelluccio,Castellani,Cassmeyer,Cassetta,Cassada,Caspi,Cashmore,Casebier,Casanas,Carrothers,Carrizal,Carriveau,Carretero,Carradine,Carosella,Carnine,Carmel,Carloni,Carkhuff,Cardosi,Cardo,Carchidi,Caravello,Caranza,Carandang,Capes,Cantrall,Canpos,Canoy,Cannizzaro,Canion,Canida,Canham,Cangemi,Cange,Candle,Cancelliere,Canard,Camarda,Calverley,Calogero,Callendar,Calame,Cadrette,Cachero,Caccavale,Cabreros,Cabrero,Cabrara,Cabler,Butzer,Butte,Butrick,Butala,Bustios,Busser,Busic,Bushorn,Busher,Burmaster,Burl,Burkland,Burkins,Burkert,Burgueno,Burgraff,Buren,Burel,Burdon,Burck,Burby,Buoy,Bunk,Bumford,Bulock,Bujnowski,Buggie,Buffy,Budine,Bucciero,Bubier,Brzoska,Brydges,Brumlow,Brosseau,Brooksher,Brokke,Broeker,Brittin,Bristle,Briano,Briand,Brettschneide,Bresnan,Brentson,Brenneis,Brender,Brazle,Brassil,Brasington,Branstrom,Branon,Branker,Brandwein,Brandau,Brana,Bralley,Brailey,Brague,Brade,Bozzi,Bownds,Bowmer,Bournes,Bour,Bouchey,Botto,Boteler,Borroel,Borra,Boroski,Boothroyd,Boord,Bonny,Bonga,Bonato,Bonadonna,Bolejack,Boldman,Boiser,Boggio,Bogacki,Boerboom,Boehnlein,Boehle,Bodah,Bobst,Boak,Bluemel,Blockmon,Blitch,Blincoe,Bleier,Blaydes,Blasius,Bittel,Bir,Binsfeld,Bindel,Bilotti,Billiott,Bilbrew,Bihm,Biersner,Bielat,Bidrowski,Bickler,Biasi,Bianca,Bhola,Bhat,Bewick,Betzen,Bettridge,Betti,Betsch,Besley,Beshero,Besa,Bertoli,Berstein,Berrien,Berrie,Berrell,Bermel,Berenguer,Benzer,Bensing,Bennie,Benedix,Bemo,Belile,Beilman,Behunin,Behrmann,Bedient,Becht,Beaule,Beaudreault,Bealle,Beagley,Bayuk,Bayot,Bayliff,Baugess,Battistoni,Batrum,Basinski,Basgall,Bartolomei,Bartnik,Bartl,Bartko,Bartholomay,Barthlow,Bartgis,Barsness,Barski,Barlette,Barickman,Bargen,Bardon,Barcliff,Barbu,Barbar,Barakat,Baracani,Baraban,Banos,Banko,Bania,Bambach,Balok,Balogun,Bally,Baldini,Balck,Balcer,Balash,Baim,Bailor,Bahm,Bahar,Bagshaw,Baggerly,Badie,Badal,Backues,Babino,Ba,Aydelott,Awbrey,Aversano,Avansino,Auyon,Aukamp,Aujla,Augenstein,Astacio,Ast,Asplin,Asato,Asano,Aruizu,Artale,Arrick,Arneecher,Armelin,Armbrester,Armacost,Arkell,Argue,Argrave,Areizaga,Areas,Apolo,Anzures,Anzualda,Antwi,Antillon,Antenor,Annand,Anhalt,Angove,Anglemyer,Anglada,Angiano,Angeloni,Andaya,Ancrum,Anagnos,Ammirati,Amescua,America,Ambrosius,Amacker,Amacher,Amabile,Alvizo,Alvernaz,Alvara,Altobelli,Altobell,Althauser,Alterman,Altavilla,Alsip,Alphonso,Almeyda,Almeter,Alman,Allscheid,Allaman,Aliotta,Alicia,Aliberti,Alghamdi,Alfonzo,Albiston,Alberta,Alberding,Alarie,Alano,Aja,Ailes,Ahsan,Ahrenstorff,Ahler,Aerni,Ackland,Achor,Acero,Acebo,Ace,Abshier,Abruzzo,Abrom,Abood,Abnet,Abend,Abegg,Abbruzzese,Aaberg,Zysk,Zutell,Zumstein,Zummo,Zuhlke,Zuehlsdorff,Zuch,Zucconi,Zortman,Zohn,Ziv,Zingone,Zingg,Zingale,Zima,Zientek,Zieg,Zervas,Zerger,Zenk,Zeldin,Zeiss,Zeiders,Zediker,Zea,Zavodny,Zarazua,Zappone,Zappala,Zapanta,Zaniboni,Zanchi,Zampedri,Zaller,Zakrajsek,Zagar,Zadrozny,Zablocki,Zable,Yust,Yunk,Youngkin,Yosten,Yockers,Yochim,Yerke,Yerena,Yeast,Yanos,Yam,Wysinger,Wyner,Wrisley,Woznicki,Wortz,Worsell,Wooters,Woon,Woolcock,Woodke,Wonnacott,Wolnik,Wittstock,Witting,Witry,Witfield,Witcraft,Wissmann,Wissink,Wisehart,Wiscount,Wironen,Wipf,Winterrowd,Wingett,Windon,Windish,Windisch,Windes,Wiltbank,Willmarth,Willick,Wiler,Wieseler,Wiedmaier,Wiederstein,Wiedenheft,Wieberg,Wickware,Wickkiser,Wickell,Whittmore,Whitker,Whitegoat,Whitcraft,Whisonant,Whisby,Whetsell,Whedon,Westry,Westcoat,Wernimont,Wentling,Wendlandt,Wencl,Weisgarber,Weininger,Weikle,Weigold,Weigl,Weichbrodt,Wehrli,Wehe,Weege,Weare,Watland,Wassmann,Warzecha,Warrix,Warrell,Warnack,Waples,Wantland,Wanger,Wandrei,Wander,Wanat,Wampole,Waltjen,Walterscheid,Waligora,Walding,Waldie,Walczyk,Wakins,Waitman,Wair,Wainio,Wahpekeche,Wahlman,Wagley,Wagenknecht,Wadle,Waddoups,Wadding,Wack,Vuono,Vuillemot,Vugteveen,Vosmus,Vorkink,Vories,Vondra,Voelz,Vlashi,Vivo,Vitelli,Vitali,Viscarra,Virgo,Vinet,Vimont,Villega,Villard,Vignola,Viereck,Videtto,Vicoy,Vessell,Vescovi,Verros,Vernier,Vernaglia,Vergin,Verdone,Verdier,Verastequi,Vejar,Vasile,Vasi,Varnadore,Vardaro,Vanzanten,Vansumeren,Vanschuyver,Vanleeuwen,Vanhowe,Vanhoozer,Vaness,Vandewalker,Vandevoorde,Vandeveer,Vanderzwaag,Vanderweide,Vanderhyde,Vandellen,Vanamburg,Vanalst,Vallin,Valk,Valerie,Valentini,Valcarcel,Valasco,Valadao,Vacher,Urquijo,Unterreiner,Unsicker,Unser,Unrau,Undercoffler,Uhm,Uffelman,Uemura,Ueda,Tyszko,Tyska,Tymon,Tyce,Tyacke,Twinam,Tutas,Tussing,Turmel,Turkowski,Turkel,Turchetta,Tupick,Tumblin,Tukes,Tufte,Tufo,Tuey,Tuell,Tuckerman,Tsutsumi,Tsuchiya,Try,Trossbach,Trivitt,Trippi,Trippensee,Trimbach,Trillo,Triller,Trible,Tribe,Tribby,Trevisan,Tresch,Tramonte,Traff,Trad,Tousey,Totaro,Torregrosa,Torralba,Torn,Tolly,Tofil,Tofani,Tobiassen,Tippy,Tiogangco,Tino,Tinnes,Tingstrom,Tingen,Tine,Tindol,Tifft,Tiffee,Tiet,Thuesen,Thruston,Throndson,Thornsbury,Thornes,Thiery,Thielman,Thie,Theilen,Thede,Thate,Thane,Thalacker,Thaden,Teuscher,Terracina,Terell,Terada,Tepfer,Tennessee,Tenneson,Tenant,Temores,Temkin,Tellers,Telleria,Teaque,Tealer,Teachey,Tavakoli,Tauras,Taucher,Tator,Tartaglino,Tarpy,Tape,Tannery,Tani,Tams,Tamlin,Tambe,Tallis,Talamante,Takayama,Takaki,Takagi,Taibl,Taffe,Tadesse,Tade,Tabeling,Tabag,Szoke,Szoc,Szala,Szady,Sysak,Sylver,Syler,Swonger,Swiggett,Swensson,Sweis,Sweers,Sweene,Sweany,Sweaney,Swartwout,Swamy,Swales,Swab,Susman,Surman,Surgeon,Sundblad,Summerset,Summerhays,Sumerall,Sule,Sugimoto,Subramanian,Sturch,Stupp,Stunkard,Stumpp,Struiksma,Stropes,Stromyer,Stromquist,Strede,Strazza,Strauf,Storniolo,Storjohann,Stonum,Stonier,Stonecypher,Stoneberger,Stollar,Stokke,Stokan,Stoetzel,Stoeckel,Stockner,Stockinger,Stockholm,Stockert,Stockdill,Stobbe,Stitzel,Stitely,Stirgus,Stigers,Stettner,Stettler,Sterlin,Sterbenz,Stemp,Stelluti,Steinmeyer,Steininger,Steinauer,Steigerwalt,Steider,Steady,Stavrou,Staufenberger,Stassi,Starin,Stankus,Stanaway,Stammer,Stakem,Staino,Stahlnecker,Stagnitta,Staelens,Staal,Srsen,Sprott,Sprigg,Sprenkle,Sprenkel,Spreitzer,Spraque,Sprandel,Spotted,Sporn,Spivak,Spira,Spiewak,Spieth,Spiering,Sperow,Speh,Specking,Spease,Spead,Sparger,Spanier,Spall,Sower,Southcott,Sosna,Soran,Sookram,Sonders,Solak,Sohr,Sohl,Sofranko,Soderling,Sochor,Sobon,Smutz,Smudrick,Smithj,Smid,Slosser,Sliker,Slenker,Sleight,Sleger,Sleet,Slaby,Skousen,Skilling,Skibinski,Skeeters,Skeet,Skees,Skane,Skafidas,Sivic,Sivertsen,Sivers,Sitra,Sito,Siracusa,Sinicki,Simpers,Simley,Simbeck,Silberberg,Siever,Siegwarth,Sidman,Siddons,Siddle,Sibbett,Si,Shumard,Shubrooks,Shough,Shorb,Shoptaw,Sholty,Shoffstall,Shiverdecker,Shininger,Shimasaki,Shifrin,Shiffler,Sheston,Sherr,Sherill,Shere,Shepeard,Shelquist,Shells,Sheler,Shave,Shauf,Sharrar,Sharpnack,Shanon,Shamsiddeen,Shambley,Shallenberger,Shadler,Shaban,Sha,Sferra,Seys,Sexauer,Sevey,Severo,Setlak,Seta,Sesko,Sersen,Serratore,Serdula,Senechal,Seldomridge,Seilhamer,Seifer,Seidlitz,Sehnert,Sedam,Sebron,Seber,Sebek,Seavers,Sear,Scullark,Scroger,Scovill,Sciascia,Sciarra,Schweers,Schwarze,Schummer,Schultes,Schuchardt,Schuchard,Schrieber,Schrenk,Schreifels,Schowalter,Schoultz,Scholer,Schofill,Schoff,Schnuerer,Schnettler,Schmitke,Schmiege,Schloop,Schlinger,Schlessman,Schlesser,Schlageter,Schiess,Schiefer,Schiavoni,Scherzer,Scherich,Schechtman,Schebel,Scharpman,Schaich,Schaap,Scappaticci,Scadlock,Savocchia,Savini,Savers,Save,Savageau,Sauvage,Sause,Sauerwein,Sary,Sarwary,Sarnicola,Santone,Santoli,Santalucia,Santacruce,Sansoucie,Sankoff,Sanes,Sandri,Sanderman,Sammartano,Salmonson,Salmela,Salmans,Sallaz,Salis,Sakuma,Sakowski,Sajdak,Sahm,Sagredo,Safrit,Sade,Sackey,Sabio,Sabino,Sabina,Rybolt,Ruzzo,Ruthstrom,Ruta,Russin,Russian,Russak,Rusko,Ruskin,Rusiecki,Ruscher,Rupar,Rumberger,Rullan,Ruliffson,Ruhlman,Ruger,Rufenacht,Ruelle,Rudisell,Rudi,Rucci,Rublee,Ruberto,Rubeck,Rowett,Rouge,Rottinghaus,Roton,Rothgeb,Rothgaber,Rothermich,Rostek,Rossini,Roskelley,Rosing,Rosi,Rosewell,Rosebush,Rosberg,Roon,Ronin,Romesburg,Romelus,Rolley,Rollerson,Rollefson,Rolins,Rolens,Rois,Rohrig,Rohrbacher,Rohland,Rohen,Roh,Rogness,Roes,Roering,Roehrick,Roebke,Rodregez,Rodabaugh,Rocks,Rockingham,Roblee,Robel,Roadcap,Rizzolo,Riviezzo,Rivest,Riveron,Risto,Rissler,Risen,Rippentrop,Ripka,Rinn,Ringuette,Ringering,Rindone,Rindels,Rim,Rieffer,Riedman,Riede,Riecke,Riebow,Riddlebarger,Rhome,Rhodd,Rhatigan,Rhame,Reyers,Rewitzer,Revalee,Retzer,Rettinger,Reschke,Requa,Reper,Reopell,Renzelman,Renne,Renker,Renk,Renicker,Rendina,Rendel,Remund,Remmele,Remiasz,Remaklus,Remak,Reitsma,Reitmeier,Reiswig,Reishus,Reining,Reim,Reidinger,Reick,Reiche,Regans,Reffett,Reesor,Reekie,Redpath,Redditt,Rechtzigel,Recht,Rebel,Rearden,Raynoso,Raxter,Ratkowski,Rasulo,Rassmussen,Rassel,Raspberry,Raser,Rappleye,Rappe,Randy,Randrup,Randleman,Ramson,Rampey,Ramming,Rama,Rainier,Raider,Radziewicz,Quirarte,Quintyne,Quickel,Query,Quattrini,Quarry,Quakenbush,Quaile,Pytel,Putty,Pushaw,Pusch,Purslow,Punzo,Pullam,Pugmire,Puello,Pu,Przekop,Pruss,Pruiett,Provow,Prophete,Procaccini,Pritz,Prillaman,Priess,Pretlow,Prestia,Presha,Prescod,Preast,Praytor,Prashad,Praino,Pozzi,Pounder,Pottenger,Potash,Porada,Popplewell,Ponzo,Ponter,Pommier,Polland,Polidori,Polasky,Pola,Pok,Poitier,Poisso,Poire,Point,Pofahl,Podolsky,Podell,Plueger,Plowe,Plotz,Plotnik,Ploch,Pliska,Plessner,Plaut,Platzer,Plake,Pizzino,Pizza,Pirog,Piquette,Pipho,Pioche,Pintos,Pinkert,Pinet,Pilkerton,Pilch,Pilarz,Pignataro,Piermatteo,Picozzi,Pickler,Pickette,Pichler,Philogene,Pheasant,Phare,Phang,Pfrogner,Pfisterer,Pettinelli,Petruzzi,Petrovic,Petretti,Petermeier,Pestone,Pesterfield,Pessin,Pesch,Persky,Perruzza,Perrott,Perritt,Perretti,Perrera,Peroutka,Peroni,Peron,Peret,Perdew,Perazzo,Peppe,Peno,Penberthy,Penagos,Peles,Pelech,Peiper,Peight,Pefferman,Peddie,Peckenpaugh,Pean,Payen,Pavloski,Pavlica,Paullin,Pattie,Patteson,Passon,Passey,Passe,Passalacqua,Pasquini,Paskel,Parter,Partch,Parriott,Parrella,Parraz,Parmely,Parizo,Parisian,Papelian,Papasergi,Pantojz,Panto,Panich,Panchal,Palys,Palms,Pallone,Palinski,Pali,Palevic,Pale,Pagels,Paciorek,Pacho,Pacella,Paar,Ozbun,Overweg,Overholser,Ovalles,Outhouse,Outcalt,Otterbein,Otta,Ostergren,Osher,Osbon,Orzech,Orwick,Orrico,Oropesa,Orn,Ormes,Orillion,Opal,Onorati,Onnen,Omary,Olk,Olding,Okonski,Okimoto,Ohlrich,Ohayon,Oguin,Ogley,Oftedahl,Offen,Ofallon,Oeltjen,Odam,Ockmond,Ockimey,Ocean,Obermeyer,Oberdorf,Obanner,Oballe,Oard,Oakden,Nyhan,Nydam,Numan,Noyer,Notte,Nothstein,Notestine,Noser,Nork,Nolde,Noa,Nishihara,Nishi,Nikolic,Nihart,Nietupski,Niesen,Niehus,Niece,Nidiffer,Nicoulin,Nicolaysen,Nicklow,Nickl,Nickeson,Nichter,Nicholl,Ngyun,Newsham,Newmann,Neveux,Neuzil,Neumayer,Netland,Nessen,Nesheim,Nelli,Nelke,Necochea,Nazari,Navy,Navorro,Navarez,Navan,Natter,Natt,Nater,Nasta,Narvaiz,Nardelli,Napp,Nakahara,Nairn,Nagg,Nager,Nagano,Nafziger,Naffziger,Nadelson,Muzzillo,Murri,Murrey,Murgia,Murcia,Muno,Munier,Mulqueen,Mulliniks,Mulkins,Mulik,Muhs,Muffley,Mozell,Moynahan,Mounger,Mottley,Motil,Moseman,Moseby,Mosakowski,Morten,Mortell,Morrisroe,Morrero,Mormino,Morland,Morger,Morgenthaler,Moren,Morelle,Morawski,Morasca,Morang,Morand,Moog,Montney,Montera,Montee,Montane,Montagne,Mons,Monohan,Monnett,Monkhouse,Moncure,Momphard,Molyneaux,Molles,Mollenkopf,Molette,Moland,Mohs,Mohmand,Mohlke,Moessner,Moers,Mockus,Moccio,Mlinar,Mizzelle,Mittler,Mitri,Mitchusson,Mitchen,Mistrot,Mistler,Misch,Miriello,Minkin,Mininger,Minerich,Minehart,Minderman,Minden,Minahan,Milonas,Millon,Millholland,Milleson,Millerbernd,Millage,Militante,Milionis,Milhoan,Mildenberger,Milbury,Mikolajczak,Miklos,Mikkola,Mikes,Migneault,Mifsud,Mietus,Mieszala,Mielnicki,Midy,Michon,Michioka,Micheau,Michaeli,Micali,Methe,Metallo,Messler,Mesch,Merow,Meroney,Mergenthaler,Meres,Mercy,Menuey,Menousek,Menning,Menn,Menghini,Mendia,Memmer,Melot,Mellow,Mellenthin,Melland,Meland,Meixner,Meisenheimer,Meineke,Meinders,Mehrens,Mehlig,Meglio,Medsker,Medicine,Medero,Mederios,Meabon,Mcwright,Mcright,Mcreath,Mcrary,Mcquirter,Mcquerry,Mcquary,Mcphie,Mcnurlen,Mcnelley,Mcnee,Mcnairy,Mcmanamy,Mcmahen,Mckowen,Mckiver,Mckinlay,Mckearin,Mcirvin,Mcintrye,Mchorse,Mchaffie,Mcgroarty,Mcgoff,Mcgivern,Mceniry,Mcelhiney,Mcdiarmid,Mccullars,Mccubbins,Mccrimon,Mccovery,Mccommons,Mcclour,Mccarrick,Mccarey,Mccallen,Mcbrien,Mcarthy,Mayone,Maybin,Maximo,Maxam,Maurais,Maughn,Matzek,Matts,Matin,Mathre,Mathia,Mateen,Matava,Masso,Massar,Massanet,Masingale,Mascaro,Marthaler,Martes,Marso,Marshman,Marsalis,Marrano,Marolt,Marold,Markins,Margulis,Mardirosian,Marchiano,Marchak,Marandola,Marana,Manues,Mantis,Mante,Mansukhani,Mansi,Mannan,Maniccia,Mangine,Manery,Mandigo,Manda,Mancell,Mamo,Malstrom,Malouf,Malenfant,Malena,Maldenado,Malandruccolo,Malak,Malabanan,Makino,Maj,Maisonave,Mainord,Maino,Mainard,Maillard,Maia,Mahmud,Mahdi,Mahapatra,Mahaley,Mahaffy,Magouirk,Maglaras,Magat,Magan,Maga,Maffia,Madrazo,Madrano,Maditz,Mackert,Mackellar,Mackell,Macht,Macchia,Maccarthy,Maahs,Lytal,Lye,Luzar,Luzader,Lutjen,Lunger,Lunan,Luma,Lukins,Luhmann,Luers,Ludvigsen,Ludlam,Ludemann,Luchini,Lucente,Lubrano,Lubow,Luber,Lubeck,Lowing,Loven,Loup,Louise,Louge,Losco,Lorts,Lormand,Lorenzetti,Longford,Longden,Longbrake,Lokhmatov,Loge,Loeven,Loeser,Locket,Locey,Locatelli,Litka,Lista,Lisonbee,Lisenbee,Liscano,Liranzo,Liquori,Liptrot,Lionetti,Lio,Linscomb,Linkovich,Linington,Lingefelt,Lindler,Lindig,Lindall,Lincks,Linander,Linan,Limburg,Limbrick,Limbach,Likos,Lighthall,Liford,Lietzke,Liebe,Liddicoat,Lickley,Lichter,Libel,Lias,Liapis,Lezo,Lewan,Levitz,Levesgue,Leverson,Levander,Leuthauser,Letbetter,Lesuer,Lesmeister,Lesly,Lerer,Leppanen,Lepinski,Leota,Lenherr,Lembrick,Lelonek,Leisten,Leiss,Leins,Leingang,Leinberger,Leinbach,Leikam,Leidig,Lehtonen,Lehnert,Lehew,Legier,Lefchik,Lecy,Leconte,Lecher,Lebrecht,Leather,Leaper,Lawter,Lawrenz,Lavy,Laur,Lauderbaugh,Lauden,Laudato,Latting,Latsko,Latini,Lassere,Lasseigne,Laspina,Laso,Laslie,Laskowitz,Laske,Laser,Lasenby,Lascola,Lariosa,Larcade,Lapete,Laperouse,Lanuza,Lanting,Lantagne,Lansdale,Lanphier,Langmaid,Langella,Lanese,Landrus,Lampros,Lamens,Laizure,Laitinen,Laigle,Lahm,Lagueux,Lagorio,Lagomarsino,Lagasca,Lagana,Lafont,Laflen,Lafavor,Lafarge,Laducer,Ladnier,Ladesma,Lacognata,Lackland,Lacerte,Labuff,Laborin,Labine,Labauve,Kuzio,Kusterer,Kussman,Kusel,Kusch,Kurutz,Kurdyla,Kupka,Kunzler,Kunsman,Kuni,Kuney,Kunc,Kulish,Kuliga,Kulaga,Kuilan,Kuhre,Kuhnke,Kuemmerle,Kueker,Kudla,Kudelka,Kubinski,Kubicki,Kubal,Krzyzanowski,Krupicka,Krumwiede,Krumme,Kross,Kropidlowski,Krokos,Kroell,Kritzer,Kribs,Kreitlow,Kreisher,Kraynak,Krass,Kranzler,Kramb,Kozyra,Kozicki,Kovalik,Kovalchik,Kovacevic,Kotula,Kotrba,Koteles,Kosowski,Koskela,Kosiba,Koscinski,Kosch,Kory,Korab,Kopple,Kopper,Koppelman,Koppel,Konwinski,Kon,Kolosky,Koloski,Kolinsky,Kolinski,Kolbeck,Kolasa,Koepf,Koda,Kochevar,Kochert,Kobs,Knust,Knueppel,Knoy,Knieriem,Knier,Kneller,Knappert,Klitz,Klintworth,Klinkenberg,Klinck,Kleindienst,Kleeb,Klecker,Kjellberg,Kitten,Kitsmiller,Kisor,Kisiel,Kise,Kirbo,Kio,Kinzle,Kinkaid,Kingsford,Kingry,Kimpton,Kimel,Kimberley,Killmon,Killick,Kilgallon,Kilcher,Kihn,Kiggins,Kiecker,Kher,Khaleel,Keziah,Kettell,Ketchen,Keshishian,Kersting,Kersch,Kerins,Kercher,Keno,Kenefick,Kemph,Kempa,Kelsheimer,Kelln,Kellenberger,Kekahuna,Keisling,Keirnan,Keimig,Kehn,Keal,Ke,Kaupp,Kaufhold,Kauffmann,Katzenberg,Katona,Kaszynski,Kaszuba,Kassebaum,Kasa,Kartye,Kartchner,Karstens,Karpinsky,Karmely,Karel,Karasek,Kapral,Kaper,Kanelos,Kanahele,Kampmann,Kampe,Kalp,Kallus,Kallevig,Kallen,Kaliszewski,Kaleohano,Kalchthaler,Kalama,Kalahiki,Kaili,Kahawai,Kagey,Justiss,Jurkowski,Jurgensmeyer,Juilfs,Josue,Jopling,Jondahl,Jomes,Joice,Johannessen,Joeckel,Jezewski,Jezek,Jeswald,Jervey,Jeppsen,Jenniges,Jennifer,Jennett,Jemmott,Jeffs,Jeffry,Jaurequi,Janisch,Janick,Janice,Jacek,Jacaruso,Iwanicki,Ishihara,Isenberger,Isbister,Iruegas,Inzer,Inyart,Inscore,Innocenti,Inglish,Infantolino,Indovina,Inaba,Imondi,Imdieke,Imbert,Illes,Ida,Iarocci,Iannucci,Huver,Hutley,Husser,Husmann,Hupf,Huntsberger,Hunnewell,Hullum,Huit,Huish,Huh,Hughson,Huft,Hufstetler,Hueser,Hudnell,Hovden,Housen,Houghtling,Hoth,Hossack,Hoshaw,Horsford,Horry,Hornbacher,Horde,Hoppenstedt,Hopkinson,Honza,Honor,Homann,Holzmeister,Holycross,Holverson,Holtzlander,Holroyd,Holmlund,Hollywood,Holderness,Holderfield,Holck,Hojnacki,Hohlfeld,Hohenberger,Hoganson,Hogancamp,Hoffses,Hoerauf,Hoell,Hoefert,Hodum,Hoder,Hockenbury,Hoage,Hisserich,Hislip,Hirons,Hippensteel,Hippen,Hinkston,Hindes,Hinchcliff,Hin,Himmel,Hillberry,Hildring,Hiester,Hiefnar,Hides,Hibberd,Hibben,Heyliger,Heyl,Heyes,Hevia,Heu,Hettrick,Hert,Hersha,Hernandz,Herkel,Herber,Henscheid,Hennesy,Henly,Henegan,Henebry,Hench,Hemsath,Hemm,Hemken,Hemann,Heltzel,Hellriegel,Hejny,Heinl,Heinke,Heidinger,Hegeman,Hefferan,Hedglin,Hebdon,Hearnen,Hearing,Heape,Heagy,Headings,Headd,Hazelbaker,Havlick,Hauschildt,Haury,Hassenfritz,Hasenbeck,Haseltine,Hartstein,Hartry,Hartnell,Harston,Harpool,Harmen,Hardister,Hardey,Harders,Harbolt,Harbinson,Haraway,Haque,Hansmann,Hanser,Hansch,Hansberry,Hankel,Hanigan,Haneline,Hampe,Hamons,Hammerstone,Hammerle,Hamme,Hammargren,Hamelton,Hamberger,Hamasaki,Halprin,Halman,Hallihan,Halen,Haldane,Hails,Haifley,Hai,Hages,Hagadorn,Hadwin,Habicht,Habermehl,Gyles,Gutzman,Gutekunst,Gustason,Gusewelle,Gurnsey,Gurnee,Gunterman,Gumina,Gulliver,Gulbrandson,Guiterez,Guerino,Guedry,Gucwa,Guardarrama,Guagliano,Guadagno,Grulke,Groote,Groody,Groft,Groeneweg,Grochow,Grippe,Grimstead,Griepentrog,Greenfeld,Greenaway,Grebe,Graziosi,Graw,Gravina,Grassie,Grapes,Granzow,Grandjean,Granby,Gramacy,Graces,Gozalez,Goyer,Gotch,Gosden,Gorny,Gormont,Goodness,Goodgion,Gonya,Gonnerman,Gompert,Golish,Goligoski,Goldmann,Goike,Goetze,Godeaux,Glenna,Glaza,Glassel,Glaspy,Glander,Glady,Giumarro,Gitelman,Gisondi,Gismondi,Girvan,Girten,Gironda,Giovinco,Ginkel,Gilster,Giesy,Gierman,Giddins,Giardini,Gianino,Ghea,Geurin,Gett,Getson,Gerrero,Germond,Gere,Gentsy,Genta,Gennette,Genito,Genis,Gene,Gendler,Geltz,Geiss,Gehret,Gegenheimer,Geffert,Geeting,Gebel,Gavette,Gavenda,Gaumond,Gaudioso,Gatzke,Gatza,Gattshall,Gaton,Gatchel,Gasperi,Gaska,Gasiorowski,Garritson,Garrigus,Garnier,Garnick,Gardinier,Gardenas,Garcy,Garate,Gandolfi,Gamm,Gamel,Gambel,Gallmon,Gallemore,Gallati,Gainous,Gainforth,Gahring,Gaffey,Gaebler,Gadzinski,Gadbury,Gabri,Gabe,Gaba,Fyke,Furtaw,Furnas,Furcron,Funn,Funck,Fulwood,Fulvio,Fullmore,Fukumoto,Fuest,Fuery,Fuente,Fuel,Frymire,Frush,Frohlich,Froedge,Frodge,Fritzinger,Fricker,Frericks,Frein,Freid,Freggiaro,Fratto,Franzi,Franciscus,Fralix,Fowble,Fotheringham,Foslien,Foshie,Fortmann,Forsey,Forkner,Foppiano,Fontanetta,Fonohema,Fogler,Fockler,Fluty,Flusche,Flud,Florin,Flori,Flenory,Fleharty,Fleeks,Flaxman,Flash,Flaming,Fiumara,Fitzmorris,Finnicum,Finkley,Fineran,Fillhart,Filipi,Fijal,Fieldson,Ficken,Ficarra,Fetch,Festerman,Fess,Ferryman,Ferner,Fergason,Ferell,Fennern,Femmer,Feldmeier,Feeser,Feenan,Federick,Fedak,Febbo,Feazell,Fearing,Fazzone,Fauth,Fauset,Faurote,Faulker,Faubion,Fatzinger,Fasick,Fanguy,Fambrough,Falks,Fahl,Fabio,Faaita,Exler,Ewens,Estrado,Esten,Esteen,Esquivez,Espejo,Esmiol,Esguerra,Esco,Ertz,Erspamer,Ernstes,Erisman,Erhard,Ereaux,Ercanbrack,Erbes,Epple,Entsminger,Entriken,Enslow,Ennett,Engquist,Englebert,Englander,Engesser,Engert,Engeman,Enge,Enerson,End,Emhoff,Emge,Emerald,Elting,Ellner,Ellenberg,Ellenbecker,Elio,Elfert,Elden,Elawar,Ekstrand,Eison,Eismont,Eisenbrandt,Eiseman,Eischens,Ehrgott,Egley,Egert,Eddlemon,Economy,Eckerson,Eckersley,Eckberg,Echeverry,Eberts,Earthman,Earnhart,Eapen,Eachus,Dykas,Dust,Dusi,Durning,During,Durdan,Dunomes,Duncombe,Dume,Dullen,Dullea,Dulay,Dul,Duffett,Dubs,Dubard,Drook,Drenth,Drahos,Dragone,Downin,Downham,Dowis,Dowhower,Doward,Dovalina,Dost,Dopazo,Doose,Donson,Donnan,Dominski,Dollarhide,Dolinar,Dolecki,Dolbee,Doege,Dockus,Dobler,Dobkin,Dobias,Divoll,Diviney,Ditter,Ditman,Dissinger,Dismang,Dirlam,Dinneen,Dini,Dingwall,Dine,Din,Diloreto,Dilmore,Dillaman,Dikeman,Diiorio,Dighton,Diffley,Dieudonne,Dietel,Dieringer,Diercks,Dienhart,Diekrager,Diefendorf,Dicke,Dicamillo,Dibrito,Dibona,Dezeeuw,Dewhurst,Devins,Deviney,Deupree,Detherage,Despino,Desmith,Desjarlais,Deshner,Desha,Desanctis,Derring,Derousse,Derobertis,Deridder,Derego,Derden,Deprospero,Deprofio,Depping,Deperro,Denty,Denoncourt,Dencklau,Demler,Demirchyan,Demichiel,Demesa,Demere,Demaggio,Delung,Deluise,Delmoral,Delmastro,Delmas,Delligatti,Delle,Delena,Delasbour,Delarme,Delargy,Delagrange,Delafontaine,Deist,Deiss,Deighan,Dehoff,Degrazia,Degman,Defosses,Deforrest,Deeks,Decoux,Decarolis,Debuhr,Deberg,Debarr,Debari,Dearmon,Deare,Deardurff,Daywalt,Dayer,Davoren,Davignon,Daviau,Dauteuil,Dauterive,Daul,Darnley,Darlin,Darakjy,Dapice,Dannunzio,Danison,Daniello,Damario,Dalonzo,Dallis,Daleske,Dalenberg,Daiz,Dains,Daines,Dagnese,Dady,Dadey,Czyzewski,Czapor,Czaplewski,Czajka,Cyganiewicz,Cuttino,Cutrona,Cussins,Cusanelli,Cuperus,Cundy,Cumiskey,Cumins,Cuizon,Cuffia,Cuffe,Cuffari,Cuccaro,Cubie,Cryder,Cruson,Crounse,Cromedy,Cring,Creer,Credeur,Crea,Cozort,Cozine,Cowee,Cowdery,Coventry,Couser,Courtway,Courington,Cotman,Costlow,Costell,Corton,Corsaro,Corrieri,Corrick,Corradini,Coron,Coren,Cord,Corbi,Corado,Copus,Coppenger,Cooperwood,Coontz,Coonce,Contrera,Connealy,Conell,Comtois,Compere,Commins,Commings,Comegys,Coma,Colyar,Colo,Collister,Collick,Collella,Coler,Colborn,Cohran,Cogbill,Coffen,Cocuzzo,Clynes,Closter,Clock,Clipp,Clingingsmith,Clemence,Clayman,Classon,Clas,Clarey,Clarence,Clague,Ciubal,Citrino,Citarella,Cirone,Cipponeri,Cindrich,Cimo,Ciliberto,Cichowski,Ciccarello,Cicala,Chura,Chubbuck,Chronis,Christlieb,Chriss,Chizek,Chittester,Chiquito,Chimento,Childree,Chianese,Chevrette,Cheese,Checo,Chastang,Chargualaf,Chapmon,Chantry,Chahal,Chafetz,Cezar,Ceruantes,Cerrillo,Cerrano,Cerecedes,Cerami,Cegielski,Cavallero,Catinella,Cassata,Caslin,Casano,Casacchia,Caruth,Cartrette,Carten,Carodine,Carnrike,Carnall,Carmicle,Carlan,Carlacci,Caris,Cariaga,Cardine,Cardimino,Cardani,Carbonara,Carano,Capua,Capponi,Cappellano,Caporale,Capelli,Canupp,Cantrel,Cantone,Canterberry,Cannizzo,Cannan,Canelo,Caneer,Candill,Candee,Campbel,Caminero,Camble,Caluya,Callicott,Calk,Caito,Caffie,Caden,Cadavid,Cacy,Cachu,Cachola,Cabreja,Cabiles,Cabada,Caamano,Byran,Byon,Buyck,Bussman,Bussie,Bushner,Burston,Burnison,Burkman,Burkhammer,Bures,Burdeshaw,Bumpass,Bullinger,Bullers,Bulgrin,Bugay,Buffalo,Budak,Buczynski,Buckendorf,Buccieri,Bubrig,Brynteson,Brunz,Brunmeier,Brunkow,Brunetto,Brunelli,Brumwell,Bruggman,Brucki,Brucculeri,Brozovich,Browing,Brotman,Broda,Brocker,Broadstreet,Brix,Britson,Brinck,Brimmage,Brightly,Brierre,Bridenstine,Brezenski,Brezee,Brevik,Brest,Brentlinger,Brentley,Breidenbach,Breckel,Brech,Breaker,Brazzle,Braughton,Brauch,Brattin,Brattain,Branhan,Branford,Braner,Brander,Braly,Braegelmann,Brabec,Boyt,Boyack,Bowren,Bowl,Bovian,Boughan,Botton,Botner,Bosques,Borzea,Borre,Boron,Bornhorst,Borgstrom,Borella,Boop,Bontempo,Bonniwell,Bonnes,Bonjour,Bonillo,Bonano,Bolek,Bohol,Bohaty,Boffa,Boetcher,Boesen,Boepple,Boehler,Boedecker,Boeckx,Bodi,Boal,Bloodsworth,Bloodgood,Blome,Blockett,Blixt,Blanchett,Blackhurst,Blackaby,Bjornberg,Bitzer,Bittenbender,Bitler,Birchall,Binnicker,Binggeli,Billett,Bilberry,Bijou,Biglow,Bierly,Bielby,Biegel,Beu,Berzas,Berte,Bertagnolli,Berreth,Bernhart,Bergum,Berentson,Berenson,Berdy,Bercegeay,Bentle,Bentivegna,Bentham,Benscoter,Benns,Bennick,Benjamine,Beneze,Benett,Beneke,Bendure,Bendix,Bendick,Benauides,Belman,Bellus,Bellott,Bellefleur,Bellas,Beljan,Belgard,Beith,Beinlich,Beierle,Behme,Beevers,Beermann,Beeching,Bedward,Bedrosian,Bedner,Bedeker,Bechel,Becera,Beaubrun,Beardmore,Bealmear,Bazin,Bazer,Baumhoer,Baumgarner,Bauknecht,Battson,Battiest,Basulto,Baster,Basques,Basista,Basiliere,Bashi,Barzey,Barz,Bartus,Bartucca,Bartek,Barrero,Barreca,Barnoski,Barndt,Barklow,Baribeau,Barette,Bares,Barentine,Bareilles,Barch,Barbre,Barberi,Barbagelata,Baraw,Baratto,Baranoski,Bar,Baptise,Bankson,Bankey,Bankard,Banik,Baltzley,Ballen,Balkey,Balius,Balderston,Bakula,Bakalar,Baffuto,Baerga,Badoni,Backous,Bachtel,Bachrach,Baccari,Babine,Babilonia,Baar,Azbill,Azad,Aycox,Ayalla,Avolio,Austerberry,Aughtry,Aufderheide,Auch,Attanasio,Athayde,Atcher,Astor,Asselta,Aslin,Aslam,Ashwood,Ashraf,Ashbacher,Asbridge,Asakura,Arzaga,Arriaza,Arrez,Arrequin,Arrants,Armiger,Armenteros,Armbrister,Arko,Argumedo,Arguijo,Ardolino,Arcia,Arbizo,Aravjo,Aper,Anzaldo,Antu,Antrikin,Antony,Antonia,Antonetty,Antinoro,Anthon,Antenucci,Anstead,Annese,Ankrum,Andreason,Andrado,Andaverde,Anastos,Anable,Amsterdam,Amspoker,Amrine,Amrein,Amorin,Amel,Ambrosini,Amber,Alsbrook,Alnutt,Almasi,Allessio,Allateef,Alison,Aldous,Alderink,Aldaz,Akmal,Akard,Aiton,Aites,Ainscough,Aikey,Ahrends,Ahlm,Aguada,Agans,Adelmann,Adebisi,Addesso,Adaway,Adamaitis,Ackison,Abud,Abendroth,Abdur,Abdool,Aamodt,Zywiec,Zwiefelhofer,Zwahlen,Zunino,Zuehl,Zmuda,Zmolek,Zizza,Ziska,Zinser,Zinkievich,Zinger,Zingarelli,Ziesmer,Ziegenfuss,Ziebol,Zettlemoyer,Zettel,Zervos,Zenke,Zembower,Zelechowski,Zelasko,Zeise,Zeek,Zeeb,Zarlenga,Zarek,Zaidi,Zahnow,Zahnke,Zaharis,Zach,Zacate,Zabrocki,Zaborac,Yurchak,Yuengling,Younie,Youngers,Youell,Yott,Yoshino,Yorks,Yordy,Yochem,Yerico,Yerdon,Yeiser,Yearous,Yearick,Yeaney,Ybarro,Yasutake,Yasin,Yanke,Yanish,Yanik,Yamazaki,Yamat,Yaggi,Ximenez,Wyzard,Wynder,Wyly,Wykle,Wutzke,Wuori,Wuertz,Wuebker,Wrightsel,Worobel,Worlie,Worford,Worek,Woolson,Woodrome,Woodly,Woodling,Wontor,Wondra,Woltemath,Wollmer,Wolinski,Wolfert,Wojtanik,Wojtak,Wohlfarth,Woeste,Wobbleton,Witz,Wittmeyer,Witchey,Wisotzkey,Wisnewski,Wisman,Wirch,Wippert,Wineberg,Wimpee,Wilusz,Wiltsey,Willig,Williar,Willers,Willadsen,Wilfred,Wildhaber,Wilday,Wigham,Wiggen,Wiewel,Wieting,Wietbrock,Wiesel,Wiesehan,Wiersema,Wiegert,Widney,Widmark,Wickson,Wickings,Wichern,Whtie,Whittie,Whitlinger,Whitfill,Whitebread,Whispell,Whetten,Wheeley,Wheeles,Wheelen,Whatcott,Weyland,Weter,Westrup,Westphalen,Westly,Westland,Wessler,Wesolick,Wesler,Wesche,Werry,Wero,Wernecke,Werkhoven,Wellspeak,Wellings,Welford,Welander,Weissgerber,Weisheit,Weins,Weill,Weigner,Wehrmann,Wehrley,Wehmeier,Wege,Weers,Weavers,Watring,Wassum,Wassman,Wassil,Washabaugh,Wascher,Wary,Warth,Warbington,Wanca,Wammack,Wamboldt,Walterman,Walkington,Walkenhorst,Walinski,Wakley,Wagg,Wadell,Vuckovich,Voogd,Voller,Vokes,Vogle,Vogelsberg,Vodicka,Vissering,Visage,Vipond,Vincik,Villalona,Vil,Vickerman,Vettel,Veteto,Vessel,Vesperman,Vesco,Vertucci,Versaw,Verba,Ventris,Venecia,Vendela,Venanzi,Veldhuizen,Vehrs,Veer,Vee,Vay,Vaughen,Vasilopoulos,Vascocu,Varvel,Varno,Varlas,Varland,Vario,Vareschi,Vanwyhe,Vanweelden,Vansciver,Vannaman,Vanluven,Vanloo,Vanlaningham,Vankomen,Vanhout,Vanhampler,Vangorp,Vangorden,Vanella,Vandresar,Vandis,Vandeyacht,Vandewerker,Vandevsen,Vanderwall,Vandercook,Vanderberg,Vanbergen,Valko,Valesquez,Valeriano,Valen,Vachula,Vacha,Uzee,Uva,Uselman,Urizar,Urion,Urben,Upthegrove,Unzicker,Unsell,Unick,Umscheid,Umin,Umanzor,Ullo,Ulicki,Uhlir,Uddin,Tytler,Tymeson,Tyger,Twisdale,Twedell,Tweddle,Turrey,Tures,Turell,Tur,Tupa,Tuitt,Tuberville,Tubby,Tryner,Trumpower,Trumbore,Truly,Troglen,Troff,Troesch,Trivisonno,Tritto,Tritten,Tritle,Trippany,Tringali,Tretheway,Treon,Trench,Trejos,Tregoning,Treffert,Traycheff,Travali,Trauth,Trauernicht,Transou,Trane,Trana,Toves,Tosta,Torp,Tornquist,Tornes,Torchio,Toppings,Toor,Tooks,Tonks,Tomblinson,Tomala,Tollinchi,Tolles,Tokich,Toh,Tofte,Todman,Toddy,Titze,Timpone,Tillema,Tier,Tienken,Tiblier,Thyberg,Thursby,Thurrell,Thurm,Thruman,Thorsted,Thorley,Thomer,Thoen,Thissen,Theimer,Thee,Thayn,Thanpaeng,Thammavongsa,Thalman,Texiera,Texidor,Teverbaugh,Teska,Ternullo,Teplica,Tepe,Teno,Tenholder,Tenbusch,Tenbrink,Temby,Tejedor,Teitsworth,Teichmann,Tehan,Tegtmeyer,Tees,Teem,Tays,Taubert,Tauares,Taschler,Tartamella,Tarquinio,Tarbutton,Tappendorf,Tapija,Tansil,Tannahill,Tamondong,Talahytewa,Takashima,Taecker,Tabora,Tabin,Tabbert,Szymkowski,Szymanowski,Syversen,Syrett,Syracuse,Synnott,Sydnes,Swimm,Sweney,Swearegene,Swartzel,Swanstrom,Svedin,Suss,Suryan,Surrey,Supplice,Supnet,Suoboda,Sundby,Sumaya,Sumabat,Sulzen,Sukovaty,Sukhu,Sugerman,Sugalski,Sugai,Sudweeks,Sudbeck,Sucharski,Stutheit,Stumfoll,Stuffle,Struyk,Strutz,Strumpf,Strowbridge,Strothman,Strojny,Strohschein,Stroffolino,Stribble,Strevel,Strenke,Stremming,Strehle,Strattman,Stranak,Stram,Stracke,Stoudamire,Storks,Stopp,Stonebreaker,Stolt,Stoica,Stofer,Stockham,Stockfisch,Stjuste,Stiteler,Stiman,Stillions,Stillabower,Stierle,Sterlace,Sterk,Stepps,Stenquist,Stenner,Stellman,Steines,Steinbaugh,Steinbacher,Steiling,Steidel,Steffee,Stavinoha,Staver,Stastny,Stasiuk,Starrick,Starliper,Starlin,Staniford,Staner,Standre,Standefer,Standafer,Stanczyk,Stallsmith,Stagliano,Staehle,Staebler,Stady,Stadtmiller,Squyres,Spurbeck,Sprunk,Spranger,Spoonamore,Spoden,Spilde,Spezio,Speros,Sperandio,Specchio,Spearin,Spayer,Spallina,Spadafino,Sovie,Sotello,Sortor,Sortino,Sorrow,Soros,Sorola,Sorbello,Sonner,Sonday,Somes,Soloway,Soledad,Soens,Soellner,Soderblom,Sobin,Sniezek,Sneary,Smyly,Smutnick,Smoots,Smoldt,Smitz,Smitreski,Smallen,Smades,Slunaker,Sluka,Slown,Slovick,Slocomb,Slinger,Slife,Slicker,Sleeter,Slanker,Skufca,Skubis,Skrocki,Skov,Skjei,Skilton,Skill,Skarke,Skalka,Skalak,Skaff,Sixkiller,Sitze,Siter,Sisko,Sirman,Sirls,Sinotte,Sinon,Sincock,Sincebaugh,Simmoms,Similien,Silvius,Silton,Silloway,Sikkema,Sieracki,Sienko,Siemon,Siemer,Siefker,Sieberg,Siebens,Siebe,Sicurella,Sicola,Sickle,Shumock,Shumiloff,Shuffstall,Shuemaker,Shuart,Shu,Shroff,Shreeve,Shostak,Shortes,Shorr,Shivley,Shintaku,Shindo,Shimomura,Shiigi,Sherow,Sherburn,Shepps,Shenefield,Shelvin,Shelstad,Shelp,Sheild,Sheaman,Shaulis,Sharrer,Sharps,Sharpes,Shareef,Shappy,Shapero,Shanor,Shandy,Shad,Seyller,Severn,Sessom,Sesley,Servidio,Serrin,Sero,Serge,Septon,Septer,Sennott,Sengstock,Senff,Senese,Semprini,Semone,Sembrat,Selva,Sella,Selbig,Seiner,Seif,Seidt,Sehrt,Seemann,Seelbinder,Sedlay,Sebert,Searing,Seaholm,Seacord,Seaburg,Se,Scungio,Scroggie,Scritchfield,Scripture,Scrimpsher,Scrabeck,Score,Scorca,Scobey,Scivally,Schwulst,Schwinn,Schwieson,Schwery,Schweppe,Schwartzenbur,Schurz,Schumm,Schulenburg,Schuff,Schuerholz,Schryer,Schrager,Schorsch,Schonhardt,Schoenfelder,Schoeck,Schoeb,Schnitzler,Schnick,Schnautz,Schmig,Schmelter,Schmeichel,Schluneger,Schlosberg,Schlobohm,Schlenz,Schlembach,Schleisman,Schleining,Schleiff,Schleider,Schink,Schilz,Schiffler,Schiavi,Scheuer,Schemonia,Scheman,Schelb,Schaul,Schaufelberge,Scharer,Schardt,Scharbach,Schabacker,Scee,Scavone,Scarth,Scarfone,Scalese,Sayne,Sayed,Savitz,Satterlund,Sattazahn,Satow,Sastre,Sarr,Sarjeant,Sarff,Sardella,Santoya,Santoni,Santai,Sankowski,Sanft,Sandow,Sandoe,Sandhaus,Sandefer,Sampey,Samperi,Sammarco,Samia,Samek,Samay,Samaan,Salvadore,Saltness,Salsgiver,Saller,Salaz,Salano,Sakal,Saka,Saintlouis,Saile,Sahota,Saggese,Sagastume,Sagan,Sadri,Sadak,Sachez,Saalfrank,Saal,Saadeh,Ryu,Rynn,Ryley,Ryle,Rygg,Rybarczyk,Ruzich,Ruyter,Ruvo,Rupel,Ruopp,Rundlett,Runde,Rundall,Runck,Rukavina,Ruggiano,Rufi,Ruef,Rubright,Rubbo,Rowbottom,Route,Rotner,Rotman,Rothweiler,Rothlisberger,Rosseau,Rossean,Rossa,Roso,Rosiek,Roshia,Rosenkrans,Rosener,Rosencrantz,Rosencrans,Rosello,Roques,Rookstool,Rondo,Romasanta,Romack,Rokus,Rohweder,Rog,Roethler,Roediger,Rodwell,Rodrigus,Rodenbeck,Rodefer,Rodarmel,Rockman,Rockholt,Rockford,Rochow,Roches,Roblin,Roblez,Roble,Robers,Roat,Rizza,Rizvi,Rizk,Rixie,Riveiro,Rius,Ritschard,Ritrovato,Risi,Rishe,Rippon,Rinks,Rings,Ringley,Ringgenberg,Ringeisen,Rimando,Rilley,Rijos,Rieks,Rieken,Riechman,Riddley,Ricord,Rickabaugh,Richmeier,Richesin,Reyolds,Rexach,Revere,Requena,Reppucci,Reposa,Renzulli,Renter,Renault,Remondini,Relic,Reither,Reisig,Reifsnider,Reifer,Reibsome,Reibert,Rehor,Rehmann,Reedus,Redshaw,Redfox,Reczek,Recupero,Recor,Reckard,Recher,Rear,Realbuto,Razer,Rayman,Raycraft,Rayas,Rawle,Raviscioni,Ravetto,Ravenelle,Rauth,Raup,Rattliff,Rattley,Rathfon,Rataj,Rasnic,Rappleyea,Rapaport,Ransford,Rann,Rampersad,Ramis,Ramcharan,Rainha,Rainforth,Ragans,Ragains,Rafidi,Raffety,Raducha,Radsky,Radler,Radatz,Raczkowski,Rack,Rabenold,Quraishi,Quinerly,Quiet,Quercia,Quarnstrom,Qian,Pusser,Puppo,Pullan,Pulis,Pugel,Puccini,Puca,Pruna,Prowant,Provines,Pronk,Prinkleton,Prindall,Primas,Priesmeyer,Pridgett,Prevento,Preti,Presser,Presnall,Preseren,Presas,Presa,Prchal,Prattis,Pratillo,Praska,Prak,Powis,Powderly,Postlewait,Postle,Posch,Porteus,Portal,Porraz,Popwell,Popoff,Poplaski,Poniatoski,Pollina,Polle,Polhill,Poletti,Polaski,Pokorney,Poke,Pointdexter,Poinsette,Po,Ploszaj,Plitt,Pletz,Pletsch,Plemel,Pleitez,Playford,Plaxco,Platek,Plambeck,Plagens,Placido,Pisarski,Pinuelas,Pinnette,Pinick,Pinell,Pinciaro,Pinal,Pilz,Piltz,Pillion,Pilkinton,Pilar,Pikul,Piepenburg,Piening,Piehler,Piedrahita,Piechocki,Picknell,Picker,Pickelsimer,Pich,Picariello,Phoeuk,Phillipson,Philbert,Pherigo,Phelka,Peverini,Petronis,Petrina,Petrash,Petramale,Petraglia,Pery,Personius,Perrington,Perrill,Perpall,Perot,Perman,Peragine,Pentland,Pennycuff,Penninger,Pennie,Pennachio,Penhall,Pendexter,Pencil,Penalver,Pelzel,Pelter,Pelow,Pelo,Peli,Peinado,Pedley,Pecue,Pecore,Pechar,Peairs,Paynes,Payano,Pawelk,Pavlock,Pavlich,Pavich,Pavek,Pautler,Paulik,Patmore,Patella,Patee,Patalano,Passini,Passeri,Paskell,Parrigan,Parmar,Parayno,Paparelli,Pantuso,Pante,Panico,Panduro,Panagos,Pama,Palmo,Pallotta,Paling,Palamino,Pake,Pajtas,Pailthorpe,Pahler,Pagon,Paglinawan,Pagley,Paget,Paetz,Paet,Padley,Pacleb,Pacific,Pachelo,Pacer,Paccione,Pabey,Ozley,Ozimek,Ozawa,Owney,Outram,Oun,Ouillette,Oudekerk,Ouch,Ostrosky,Ostermiller,Ostermann,Osterloh,Osterfeld,Ossenfort,Osoria,Oshell,Orsino,Orscheln,Orrison,Ororke,Orf,Orellano,Orejuela,Ordoyne,Opsahl,Opland,Onofre,Onaga,Omahony,Olszowka,Olshan,Ollig,Oliff,Olien,Olexy,Oldridge,Oldfather,Older,Olalde,Okun,Okumoto,Oktavec,Okin,Oka,Ohme,Ohlemacher,Ohanesian,Odneal,Odgers,Oderkirk,Odden,Ocain,Obradovich,Oakey,Nussey,Nunziato,Nunoz,Nunnenkamp,Nuncio,Noviello,Novacek,Nothstine,Nostrand,Northum,Norsen,Norlander,Norkus,Norgaard,Norena,Nored,Nobrega,Niziolek,Ninnemann,Nievas,Nieratko,Nieng,Niedermeyer,Niedermaier,Nicolls,Niang,Newham,Newcome,Newberger,Nevills,Nevens,Nevel,Neumiller,Netti,Net,Nessler,Neria,Nemet,Nelon,Nellon,Neller,Neisen,Neilly,Neifer,Neid,Negro,Neering,Neehouse,Neef,Needler,Nebergall,Nealis,Naumoff,Naufzinger,Narum,Narro,Narramore,Naraine,Napps,Nansteel,Namisnak,Namanny,Nallie,Nakhle,Naito,Naccari,Nabb,Myracle,Myra,Myhand,Mwakitwile,Muzzy,Muscolino,Musco,Muscente,Muscat,Muscara,Musacchia,Musa,Murrish,Murfin,Muray,Munnelly,Munley,Munivez,Mundine,Mundahl,Munari,Mulling,Mullennex,Mullendore,Mulkhey,Mulinix,Mulders,Muhl,Muenchow,Muellner,Mudget,Mudger,Muckenfuss,Muchler,Mozena,Movius,Mouldin,Motola,Mosseri,Mossa,Moselle,Mory,Morsell,Morrish,Morles,Morie,Morguson,Moresco,Morck,Moppin,Moosman,Moons,Montuori,Montono,Montogomery,Montis,Monterio,Monter,Monsalve,Mongomery,Mongar,Mondello,Moncivais,Monard,Monagan,Molt,Mollenhauer,Moldrem,Moldonado,Molano,Mokler,Moisant,Moilanen,Mohrman,Mohamad,Moger,Mogel,Modine,Modin,Modic,Modha,Modena,Mlynek,Miya,Mittiga,Mittan,Mitcheltree,Miss,Misfeldt,Misener,Mirchandani,Miralles,Miotke,Miosky,Minty,Mintey,Mins,Minnie,Mince,Minassian,Minar,Mimis,Milon,Milloy,Millison,Milito,Milfort,Milbradt,Mikulich,Mikos,Miklas,Mihelcic,Migliorisi,Migliori,Miesch,Midura,Miclette,Michele,Michela,Micale,Mezey,Mews,Mewes,Mettert,Mesker,Mesich,Mesecher,Merthie,Mersman,Mersereau,Merrithew,Merriott,Merring,Merenda,Merchen,Mercardo,Merati,Mentzel,Mentis,Mentel,Menotti,Meno,Mengle,Mendolia,Mellick,Mellett,Melichar,Melhorn,Melendres,Melchiorre,Meitzler,Mehtani,Mehrtens,Megan,Meditz,Medeiras,Meckes,Me,Mcteer,Mctee,Mcparland,Mcniell,Mcnealey,Mcmanaway,Mcleon,Mclay,Mclavrin,Mcklveen,Mckinzey,Mcken,Mckeand,Mckale,Mcilwraith,Mcilroy,Mcgreal,Mcgougan,Mcgettigan,Mcgarey,Mcfeeters,Mcelhany,Mcdaris,Mccomis,Mccomber,Mccolm,Mccollins,Mccollin,Mccollam,Mccoach,Mcclory,Mcclennon,Mccathern,Mccarthey,Mccarson,Mccarrel,Mccargar,Mccandles,Mccamish,Mccally,Mccage,Mcbrearty,Mcaneny,Mcanallen,Mcalarney,Mcaferty,Mazzo,Mazy,Mazurowski,Mazique,Mayoras,Mayden,Maxberry,Mauller,Matusiak,Mattsen,Matthey,Matters,Matkins,Mathiasen,Mathe,Mateus,Mate,Matalka,Masullo,Massay,Mashak,Mascroft,Martinex,Martenson,Marsiglia,Marsella,Marseille,Maroudas,Marotte,Marner,Marlo,Markes,Marina,Maret,Mareno,Marean,Marcinkiewicz,Marchel,Marasigan,Manzueta,Manzanilla,Manternach,Manring,Manquero,Manoni,Manne,Mankowski,Manjarres,Mangen,Mangat,Mandonado,Mandia,Mancias,Manbeck,Mamros,Mam,Maltez,Mallia,Mallar,Malla,Mall,Malen,Malaspina,Malahan,Malagisi,Malachowski,Makowsky,Makinen,Makepeace,Majkowski,Majid,Majestic,Majercin,Maisey,Mainguy,Mailliard,Maignan,Mahlman,Maha,Magsamen,Magpusao,Magnano,Magley,Magedanz,Magarelli,Magaddino,Maenner,Madnick,Maddrey,Madaffari,Macnaughton,Macmullen,Macksey,Macknight,Macki,Macisaac,Maciejczyk,Maciag,Macho,Machenry,Machamer,Macguire,Macdougal,Macdaniel,Maccormack,Maccabe,Mabbott,Mabb,Lynott,Lyndon,Lym,Lydia,Lycan,Luy,Lutwin,Luscombe,Lusco,Lusardi,Luria,Lunetta,Lundsford,Lumas,Luisi,Luevanos,Lueckenhoff,Ludgate,Ludd,Lucherini,Lubbs,Lozado,Lovie,Lourens,Lounsberry,Loughrey,Loughary,Lotton,Losser,Loshbaugh,Loser,Loseke,Loscalzo,Los,Lortz,Loperena,Loots,Loosle,Looman,Longstaff,Longobardi,Longbottom,Lomay,Lomasney,Lohrmann,Lohmiller,Logalbo,Loetz,Loeffel,Lodwick,Lodrigue,Lockrem,Llera,Llarena,Liv,Littrel,Littmann,Lisser,Lippa,Lipner,Linnemann,Lingg,Lindemuth,Lindeen,Limbo,Lillig,Likins,Lights,Lieurance,Liesmann,Liesman,Liendo,Lickert,Lichliter,Leyvas,Leyrer,Lewy,Leubner,Letters,Lesslie,Lesnick,Lesmerises,Lerno,Lequire,Lepera,Lepard,Lenske,Leneau,Lempka,Lemmen,Lemm,Lemere,Leinhart,Leichner,Leicher,Leibman,Lehmberg,Leggins,Lebeda,Leavengood,Leanard,Lazaroff,Laventure,Lavant,Lauster,Laumea,Latigo,Lasota,Lashure,Lasecki,Lascurain,Lartigue,Larouche,Lappe,Laplaunt,Laplace,Lanum,Lansdell,Lanpher,Lanoie,Lankard,Laniado,Langowski,Langhorn,Langfield,Langfeldt,Landt,Landingham,Landerman,Landavazo,Lampo,Lampke,Lamper,Lamery,Lambey,Lamadrid,Lallemand,Laisure,Laigo,Laguer,Lagerman,Lageman,Lagares,Lacosse,Lachappelle,Labs,Laborn,Labonne,Kyung,Kuzia,Kutt,Kutil,Kus,Kurylo,Kurowski,Kuriger,Kupcho,Kulzer,Kulesa,Kules,Kuhs,Kuhne,Krutz,Krus,Krupka,Kronberg,Kromka,Kroese,Krizek,Krivanek,Krishna,Kringel,Kreiss,Kratofil,Krapp,Krakowsky,Kracke,Kozlow,Koy,Kowald,Kover,Kovaleski,Kothakota,Kosten,Koskinen,Kositzke,Korff,Korey,Korbar,Kor,Kopplin,Koplin,Koos,Konyn,Konczak,Komp,Komo,Kolber,Kolash,Kolakowski,Kohm,Kogen,Koestner,Koegler,Kodama,Kocik,Kochheiser,Kobler,Kobara,Knezevich,Kneifl,Knapchuck,Knabb,Klutz,Klugman,Klosner,Klingel,Klimesh,Klice,Kley,Kleppe,Klemke,Kleinmann,Kleinhans,Kleinberg,Kleffner,Kleckley,Klase,Kisto,Kissick,Kisselburg,Kirsten,Kirschman,Kirks,Kirkner,Kirkey,Kirchman,Kipling,Kinville,Kinnunen,Kingdom,Kimmey,Kimmerle,Kimbley,Kilty,Kilts,Killmeyer,Killilea,Killay,Kiest,Kierce,Kiepert,Kielman,Khalid,Kewal,Keszler,Kesson,Kesich,Kerwood,Kerksiek,Kerkhoff,Kerbo,Keranen,Keomuangtai,Kenter,Kennelley,Keniry,Kendzierski,Kempner,Kemmis,Kemerling,Kelsay,Kelchner,Kela,Keithly,Keipe,Kegg,Keer,Keahey,Kaywood,Kayes,Kawahara,Kasuboski,Kastendieck,Kassin,Kasprzyk,Karraker,Karnofski,Karman,Karger,Karge,Karella,Karbowski,Kapphahn,Kap,Kannel,Kamrath,Kaminer,Kamansky,Kalua,Kaltz,Kalpakoff,Kalkbrenner,Kaku,Kaib,Kaehler,Kackley,Kaber,Justo,Juris,Jurich,Jurgenson,Jurez,Junor,Juniel,Juncker,Jugo,Jubert,Jowell,Jovanovic,Josiah,Joosten,Joncas,Joma,Johnso,Johanns,Jodoin,Jockers,Joans,Jinwright,Jinenez,Jimeson,Jerrett,Jergens,Jerden,Jerdee,Jepperson,Jendras,Jeanfrancois,Jazwa,Jaussi,Jaster,Jarzombek,Jarencio,Janocha,Jakab,Jadlowiec,Jacobsma,Jach,Izaquirre,Iwaoka,Ivaska,Iturbe,Israelson,Ismael,Isles,Isachsen,Isaak,Irland,Inzerillo,Insogna,Ingegneri,Ingalsbe,Inciong,Inagaki,Idol,Icenogle,Hyon,Hyett,Hyers,Huyck,Hutti,Hutten,Hutnak,Hussar,Husky,Hurrle,Hurford,Hurde,Hupper,Hunkin,Hunkele,Hunke,Hun,Humann,Huhtasaari,Hugger,Hugel,Huge,Hufft,Huegel,Hrobsky,Hren,Hoyles,Howlin,Hovsepian,Hovenga,Hovatter,Houdek,Hotze,Hossler,Hossfeld,Hosseini,Horten,Hort,Horr,Horgen,Horen,Hoopii,Hoon,Hoogland,Hontz,Honnold,Homewood,Holway,Holtgrewe,Holtan,Holstrom,Holstege,Hollway,Hollingshed,Holling,Hollenback,Hollard,Holberton,Hoines,Hogeland,Hofstad,Hoetger,Hoen,Hoaglund,Hirota,Hintermeister,Hinnen,Hinders,Hinderer,Hinchee,Himelfarb,Himber,Hilzer,Hilling,Hillers,Hillegas,Hildinger,Hignight,Highman,Hierholzer,Heyde,Hettich,Hesketh,Herzfeld,Herzer,Hershenson,Hershberg,Hernando,Hermenegildo,Hereth,Hererra,Hereda,Herbin,Heraty,Herard,Hepa,Henschel,Henrichsen,Hennes,Henneberger,Heningburg,Henig,Hendron,Hendericks,Hemple,Hempe,Hemmingsen,Hemler,Helvie,Helmly,Helmbrecht,Heling,Helin,Helfrey,Helble,Helaire,Heizman,Heisser,Heiny,Heinbaugh,Heigh,Heidemann,Heidema,Heiberger,Hegel,Heerdt,Heeg,Heefner,Heckerman,Heckendorf,Heavin,Headman,Haynesworth,Haylock,Hayakawa,Hawksley,Hawking,Haverstick,Haut,Hausen,Hauke,Haubold,Hattan,Hattabaugh,Hasten,Hasstedt,Hashem,Haselhorst,Harrist,Harpst,Haroldsen,Harmison,Harkema,Hark,Harison,Hariri,Harcus,Harcum,Harcourt,Harcharik,Hanzel,Hanvey,Hantz,Hansche,Hansberger,Hannig,Hanken,Hanhardt,Hanf,Hanauer,Hamberlin,Halward,Halsall,Hals,Hallquist,Hallmon,Halk,Halbach,Halat,Hajdas,Hainsworth,Haik,Hahm,Hagger,Haggar,Hader,Hadel,Haddick,Hackmann,Haasch,Haaf,Guzzetta,Guzy,Gutterman,Gutmann,Gutkowski,Gustine,Gursky,Gurner,Gunsolley,Gumpert,Gumbel,Gulla,Guilmain,Guiliani,Guier,Guers,Guerero,Guerena,Guebara,Guadiana,Grunder,Grothoff,Grosland,Grosh,Groos,Grohs,Grohmann,Groepper,Grodi,Grizzaffi,Grissinger,Grippi,Grinde,Griffee,Grether,Greninger,Greigo,Gregorski,Greger,Grega,Greenberger,Graza,Grattan,Grasse,Gras,Grano,Gramby,Gradilla,Govin,Goutremout,Goulas,Gotay,Gosling,Gorey,Goren,Gordner,Goossen,Goon,Goodwater,Gonzaga,Gonyo,Gonska,Gongalves,Gomillion,Gombos,Golonka,Gollman,Goldtrap,Goldammer,Golas,Golab,Gola,Gogan,Goffman,Goeppinger,Godkin,Godette,Glore,Glomb,Glauner,Glassey,Glasner,Gividen,Giuffrida,Gishal,Giovanelli,Ginoza,Ginns,Gindlesperger,Gindhart,Gillem,Gilger,Giggey,Giebner,Gibbson,Giacomo,Giacolone,Giaccone,Giacchino,Ghere,Gherardini,Gherardi,Gfeller,Getts,Gerwitz,Gervin,Gerstle,Gerfin,Geremia,Gercak,General,Gener,Gencarelli,Gehron,Gehrmann,Geffers,Geery,Geater,Gawlik,Gaudino,Garsia,Garrahan,Garrabrant,Garofolo,Garigliano,Garfinkle,Garelick,Gardocki,Garafola,Gappa,Gantner,Ganther,Gangelhoff,Gamarra,Galstad,Gally,Gallik,Gallier,Galimba,Gali,Galassi,Gaige,Gadsby,Gabby,Gabbin,Gabak,Fyall,Furney,Funez,Fulwider,Fulson,Fukunaga,Fujikawa,Fugere,Fuertes,Fuda,Fryson,Frump,Frothingham,Froning,Froncillo,Frohling,Froberg,Froats,Fritchman,Frische,Friedrichsen,Friedmann,Fridge,Friddell,Frid,Fresch,Frentzel,Freno,Frelow,Freimuth,Freidel,Freehan,Freeby,Freeburn,Fredieu,Frederiksen,Fredeen,Frazell,Frayser,Fratzke,Frattini,Franze,Franich,Francescon,Francesco,Frames,Framer,Fraiser,Fragman,Frack,Foxe,Fowlston,Fosberg,Fortna,Fornataro,Forden,Foots,Foody,Fogt,Foglia,Fogerty,Fogelson,Flygare,Flowe,Florentine,Flinner,Flem,Flatten,Flath,Flater,Flahaven,Flad,Fjeld,Fitanides,Fistler,Fishbaugh,Firsching,Fireman,Finzel,Finical,Fingar,Filosa,Filicetti,Filby,Fierst,Fierra,Ficklen,Ficher,Fersner,Ferrufino,Ferrucci,Fero,Ferns,Ferlenda,Ferko,Fergerstrom,Ferge,Fenty,Fent,Fennimore,Fendt,Femat,Felux,Felman,Feldhaus,Feisthamel,Feijoo,Feiertag,Fehrman,Fehl,Feezell,Feeny,Feeback,Fedigan,Fedder,Fechner,Feary,Fayson,Faylor,Fauteux,Faustini,Faure,Fauci,Fauber,Fattig,Farruggio,Farrens,Fare,Faraci,Fantini,Fantin,Fanno,Fannings,Faniel,Fallaw,Falker,Falkenhagen,Fajen,Fahrner,Fabel,Fabacher,Eytcheson,Eyster,Exford,Exel,Exe,Evetts,Evenstad,Evanko,Euresti,Euber,Etcitty,Estler,Esther,Essner,Essinger,Esplain,Espenshade,Espanol,Espaillat,Escribano,Escorcia,Errington,Errett,Errera,Erlanger,Erenrich,Erekson,Erber,Entinger,Ensworth,Ensell,Enno,Ennen,Englin,Engblom,Engberson,Encinias,Enama,Emel,Elzie,Elsbree,Elmo,Elman,Elm,Ellebracht,Elkan,Elfstrom,Elerson,Eleazer,Eleam,Eldrige,Elcock,Einspahr,Eike,Eidschun,Eid,Eickman,Eichele,Eiche,Ehlke,Eguchi,Eggink,Edouard,Edgehill,Eckes,Eblin,Ebberts,Eavenson,Earvin,Eardley,Eagon,Eader,Dzubak,Dylla,Dyckman,Dwire,Dutrow,Dutile,Dusza,Dustman,Dusing,Duryee,Durupan,Durtschi,Durtsche,Durell,Dunny,Dunnegan,Dunken,Dun,Dumm,Dulak,Duker,Dukelow,Dufort,Dufilho,Duffee,Duett,Dueck,Dudzinski,Dudasik,Duckwall,Duchemin,Dubrow,Dubis,Dubicki,Duba,Drust,Druckman,Drinnen,Drewett,Drewel,Dreitzler,Dreckman,Drappo,Draffen,Drabant,Doyen,Dowding,Doub,Dorson,Dorschner,Dorrington,Dorney,Dormaier,Dorff,Dorcy,Donges,Donelly,Donel,Domangue,Dols,Dollahite,Dolese,Doldo,Doiley,Dohrman,Dohn,Doheny,Doceti,Dobry,Dobrinski,Dobey,Divincenzo,Dischinger,Dirusso,Dirocco,Dipiano,Diop,Dinitto,Dinehart,Dimsdale,Diminich,Dimalanta,Dillavou,Dilello,Difusco,Diffey,Diffenderfer,Diffee,Difelice,Difabio,Dietzman,Dieteman,Diepenbrock,Dieckmann,Dicey,Dicampli,Dibari,Diazdeleon,Diallo,Dewitz,Dewiel,Devoll,Devol,Devincent,Devier,Devendorf,Devalk,Detten,Detraglia,Dethomas,Deter,Detemple,Desler,Desharnais,Desanty,Derocco,Dermer,Derks,Derito,Derick,Derhammer,Deraney,Dequattro,Depass,Depadua,Deon,Denzel,Denyes,Denyer,Dentino,Denlinger,Deneal,Demory,Demopoulos,Demontigny,Demonte,Demeza,Delsol,Delrosso,Delpit,Delpapa,Delouise,Delone,Delo,Delmundo,Delmore,Delmar,Dellapaolera,Delfin,Delfierro,Deleonardis,Delenick,Delcarlo,Delcampo,Delcamp,Delawyer,Delaware,Delaroca,Delaluz,Delahunt,Delaguardia,Dekeyser,Dekay,Dejaeger,Dejackome,Dehay,Dehass,Degraffenried,Degenhart,Degan,Deever,Deedrick,Deckelbaum,Dechico,Decent,Dececco,Decasas,Debrock,Debona,Debeaumont,Debarros,Debaca,Dearmore,Deangelus,Dealmeida,Dawood,Davney,Daudt,Datri,Dasgupta,Darring,Darracott,Darius,Darcus,Daoud,Dansbury,Dannels,Danish,Danielski,Danehy,Dancey,Damour,Dambra,Daman,Dalcour,Daisey,Dahlheimer,Dagon,Dadisman,Dacunto,Dacamara,Dabe,Cyrulik,Cyphert,Cwik,Cussen,Curles,Curit,Curby,Curbo,Cunas,Cunard,Cunanan,Cumpton,Culcasi,Cui,Cucinotta,Cucco,Csubak,Cruthird,Crumwell,Crummitt,Crumedy,Crouthamel,Cronce,Cromack,Cristina,Crisafi,Crimin,Cresto,Crescenzo,Cremonese,Creedon,Credit,Crankshaw,Cozzens,Cove,Coval,Courtwright,Courcelle,Coupland,Counihan,Coullard,Cotrell,Cosgrave,Cornfield,Cornelio,Corish,Cordoua,Corbit,Coppersmith,Coonfield,Cools,Conville,Contrell,Contento,Conser,Conrod,Connole,Congrove,Conery,Condray,Colver,Coltman,Colflesh,Colcord,Colavito,Colar,Coile,Coggan,Coenen,Codling,Coda,Cockroft,Cockrel,Cockerill,Cocca,Coberley,Coaster,Clouden,Clos,Clive,Clish,Clint,Clinkscale,Clester,Clammer,City,Cittadino,Citrano,Ciresi,Cillis,Ciccarelli,Ciborowski,Ciarlo,Ciardullo,Chritton,Chopp,Choo,Chirco,Chilcoat,Chevarie,Cheslak,Chernak,Chay,Chatterjee,Chatten,Chatagnier,Chastin,Chappuis,Channing,Channey,Champlain,Chalupsky,Chalfin,Chaffer,Chadek,Chadderton,Cestone,Cestero,Cestari,Cerros,Cermeno,Centola,Cedrone,Cayouette,Cavan,Cavaliero,Casuse,Castricone,Castoreno,Casten,Castanada,Castagnola,Casstevens,Cassio,Cassi,Cassanova,Caspari,Casher,Cashatt,Casco,Casassa,Casad,Carville,Carvel,Cartland,Cartegena,Carsey,Carsen,Carrino,Carrilo,Carpinteyro,Carmley,Carlston,Carlsson,Carie,Cariddi,Caricofe,Carel,Cardy,Carducci,Carby,Carangelo,Capriotti,Capria,Caprario,Capelo,Canul,Cantua,Cantlow,Canny,Cangialosi,Canepa,Candland,Campolo,Campi,Camors,Camino,Camfield,Camelo,Camarero,Camaeho,Calvano,Callum,Calliste,Caldarella,Calcutt,Calcano,Caissie,Cager,Caccamo,Cabotage,Cabble,Byman,Buzby,Butkowski,Bussler,Busico,Bushy,Bushovisky,Busbin,Busard,Busalacchi,Burtman,Burrous,Burridge,Burrer,Burno,Burin,Burgette,Burdock,Burdier,Burckhard,Bunten,Bungay,Bundage,Bumby,Bultema,Bulinski,Bulan,Bukhari,Buganski,Buerkle,Buen,Buehl,Bue,Budzynski,Buckham,Bub,Bryk,Brydon,Bruyere,Brunsvold,Brunnett,Brunker,Brunfield,Brumble,Brue,Brozina,Brossman,Brosey,Brookens,Broersma,Brodrick,Brockmeier,Brockhouse,Brisky,Brinkly,Brine,Brincefield,Brighenti,Brigante,Brieno,Briede,Bridenbaugh,Bridegroom,Brickett,Bria,Breske,Brener,Brenchley,Breitkreutz,Breitbart,Breister,Breining,Breighner,Breidel,Brehon,Breheny,Breard,Brean,Breakell,Breach,Brazill,Braymiller,Braum,Brau,Brashaw,Bransom,Brandolino,Brancato,Branagan,Braff,Brading,Bracker,Brackenbury,Bracher,Braasch,Boylen,Boyda,Boyanton,Bowlus,Bowditch,Boutot,Bouthillette,Boursiquot,Bourjolly,Bouret,Bouquet,Boulerice,Bouer,Bouchillon,Bouchie,Bottin,Boteilho,Bosko,Bosack,Borys,Bors,Borla,Borjon,Borghi,Borah,Booty,Booten,Boore,Bonuz,Bonne,Bongers,Boneta,Bonawitz,Bonanni,Bomer,Bollen,Bollard,Bolla,Bolio,Boisseau,Boies,Boiani,Bohorquez,Boghossian,Boespflug,Boeser,Boehl,Boegel,Bodrick,Bodkins,Bodenstein,Bodell,Bockover,Bocci,Bobbs,Boals,Boahn,Boadway,Bluma,Bluett,Bloor,Blomker,Blevens,Blethen,Bleecker,Blayney,Blaske,Blasetti,Blancas,Blackner,Blackie,Bjorkquist,Bjerk,Bizub,Bisono,Bisges,Bisaillon,Birr,Birnie,Bires,Birdtail,Birdine,Bina,Billock,Billinger,Billig,Billet,Bigwood,Bigalk,Bielicki,Biddick,Biccum,Biafore,Bhagat,Beza,Beyah,Bex,Bevier,Bevell,Beute,Betzer,Betthauser,Bethay,Bethard,Beshaw,Bertholf,Bertels,Berridge,Bernot,Bernath,Bernabei,Berkson,Berkovitz,Berkich,Bergsten,Berget,Berezny,Berdin,Beougher,Benthin,Benhaim,Benenati,Benejan,Bemiss,Beloate,Bellucci,Bells,Bellotti,Belling,Bellido,Bellaire,Bellafiore,Bekins,Bekele,Beish,Behnken,Beerly,Beddo,Becket,Becke,Bebeau,Beauchaine,Beaucage,Beadling,Beacher,Bazar,Baysmore,Bayers,Baun,Baulch,Baucher,Batto,Baton,Bathe,Basora,Baruffi,Bartimus,Bartholemew,Barrickman,Barribeau,Barreda,Barrack,Baroody,Barness,Barn,Barmer,Barillari,Barias,Barginear,Barg,Barde,Barbone,Barbato,Barbarin,Baoloy,Bansal,Bangle,Banducci,Bandel,Bambeck,Balter,Ballif,Baller,Balladares,Balkus,Baldy,Baldivia,Balcerzak,Balazs,Baksh,Bakr,Bakemeier,Baisey,Bainer,Bailly,Bagge,Badua,Badini,Bachtell,Bachrodt,Bachorski,Bacak,Babula,Bable,Babjeck,Babecki,Azbell,Ayudan,Awai,Avita,Avino,Avellar,Auzat,Autman,Autio,Autery,Ausman,Ausland,Aulabaugh,Augle,Aughenbaugh,Augeri,Audi,Attleson,Attig,Attal,Ator,Asselmeier,Askland,Asiello,Asch,Arya,Artola,Arslanian,Arron,Arrezola,Arnesen,Arnau,Armster,Armintrout,Armento,Armato,Arkenberg,Ariaza,Arguin,Arenson,Areias,Archut,Archibold,Arave,Arand,Appelman,Appello,Antonson,Antoniewicz,Antill,Antigua,Annino,Anness,Anneler,Angustia,Angry,Angiolillo,Angelico,Andreula,Andreen,Andreassi,Andeson,Ander,Anda,Anania,Anadio,Amicone,Amenta,Alzaga,Alwardt,Aluarado,Altreche,Altic,Alsobrooks,Alpern,Almodova,Almas,Alltop,Alliston,Allio,Alipio,Alicandro,Alibozek,Alguire,Alff,Alcalde,Alborn,Albery,Alberry,Albany,Albani,Albanez,Alavi,Akkerman,Ahlheim,Agresti,Agnelli,Agilar,Agib,Aggas,Afton,Afonso,Adil,Adi,Adank,Adamsky,Acri,Accurso,Abruzzese,Abrew,Abeln,Abdullai,Abdulkarim,Abdelrahman,Abbenante,Abatiell,Abaloz,Zyskowski,Zwiefel,Zurmiller,Zupancic,Zuno,Zumsteg,Zumbrennen,Zumaya,Zullinger,Zuleger,Zozaya,Zourkos,Zorrilla,Zorko,Zolocsik,Zittel,Ziobro,Zimmerly,Zimmerli,Zillmer,Zigmond,Zierer,Zieber,Zide,Zevenbergen,Zephier,Zemel,Zelazo,Zeitlin,Zeiser,Zehring,Zeger,Zedian,Zearfoss,Zbranek,Zaya,Zatarain,Zasso,Zarn,Zarilla,Zari,Zapp,Zapf,Zanghi,Zange,Zamacona,Zalesky,Zalazar,Zaki,Zafar,Zade,Yusko,Yurman,Yurkovich,Yuhasz,Younge,Yiu,Yeasted,Yarrito,Yark,Yarboro,Yannuzzi,Yankovich,Yanagawa,Yago,Yaffe,Wyndham,Wyms,Wyand,Wuensch,Wryals,Wrubel,Worosz,Woolstenhulme,Wolpe,Wolner,Wolgamot,Wolfman,Wojtaszek,Woeppel,Woehr,Wodarski,Wizwer,Wittkop,Wisseman,Wisor,Wishum,Wischmann,Wisch,Wirkkala,Wion,Wintjen,Wintermute,Wintermantel,Winks,Winkey,Winham,Windschitl,Willow,Willitzer,Willier,Willets,Willenbrink,Willen,Willaimson,Wilfahrt,Wilenkin,Wilen,Wildeboer,Wilchek,Wigren,Wignall,Wiggington,Wierson,Wiegman,Wiegel,Widmayer,Wider,Widder,Wickey,Wickers,Wical,Whiton,Whitenton,Whiteleather,Whiston,Whirley,Whetham,Wheatly,Wetenkamp,Westenberger,Westenbarger,Westall,Werblow,Wengel,Welson,Welschmeyer,Wellmann,Wellbrock,Wela,Wekenborg,Weiter,Weisenstein,Wehmann,Weeda,Wede,Webley,Waver,Wauford,Waterworth,Watchorn,Wassinger,Wassell,Wasp,Wasiuta,Warnix,Warning,Warnes,Warmoth,Warling,Warila,Warga,Warburg,Wanzer,Want,Waner,Wanek,Walwyn,Walle,Walkner,Walin,Waletzko,Waler,Walenta,Wainer,Wailes,Wahr,Waddel,Wactor,Wachtler,Wachsman,Wachowski,Vulgamore,Vukelich,Vote,Vost,Voskamp,Vorwerk,Vongphakdy,Volpi,Volle,Volino,Voeks,Vodopich,Vittone,Virdin,Virag,Vinroe,Vinegar,Vindiola,Vilmont,Villerreal,Villaneva,Villalobas,Villada,Vilhauer,Vilchis,Vilches,Viggiani,Vig,Vieux,Viets,Vient,Vielle,Viejo,Vidovich,Vichi,Veys,Veverka,Verser,Veronesi,Vernoy,Vermont,Verhines,Verheyen,Veren,Vereb,Verano,Venuto,Ventry,Ventrone,Veltz,Velo,Velazguez,Veeser,Vassey,Vasque,Varin,Varaza,Varady,Vaquez,Vaquerano,Vansteenwyk,Vanschoick,Vanroekel,Vannorden,Vanlent,Vangrouw,Vangelder,Vanes,Vanelli,Vanderkar,Vanderbeek,Vandenburgh,Vandekieft,Vandekamp,Vancura,Vancooten,Vanconey,Vancampen,Vanaria,Valvano,Vallette,Vallero,Valiton,Valin,Valeri,Valek,Valdovino,Valdivieso,Vakas,Vagas,Vadala,Vaccarella,Vacanti,Urrabazo,Urguhart,Urda,Urbino,Urbas,Upmeyer,Umphlett,Ulerio,Uitz,Uchimura,Uccello,Tysdal,Ty,Tweedle,Turrubiates,Turrubiartes,Turri,Turnham,Turko,Turben,Tupin,Tumulty,Tuffey,Tuckey,Tuckett,Tucholski,Tubolino,Tubergen,Tsuboi,Tschumperlin,Tschoepe,Trynowski,Tryba,Truslow,Truog,Trumball,Trudelle,Trojillo,Trnka,Trizarry,Trigueiro,Trigleth,Tricomi,Tresselt,Trentacoste,Trendell,Trenary,Treml,Treleven,Treherne,Treasure,Trayer,Travino,Traugott,Trappey,Tranbarger,Tramontano,Tramell,Trainum,Traino,Traill,Trabucco,Townsell,Tourtillott,Touar,Toscani,Torrella,Torguson,Torda,Top,Toomes,Tonner,Tommasino,Tomaro,Tolve,Tolefree,Toguchi,Tofflemire,Tofanelli,Tody,Toce,Tobacco,Toan,Toalson,Tkacik,Tirone,Tipple,Tippery,Tinson,Tinnell,Timper,Timmers,Times,Timblin,Tilotta,Tillberg,Tijernia,Tigges,Tigar,Tielking,Thyng,Thonen,Thomley,Thombs,Thimmesch,Thier,Thevenin,Theodorov,Theodoropoulo,Tharnish,Tharaldson,Thackaberry,Tewari,Tetu,Tetter,Tersigni,Tepezano,Tennon,Tennent,Teichman,Teehan,Tayloe,Taus,Tatis,Tata,Tat,Tashima,Tarufelli,Tarlow,Tarkowski,Tarka,Targett,Taran,Tarabokija,Tappen,Tanzer,Tanous,Tanigawa,Taneja,Tammo,Tallerico,Tallada,Talk,Talhelm,Takehara,Takata,Tagliavia,Taffer,Tadman,Tacdol,Tacconi,Tables,Szewczak,Szeredy,Szanto,Sympson,Symmes,Syers,Sydney,Syas,Swinny,Swierk,Swendsen,Sweigard,Sweezey,Sweesy,Sween,Sweely,Sweed,Sweazy,Swauger,Swansbrough,Swango,Swanda,Swamp,Swallows,Swaggerty,Svatek,Survant,Surowka,Surina,Suozzi,Sunstrom,Sunford,Sundseth,Sundahl,Summerill,Sumida,Sumbler,Suma,Sulyma,Sulla,Sulieman,Suit,Sugiyama,Suell,Sudo,Suddreth,Sucher,Sturn,Sturkey,Studzinski,Studler,Stuckmeyer,Stryjewski,Stroy,Strotman,Strollo,Stroik,Stroede,Streeby,Stredny,Strazi,Stray,Strawderman,Straiton,Stower,Stoudmire,Stormont,Stopka,Stoneback,Stoldt,Stolarz,Stolarski,Stockmaster,Stobb,Stivason,Stirk,Stipp,Stipes,Stingel,Stike,Stiebel,Stidd,Steurer,Sterley,Sterle,Stepro,Stepovich,Stephson,Stenseth,Stenerson,Stello,Steinbrook,Steidley,Stehlin,Stegmaier,Stefanow,Steese,Steenhuis,Stavely,Stave,Stautz,Staunton,Stater,Stas,Startup,Startt,Startin,Starratt,Stargell,Starcevich,Stank,Stanis,Standing,Stancliff,Stanchfield,Stanbrough,Stakes,Stahmer,Staheli,Staebell,Stadtlander,Stadheim,Sroufe,Sroczynski,Srnsky,Sreaves,Srader,Squeo,Spuler,Sproat,Springmeyer,Sprengeler,Sport,Spolar,Spivack,Spinale,Spiegler,Spickerman,Spessard,Spenner,Speich,Spaziano,Sparaco,Spalter,Sowells,Sovich,Southmayd,Southgate,Sotto,Sotomayer,Sosaya,Sorvillo,Sorrel,Soos,Songco,Somerset,Somero,Soll,Soldan,Solarzano,Solana,Sokal,Soibelman,Soesbe,Sobotta,Sobina,Sobeck,Soard,Snorton,Snopek,Snoozy,Snethen,Smithhisler,Smee,Smaniotto,Slusarski,Slowe,Slotnick,Sleva,Sleighter,Slappey,Skyers,Skutt,Skorcz,Skoczylas,Skillicorn,Skiffington,Skibicki,Skerl,Skehan,Skalla,Siwinski,Sivley,Sittloh,Sitterly,Sith,Sit,Sise,Siroky,Sirles,Sirin,Sirignano,Siren,Sinsabaugh,Sinks,Sinisi,Sinibaldi,Singson,Sindlinger,Simpkin,Siminski,Simcoe,Siford,Siegert,Sidor,Sidhom,Siddique,Siddell,Sicotte,Sichting,Sicari,Sic,Siano,Shufflebarger,Shramek,Shortnacy,Sholler,Sholette,Sholders,Shogren,Shoenberger,Shoemate,Shoat,Shinoda,Shines,Shimshak,Shigley,Sheward,Shetrone,Shetlar,Sherretts,Sherod,Shenkle,Shely,Sheltra,Shelpman,Shellabarger,Shelite,Sheldrick,Shelburn,Sheinbein,Shebby,Shawley,Shatrau,Shartle,Sharifi,Shanker,Shami,Shamel,Shamburg,Shamas,Shallow,Shaffstall,Shadowens,Shackleton,Shaak,Seykora,Seyfert,Sevillano,Sevcik,Seubert,Seu,Setter,Sesler,Servatius,Serrant,Serramo,Serl,Serini,Serenil,Serapion,Sept,Sensibaugh,Sens,Senich,Sengbusch,Sendra,Senate,Semrau,Semrad,Sempertegui,Semons,Semke,Selma,Sellinger,Seliga,Sekel,Seilheimer,Seigfried,Seesholtz,Seefeld,Seecharran,Sedrakyan,Seavy,Search,Seamster,Seabold,Scyoc,Sculley,Scullawl,Scrogham,Scow,Scopa,Scontras,Sciulli,Sciola,Scifres,Schweyen,Schwering,Schwerdtfeger,Schweim,Schweikert,Schweder,Schwebel,Schwartzwalde,Schusterman,Schuhmann,Schuerman,Schuchman,Schrotenboer,Schreurs,Schoppert,Schopper,Schools,Schoneman,Scholfield,Schoeppner,Schoenleber,Schoeman,Schoel,Schnurbusch,Schnepel,Schnader,Schlarb,Schlappi,Schlangen,Schlaht,Schiraldi,Schinkel,Schimizzi,Schifo,Schiesher,Scheyer,Schettler,Scheppke,Schepper,Scheinost,Scheidel,Scheets,Schatzman,Scharwath,Scharp,Schaarschmidt,Schaack,Scarnato,Scarnati,Scaringi,Scarcia,Scarano,Sberna,Sawina,Sawer,Sawaya,Sawatzky,Savcedo,Sauser,Saumier,Sauchez,Sauceman,Sathre,Satawa,Sasala,Sartoris,Sare,Sarchet,Saracco,Santulli,Santory,Santorelli,Santopietro,Sansing,Sanseverino,Saniatan,Sangiacomo,Sanges,Sanfratello,Sanflippo,Sandona,Sandelin,Sandate,Samona,Sammis,Sambor,Samano,Salvitti,Salvietti,Salvi,Salum,Salsa,Salonek,Salm,Salles,Sall,Salera,Salemo,Salee,Salak,Sakihara,Sakasegawa,Sakaguchi,Sagastegui,Saeturn,Sadan,Sacayanan,Saborio,Sabeiha,Sabedra,Sabagh,Rzepecki,Rzasa,Ryser,Ryner,Rydman,Rycroft,Rybij,Ruyes,Ruttan,Russon,Rushe,Rusert,Rusell,Runnells,Rundstrom,Rumschlag,Rullman,Ruka,Ruiloba,Ruh,Ruggs,Ruffer,Ruest,Rueluas,Rueger,Ruediger,Rubinoff,Rubendall,Rozmus,Roxburgh,Rowls,Rousch,Rothove,Rotelli,Roszel,Roske,Roskam,Rosensteel,Rosendo,Roome,Rombough,Romash,Romanson,Romanello,Romance,Rolison,Rogol,Rogas,Roese,Roehrs,Roegner,Roeger,Rodrguez,Rodeman,Rodebaugh,Rockenbaugh,Rocconi,Robleto,Robateau,Roarty,Roaf,Rivenberg,Rivara,Rivali,Risse,Risby,Ripperger,Riopelle,Ringrose,Rinebarger,Rile,Riggen,Rigano,Riff,Rifenbark,Rieper,Rieffenberger,Riedmayer,Ridolfi,Ridderhoff,Rickon,Rickers,Rickels,Richoux,Richens,Ribao,Rhodarmer,Rheingans,Reznik,Reveron,Reus,Reph,Renko,Remme,Remlinger,Remke,Remily,Reitano,Reissig,Reisher,Reinitz,Reinholtz,Reines,Reigstad,Reigh,Reichelderfer,Rehnert,Rehagen,Redline,Rediger,Redhouse,Redepenning,Recla,Rechkemmer,Reando,Razavi,Rayson,Rayna,Rax,Raveling,Rauser,Rauschenberg,Raupach,Raum,Rauen,Ratulowski,Ratterree,Ratering,Rapin,Rannels,Rane,Randhawa,Ramus,Ramsfield,Rams,Ramroop,Ramano,Raj,Raina,Raikes,Ragonese,Rafaniello,Raetz,Raether,Raeside,Radwan,Radman,Rademaker,Radar,Racki,Rachlin,Rabena,Rabassa,Rabadan,Raad,Quoss,Quizon,Quito,Quintela,Quimet,Quilty,Quilimaco,Quidley,Quezaire,Quave,Quarto,Quaranto,Quandel,Qiu,Qazi,Pyrdum,Pyon,Pyeatt,Puzinski,Putnal,Punter,Pumphery,Pumper,Pump,Pummell,Pumarejo,Pulvermacher,Pultz,Pully,Pullens,Pulkrabek,Pulk,Pudlinski,Puccetti,Przygocki,Przybyszewski,Prusha,Prudente,Prucnal,Prottsman,Prosch,Prodoehl,Procell,Prinzivalli,Primes,Prey,Presnar,Presho,Prentis,Preisler,Preisel,Pratka,Pratcher,Prass,Pozzuoli,Powanda,Poundstone,Potters,Potra,Potestio,Potempa,Postlethwait,Posas,Portrum,Portland,Portilla,Portie,Popovitch,Popken,Ponzio,Pontremoli,Pontarelli,Pombo,Pomainville,Polycarpe,Pollart,Politowski,Politano,Poliquin,Polczynski,Pokoj,Poitevint,Poissonnier,Poeppel,Poellot,Poehlman,Poehlein,Podratz,Pociask,Plocher,Pline,Plessinger,Plautz,Platten,Plass,Plageman,Placko,Pizzola,Pizzella,Pittsenbarger,Pittner,Pitstick,Pitsch,Pitney,Pitaniello,Pistoresi,Pirc,Pinski,Pinera,Pincock,Pinckley,Pincince,Piliero,Pilat,Pigue,Pietschman,Pierpoint,Pierini,Picon,Picking,Picardi,Phlegm,Phippin,Phetteplace,Pharel,Pfundt,Pfluger,Pfeuffer,Pfefferle,Pezzulo,Pezzano,Peveler,Pettersson,Petsch,Petrusky,Petruska,Petrulis,Petrossian,Petroske,Petrini,Petitte,Petito,Petela,Petaccio,Pesto,Pestka,Pesta,Pessoa,Perun,Perrow,Perricone,Peros,Perney,Perlin,Perigo,Perella,Percle,Pepple,Penz,Penttila,Pensiero,Penigar,Penez,Pendrak,Penas,Pellowski,Pellow,Pellin,Pelissier,Pelini,Pekrul,Peevey,Pedraja,Pecher,Peasel,Payment,Pavolini,Paviolitis,Paulsell,Paulina,Paule,Patrum,Patrone,Patrie,Patras,Patera,Patek,Patane,Pastrano,Pastora,Passow,Passley,Passaretti,Passantino,Paske,Partible,Parsa,Parnes,Parliman,Parlato,Paravati,Paradowski,Papaleo,Papagni,Paoletta,Panzarino,Pannunzio,Panis,Pandit,Paluzzi,Palomin,Palomaki,Pallanes,Palla,Pall,Palino,Palfreyman,Palazzi,Palanza,Palagi,Painton,Pain,Pahulu,Paganico,Paeth,Padlo,Padillia,Paddy,Paddick,Paciolla,Pacholski,Paap,Paa,Owolabi,Overshown,Overocker,Overgaard,Ouchi,Ottoson,Ostrye,Osterland,Osland,Oslan,Osick,Osen,Osdoba,Osberg,Orzel,Ortmeier,Orren,Ormerod,Orio,Orgeron,Orengo,Orbaker,Opiela,Opdahl,Onks,Oltrogge,Olnick,Olivarres,Olide,Oleksy,Olaya,Okray,Okonek,Okinaka,Ojima,Ojala,Oinonen,Ohotto,Ohan,Ogwin,Ogborn,Oflaherty,Offill,Oetken,Oertle,Oehlert,Odems,Oconnel,Ocha,Ocarroll,Oby,Oblak,Oberst,Obermann,Obas,Oachs,Nydegger,Nybo,Nuuanu,Nutile,Nuse,Nuriddin,Nungesser,Nuber,Noy,Novinger,Nouri,Northan,Norseworthy,Norrod,Normington,Nori,Norenberg,Nordine,Nop,Noori,Noblet,Nives,Nist,Niskala,Nilan,Nikolai,Nigl,Nightengale,Nichole,Ni,Nhek,Ngvyen,Newville,Newsam,Newnham,Newmeyer,Newlan,Newbert,Neuschwander,Neusch,Neun,Nethken,Nethercutt,Nesser,Neske,Neman,Nelton,Nelles,Nekola,Neiling,Neeser,Neelly,Nedved,Neang,Navejar,Naveja,Nauarro,Natho,Nathe,Natcher,Naser,Nasby,Narlock,Nanton,Naillon,Naill,Naguin,Nagele,Naftzger,Naegle,Naegele,Naef,Nacke,Nabritt,Mynhier,Myart,Muzquiz,Mutty,Musolino,Mushero,Murtaugh,Murie,Muresan,Murdough,Mura,Munuz,Munstermann,Munsen,Munselle,Munise,Mungle,Munerlyn,Muncher,Mulrooney,Mullee,Mulaney,Mulanax,Muhlhauser,Muhlestein,Mugleston,Mugg,Mugford,Muckel,Mucerino,Mt,Mrotek,Mrnak,Mozdzierz,Moyler,Moury,Moulin,Moulding,Moul,Mottai,Mostyn,Mosimann,Mosholder,Mosburg,Morrisseau,Moron,Morice,Morgante,Moreta,Morcos,Morasco,Morante,Mooe,Montori,Montminy,Monteforte,Montante,Montanari,Monsees,Mondier,Monden,Monckton,Monce,Monarch,Monarca,Mompoint,Mollema,Molin,Molima,Molen,Molash,Moher,Mogle,Mogannam,Moel,Moehn,Modesitt,Mobilia,Moag,Miyagawa,Mivshek,Miu,Mittman,Mittleman,Mittelsteadt,Mittelstaedt,Mitsch,Mithell,Miscione,Mirbaha,Mirabelli,Mir,Minon,Minniti,Minnerly,Mingrone,Minervini,Minerd,Minarcin,Mimnaugh,Milord,Milnor,Milnik,Millers,Milkowski,Mikrot,Mikles,Miglorie,Mientka,Midthun,Middlesworth,Micklos,Mickler,Michetti,Michelli,Michelet,Micallef,Meyn,Meullion,Mette,Metoxen,Messore,Messano,Mesaros,Mertel,Merritts,Merrion,Merril,Mermis,Merlini,Merker,Meridith,Mergel,Merbaum,Mente,Mensi,Menninger,Mennen,Menlove,Menken,Menezes,Menette,Mendyk,Mendoca,Mendivel,Mendias,Menasco,Melloy,Mellema,Mellard,Melis,Meldahl,Melberg,Meirick,Meinel,Meiler,Meile,Meidl,Meerdink,Meer,Medus,Meduna,Medovich,Medine,Medico,Medici,Mcvaigh,Mctier,Mcquirk,Mcnight,Mcmurrey,Mcmurdo,Mcmorries,Mcmilleon,Mcmickell,Mcmicheal,Mcmeel,Mcleese,Mclee,Mclaws,Mclanahan,Mclaird,Mckusker,Mckibbens,Mckenley,Mckenize,Mckendall,Mckellop,Mckellip,Mckeirnan,Mcinvale,Mcguffee,Mcgrue,Mcgregory,Mcgrann,Mcgoey,Mcglinn,Mcgillicuddy,Mcgillen,Mcgeachy,Mcgarrell,Mcgannon,Mcgalliard,Mcfarlen,Mcevers,Mcerlean,Mcennis,Mcelvany,Mcelvaine,Mcdonal,Mcdavitt,Mccullick,Mccrone,Mccreadie,Mccoun,Mcconchie,Mcconaughy,Mcconahy,Mcconaghy,Mccomsey,Mccoggle,Mcclimans,Mccleod,Mccleaf,Mcclafferty,Mccatty,Mccarry,Mccance,Mccament,Mccaghren,Mcbreen,Mcardell,Mcabier,Mazell,Mayotte,Maybrier,Mavis,Mautone,Matuszek,Mattimoe,Mattey,Matterson,Matten,Matsushima,Matsubara,Matrone,Matras,Mato,Matier,Matheus,Massucci,Massoni,Massare,Maslin,Mashaw,Mase,Mascola,Masci,Marze,Marvray,Marusak,Martowski,Martiny,Martie,Martabano,Marsha,Marschel,Marsack,Marsac,Marohnic,Markve,Markis,Marking,Marken,Marioni,Marichalar,Margosian,Maretti,Mardesich,Marcussen,Marchessault,Marcey,Maraldo,Marafioti,Manzanero,Manwill,Manual,Manocchio,Manko,Manista,Manire,Manikowski,Manganiello,Manetta,Mandy,Mandino,Mandarino,Mancinelli,Manasse,Manary,Manalang,Malling,Mallahan,Maliska,Malet,Maleski,Maldonaldo,Malaterre,Malaney,Malagarie,Malabe,Maks,Makinster,Makar,Maita,Maiolo,Mahley,Magos,Mago,Magnotti,Magnant,Maglott,Maglori,Maenius,Madkin,Madarang,Madagan,Macrina,Macquarrie,Macphee,Macneal,Macmahon,Maclellan,Mackeen,Maciver,Machkovich,Machan,Macewen,Macera,Macer,Maceachern,Macdonell,Macaskill,Maaske,Lysaght,Lynum,Lynema,Lyas,Lutton,Luttman,Lutsky,Luthi,Lutfy,Lupoe,Lundrigan,Lunderville,Lukan,Luedeman,Ludke,Lucore,Lucksinger,Lucks,Luckner,Lucarell,Lubelski,Luarca,Luaces,Lozinski,Loynes,Lowis,Lovorn,Loverde,Lovasz,Loughery,Lotzer,Losito,Loschiavo,Lorsung,Lorquet,Lorkowski,Lorino,Lorey,Lorente,Loreman,Lopaz,Looft,Lonie,Longman,Longhofer,Longan,Lomascolo,Lomack,Lolagne,Lokaphone,Logins,Loggin,Lofredo,Loffler,Loescher,Loendorf,Locus,Lockyer,Lockheart,Lobendahn,Lobasso,Lob,Lizana,Livshits,Litzau,Litty,Litteer,Litsey,Litrenta,Litner,Liszewski,Lisman,Lisboa,Liquet,Liptok,Lineweaver,Lindenpitz,Lindel,Lime,Lillywhite,Life,Lievano,Lieblong,Liebler,Lidey,Libutti,Liborio,Libengood,Leyson,Leyland,Lewczyk,Lewark,Leviner,Levenstein,Leuenberger,Leszczynski,Lestage,Leske,Lerwick,Leray,Lepkowski,Leonor,Lenyard,Lenger,Lendon,Lemarie,Leman,Lelle,Leisner,Leisey,Leischner,Leimer,Leigers,Leiferman,Leibfried,Lehoullier,Lehnortt,Legget,Legato,Legath,Legassie,Legarreta,Leftridge,Leewright,Ledsome,Lecrone,Lecourt,Lecky,Lechman,Lebsack,Lebouf,Lebon,Leazer,Leavins,Leadbeater,Lawwill,Lawall,Lavorini,Laviero,Lavertue,Lavalais,Lautenbach,Lausier,Laurita,Lauriano,Laurange,Launey,Laughead,Laufenberg,Lauderman,Laubhan,Latunski,Latulas,Lastrape,Lastiri,Lason,Laskoski,Lasanta,Laroux,Larizza,Larive,Larish,Laquerre,Lappas,Lapilio,Lapadula,Lapa,Lanzi,Lanzafame,Lantier,Lanski,Laningham,Langon,Langdale,Landron,Landero,Landauer,Landacre,Lamport,Lamping,Lamott,Lamonda,Lammi,Lambiase,Laite,Lahaye,Laframboise,Lafone,Laferte,Laeger,Ladieu,Ladabouche,Lachat,Labonville,Labbee,Labatt,Laban,Kynaston,Kwaterski,Kuzniar,Kuthe,Kuter,Kutchar,Kurtin,Kuramoto,Kupstas,Kuperman,Kuns,Kullmann,Kuligowski,Kukielka,Kuehler,Kudrna,Kubie,Kubera,Kubas,Kuba,Kualii,Krysinski,Kryder,Kronberger,Kroft,Kroencke,Kristiansen,Krigger,Krieser,Kretschman,Krentz,Krenke,Kremers,Kreitner,Kreimer,Kray,Krawchuk,Kravs,Kranich,Krampitz,Kragh,Krager,Kozuch,Kozloski,Kozatek,Kozakiewicz,Kovalsky,Kovalcik,Kovack,Kotera,Kot,Koszyk,Kostel,Kosmicki,Koshy,Korona,Koroma,Korba,Koopmann,Konstantinidi,Kolodzik,Kolodzieski,Kolle,Kolkmann,Kolker,Kolda,Kokaly,Kofford,Koepper,Koeing,Koehnen,Kodish,Kodani,Kocur,Kocourek,Kobza,Koble,Koback,Knutzen,Knows,Knolton,Knoblauch,Knispel,Knieper,Knepshield,Klyce,Klunk,Kluka,Klostermann,Klosinski,Klish,Klint,Klinner,Klindt,Klimko,Klicker,Kleman,Kleinsorge,Kleinfelder,Kleier,Klas,Klaman,Kizzee,Kitto,Kitka,Kirtdoll,Kirscht,Kintzer,Kinstle,Kinning,Kinniburgh,Kinnett,Kinker,Kinkelaar,Kings,Kingham,Kingfisher,Kimmet,Killingbeck,Kilberg,Kikuchi,Kikkert,Kiesow,Kienitz,Kidner,Kida,Kid,Khuu,Khatak,Khaleck,Kezar,Keyton,Ketelhut,Kesley,Keshishyan,Kerzman,Kertesz,Kerslake,Kerscher,Kernes,Kerin,Ker,Kenimer,Kenfield,Kempe,Kemick,Kem,Keitsock,Keisker,Keery,Keblish,Kebalka,Kearny,Kearby,Kayler,Kavin,Kauer,Kattan,Katoa,Kassis,Kashuba,Kashan,Kartman,Karry,Karpel,Karo,Karnopp,Karmazyn,Karjala,Karcz,Karasti,Karagiannis,Kapoi,Kapanke,Kanz,Kaniewski,Kanemoto,Kaneholani,Kandt,Kampfer,Kammann,Kamler,Kamal,Kalvig,Kalmen,Kalmar,Kallstrom,Kallin,Kallbrier,Kakaviatos,Kakar,Kahahane,Kagel,Kabat,Kabanuck,Kaas,Jurczak,Jurasin,Juras,Junke,Junghans,Jungen,Jund,Juliusson,Juhnke,Juett,Jolla,Jokinen,Jokela,Joffe,Joecks,Jochumsen,Joa,Jeziorski,Jesseman,Jessamy,Jernejcic,Jergenson,Jerdon,Jensrud,Jellinek,Jedrey,Jedele,Jeannette,Jauron,Jatho,Jarrel,Januszewski,Janski,Janovsek,Janning,Janikowski,Jane,Jandres,Jamaica,Jalonen,Jainlett,Jahnsen,Jahde,Jagow,Jagielski,Jaffray,Jaecks,Jacquot,Jacoway,Jacocks,Iwami,Isadore,Irmeger,Irie,Iredale,Iqbal,Inscoe,Inklebarger,Ingemi,Immen,Imig,Imberg,Imamura,Illies,Ilacqua,Ijams,Iha,Iden,Ibraham,Ibey,Ialongo,Iafrate,Hyzer,Hyacinthe,Huyard,Huxman,Hutchkiss,Hutchingson,Husson,Hussman,Hurm,Hupka,Hunyadi,Hunstad,Humpert,Hummons,Hultz,Hulton,Hules,Huisenga,Huhta,Hugueley,Hughe,Huggler,Hufton,Huffstickler,Huddelston,Huba,Hrivnak,Hoysradt,Howorth,Howenstine,Hovda,Hourani,Houglum,Houch,Hotalen,Hosse,Horwich,Horvitz,Horoschak,Hornor,Hornbrook,Horita,Hoque,Hopman,Hoovler,Hoople,Hookfin,Honeysucker,Honeycut,Honerkamp,Homyak,Homa,Holzwart,Holzerland,Holyoke,Holtry,Holterman,Holohan,Hollinshed,Hollington,Hollenshead,Holey,Holderby,Holak,Hokkanen,Hohner,Hogsed,Hoglen,Hogen,Hogberg,Hofland,Hofius,Hoffis,Hofferber,Hoffarth,Hofacker,Hoekman,Hodor,Hochstetter,Hochnadel,Hobbins,Hoa,Hlavaty,Hittner,Hitson,Hirtz,Hirschi,Hinkes,Hinke,Hindley,Hince,Hilse,Hilke,Hilferty,Hildesheim,Hikes,Hignite,Higman,Hiemer,Hidden,Hickinbotham,Hewatt,Hetz,Hetsler,Hessian,Hershaw,Herra,Hernander,Herlocker,Hepper,Henseler,Henri,Hennick,Hennecke,Hendrikson,Henderlight,Hellstrom,Helderman,Heitland,Heistand,Heiskell,Heisinger,Heiserman,Heinritz,Heinly,Heinlen,Heimerdinger,Heimbigner,Heidbreder,Hegwer,Hedeen,Hebrank,Heberlein,Heaslet,Hearin,Hazle,Hazelbush,Hayzlett,Hayre,Haymans,Hayenga,Hayduk,Haward,Havner,Haushalter,Hauf,Hatke,Hatchel,Hassard,Haskovec,Hashmi,Harvest,Harvath,Hartill,Harteau,Harshfield,Harrigill,Harriet,Haros,Haroldson,Harmeson,Harl,Harkley,Hariston,Harington,Harian,Hargus,Hargens,Hardina,Haraldson,Harajly,Hapke,Hapeman,Hanz,Hanthorn,Hanry,Hannen,Hannasch,Hannam,Hanifan,Hanft,Handon,Handford,Hancher,Hancey,Hample,Hammrich,Hammerstrom,Hambric,Halwick,Halma,Hallgren,Hallet,Hallada,Halla,Halik,Halgas,Halcon,Halbrooks,Hakel,Hairfield,Hainesworth,Haggarty,Hagenhoff,Hagebusch,Hagadone,Haft,Haflett,Haefele,Haddow,Hackbart,Haberer,Haass,Gwinner,Gwathney,Gwartney,Gutterrez,Gutoski,Gutkin,Gutherie,Gutches,Gustus,Gustison,Gustaveson,Gurtner,Gurkin,Gummo,Gulliksen,Gulke,Guldin,Gulden,Guitierez,Guile,Guildford,Guidice,Gugerty,Guffy,Gueningsman,Gudgell,Guderjahn,Guastella,Guariglia,Guardia,Gryniuk,Grueser,Grudem,Growden,Grossett,Gropper,Gron,Grodin,Groch,Grismore,Gripper,Grinvalsky,Grima,Griffth,Griess,Greynolds,Gresh,Greminger,Gregoria,Greenwade,Greenlief,Greenier,Grayes,Gravell,Grassmyer,Grappe,Grantland,Grandin,Grandel,Grandbois,Granahan,Gramham,Graffeo,Graeter,Gradwell,Gradel,Grabo,Graban,Goy,Govoni,Governale,Govern,Gouty,Goughnour,Goude,Goubeaux,Goth,Gosline,Goslee,Goshen,Gosewisch,Gorzynski,Gortman,Gorter,Gordin,Gord,Goos,Goodwine,Goodrick,Goodley,Gombert,Goletz,Goldy,Goldthwaite,Goldthwait,Goldizen,Golar,Goist,Gofman,Goffer,Goerges,Goeltz,Goedicke,Goedecke,Godnick,Gocke,Goade,Gneiser,Gluth,Glovier,Glomski,Glodo,Gloden,Glenister,Glawson,Glasier,Gladysz,Gladstein,Gjertsen,Giudice,Gitto,Gittelman,Girvin,Girolamo,Gionfriddo,Gingell,Gimble,Gilhousen,Gilboy,Gilberti,Gigantino,Gietzen,Gieseking,Gianikas,Ghosn,Ghosh,Geyman,Gevara,Getsinger,Gessert,Gerrits,Gerrior,Geris,Gerhauser,Gerety,Genzone,Genuario,Gentles,Gentille,Genter,Genetti,Gelle,Gelfand,Gelabert,Gekas,Geck,Gearin,Gdovin,Gaydosh,Gawith,Gave,Gauntlett,Gaugler,Gaudy,Gaub,Gatten,Gathje,Gasperini,Gasner,Gasco,Gascho,Gasbarro,Garvis,Garra,Garnette,Garing,Garick,Gardunio,Gardon,Gardemal,Garde,Garczynski,Garant,Ganus,Gantnier,Ganis,Gangloff,Gangler,Ganer,Ganem,Gandolfo,Gampp,Gallihugh,Galletti,Gallenstein,Gallarello,Galla,Galka,Galayda,Galarneau,Galapon,Gaito,Gaglione,Gady,Gadsen,Gachupin,Gaboury,Futterman,Fusch,Furuta,Furth,Furber,Fune,Funai,Fuess,Frutchey,Frumkin,Fruhling,Frommer,Fromdahl,Froehner,Frizzle,Friends,Friederich,Freyre,Freilich,Fregia,Frediani,Frederico,Frater,Fraile,Foste,Fosselman,Fosnaugh,Fosburg,Fortis,Fortgang,Forstner,Forson,Forseth,Forkin,Forister,Forinash,Footer,Fontillas,Fontenelle,Fonesca,Folker,Fogerson,Fogelquist,Flye,Flummer,Floth,Floro,Florine,Flies,Flexer,Flessner,Flatness,Flank,Fland,Flahive,Flager,Fiveash,Fitzner,Fitzke,Fitcheard,Fisherman,Fishbeck,Fipps,Fiorino,Finster,Finken,Finigan,Fingal,Finer,Filsaime,Fillingim,Filipponi,Fila,Fies,Fiebelkorn,Fiducia,Fiallo,Fetherston,Fetherolf,Fesmire,Fesenmyer,Ferroni,Ferriss,Ferrini,Ferrick,Ferraris,Ferniza,Fernades,Ferdig,Ferandez,Feoli,Fenninger,Fenney,Femi,Fejes,Fehlman,Feger,Fede,Febo,Febbraio,Feasel,Feagley,Fayad,Favaloro,Fauerbach,Fauble,Fasheh,Farrant,Farra,Faro,Farinacci,Farfaglia,Farell,Farb,Farace,Fanjoy,Fangmann,Famulare,Falsetta,Fallows,Fallert,Falero,Faldyn,Falconi,Falce,Fait,Fairburn,Faiola,Faiella,Fahlsing,Faggett,Fafinski,Fadness,Fabros,Fabert,Everidge,Evaristo,Eustache,Etzkorn,Etier,Estabillo,Esquivias,Esquirel,Eslava,Eschete,Esau,Erway,Ertzbischoff,Eron,Erner,Ermitano,Ermitanio,Ermert,Erie,Erdley,Equihua,Enzor,Ensing,Enns,Engleking,Engelkes,Endlich,Endler,Emry,Emms,Emmerling,Emerich,Ellsbury,Ellie,Elizarraras,Eliot,Eliopoulos,Elery,Elek,Elderidge,Elbaum,Ekins,Ekin,Eisley,Eilderts,Eikleberry,Eigo,Eighmy,Eichel,Ehly,Egloff,Egland,Eggington,Eggenberger,Egar,Egans,Eftekhari,Efford,Eeds,Edvalson,Edin,Edgman,Edemann,Edelmann,Eddens,Eckl,Eckerle,Eckelman,Ebrahim,Eberth,Eberspacher,Ebbighausen,Ebaugh,Easly,Eash,Dzledzic,Dyett,Dyba,Dworaczyk,Duttry,Duthie,Duszynski,Duso,Dushaj,Dusett,Dus,Durman,Durkins,Durick,Duplechain,Dunnivan,Dunlow,Dunivan,Dumars,Dumaine,Duliba,Dulany,Duka,Duft,Dufrane,Duffek,Duellman,Ducking,Dubourg,Drzewiecki,Drugan,Drozdowski,Drozda,Dronet,Drilling,Driesenga,Dreyfuss,Drevs,Dreben,Draudt,Draleau,Dragos,Draghi,Doyer,Dowlin,Douma,Dotterweich,Dottavio,Doroff,Dornon,Dorland,Doop,Donndelinger,Donehoo,Donate,Donado,Dommer,Dominici,Domann,Dolio,Dolence,Doland,Dolak,Doersam,Doerrer,Doede,Dockham,Dobrich,Dobosz,Dobin,Dobbratz,Divlio,Divel,Ditzel,Disalvatore,Diotte,Dinnen,Dinkin,Dimler,Dimiceli,Dimeglio,Dimascio,Dimare,Diluca,Dilsaver,Dillen,Dilibero,Dile,Digioia,Difede,Diefenbach,Diedrick,Dickmann,Dickes,Dickason,Dicapua,Dicaprio,Dibrell,Dibley,Dibattista,Deyon,Devotie,Devoid,Deval,Detlefsen,Destro,Destiche,Desposito,Desola,Deshotels,Descombes,Deschepper,Desautel,Desano,Deroy,Derosset,Derosby,Deroeck,Derocher,Dergance,Deren,Deptula,Deprey,Depolis,Depner,Depetro,Denunzio,Densford,Dennington,Dene,Dender,Denbo,Demuro,Demoranville,Demling,Demerson,Demelis,Demeglio,Dembo,Demattia,Demarinis,Delprincipe,Deloria,Delnoce,Delmedico,Dellow,Delles,Dellavalle,Dellamora,Delguidice,Delgato,Delfs,Delcourt,Delcolle,Delbert,Delaportilla,Delahoz,Delacueva,Deisch,Deike,Degro,Degonia,Degollado,Degolier,Degirolamo,Degener,Degele,Degeest,Degeare,Defina,Defabio,Deeley,Decraene,Decou,Decorte,Declercq,Decinti,Dechambeau,Debutts,Debro,Deblieck,Deblasi,Debem,Deavila,Deases,Deangeles,Deahl,Daymude,Daven,Datil,Daros,Darnick,Darienzo,Dardy,Daponte,Dannhaus,Danneman,Danielle,Dani,Danger,Dangel,Danes,Danekas,Dandrow,Dambrose,Dalpe,Dalesandro,Daiton,Dainels,Daigh,Dahnke,Dahme,Dahling,Dagata,Dack,Czaplicki,Czachorowski,Cuttitta,Cutaia,Custance,Curless,Curie,Curi,Cupelli,Cumens,Cumbass,Cumba,Cullars,Cullar,Cukaj,Cubito,Cuascut,Crytzer,Crye,Cruzen,Cruser,Crunkleton,Crummett,Crumbliss,Cropley,Cronquist,Cronkite,Cronic,Crombie,Crockwell,Crnkovich,Critcher,Cristo,Cristales,Crisanti,Crier,Cretsinger,Crest,Creson,Crelia,Crecco,Craze,Craveiro,Cratch,Crapps,Cran,Craigmiles,Craiger,Craige,Crady,Cradic,Craddieth,Cowels,Coveney,Courcy,Coulbourne,Cotsis,Cotrone,Cotney,Cotilla,Costaneda,Costabile,Cossel,Cossa,Cos,Corte,Corsino,Corria,Cornog,Cornely,Corio,Corino,Corington,Coressel,Cordone,Corbisiero,Corbelli,Copps,Coovert,Coopwood,Cooner,Cookman,Conzales,Conver,Contratto,Conrady,Conradi,Connel,Conneely,Conmy,Comunale,Comber,Comans,Colvert,Columbo,Coluccio,Colp,Colop,Collini,College,Colestock,Colebank,Colasante,Colasacco,Colapietro,Cokeley,Coia,Cocuzza,Coalson,Co,Clowes,Cliche,Clevette,Cleven,Clerico,Clearwater,Civiello,Ciullo,Citro,Cirocco,Cioppa,Cilek,Cieszynski,Cieri,Cicerchia,Ciaschi,Ciani,Cianchetti,Chudy,Chuc,Chryst,Christodoulou,Christin,Chrisley,Chokshi,Chmela,Chkouri,Chiodini,Chio,Chimilio,Chilen,Chilek,Childrey,Chier,Chicas,Chiaro,Chiappone,Chiappinelli,Chiado,Chhom,Chesterfield,Chesteen,Cheshier,Cherrez,Cherep,Chene,Cheevers,Checkett,Cheaney,Chayka,Chawla,Chasin,Chasen,Charvat,Char,Chapoton,Chantos,Chantler,Chant,Chadez,Chad,Chaco,Chabez,Cerrito,Ceppetelli,Centanni,Celso,Cederberg,Cedar,Cecchetti,Cavel,Cavanah,Cavagna,Catus,Catton,Catterton,Catrambone,Catherwood,Catherman,Cataldi,Castellana,Castellan,Cassey,Casparis,Casilla,Cashdollar,Casaceli,Carvana,Carriedo,Carrecter,Carraher,Carrabine,Carpinelli,Carouthers,Carnovale,Carmany,Carles,Caretto,Careaga,Cardosa,Cardelli,Carbine,Carathers,Caraker,Caracci,Capuchin,Cappelletti,Capistran,Capdeville,Caparros,Canute,Cante,Canizares,Canel,Canclini,Cancino,Campus,Campise,Campen,Cammarano,Camilli,Camic,Camey,Calwell,Calvey,Calvary,Callo,Callinan,Callais,Calizo,Calixto,Calisto,Calip,Calibuso,Caira,Cahillane,Cahalane,Cahal,Caffery,Caffarelli,Cafarelli,Cadlett,Cacciatori,Cabebe,Byus,Byrnside,Byrer,Byone,Buza,Buttrum,Buttel,Butremovic,Butanda,Bustin,Bussen,Bushlen,Bushart,Burtchell,Burrel,Burnard,Burlett,Burkeen,Burce,Buote,Bunyan,Buntrock,Bunck,Bumpas,Bulleri,Buglione,Bugge,Bueter,Buerk,Buenger,Buehrle,Buechele,Budrow,Buddenhagen,Bucolo,Buchenau,Bucco,Buccino,Bubar,Bruzas,Brutsch,Bruschke,Brunot,Brungard,Brund,Bruender,Brucks,Bruchey,Brozowski,Brownd,Brothern,Broomhead,Bronw,Brom,Brog,Brodigan,Brockhaus,Brockel,Broadaway,Brletich,Briston,Brissett,Brines,Brillon,Brilliant,Brightbill,Brigges,Briel,Bresciani,Brents,Breitmeyer,Breithaupt,Breidenthal,Breden,Bredemeier,Breckinridge,Brecheisen,Brecheen,Breazeal,Bream,Brazzel,Brawdy,Brave,Brashers,Branz,Branyon,Brantz,Brannam,Brankovich,Brandle,Branchaud,Branca,Bramley,Bramante,Bramall,Brakeman,Bradby,Bozzo,Bozelle,Boyarski,Bowline,Bowey,Bowerize,Bowdon,Bowdler,Boutros,Bouten,Bourdier,Bouras,Boufford,Bottex,Bottemiller,Bothman,Botcher,Boshers,Borris,Bornemann,Bonus,Bonnot,Bonifant,Bongiardina,Bonenberger,Bonasera,Bollier,Bolar,Bokman,Bokanovich,Boissonnault,Boiles,Bohrn,Bohlke,Bogenschutz,Bogel,Bogda,Boevers,Boever,Boender,Boehringer,Boehne,Bodor,Bodda,Bodak,Bocker,Bockenkamp,Boche,Blyden,Bluto,Bludworth,Bloxsom,Blomstrom,Bloise,Bloebaum,Blier,Bleiweiss,Blegen,Bleacher,Blaum,Blasz,Blasingim,Blasengame,Blanda,Blagman,Blackstad,Blackham,Blache,Bixel,Bitters,Bissegger,Bisker,Bishoff,Bisard,Bis,Birtwell,Birley,Birkenmeier,Birkenholz,Birkeland,Birdsey,Birdo,Birdinground,Binner,Bilsborough,Billot,Billops,Billingham,Bigney,Bigg,Bienkowski,Bienek,Bielefeld,Bielec,Biddie,Bickell,Bichler,Bibo,Biava,Biagi,Biagas,Bhayani,Bez,Beyene,Beyda,Bevels,Bettner,Bettinson,Betson,Beto,Bessix,Bessire,Bertschy,Bertozzi,Bertoncini,Bertelson,Berteau,Berrong,Berrones,Berringer,Berrigan,Bernsen,Berlingeri,Berken,Berka,Berges,Bergdorf,Bergara,Bergant,Bergamini,Beren,Berdugo,Berdine,Berberian,Benvenuti,Benish,Benincase,Benek,Benedith,Bendas,Benak,Bena,Beltrame,Belsheim,Belotti,Bellrichard,Belleville,Beliles,Belgrade,Belcastro,Bekius,Bekhit,Beightol,Behel,Beetz,Bedson,Becze,Beckmeyer,Beckey,Beckers,Beckelhimer,Beccue,Beberwyk,Bebber,Beamesderfer,Beacom,Bazzle,Bazil,Baynham,Bayhonan,Bayas,Bawany,Bava,Baumgardt,Bauerkemper,Baudry,Baudino,Battko,Battisti,Batta,Bassano,Baskas,Baseler,Basanta,Bartucci,Bartron,Barthold,Bartamian,Barsalou,Barrineau,Barriger,Barreneche,Barkie,Barich,Bardes,Barbano,Baral,Baragar,Baque,Banther,Banome,Bannowsky,Banke,Baniaga,Bandley,Banahan,Banaag,Bamba,Baltzer,Balster,Balnis,Balkin,Bali,Balfe,Balerio,Balent,Baldyga,Baldor,Baldinger,Baldassano,Baldacci,Balanoff,Balado,Balaban,Balaam,Bakes,Bajwa,Baisch,Bahnsen,Bahls,Bahler,Bahamonde,Bagdasarian,Bagaoisan,Bafia,Baese,Badolato,Bado,Badder,Bacurin,Backers,Bachor,Babe,Babbit,Babauta,Baadsgaard,Azzara,Azebedo,Avril,Avello,Aveline,Authur,Ausby,Auricchio,Auna,Aukerman,Auckerman,Auck,Auble,Atterson,Attard,Aswegan,Aste,Asta,Assaf,Aspen,Asken,Asif,Asiedu,Ashner,Asel,Aschenbach,Arvay,Arvan,Artus,Artley,Arrollo,Aroyo,Aronov,Aromin,Arnsworth,Arnspiger,Arnn,Armant,Arington,Argubright,Arentz,Arcoraci,Arbuthnot,Arbo,Aquilina,Aquilera,Apt,Apsey,Appolonia,Apollo,Apana,Antista,Anshutz,Anon,Anno,Annala,Anklam,Angold,Angelone,Angeline,Angeletti,Andren,Andreadis,Andera,Andelman,Andel,Anctil,Anchors,Anacker,Ampy,Amons,Amirault,Amir,Amezaga,Ameigh,Alyea,Altvater,Altig,Altermatt,Alo,Almengor,Alme,Allvin,Allocco,Allegrini,Aliment,Algee,Alexanian,Aler,Aldo,Albero,Alarid,Akiona,Akemon,Ajello,Aitcheson,Ainley,Ailey,Ahluwalia,Ahlf,Ahlbrecht,Agundez,Agro,Agins,Aggarwal,Afalava,Adriano,Adomaitis,Adolphus,Adlam,Adie,Adey,Adduci,Addleman,Adamyan,Acothley,Acklen,Ackert,Ackerly,Acencio,Accosta,Abundiz,Abedi,Abbassi,Abbasi,Aanerud,Aakre,Aagaard,Zwickl,Zuver,Zurasky,Zumbo,Zumba,Zuckerwar,Zuccarelli,Zubris,Zoucha,Zorns,Zorc,Zitzow,Zitzloff,Zirkles,Zippe,Ziola,Zinz,Zinsmeister,Zincke,Zieschang,Zierdt,Zien,Ziemke,Zidek,Zickler,Zeuner,Zerba,Zera,Zenger,Zeltmann,Zelle,Zelinka,Zelek,Zele,Zeiner,Zeimet,Zeidler,Zecchini,Zebley,Zdanowicz,Zbell,Zaro,Zaremski,Zar,Zani,Zancanella,Zana,Zambarano,Zakar,Zadorozny,Zader,Zaccaro,Ysquierdo,Yoxall,Youst,Youngstrom,Youn,Youker,Yoss,Yoshina,Yonke,Yonemura,Yohannes,Yock,Yerhot,Yengo,Yehle,Yanofsky,Yaker,Yagues,Yach,Ya,Xue,Wyrosdick,Wygle,Wygand,Wurzer,Wurl,Wunderlin,Wunderle,Wuerth,Writer,Wrighten,Wrich,Wozny,Wozney,Wowk,Wouters,Wormington,Worf,Woolem,Woodrich,Wooderson,Wonder,Womeldorf,Wolz,Woltmann,Wolstenholme,Wollmuth,Wolle,Wolfard,Woldridge,Wojtanowski,Wojner,Woitowitz,Woehl,Wittenburg,Wittel,Witschi,Witaszek,Witaker,Wiszynski,Wiswall,Wiss,Wisher,Wisenbaker,Wires,Winsky,Winfough,Windler,Winckler,Wimes,Wiltberger,Wilm,Willrich,Willoby,Willimon,Willenborg,Wilda,Wilczewski,Wilcock,Wiggens,Wigboldy,Wiesler,Wies,Wienhoff,Wielgus,Wiebers,Wieber,Wickizer,Wichrowski,Wibbens,Whyard,Wholey,Whitsey,Whitlingum,Whitlach,Whirry,Wharry,Wharff,Whack,Weyman,Weyler,Wethje,Westveer,Westmorland,Westerhold,Wesselman,Wesloh,Wery,Wermers,Werlinger,Werksman,Wenzinger,Weninger,Wendeln,Wendelin,Wenck,Wember,Welters,Welland,Welchman,Welchel,Weitnauer,Weissler,Weinger,Weimann,Weigert,Weidert,Wehby,Wehbe,Weck,Wechter,Weaving,Weather,Weal,Weagle,Wdowiak,Wayns,Waycott,Waychoff,Waterfall,Watcher,Watahomigie,Wasowski,Wasner,Washko,Washing,Washell,Wartenberg,Warson,Warrenfeltz,Warp,Warmbrodt,Warhurst,Wardsworth,Wanzek,Wanta,Wansing,Wankel,Wangberg,Wanberg,Wamack,Waltzer,Walthers,Walterson,Walshe,Walrond,Wallschlaeger,Wallgren,Walema,Waldram,Waldhauser,Waldecker,Walby,Wakin,Wakabayashi,Wah,Wagy,Waggner,Wagenaar,Wage,Waffle,Wadzinski,Wademan,Wackerly,Wachs,Wable,Vredenburg,Vrana,Vrable,Voyer,Voto,Vosper,Vosberg,Vorhees,Voran,Vora,Vonstein,Vondoloski,Voltin,Volpicelli,Volland,Volentine,Volcko,Vojtko,Voice,Vogeler,Vizzini,Vizena,Vix,Vitko,Viste,Visor,Visco,Virock,Vinup,Vinion,Vincenzo,Villas,Villarta,Villari,Vilello,Vigne,Viener,Vielmas,Vielhauer,Viehman,Vidulich,Vidinha,Videen,Vickerson,Vicker,Vertz,Verry,Vermeesch,Verhulst,Verhoff,Verhagen,Verhaeghe,Vergo,Vergeer,Verdino,Venus,Ventrella,Ventola,Venter,Vennes,Venneri,Venditto,Velzy,Velilla,Velie,Velandia,Vecker,Vecellio,Vear,Vavricka,Vautrin,Vates,Vassall,Vasmadjides,Varty,Varriano,Varriale,Varrato,Varnedoe,Varillas,Vardaman,Varajas,Vaquero,Vanzyl,Vanvleet,Vanvleck,Vansoest,Vanskiver,Vanskike,Vanruler,Vanputten,Vanoy,Vanous,Vanoort,Vanliew,Vanlew,Vanhulle,Vanhoozier,Vanhofwegen,Vanhaitsma,Vanecek,Vandrunen,Vandixon,Vandivier,Vandiford,Vandezande,Vandewege,Vanderzanden,Vanderwerff,Vanderwerf,Vanderschel,Vandergiessen,Vandenberghe,Vandehei,Vandee,Vancheri,Vanbramer,Valsin,Valli,Valido,Valenzano,Vajda,Vaillencourt,Vacheresse,Va,Uzdygan,Uyetake,Usilton,Urueta,Ursprung,Ursiak,Urquilla,Urquidi,Urfer,Ureta,Urbancic,Ura,Upwall,Uptegrove,Uphaus,Upadhyaya,Unterburger,Unch,Unavailable,Unangst,Umphenour,Umbenhauer,Ulseth,Ulatowski,Ukosata,Uhyrek,Uhrmacher,Uhlich,Ueno,Uelmen,Udoh,Ude,Uchytil,Tzeng,Typhair,Twelves,Twehous,Tuxhorn,Turybury,Turro,Turne,Turnblom,Turkus,Turks,Turbin,Turbes,Tunick,Tumpkin,Tuholski,Tuggie,Tufnell,Tubertini,Tubaugh,Tsutsui,Tsuha,Tsuda,Tsinnie,Trupp,Trupiano,Trupia,Truner,Trundle,Trumm,Trullinger,Truell,Trucco,Trowers,Trover,Trosien,Tronnes,Trompeter,Tromp,Trolio,Troendle,Trobaugh,Triska,Trimarco,Trifiletti,Tridle,Tricoche,Tresvant,Trest,Tresler,Tresca,Tremont,Tremayne,Treinen,Treichler,Treglia,Treamer,Traxson,Traugh,Trasher,Trapasso,Trant,Trancoso,Traister,Trailor,Trageser,Traficante,Trac,Toya,Towson,Tovrea,Totherow,Tote,Tortorelli,Torri,Tornabene,Torigian,Torello,Toppa,Topor,Toothill,Toop,Tonsil,Tomsich,Tommie,Tomlison,Tolmich,Tollner,Tollefsrud,Toledano,Tolayo,Toenges,Toefield,Tock,Tobiasz,Tobery,Tobert,Toban,Toback,Tjarks,Tiznado,Titlow,Tishler,Tirabassi,Tippet,Tinkey,Timson,Timperman,Timmis,Timmermans,Timme,Timberman,Tikkanen,Tietze,Tierman,Tiberi,Thuringer,Thul,Thu,Thro,Thornwell,Thomlison,Thomlinson,Thomassen,Thimmes,Thilking,Thierman,Thielemann,Thiboutot,Thibideau,Theresa,Theard,Thavichith,Thaut,Tezak,Tetzloff,Teto,Tetlow,Tessler,Tesseyman,Teskey,Tes,Terzian,Terwillegar,Tervo,Terronez,Ternasky,Termini,Terboss,Teramoto,Tepley,Tenuta,Tenen,Tellio,Tellefson,Telecky,Tekell,Tefertiller,Teece,Tedesko,Tederous,Tebeau,Tear,Teahan,Tazewell,Tazelaar,Tavano,Tatsapaugh,Tatlock,Tataris,Tassinari,Tassie,Tarvis,Tarkey,Tarangelo,Tappa,Tanna,Tanikella,Tamblyn,Tamaro,Talyor,Tallas,Talayumptewa,Talaska,Taj,Tagliarini,Tagata,Taflinger,Taddonio,Tacderan,Tablang,Tabisula,Tabicas,Tabar,Szwed,Szumski,Szumigala,Szollosi,Szczesny,Sypniewski,Syon,Sylvan,Syal,Swor,Swoopes,Swoap,Swire,Swimmer,Swiler,Swida,Sweezer,Sweep,Sweeley,Swede,Swearengen,Sweadner,Swartzwelder,Swanhart,Sveen,Svay,Sutyak,Sutten,Sutler,Suski,Surprise,Supernault,Suozzo,Suns,Sunder,Sumney,Summarell,Sumera,Sulzbach,Sulfridge,Sukhram,Suk,Suitor,Sughroue,Sugahara,Sudlow,Sudan,Sudak,Subido,Style,Stweart,Sturz,Sturdy,Sturchio,Stulce,Stukenborg,Stuckemeyer,Stsauveur,Stroll,Strohmeier,Strissel,Strimple,Stremmel,Streczywilk,Strawhorn,Stratz,Stratos,Straton,Strassner,Strama,Strada,Stoss,Storti,Stomberg,Stolze,Stoliker,Stoler,Stolberg,Stolarik,Stohlton,Stofko,Stofflet,Stoff,Stoesser,Stoeber,Stodden,Stobierski,Stobbs,Stjohns,Stirrup,Stirman,Stinehelfer,Stimmell,Stimits,Stigger,Stiers,Stieff,Stidam,Stewarts,Stevinson,Stevey,Sterett,Ster,Steppello,Stepnoski,Stentzel,Stencil,Stencel,Stempien,Steketee,Steinbruckner,Steinborn,Steigman,Steiber,Stegent,Steffani,Steerman,Steenken,Steenhard,Steedman,Steckley,Stealey,Stayrook,Stavnes,Stauss,Stash,Stary,Stare,Stant,Stanfa,Standfield,Standberry,Standage,Stanco,Stanage,Stampe,Stamdifer,Stalworth,Stalma,Staires,Staines,Staine,Stahlberg,Stadden,Staberg,Stabel,Spurgers,Spruce,Sprinkel,Springman,Spriggle,Sporleder,Sporcic,Spontak,Sponholz,Spohr,Spittle,Spiry,Spiece,Spicuzza,Sperlich,Sperdute,Sperazza,Spelts,Speares,Speakes,Sparhawk,Spaniel,Spaar,Soyars,Soverns,Southam,Sour,Souphom,Soun,Soula,Sossamon,Sosh,Sosby,Sorsby,Soroka,Soricelli,Sorgi,Sorbera,Soplop,Soohoo,Sonoda,Sonny,Sonneborn,Somodi,Sommese,Solman,Sollie,Solla,Solina,Soliani,Soley,Solecki,Solages,Sohre,Soenksen,Sodeman,Sobiech,Soberanis,Snobeck,Snerling,Sneider,Snaza,Smolic,Smigel,Smigaj,Smiechowski,Smida,Smerkar,Smeby,Slothower,Slotemaker,Slodysko,Slivka,Slimmer,Slight,Slifko,Slayter,Slawski,Slauson,Slatten,Slain,Skultety,Skrip,Skowyra,Skorupa,Skordahl,Skomsky,Skoff,Sklenar,Skeldon,Skeesick,Skea,Skagen,Sjostrand,Sixtos,Sivyer,Siverson,Siverling,Sivan,Siva,Sitzler,Sither,Siskind,Siske,Siron,Siregar,Sirbaugh,Sirak,Siptak,Sinstack,Sins,Siniscalchi,Singlton,Sinden,Sinagra,Sina,Simpon,Simmoneau,Simler,Simkulet,Simi,Simeona,Simens,Silverstone,Silverness,Silsbee,Sillas,Sileo,Silbert,Sikula,Siglin,Sigley,Sigafus,Siew,Sietsma,Sierras,Siembida,Sieker,Siedlik,Sidur,Sidell,Siddoway,Sibille,Sibilia,Sibbald,Shusta,Shuskey,Shurts,Shryack,Shroll,Showell,Shove,Shoulars,Shortino,Shopp,Shmidt,Shiu,Shirar,Shinners,Shingles,Shinabery,Shimko,Shibles,Shertzer,Sherrin,Sherril,Shellhamer,Shellhaas,Sheldrup,Sheladia,Shehab,Sheff,Sheck,Shearman,Sheaff,Shauer,Shatswell,Shaske,Sharick,Shappard,Shallcross,Shala,Shaklee,Shakespear,Shafe,Shady,Shadwell,Shacklett,Seymor,Settlemire,Setting,Sether,Sesma,Sesareo,Seryak,Serven,Sers,Serbus,Serb,Seppi,Sephus,Sentinella,Sensel,Senf,Senato,Sempek,Semidey,Semasko,Selz,Seltz,Selmer,Selitto,Selim,Seiser,Seikel,Seigle,Seid,Segouia,Segner,Segerson,Segala,Sefcik,Seeholzer,Seegert,Sedita,Sedenko,Sedar,Secondo,Seckinger,Sebald,Seba,Seahorn,Seabright,Scotty,Scothorn,Scordato,Scoma,Scobie,Scipione,Sciara,Schwieterman,Schwendemann,Schwede,Schwartzbach,Schwarcz,Schwalen,Schutzman,Schunemann,Schulweis,Schul,Schuffert,Schuckers,Schrull,Schrubbe,Schreyer,Schreckhise,Schreader,Schoonhoven,Schoolman,Schol,Schoettmer,Schoepf,Schoenle,Schoenecker,Schobert,Schnyer,Schnoke,Schnipper,Schneiter,Schneekloth,Schnapp,Schmits,Schmelzle,Schmelz,Schmeisser,Schmeiser,Schmahl,Schlotzhauer,Schlott,Schlossberg,Schlipf,Schlicker,Schleuder,Schleimer,Schlauch,Schlau,Schlaefer,Schiesser,Schieler,Schied,Schie,Scheuvront,Scheumann,Scherz,Scheperle,Schenewerk,Schemm,Schellenger,Schaupp,Schauf,Schaudel,Schau,Schatzberg,Scharr,Schappert,Schapp,Schamel,Schallhorn,Schaefers,Schadt,Schadel,Schackow,Schabowski,Schabes,Schabert,Schab,Schaab,Scavotto,Scarver,Scarsella,Scarbro,Scampoli,Scammon,Scallon,Scalley,Scale,Scafuri,Scadden,Scacco,Sawchuk,Saviano,Saverchenko,Savelli,Savarino,Satsky,Satoe,Sarwinski,Sartorio,Sartorelli,Sarria,Saro,Sarna,Sarkin,Sarisky,Sario,Sarazin,Sara,Sapia,Santmyer,Santmier,Santillana,Santanna,Santacroce,Sansouci,Sannes,Sanez,Sandvig,Sandino,Sandella,Sanburg,Samy,Sammer,Samit,Salvucci,Salvey,Salvatori,Salvant,Salvage,Salts,Salton,Saltarelli,Salt,Salome,Sallade,Saletta,Salehi,Saleeby,Salameh,Salama,Salaiz,Salafia,Sakry,Sako,Sakash,Saitta,Sahu,Sahara,Saguil,Sagrera,Saglimben,Sagi,Saggio,Sagen,Safranek,Safko,Saeli,Sadar,Sacre,Saccardi,Saborido,Sabins,Sabet,Sabbah,Saale,Rynne,Rynders,Rylands,Rykowski,Ruzbasan,Ruwe,Rutiaga,Ruthledge,Rutecki,Rusu,Russler,Rurup,Ruozzo,Ruot,Runels,Rumphol,Rumpel,Rumpca,Rullo,Ruisi,Ruic,Ruhle,Ruffaner,Rufer,Ruetz,Ruesink,Ruehle,Ruedy,Ruden,Rubulcaba,Rua,Roya,Rowald,Rovner,Rouselle,Roura,Roulston,Rougeaux,Rotty,Rothery,Rotert,Rossler,Roskowinski,Rosiak,Rosh,Rosenstock,Roselius,Roscigno,Rosaro,Rosada,Roperto,Ropers,Rookwood,Rongo,Rondinelli,Ronda,Ronchetti,Romrell,Rollinger,Rola,Rokos,Rohwer,Rohrscheib,Rohlf,Rogal,Rogacion,Roeschley,Roers,Roemen,Roelofs,Roekle,Roehrich,Rodriguel,Rodges,Rodeen,Roddey,Roddam,Rocquemore,Rockers,Roccia,Robishaw,Robida,Robichau,Robertshaw,Roberton,Roberta,Roberg,Rob,Roary,Rizzuti,Rizal,Riveros,Rittenour,Risper,Rippin,Ripp,Riola,Riogas,Rinner,Ringus,Ringhand,Rinehardt,Rinderer,Rigotti,Righetti,Riggi,Riggans,Rigazio,Rigatti,Rifenburg,Rieu,Riehm,Riegler,Riech,Riebau,Ridgel,Ridens,Ridener,Riddel,Rickner,Richardt,Ricciardone,Rhynard,Rhyan,Rhoderick,Rho,Rheinschmidt,Rezak,Reusing,Rettkowski,Retterath,Retta,Reshid,Reppe,Repke,Reos,Reome,Rensen,Renschler,Renova,Renollet,Renison,Reninger,Rengers,Rengel,Renart,Rena,Relihan,Reisen,Reiniger,Reindel,Reil,Reier,Reh,Reggio,Regener,Reekers,Reeger,Redmann,Reddinger,Redcay,Reckling,Rebert,Reategui,Reagin,Reagen,Readnour,Razzano,Raynolds,Rayer,Raybould,Rawdon,Ravotta,Ravo,Ravitz,Ravert,Rathert,Raterman,Ratel,Raque,Rapko,Ransone,Ransburg,Rangnow,Randon,Rancifer,Ramotar,Ramones,Ramone,Ramire,Ramin,Rameres,Rakoski,Rajala,Raithel,Rainie,Rainge,Rainbow,Raigoza,Rahming,Ragazzo,Radomski,Radish,Radilla,Raden,Radde,Racano,Rabine,Rabil,Rabell,Rabasca,Quiterio,Quinzi,Quink,Quinci,Quilliams,Quiller,Quider,Quenneville,Quelch,Queeley,Quear,Quattro,Quastad,Quaglieri,Pyscher,Pust,Purtle,Purtill,Purdin,Puorto,Punja,Pullem,Pulfer,Puleio,Pujia,Puetz,Puehler,Puebla,Ptomey,Przewozman,Prysock,Pruter,Prunier,Pruess,Prudom,Pruchnik,Proveaux,Prophit,Promise,Procknow,Proby,Pro,Prive,Preziosi,Preza,Prem,Preite,Preisser,Pregler,Precella,Prazma,Prats,Prator,Prakash,Prahm,Prader,Pozniak,Poxon,Powledge,Pouge,Pott,Postlewaite,Posthumus,Posnick,Posley,Poskey,Porro,Poreda,Poppema,Popat,Pondexter,Ponciano,Pompilio,Pommer,Polosky,Pollom,Pollo,Pollica,Pollaro,Polizio,Polek,Polack,Polacek,Poirot,Poertner,Poduska,Pockrus,Pochintesta,Pluym,Pluhar,Pluck,Pliner,Pliml,Plese,Pleasent,Playle,Plasky,Plane,Plack,Pizani,Pitz,Pittari,Pitruzzello,Pistorius,Pistilli,Pisha,Piselli,Pisco,Piros,Pirone,Pirolli,Pirman,Pirkl,Pirie,Pique,Pintado,Pinkey,Pingrey,Pinger,Pinelo,Pilsner,Pilley,Pilgreen,Piles,Pila,Pignatello,Pietig,Pierrott,Pierron,Pierceall,Pieratt,Pienta,Piekos,Piechota,Picquet,Pickar,Picerno,Piceno,Phyfiher,Phorng,Phearsdorf,Pharmes,Phariss,Pfuhl,Pfenning,Pezzetti,Pevy,Petzoldt,Pettrey,Pettas,Petta,Petross,Petrochello,Petriello,Petrelli,Petch,Pestoni,Pestano,Pesick,Pesavento,Perzanowski,Perrien,Perrenoud,Perque,Peroff,Perlas,Perkerson,Perisho,Perich,Perfect,Peregrino,Peregoy,Perch,Pequeno,Penza,Pensis,Penquite,Peniston,Penister,Pendola,Pendergraph,Pelle,Pelczar,Pelch,Pela,Pehler,Pegoda,Peelle,Peeling,Pedroni,Pedlar,Pedder,Pecoraino,Peckman,Pechal,Pebsworth,Peasnall,Peasant,Pead,Peacemaker,Paytes,Paysen,Payn,Pavletic,Pavlat,Pavlas,Pavese,Paup,Paulis,Patrice,Patocka,Pat,Pastorino,Pascocello,Parthemer,Parreira,Parido,Paretti,Pardun,Parchment,Papstein,Papps,Papetti,Papakostas,Pantoni,Panik,Panfilov,Panfil,Pana,Pampusch,Pamperin,Palmitessa,Palmero,Pallett,Palilla,Palese,Palesano,Palange,Pagenkopf,Padon,Padmanabhan,Padinha,Packen,Pacitto,Pacchiana,Pabich,Oza,Oyabu,Overdorf,Ourada,Otukolo,Otterbine,Ottalagano,Oto,Other,Otano,Osting,Ostiguy,Osterholt,Osley,Oscarson,Osaile,Ortz,Ortolano,Ortea,Orte,Ortaga,Orszulak,Orser,Orihuela,Orejel,Ordorica,Ording,Ordal,Orbin,Oransky,Oppel,Onsgard,Ondrick,Olsin,Ollmann,Olives,Olavarria,Olano,Olafson,Okuno,Okuniewski,Okuhara,Okrent,Okoniewski,Okeke,Ohs,Ohotnicky,Ohno,Ohlund,Ohlendorf,Ohaire,Ogaz,Ogando,Offield,Odiorne,Oclair,Ockenfels,Ochocki,Ocamb,Ocallahan,Obleton,Oberly,Oberhelman,Oberbeck,Nylin,Nydick,Nwachukwu,Nutzmann,Nuque,Nunz,Nulle,Nuffer,Notti,Nothum,Nothnagel,Notah,Nossett,Nose,Nosbisch,Norrix,Norlien,Norkin,Nordon,Nordmeyer,Norat,Nooe,Nokleby,Nofziger,Noens,Nivison,Niu,Nittler,Nissalke,Nishikawa,Ninness,Nin,Nimon,Nifong,Niewieroski,Nietzer,Niemela,Nicolette,Nicoletta,Nico,Nickolas,Nickless,Nicklaw,Niccoli,Nibbs,Neyland,Newmark,Newey,Newbauer,Nevwirth,Neverman,Neuser,Neumaier,Neufville,Netzley,Netzel,Nettle,Neiswonger,Neiswender,Neilan,Neidhardt,Neesmith,Nebgen,Navia,Nate,Nasuti,Nasso,Nassimi,Nashe,Nases,Naro,Nardo,Narasimhan,Naqvi,Nanka,Naman,Nahrstedt,Nagura,Nagarajan,Nadile,Nabours,Nabers,Mysinger,Mynear,Muzzarelli,Muthig,Mustian,Muskus,Muskelly,Musi,Mushtaq,Musca,Murzynski,Murzyn,Murrillo,Murello,Murdy,Murakawa,Munsinger,Munnell,Munks,Munkberg,Mundorf,Mummey,Mullick,Mulkin,Mulhollen,Mulgrew,Mulderig,Mulac,Muehl,Muddiman,Muckerman,Muckenthaler,Much,Mucciolo,Mruczek,Mrazek,Mowat,Moure,Mould,Motts,Mosure,Mossor,Mossberg,Mosler,Mosha,Moscrip,Moschetti,Mosbarger,Morua,Morss,Morron,Morrall,Moroni,Morioka,Moricca,Morgensen,Morganson,Moreshead,Morely,Morch,Moras,Morar,Moranville,Moralas,Morak,Moradel,Moothart,Moonen,Monzingo,Montpetit,Montjoy,Monteagudo,Monoz,Mongrain,Mongon,Mondejar,Monas,Monachino,Momplaisir,Momin,Moment,Molpus,Molony,Molner,Molleda,Molinski,Molinelli,Molfetta,Molenda,Molchan,Mohseni,Mogg,Moerke,Moenius,Moehlman,Modugno,Modi,Modest,Moder,Moch,Moat,Miyamura,Mittlestadt,Mittelstedt,Mittelman,Mitschelen,Mitro,Mitchan,Misty,Missey,Misenhimer,Mirra,Mirjah,Mirante,Miosek,Minteer,Minrod,Minning,Minney,Minnema,Minium,Minihane,Minicucci,Minecci,Minchey,Milota,Millson,Milloway,Millonzi,Millier,Milley,Millam,Milillo,Milbrath,Mikowski,Mikola,Mikler,Mihelic,Mihaila,Miesen,Mierzejewski,Mickels,Michienzi,Michalke,Miazga,Mezydlo,Mezick,Meynard,Meylor,Mexicano,Metsker,Metrick,Meter,Mestad,Meske,Mertins,Merta,Mersinger,Merschman,Merna,Merila,Meridieth,Mergen,Merel,Menzella,Menze,Mentnech,Menson,Mensick,Mennig,Mendillo,Memos,Melroy,Melochick,Mells,Mellgren,Meline,Melich,Melena,Melchiori,Melching,Melahn,Meisler,Meinerding,Meilleur,Meidlinger,Mehner,Megrabyan,Megee,Meeuwsen,Medlar,Medick,Medema,Mechler,Mechanic,Meadowcroft,Mcpike,Mcpeake,Mcnell,Mcneary,Mcmutry,Mcmeekin,Mcmannus,Mcluen,Mclouth,Mclerran,Mcleoud,Mclagan,Mckone,Mckneely,Mckissic,Mckinnell,Mckillips,Mckibbon,Mckenty,Mckennan,Mckeeman,Mckasson,Mcinturf,Mcinerny,Mchan,Mcgurn,Mcguirl,Mcgue,Mcgrain,Mcgonnell,Mcglumphy,Mcglauflin,Mcginity,Mcgibboney,Mcgeough,Mcgauley,Mcgarvie,Mcfatter,Mcentegart,Mcenroe,Mcelmury,Mcelhinny,Mcdonnel,Mcdoniel,Mcdoe,Mcdermond,Mcdearmon,Mcdearman,Mcday,Mcdannald,Mcdaid,Mccurren,Mccrosky,Mccrane,Mccraig,Mccooey,Mccoo,Mccolpin,Mccolloch,Mcclucas,Mcclester,Mcclement,Mcclamroch,Mcclammy,Mcclallen,Mccarte,Mccaie,Mccaddon,Mcanelly,Mcalmond,Mcalary,Mazzini,Mazzarino,Mazzara,Mazzanti,Mazurk,Mazor,Mayerle,Mayenschein,Mayard,Mayans,Maxedon,Mavromatis,Mavins,Maves,Mausser,Maulsby,Matya,Matuke,Matto,Mattler,Mattiace,Matkowski,Mathern,Matero,Matchette,Matayoshi,Matar,Mastine,Massing,Massimo,Masseria,Massenberg,Massard,Masoud,Masotti,Maslak,Masey,Masella,Mascarena,Mascall,Marzella,Maryott,Marwick,Marugg,Martt,Martinis,Martian,Martha,Marstaller,Marsingill,Marsicek,Marotto,Market,Markegard,Marke,Marinella,Marien,Margison,Margheim,Margason,Margaris,Margaret,Marett,Marentes,Marcott,Marcon,Marchena,Marcellino,Mapston,Mantione,Mantanona,Mansouri,Manoi,Mankus,Mankins,Manin,Manikas,Mangieri,Manfredini,Mane,Mandt,Mandolini,Mandley,Mancina,Manas,Maltsberger,Maltais,Malmin,Mallis,Mallicoat,Malleck,Mallach,Malkowski,Malkani,Malito,Malensek,Malandra,Malander,Makos,Makanani,Maille,Mail,Maidens,Maid,Mahowald,Mahala,Mahajan,Magnotta,Maggiore,Magel,Maestos,Maerz,Maedche,Madise,Madi,Mades,Maddaloni,Madayag,Madaras,Macnair,Mackinlay,Mackesy,Machon,Machia,Machey,Machesky,Machacek,Maceyak,Macchio,Macbride,Mabray,Maasch,Lyseski,Lykken,Luzania,Luxenberg,Lutrell,Lupkes,Lupino,Lupardus,Lunnon,Lunghofer,Lundvall,Lundby,Lundborg,Lulow,Lukman,Lukin,Lukaszewski,Lukacs,Lugones,Luger,Lueder,Ludeke,Lucek,Lucchetti,Lucchese,Lozowski,Lozaro,Loyer,Lowthert,Lowdermilk,Lovitz,Lovinggood,Lovenduski,Loura,Loung,Lounder,Louks,Loughry,Loudermill,Lotta,Lostetter,Loskot,Losiewski,Lorman,Loren,Lorelli,Lorange,Lonsinger,Longinotti,Longhurst,Lomedico,Lola,Lohwasser,Lohn,Lohden,Lograsso,Logie,Loftman,Loften,Lofaso,Loewer,Loehrs,Locy,Loconte,Lockerman,Lockerby,Locken,Lobaton,Loatman,Lleras,Lizak,Livingood,Litwiler,Litvin,Littledave,Lites,Lisee,Lipszyc,Lippy,Lionello,Linsday,Linnear,Linklater,Lingbeck,Lindie,Lindenfelser,Lindenberger,Linarez,Limber,Lily,Lightning,Liffick,Lieto,Liestman,Liepins,Lieng,Liebross,Licciardi,Licavoli,Libbee,Lhuillier,Lhommedieu,Leyra,Lewman,Levreault,Levitre,Levings,Levick,Levecke,Levanger,Leval,Leva,Leuthold,Leuenthal,Letze,Letterlough,Leski,Lerwill,Lertora,Leppla,Leopoldo,Leonides,Leonardis,Lenoue,Lenoch,Lengerich,Lemont,Lemmert,Lemery,Lemaitre,Lella,Leko,Leithauser,Leisher,Leise,Leisch,Leiendecker,Leiber,Leialoha,Lehtomaki,Lehigh,Leggs,Legate,Leflar,Lefeber,Leezer,Ledden,Lecleir,Lechliter,Lebrane,Lebarron,Leason,Leapheart,Leadman,Lazarte,Lawin,Lavole,Lavesque,Laverdure,Lautner,Lauthern,Laurila,Laurendeau,Launderville,Laumeyer,Latina,Laszlo,Lassan,Larzelere,Larzazs,Larubbio,Larriuz,Larew,Laremont,Laredo,Lardizabal,Larance,Lappa,Lapolla,Lapatra,Lapaglia,Lantieri,Lannan,Lann,Langwith,Langolf,Langloss,Langlo,Langholz,Langhart,Langfitt,Langendorf,Langenbach,Langbehn,Lanehart,Landoni,Landherr,Landberg,Landazuri,Lancey,Lamus,Lamunyon,Lampitt,Lampiasi,Lammon,Lamme,Lamirand,Lambes,Lamarta,Lamarra,Lalim,Lalande,Laky,Laitila,Laidler,Laich,Lahue,Lahtinen,Lagrasse,Lagrand,Lagle,Lagerstrom,Lagerberg,Laferney,Lacson,Lachenauer,Lablue,Labean,Lab,Kuzara,Kuza,Kuy,Kutchera,Kustra,Kurtyka,Kurschner,Kurka,Kunstlinger,Kunka,Kunicki,Kunda,Kulling,Kulla,Kulbida,Kuker,Kujath,Kujala,Kuhta,Kuhner,Kuhle,Kufalk,Kuennen,Kuen,Kudley,Kucharik,Kuca,Kubic,Kryst,Krysh,Krumenauer,Kruczek,Kroschel,Kronk,Kroells,Krivak,Kristoff,Kristin,Kreuziger,Kreitz,Kreisberg,Kreiman,Kreighbaum,Kreh,Kreck,Kraszewski,Krason,Krammes,Krake,Kozusko,Kozola,Kozikowski,Kozielski,Kowis,Kowalske,Kottman,Kottler,Kottenstette,Kostelnick,Kosmowski,Koska,Kosinar,Kosik,Kosanovic,Kosanke,Kortge,Korsak,Kornbau,Kordas,Korby,Korbel,Kopperman,Koppenhaver,Kopischke,Koper,Kopelman,Kopel,Kopas,Kooser,Koors,Koor,Koone,Koogle,Konzen,Konieczka,Kondracki,Kondos,Komatsu,Kolo,Kolarik,Kolacki,Kokesh,Kohrt,Kohrs,Kogel,Kofron,Kofman,Koewler,Koetting,Koes,Koellner,Koellmann,Koczela,Kocon,Knoth,Knollman,Knoebel,Knknown,Knittle,Kniphfer,Knightly,Kniffin,Knaphus,Knaak,Kloth,Klonoski,Kloke,Kloer,Klinetob,Kliger,Klich,Kleyman,Klepchick,Klemish,Kleen,Klebe,Klakowicz,Klaft,Kithcart,Kister,Kisker,Kishel,Kishbaugh,Kirt,Kirouac,Kirley,Kirklen,Kirkegaard,Kirchen,Kipka,Kipfer,Kinsinger,Kiniry,Kinikini,Kingma,Kinderknecht,Kinahan,Kimmes,Kimak,Killiany,Killelea,Kilkus,Kilfoyle,Kiflezghie,Kiffer,Kiesewetter,Kienow,Kieler,Kiebler,Kicks,Kicker,Kibel,Kibe,Kibbee,Kiang,Khounthavong,Khatri,Khamsyuorauon,Kham,Keye,Keup,Keto,Ketch,Kess,Kerth,Kero,Kernell,Kerkvliet,Keomany,Keomanivong,Kennemur,Kennel,Kenndey,Kendi,Kempter,Kempinski,Kemna,Kellan,Keliikoa,Keledjian,Keithan,Keisel,Keib,Kehs,Kedley,Keay,Kearin,Kawulok,Kawai,Kawaa,Kava,Kaunisto,Kaumo,Kauahi,Kattner,Katra,Kastel,Kastein,Kassulke,Kassman,Kassing,Kashani,Kasch,Karty,Karstetter,Karrenberg,Karper,Karow,Karmo,Karhoff,Kardell,Kardas,Karapetian,Kapper,Kappen,Kapichok,Kanis,Kaneakua,Kanaris,Kamuda,Kamirez,Kamat,Kaloudis,Kallberg,Kallaher,Kalkwarf,Kalkman,Kalk,Kalisek,Kalehuawehe,Kalchik,Kalbfleisch,Kalberer,Kalal,Kala,Kakimoto,Kaing,Kaigle,Kahill,Kahanaoi,Kaemmerling,Kadri,Kadle,Kading,Kadi,Kadar,Kachmar,Kachiroubas,Kachelmeyer,Kaase,Juve,Juul,Justinger,Jungwirth,Jungman,Jungck,Julander,Juenemann,Jubie,Joun,Joswick,Jossund,Joss,Jory,Jonnson,Jongsma,Joliet,Johngrass,Jocoy,Jing,Jimerez,Jimbo,Jeudy,Jerowski,Jernstrom,Jernstad,Jernberg,Jeoffroy,Jentry,Jennie,Jeng,Jenaye,Jemerson,Jeltema,Jeanpaul,Jeanmard,Jax,Javery,Jaudon,Jasperse,Jasmer,Jarred,Jarrar,Jargas,Jardot,Jardell,Jaquay,Jappa,Janower,Jankoski,Janise,Jandrey,Jandl,Jakubiak,Jakobson,Jakobsen,Jahncke,Jagers,Jacobitz,Jackon,Izard,Ivel,Itzkowitz,Itani,Issacs,Isome,Isle,Islar,Isidro,Isidoro,Isch,Irvan,Irizary,Irene,Ipson,Ip,Ioele,Interiano,Insalaco,Iniestra,Ingargiola,Impson,Illiano,Iller,Illa,Ilardi,Iida,Ihrke,Igneri,Igbal,Igartua,Iffland,Idell,Iberra,Iba,Ianacone,Hysong,Hyrkas,Huzzard,Huttle,Husselbee,Husseini,Hupe,Hunzeker,Hunnicut,Humprey,Humbird,Humason,Hugle,Hufana,Huestis,Huesing,Huell,Hudy,Hudley,Hudas,Hudalla,Hudack,Huckfeldt,Hubka,Hubenthal,Huante,Hsing,Hromek,Hritz,Hrdlicka,Howzell,Howles,Howat,Hovarter,Houy,Housler,Houska,Houseal,Houlberg,Hostert,Hosman,Hoscheid,Horvers,Hortin,Hornish,Hornbeak,Hornaday,Hoppman,Hopfer,Hoot,Honts,Honsberger,Hons,Honnen,Honberger,Honahnie,Homma,Homesley,Holyoak,Holweger,Holubar,Holtzer,Holtrop,Holtberg,Holpp,Holmquest,Hollinghead,Holje,Holgerson,Holabaugh,Hoitt,Hofford,Hoffmaster,Hoffine,Hoffelt,Hoes,Hoellwarth,Hoegh,Hoegerl,Hoeger,Hodrick,Hodgkiss,Hodek,Hockey,Hobday,Hlavacek,Hlad,Hitzeman,Hitzel,Hitsman,Hissong,Hissam,Hiscock,Hirz,Hirshberg,Hipkins,Hinsch,Hinken,Hinckle,Hinchliff,Himmons,Himmelwright,Himmelspach,Himebaugh,Hilst,Hilmes,Hillsgrove,Hillestad,Hillesland,Hillegass,Hilfiger,Hilado,Highshaw,Highers,Higginbothan,Higbie,Hieronymus,Hidy,Hickory,Hickernell,Hibma,Hibbets,Heximer,Hewgley,Heutmaker,Heuschkel,Heupel,Heumann,Heuman,Hetzer,Hetherman,Hesterman,Hespe,Hertweck,Herson,Herry,Herrboldt,Herms,Hermosilla,Herl,Herbolsheimer,Herbel,Hera,Heptinstall,Heppler,Heppell,Henslin,Henschen,Hennington,Hennagir,Henkhaus,Henken,Henggeler,Hempfling,Hemmerling,Hemish,Hema,Helveston,Helsey,Helscher,Helo,Heline,Helfin,Helder,Heitner,Heiple,Heinzelman,Heinricher,Heines,Heimsness,Heiler,Heidelburg,Heiberg,Hegner,Hegler,Hefferman,Heffelbower,Heebner,Hediger,Hedding,Heckbert,Hearnsberger,Heaivilin,Heagle,Heafner,Hazelrig,Hayth,Hayoz,Haydu,Haybarger,Haya,Havers,Haverfield,Hauze,Haugabrook,Haub,Hathcoat,Hasychak,Hassin,Hassey,Hasenberg,Hasek,Harvat,Haruta,Hartvigsen,Hartong,Hartke,Harre,Harradon,Harnisch,Harmond,Harmening,Harlem,Harkrader,Harklerode,Hargitt,Hardon,Hardgrave,Hardester,Harbeson,Harben,Hanrath,Handville,Handcock,Hamza,Hamson,Hamming,Hamic,Hambley,Halphen,Halpain,Halmes,Hallaway,Hallauer,Half,Haldiman,Halbur,Hakkila,Hakimian,Haimes,Hahs,Hagmann,Hagglund,Hagert,Hagee,Hafeman,Haeber,Haddan,Hada,Hackner,Hackel,Hacher,Habisch,Haarstad,Haare,Haaker,Gyger,Guzowski,Guzi,Guzalak,Guyon,Guyll,Gutzmer,Guttirez,Gutt,Gutierrex,Gutierre,Gut,Gustis,Gushwa,Gurke,Gurevich,Gunyan,Gumz,Guisbert,Guire,Guintanilla,Guimaraes,Guillereault,Guidos,Guidera,Guffin,Guererro,Guenthner,Guedes,Guareno,Guardian,Grussing,Gruska,Grudzien,Growcock,Grossenbacher,Grosjean,Groshans,Grondahl,Grollimund,Groeneveld,Groenendyk,Grinnan,Grindell,Grindeland,Grimaud,Grigorov,Griffard,Grierson,Grich,Gribbins,Gribbin,Grever,Gretter,Grennon,Grenfell,Gremer,Greising,Greenhoward,Gravitz,Gravis,Gravino,Graubard,Grates,Granstrom,Grannell,Grandt,Granat,Grambling,Gramajo,Gralak,Graise,Grafe,Grade,Grad,Gracy,Goyco,Goyal,Govindeisami,Govert,Govero,Gouras,Goulbourne,Goularte,Gouker,Gotwalt,Gottshall,Gottsch,Gorum,Gordo,Gordils,Gorbet,Goonan,Goombi,Gooley,Goolesby,Goodlet,Goodland,Gomaz,Golt,Golombek,Golom,Golojuch,Golightley,Goldyn,Goldkamp,Goldfine,Goldermann,Goffinet,Goetter,Goethals,Goerdt,Goehl,Goedken,Goede,Goedde,Goeckel,Godshall,Godleski,Godino,Godine,Godden,Godar,Gockley,Gockel,Gochnour,Gobler,Goard,Gniewek,Gnerre,Gluszek,Glunt,Glotzbach,Glory,Glista,Glisan,Glende,Glee,Gleave,Glaus,Glau,Glassing,Gladhill,Gizzo,Giulian,Gittins,Girven,Girt,Girling,Girardot,Gipp,Giovannini,Gionet,Gins,Ginolfi,Gimar,Gilvin,Gilliom,Gilling,Gillece,Gilio,Gildow,Gilberg,Gieser,Gierisch,Gielow,Gieck,Gica,Gibboney,Giarraputo,Gianopoulos,Giannecchini,Giambruno,Ghrist,Ghiloni,Geving,Getto,Gessford,Gesner,Gesick,Gerstenkorn,Gersbach,Geroge,Gerleman,Gerl,Gerkin,Gerding,Gerchak,Georgiades,Geoffroy,Gentes,Genre,Genous,Genge,Geney,Gendusa,Gendel,Gemma,Gembler,Gemaehlich,Geldmacher,Gehris,Geffrard,Geffken,Geans,Gavel,Gavaldon,Gaughran,Gaud,Gaucin,Gauch,Gattuso,Gatliff,Gather,Gastonguay,Gassen,Gasior,Garzia,Gartz,Gartley,Garski,Garramone,Garoner,Garone,Garnow,Garley,Garibai,Garguilo,Garfunkel,Gardley,Gardecki,Garcilazo,Garbarini,Garan,Garafalo,Gani,Gandert,Gampong,Gamons,Gamma,Gambone,Gambler,Galves,Galo,Galm,Galluccio,Gallinari,Gallentine,Gallamore,Galeotti,Galella,Gajica,Gaisford,Gaietto,Gahlman,Gahl,Gaglia,Gaffke,Gaetz,Gadwah,Gabaree,Gaar,Fust,Furutani,Furner,Furnace,Furgison,Furgeson,Fundis,Fullem,Fullagar,Fujisawa,Fugit,Fugh,Fuemmeler,Fuelling,Fude,Frusci,Frosch,Frontera,Fronek,Fritzman,Fristoe,Frishkorn,Frilling,Frigge,Friels,Friehe,Friedline,Fridlington,Frezzo,Frezza,Fresta,Freise,Freiman,Freidhof,Freiberger,Freetage,Freet,Freemyer,Fredin,Fredenberg,Frayne,Fraughton,Franzel,Frankie,Frankenstein,Frankenberg,Francher,Franch,Francesconi,Franc,Fraize,Fragmin,Frabott,Foxman,Fouty,Fournet,Foulcard,Fouhy,Fougere,Fotopoulos,Forsmark,Fornell,Form,Forline,Forguson,Fontus,Fontanella,Folkner,Fok,Foggie,Fogelman,Flumerfelt,Fluegge,Fluegel,Fluck,Floe,Flocco,Flitsch,Flirt,Flinders,Fletchen,Flechsig,Flebbe,Flathers,Flatau,Flamer,Flaharty,Fladger,Fitten,Fitchpatrick,Fissori,Fissel,Fischler,Fioritto,Fiori,Fiorentini,Fiorella,Finnemore,Finkelson,Fingleton,Fingerhut,Finazzo,Filmer,Fillip,Fillingham,Filipek,Filan,Figurski,Figueron,Figueiras,Figley,Fiedor,Ficker,Fickas,Fevig,Feutz,Fetner,Fertal,Ferraiolo,Fernsler,Fernet,Fernatt,Fergusen,Ferg,Feraco,Fenny,Fengler,Felsted,Fellner,Fellin,Fellenz,Felkner,Felkel,Feliu,Feleppa,Felderman,Felde,Feigel,Feickert,Feibusch,Fedorek,Fedora,Federgreen,Fedalen,Feck,Febre,Fearnow,Feagler,Favorito,Faville,Favalora,Fauls,Faudree,Fasulo,Fassino,Farson,Farlin,Faretra,Farenbaugh,Farella,Faraone,Faragoza,Fanucchi,Fantroy,Fanny,Fangman,Famiglietti,Faltus,Faltin,Falt,Falley,Falldorf,Falick,Fala,Fahrney,Faggs,Fafard,Faes,Fadely,Fadel,Facchine,Fabionar,Ezagui,Evoy,Evilsizer,Evick,Eversoll,Eversman,Everley,Evelo,Euvrard,Eun,Etkin,Ethen,Estrela,Esteb,Estain,Estacion,Esquerra,Esposto,Espert,Eskra,Eskin,Eskenazi,Eshom,Eshenbrenner,Esera,Escobio,Eschief,Eschenbrenner,Erschen,Erlewine,Erdner,Erck,Erceg,Erbach,Epolito,Ephriam,Enwright,Enwall,Entrikin,Entress,Entler,Enstad,Engwall,Engroff,Englemann,Engelson,Enderlin,Enamorado,Emme,Emlay,Emke,Emerton,Embertson,Elworthy,Elwick,Elward,Eloy,Ellyson,Ellstrom,Ellingboe,Elliam,Elifritz,Elgart,Elerick,Eitzen,Eismann,Eisentrout,Eischeid,Eirich,Eikner,Eickhorst,Ehrler,Ehrle,Eglinton,Egerer,Egelhoff,Edmunson,Ecord,Eckrich,Eckland,Echevaria,Ebersold,Eberenz,Ebener,Ebadi,Ealand,Eaks,Eagleston,Eaglen,Eagin,Dyals,Dwelley,Duy,Duva,Dutter,Dutko,Duster,Duskin,Dusel,Durrenberger,Durke,Durian,Dupay,Duntley,Dunsford,Dundee,Dulemba,Dugi,Dufficy,Duensing,Dueno,Dueitt,Duclo,Dubrock,Dubitsky,Drumgo,Drozdowicz,Dromgoole,Drobot,Drivas,Drinkwine,Drewing,Dressman,Dreessen,Drainville,Dragna,Draffin,Dowgiallo,Dovey,Dougher,Dottin,Dossous,Dossie,Dose,Doronio,Dorning,Dorko,Dorion,Dorinirl,Doring,Doorn,Donohoo,Donnally,Donkin,Donez,Donerson,Dondlinger,Donchez,Donaway,Donatien,Donath,Dommel,Domine,Domin,Domiano,Domhoff,Domek,Doller,Dolinsky,Dolberry,Doker,Doil,Doidge,Dohman,Doeden,Dodridge,Dodgson,Dobkowski,Dobie,Dobes,Dobert,Diwan,Ditomasso,Distaffen,Distad,Dispenza,Disorbo,Diskind,Diserens,Discipio,Dirico,Dire,Dirago,Diprima,Dinwoodie,Dinn,Dinkens,Dinius,Dingeldein,Dimon,Dimitt,Dimitriadis,Dilliard,Dilick,Dilauro,Dilallo,Dilalla,Dihel,Digilio,Difonzo,Difeo,Dietze,Dietl,Diesi,Diesel,Dieppa,Dienes,Diemert,Diegel,Dieffenbacher,Diec,Dickhoff,Dickensheets,Dibonaventura,Dibblee,Dibartolo,Dibacco,Dhondt,Dewer,Develbiss,Devazier,Devara,Deuser,Deur,Deuell,Detzel,Dettling,Detro,Destine,Destefanis,Desorcy,Desomma,Deslandes,Desisto,Desiga,Deshler,Deshaw,Desgroseillie,Desaulniers,Derwitsch,Derrig,Derouchie,Dermady,Derider,Derfus,Derbes,Depperschmidt,Depoyster,Depaula,Dense,Dennin,Deniro,Denio,Dengel,Deneen,Dempsy,Demmy,Demmert,Demichelis,Demedeiros,Dembroski,Dembitzer,Demarse,Demaranville,Demagistris,Deluz,Delson,Delrossi,Delrie,Delossanto,Delos,Delmolino,Dellis,Dellarocco,Dellano,Della,Delisser,Delille,Deleston,Delerme,Deleone,Delehanty,Delbalso,Delavina,Delauter,Delashmit,Dekalb,Deguire,Degross,Degroote,Degrasse,Degrange,Degrace,Degasperis,Deffibaugh,Defaber,Decrosta,Decristoforo,Dechert,Decelle,Decapua,Decapite,Decandia,Debuse,Debruler,Deblauw,Debella,Debeer,Dayrit,Davidian,Davick,Davich,Davia,Daversa,Davern,Davault,Dautrich,Dausch,Dathe,Dastrup,Dassow,Darras,Darnold,Darks,Dargis,Dargatz,Darbouze,Dannenfelser,Dannard,Dampf,Dalzen,Dalphonse,Dalluge,Dalhover,Daivs,Dainack,Daher,Dagle,Daghita,Dagdag,Dafonseca,Daffern,Daehler,Dadson,Czuba,Czlapinski,Czarnik,Czap,Cynova,Cwiklinski,Cuzco,Cutno,Curt,Curbow,Cunninghan,Cunis,Cuningham,Cunico,Culmer,Cuhel,Cuestas,Cuebas,Cuchares,Cubr,Csizmadia,Crumpacker,Cruell,Crousore,Crosten,Crosman,Crooked,Cromuel,Cromey,Crockarell,Croan,Crissler,Crispen,Crismon,Crise,Criscillis,Crippin,Crilly,Cresta,Cregar,Cragun,Coye,Cowing,Cower,Coverstone,Coverdell,Couty,Coutant,Courtnage,Courteau,Couper,Countee,Coultas,Coughran,Cottew,Cotler,Cotelesse,Costen,Cossin,Coskrey,Cosen,Cosden,Corvera,Cortis,Corsello,Corrion,Corrigeux,Correiro,Coro,Cornetta,Corneil,Corlee,Corin,Corgan,Corfman,Corell,Cordovi,Cordia,Cordas,Corcino,Corchero,Coral,Coppolino,Coppernoll,Coppens,Coote,Cooperstein,Cooperrider,Conterras,Consolazio,Cons,Connin,Connerley,Conkin,Congress,Concienne,Conaghan,Comrey,Cominsky,Comella,Comee,Come,Combe,Coln,Collums,Collamore,Colicchio,Colee,Colding,Colder,Colbenson,Colagiovanni,Cokely,Coin,Codde,Cobrin,Coak,Cluxton,Cluesman,Clouston,Closser,Clopp,Cliatt,Clendennen,Clearman,Clattenburg,Clarks,Clapsaddle,Cius,Cira,Ciolli,Cinotti,Cimko,Cima,Cienega,Cicatello,Cicale,Ciarlante,Cianfrini,Cianciulli,Churley,Churches,Chuong,Chukes,Christou,Christescu,Christe,Chrismon,Chrisler,Choun,Chobot,Chisem,Chiong,Chimera,Chila,Chicca,Chiarito,Chhun,Chhum,Chhim,Chestang,Chesler,Cherubin,Chernosky,Cherebin,Chepiga,Chellis,Chell,Cheda,Checca,Cheater,Cheatem,Chaulk,Chaudhuri,Chauca,Chatcho,Chartraw,Charping,Charnley,Charm,Charlson,Charbonneaux,Charan,Chapp,Chango,Chanez,Chancer,Chamnanphony,Chalepah,Chaiken,Chaddlesone,Chaconas,Chabaud,Cestia,Cessor,Cervetti,Cerveny,Cerise,Cerecer,Cerasoli,Cera,Centini,Cenci,Cembura,Celli,Cederstrom,Cdebaca,Cayo,Cawthron,Caviggia,Cavers,Caveney,Causley,Caughlin,Cathie,Catan,Catala,Castrogiovann,Castleton,Castilo,Castillio,Castellaw,Castellari,Castejon,Caspersen,Casivant,Cashio,Cascioli,Casciano,Casamento,Casadei,Carwin,Carvin,Carucci,Cartin,Cartez,Carston,Carrio,Carriaga,Carretino,Carotenuto,Carosiello,Carolfi,Carnathan,Carnalla,Carnagey,Carlill,Carinio,Cariker,Caride,Care,Cardero,Cardenal,Carasquillo,Carabez,Capwell,Capurro,Capulong,Cappucci,Cappetta,Cappa,Capouch,Caporali,Caponigro,Capilla,Capata,Capan,Canzoneri,Cantine,Cantarano,Cannellos,Cannard,Cannada,Canlas,Cangey,Canaan,Campoy,Campany,Campainha,Cambi,Camba,Camastro,Camano,Calrk,Callin,Callari,Calicutt,Calemine,Caleb,Caldon,Caldas,Cajas,Cadelina,Cacal,Cabriales,Cables,Bytheway,Byland,Byes,Byan,Buzick,Buziak,Buzhardt,Butzlaff,Buttolph,Butta,Butron,Butorac,Butaud,Butac,Busuttil,Busque,Busing,Busboom,Burwood,Burright,Burri,Burrall,Burness,Burlington,Burlin,Burkham,Burick,Burich,Burgner,Burdex,Burdell,Burde,Burba,Buol,Bundi,Bulick,Bulgin,Bukovsky,Bukovac,Bujak,Bugett,Buffo,Bueschel,Bueckers,Budnik,Buckey,Buckel,Buchko,Buchinski,Buchana,Buchaman,Bucek,Buba,Bryans,Brustkern,Brussel,Brusseau,Bruntz,Brunscheen,Brunken,Brumbach,Bruess,Brueckman,Brueck,Brucken,Brozena,Brozek,Brownley,Browers,Brosman,Brosch,Broody,Brood,Bronzo,Bronn,Bromwell,Brome,Bromagen,Broll,Brofman,Broekemeier,Brodi,Brixner,Brisban,Brinkmeier,Bringham,Bridgforth,Bridgette,Breznak,Brewbaker,Breitweiser,Breiten,Breitbarth,Brehaut,Breedan,Breech,Bree,Bredernitz,Brechner,Brechbiel,Breashears,Brazinski,Brazille,Bratz,Bratu,Bratsch,Bras,Branting,Brannin,Bramsen,Brailford,Bragas,Bradney,Bradner,Bradigan,Bradica,Brad,Brabston,Bozwell,Boys,Boyn,Boyar,Boyance,Boxton,Bowering,Bowar,Bournazian,Bourgue,Bourgoine,Bourdage,Boulier,Boulds,Boulding,Bouch,Bottum,Bottorf,Botero,Bossler,Bosshardt,Bossart,Bosman,Borzillo,Borstad,Borsos,Borsellino,Borrayo,Borowiak,Borio,Borgos,Borglum,Borghoff,Boreland,Bordeleau,Borchelt,Boorman,Boole,Bookwalter,Bookhart,Bonventre,Bonucchi,Bonnema,Bongard,Bonardi,Bonadio,Bomstad,Bombaci,Bolus,Bolognese,Bolnick,Bolebruch,Boldrin,Bolder,Boje,Boho,Bohmker,Bogosh,Bognar,Bogin,Bogatitus,Bogaert,Boga,Boehmke,Boeh,Bodway,Bodemann,Bockhorst,Bochner,Bocek,Boblitt,Bobbit,Boatfield,Boast,Boardley,Bo,Blumhardt,Blower,Blondell,Bloemer,Bloczynski,Blint,Blenden,Blend,Blem,Bleininger,Bleile,Blehm,Blechman,Bleak,Blattler,Blattel,Blatherwick,Blatchley,Blasing,Blasen,Blandin,Blaire,Blad,Blackler,Bizzle,Bison,Bisogno,Bisking,Bishopp,Bischke,Biscaro,Bisarra,Birton,Birrueta,Birrell,Birklid,Binkerd,Binetti,Binegar,Bindrup,Billerbeck,Bilka,Biley,Bilecki,Biglin,Bievenue,Bierwagen,Biernat,Bienvenue,Bielik,Biedrzycki,Bideaux,Bidding,Bickman,Biber,Bibel,Biancardi,Bialy,Bialke,Bialecki,Bhattacharya,Bezak,Bevilaqua,Beuth,Beuter,Beutel,Beucler,Betties,Betteridge,Betschart,Betran,Bethley,Beteta,Beswick,Bessmer,Bessemer,Besherse,Beserra,Berver,Bertuzzi,Bertke,Berthelsen,Berthelette,Bertagna,Bersch,Berrio,Bernoski,Bernatowicz,Bernardy,Berling,Berl,Bergmeier,Bergland,Bergfield,Bergesen,Bergem,Bergantzel,Bergamo,Berdecia,Berardo,Berardino,Bequillard,Benzinger,Benyamin,Bentzen,Bennice,Benke,Benet,Beneker,Benedum,Benedick,Bend,Bencosme,Bemrose,Bemiller,Bemer,Belzung,Belmarez,Bellina,Bellendir,Bellemare,Bellantuono,Bellanca,Belkin,Belinski,Belcourt,Bejaran,Behl,Beeker,Beeghly,Bedney,Bedker,Bedeau,Beddome,Beddoe,Becvar,Beccaria,Beaz,Beaushaw,Beaulac,Beatley,Beardon,Beachem,Beachel,Bazydlo,Baydal,Baxi,Bauserman,Baudler,Batzli,Battino,Battee,Batley,Batesole,Batcher,Basurto,Basu,Bastianelli,Bassage,Basner,Bashford,Basher,Bashara,Basha,Baselice,Bartosiewicz,Bartolomucci,Bartnick,Bartholic,Barthe,Bartelson,Barsuhn,Barson,Barries,Barricelli,Barrena,Barredo,Barraz,Barrale,Baroldy,Barne,Barmettler,Barjas,Baris,Bareis,Bardach,Barcroft,Barcello,Barbuto,Barbrick,Barbo,Barbish,Barbaria,Baras,Baragona,Baquet,Banwell,Banowetz,Bandle,Bambhrolia,Balthazar,Balson,Balliett,Ballestas,Balin,Balfany,Balette,Baldrige,Baldenegro,Baldassara,Baldasaro,Balcorta,Balckwell,Balcitis,Balasco,Baka,Baish,Bainum,Bailin,Baile,Bahlmann,Baher,Bagoyo,Baggette,Bafford,Baddley,Badanguio,Badamo,Badame,Baczewski,Bacorn,Bacolor,Bacigalupi,Bachtold,Bacha,Babick,Azzano,Azua,Azhocar,Ayre,Aydt,Aydlett,Axsom,Awada,Averbach,Avenoso,Auzston,Auyong,Autaubo,Austad,Aus,Aurora,Aultz,Aulds,Auldridge,Aul,Auge,Auel,Audirsch,Audain,Auchmoody,Aubertine,Auber,Astry,Asquith,Asp,Ashdown,Asen,Aselage,Ascensio,Asam,Asad,Artuso,Artinger,Arritola,Arre,Arraiol,Arra,Arouri,Arnzen,Arntson,Arnstein,Arnoldy,Arnhart,Arnet,Armentor,Armel,Arganbright,Argall,Argabright,Arenstam,Ardinger,Arcuo,Arambulo,Aramboles,Arabian,Appelt,Appelgren,Apodoca,Ape,Anzai,Anttila,Antoniou,Antoniotti,Antonakos,Antell,Antee,Antaya,Anschutz,Ano,Annon,Anne,Annarummo,Anick,Angelovich,Anes,Androes,Andrle,Andreoli,Andreassen,Anderl,Ancira,Anastasi,Anastacio,Analla,Ana,Amunrud,Amparan,Amory,Amores,Amodei,Amdahl,Amazan,Alway,Alvira,Aluise,Altomonte,Altidor,Altadonna,Alstott,Alsina,Alshouse,Alpizar,Alonge,Almestica,Almaras,Almand,Allwardt,Allum,Allgier,Allerman,Alkbsh,Alier,Aliano,Alfson,Alfero,Alexender,Alessandro,Alesci,Aldas,Aldaba,Alcide,Alby,Albelo,Albares,Albair,Albach,Alamin,Alagna,Akuna,Akright,Akim,Akes,Aken,Akbari,Akau,Aitkins,Aita,Airola,Aines,Aimone,Ailts,Ahrent,Ahne,Ahlman,Ahlin,Aguire,Agor,Agner,Agerter,Age,Agcaoili,Afzal,Afshari,Affleck,Aduddell,Adu,Adolfo,Adolf,Adjei,Adham,Aderholdt,Adens,Adee,Adauto,Acocella,Ackroyd,Ackers,Acken,Ack,Achter,Acheampong,Aceret,Accornero,Abts,Abruzzino,Abrecht,Abramov,Aboud,Abo,Abes,Abed,Abby,Aamot,Aalbers,Zwolensky,Zwiener,Zwanzig,Zvorsky,Zutter,Zurowski,Zupfer,Zunker,Zumbach,Zubik,Zubiate,Zottola,Zoss,Zorman,Zonker,Zomer,Zollo,Zolezzi,Znidarsic,Zmijewski,Zmich,Zlaten,Zisk,Zinter,Zingler,Zindel,Zimlich,Zillman,Zilliox,Zigich,Ziesemer,Zielonka,Ziebart,Zia,Zhuang,Zeyer,Zerkle,Zepf,Zenisek,Zempel,Zemaitis,Zeltner,Zellman,Zelasco,Zeisler,Zeinert,Zeier,Zegarra,Zeeman,Zedaker,Zecher,Zeagler,Zbinden,Zaunbrecher,Zarlengo,Zannino,Zanni,Zangara,Zanetti,Zanes,Zanderigo,Zanayed,Zambito,Zalusky,Zakutney,Zaiss,Zahar,Zagrodnik,Zaeske,Zadroga,Zadeh,Zacek,Yzaquirre,Yuro,Yupe,Yunt,Yue,Youns,Youngerman,Youkhana,Yoshizumi,Yoshiyama,Yoshikawa,Yoshihara,Yore,Yoneda,Yoh,Yepsen,Yepiz,Yentzer,Yelin,Yedid,Yeddo,Yeboah,Yeah,Yauck,Yattaw,Yarrow,Yarosh,Yarn,Yanuaria,Yanko,Yampolsky,Yamin,Yamagata,Yakow,Yaegle,Yacono,Yacko,Xayavong,Wythe,Wyrich,Wydeven,Wyandt,Wurtzel,Wurdeman,Wunner,Wulffraat,Wujcik,Wry,Wrighton,Wreath,Wraight,Wragge,Woznick,Woten,Wormuth,Woofter,Woodmore,Woode,Womeldorff,Wolvin,Wolman,Wolgast,Wolfgramm,Wojtas,Wojenski,Wohletz,Woetzel,Woelke,Woelk,Woehrle,Wittlinger,Wittke,Witthuhn,Witthoft,Wittekind,Witkus,Witbeck,Wist,Wissinger,Wisnoski,Wisley,Wishard,Wish,Wipperfurth,Winterling,Winterholler,Winterfeld,Winsman,Winkenwerder,Wingerson,Winegard,Windland,Winchel,Wilmott,Willwerth,Willougby,Willinger,Willims,Williby,Willian,Williamon,Willhelm,Willging,Willens,Willenbring,Willcott,Willardson,Wilhelmy,Wildsmith,Wildoner,Wildberger,Wikholm,Wigner,Wiglesworth,Wiggett,Wiget,Wigdor,Wieman,Wied,Wieboldt,Widen,Wickett,Wickard,Wichterman,Wichland,Wicher,Whysong,Whyms,Whooper,Whooley,Whitver,Whitmoyer,Whitehorse,Whitebear,Whish,Whippo,Wheler,Whelehan,Wheetley,Wheeland,Wheelan,Whatoname,Whalan,Weygandt,Wexell,Wetherald,Westfahl,Westerholm,Westerheide,Westenhaver,Westen,Wessendorf,Wescom,Werstein,Wersal,Werra,Werntz,Wernicki,Wernett,Werger,Werber,Wenskoski,Wenk,Wendzel,Wendelboe,Wenciker,Wemhoff,Welshans,Welde,Welby,Welburn,Weisfeld,Weisenfels,Weinreich,Weikert,Weiglein,Weida,Wegweiser,Wegley,Weflen,Weeler,Wedo,Wedin,Wedgewood,Wedderspoon,Wedd,Weberg,Weathington,Wears,Weakly,Weafer,Weaber,Waz,Waxler,Wave,Wauson,Waugaman,Waterer,Wasmuth,Washmuth,Warters,Warsaw,Warns,Warnken,Warney,Wariner,Warchol,Wansitler,Wanless,Wanker,Wandrie,Wandler,Wanczyk,Waltmann,Waltersdorf,Walsworth,Walseth,Walp,Walner,Walmer,Walloch,Wallinger,Wallett,Walkley,Walkingstick,Walentoski,Walega,Wale,Waldock,Waldenmyer,Walde,Waldbauer,Walchak,Wakayama,Waiau,Waddick,Wacyk,Vreeken,Vrbka,Vradenburg,Vounas,Votolato,Vosquez,Vosika,Vorwald,Vorse,Voros,Vorgas,Vorel,Voorhes,Voncannon,Volstad,Volo,Volkmer,Volden,Volbrecht,Voisard,Voetsch,Voetberg,Voeltner,Voegeli,Vock,Vlloa,Vivona,Vivino,Vivenzio,Vitucci,Vittitoe,Viti,Viteaux,Vitatoe,Viscome,Virzi,Virula,Virrey,Virella,Virani,Viox,Violetta,Vinall,Villatora,Vilcan,Vik,Vigen,Vieths,Vielman,Vidra,Vidot,Vidalez,Vicent,Vibert,Vibbard,Veth,Vestering,Veshedsky,Versoza,Verrell,Veroeven,Vernola,Vernia,Verjan,Verity,Veriato,Verhague,Verdusco,Verderosa,Verderame,Verdell,Verch,Verbeke,Venture,Veness,Vener,Vendrick,Vences,Vellucci,Vellone,Velk,Vegh,Vedia,Vecchiarelli,Vazzana,Vaux,Vaupel,Vaudrain,Vatalaro,Vastano,Vasso,Vasiliou,Vasher,Vascones,Vas,Varuzzo,Varrelman,Varnedore,Vari,Varel,Vanwright,Vanvoorhees,Vanvolkinburg,Vantrump,Vanstraten,Vanstone,Vansice,Vanscoter,Vanscoit,Vanord,Vanoosten,Vannortwick,Vannette,Vannatten,Vanloon,Vanliere,Vanis,Vanhese,Vangalder,Vanelderen,Vandre,Vandover,Vandinter,Vandewalle,Vandevander,Vanderroest,Vandermay,Vanderloo,Vanderlee,Vanderlaan,Vandergraph,Vanderen,Vandenbrink,Vandenboom,Vandenberge,Vandel,Vandegriff,Vandale,Vanbruggen,Vanboerum,Vanbelle,Vanauker,Vanasten,Vanarsdall,Vallerand,Valladao,Valis,Valintine,Valenziano,Valentia,Valensuela,Vaisman,Vahena,Vaglienty,Vacchiano,Uziel,Uyemura,Utsler,Usie,Urzua,Ureste,Urby,Urbine,Urabe,Uptgraft,Unterzuber,Untalan,Ungerman,Ungerland,Underland,Underberg,Umholtz,Umbright,Ulwelling,Ulstad,Ulmen,Ulcena,Ulanski,Uhlenkott,Uher,Uhas,Uglow,Ugland,Uerkwitz,Uccellini,Tysarczyk,Tyron,Twymon,Twohey,Twisselman,Twichell,Tweten,Tuzzolo,Tuzzo,Tutoky,Tusler,Turnner,Turja,Turick,Turiano,Tunnicliff,Tummons,Tumlison,Tumaneng,Tuder,Tuczynski,Tuchman,Tubville,Tsukiyama,Tselee,Truxon,Truxler,Trussler,Trusler,Trusillo,Trudillo,Trude,Truchan,Trowery,Trotochaud,Tropiano,Tronstad,Trolinger,Trocinski,Triveno,Trites,Triplet,Trick,Trichell,Trichel,Trevey,Trester,Treisch,Treger,Trefz,Tredwell,Trebbe,Treakle,Travillion,Travillian,Travaglio,Trauscht,Traube,Trapper,Tranum,Trani,Train,Towlson,Towlerton,Towey,Tovmasyan,Tousley,Tourtellotte,Toure,Toulson,Totin,Tosti,Tosado,Toruno,Torrisi,Torris,Torrent,Torrado,Torner,Torino,Torell,Topolansky,Tooze,Toot,Tontarski,Tonnessen,Tonneson,Tones,Tomisin,Tomilson,Tomasetti,Tolomeo,Tollman,Tolhurst,Tolchin,Tolbent,Toher,Toffton,Toepel,Toelkes,Todorovich,Todisco,Toczek,Tockey,Tochterman,Tobiasson,Tlucek,Titzer,Titman,Tise,Tippets,Tio,Tingwald,Timmel,Timbrook,Tilmon,Tijerino,Tigerino,Tigano,Tieken,Tiegs,Tiefenbrun,Tichacek,Tica,Thurmer,Thuotte,Thramer,Thoroughman,Thornock,Thorndyke,Thongchanh,Thomen,Thoe,Thody,Thigpin,Thielemier,Thi,Therres,Thal,Thakur,Tewes,Teves,Tesmer,Teslow,Tesler,Teruel,Terron,Terris,Terre,Terrasi,Terrace,Tero,Terman,Tereska,Teresi,Tepp,Teo,Tenzer,Tennille,Tennies,Tencza,Tenamore,Tejadilla,Tecklenburg,Techaira,Tayse,Tawwater,Tavolacci,Taverner,Taurino,Taulman,Taublee,Tauarez,Tattershall,Tatsuta,Tatsuno,Taschner,Tasby,Tarrats,Tarrants,Tarone,Tarley,Taraborelli,Taper,Tanniehill,Tanks,Tankard,Tangri,Tanequodle,Tamporello,Tamer,Tamburro,Tambunga,Taliman,Talib,Talas,Takala,Takach,Taiwo,Taibi,Taghon,Tagaban,Tadena,Taccone,Taccetta,Tabatabai,Szyszka,Szmalc,Szerszen,Szczepanik,Szarek,Szafraniec,Szafran,Szablewski,Syta,Sysyn,Syndergaard,Symanski,Sylvian,Syck,Swymer,Swoffer,Swoager,Swiggum,Swiat,Swetnam,Swestka,Swentzel,Sweetwood,Swedenburg,Swearingin,Swartzendrube,Swarm,Swant,Swancey,Sverchek,Svenson,Sutor,Suthoff,Suthar,Susong,Suskin,Surra,Surano,Supplee,Supino,Sundborg,Summons,Summerour,Sumers,Sultzer,Sulouff,Sulecki,Suhoski,Suhar,Sugerak,Suganuma,Suddoth,Sudberry,Sud,Stymiest,Stvrestil,Stuve,Sturrup,Sturmer,Stumer,Stuhlsatz,Stuenkel,Studier,Stuczynski,Stubbolo,Struebing,Struchen,Strozzi,Strowder,Strohbehn,Stroer,Strobridge,Strobeck,Stritmater,Strike,Strieter,Strickling,Streu,Streifel,Straugter,Stratakos,Strasburger,Straface,Straatmann,Stpeters,Stovel,Stoudenmire,Stotsky,Stothart,Storz,Stormes,Storman,Stoppel,Stooks,Stonelake,Stonebrook,Stombaugh,Stoltzman,Stolsig,Stolpe,Stoglin,Stoffle,Stodgell,Stocke,Stirna,Stipetich,Stinner,Stimpert,Stimer,Stilphen,Stikeleather,Stifel,Stiely,Stielau,Stieger,Stidman,Stickrath,Stickman,Stickels,Stgerard,Sternberger,Stergios,Stepien,Stepanski,Stent,Stenkamp,Stenehjem,Stempel,Stemmer,Stelb,Steiskal,Steinmuller,Steinmacher,Steinhorst,Steinhaus,Steinharter,Steinhagen,Steinburg,Steifle,Stefanick,Stefanich,Steeber,Stay,Stawarz,Stavropoulos,Staves,Staup,Stauch,Staubs,Stathopoulos,Stathis,Startz,Starowitz,Starowicz,Starkie,Starcic,Stanely,Standrod,Standahl,Stanczak,Stample,Stampka,Stamer,Stallins,Stalford,Stahoski,Stagger,Stader,Staack,Srsic,Srey,Squitieri,Spyres,Spuhler,Sprouffske,Sprosty,Sprinzl,Springle,Spoth,Spletzer,Spizer,Spitsberg,Spitale,Spiroff,Spirer,Spiotta,Spinola,Spingler,Spike,Spierling,Spickler,Sphon,Spettel,Sperle,Sperka,Sperberg,Speltz,Spaw,Spasiano,Spare,Spancake,Spagna,Sowerby,Sovern,Souvannasap,Southerly,Sous,Sourwine,Soult,Sotiriou,Sothman,Sota,Sortore,Sorley,Sorin,Sorells,Soratos,Soose,Soong,Sonsino,Sonnabend,Sonia,Songster,Sondrol,Sondergaard,Soltau,Solinski,Solinger,Solid,Sojda,Sohns,Softleigh,Soffel,Soffa,Sodaro,Sodano,Soda,Sobran,Sobczynski,Sneeden,Snater,Snair,Smoker,Smithingell,Smink,Smiles,Smialek,Smetak,Smejkal,Smeck,Smaldone,Sluyter,Slot,Slostad,Slingerland,Sliffe,Slemmer,Slawter,Slavinski,Slagowski,Slaff,Skuse,Skulski,Skornia,Skolfield,Skogstad,Skinkle,Skidgel,Skeffington,Skeets,Skeele,Skarupa,Skarphol,Skaare,Sjolander,Sjaarda,Sitts,Sitterud,Sitt,Sissell,Siprasoeuth,Sipper,Sipla,Sipkema,Sinning,Sinitiere,Single,Simmens,Simm,Simiskey,Simelton,Silverthorne,Silvernale,Silvan,Siliado,Silbaugh,Siket,Siker,Sigurdson,Signore,Sigers,Siffert,Sieving,Sieverding,Sietsema,Siering,Sienicki,Siemsen,Siemonsma,Siemering,Sielski,Siedlecki,Siebers,Sidbury,Sickman,Sickinger,Sicilian,Sible,Sibilio,Sibble,Shutler,Shurgot,Shuping,Shulda,Shula,Shrieves,Shreiner,Shreckengost,Shreck,Showes,Showe,Shoupe,Shoumaker,Shortey,Shorten,Shorrock,Shorkey,Shones,Shockency,Shoats,Shivel,Shipmen,Shinsel,Shindledecker,Shinabarger,Shiminski,Shiloh,Shillingford,Shigo,Shifman,Shiers,Shibuya,Shewchuk,Shettsline,Shetter,Shetrawski,Sheffel,Sheesley,Sheekey,Sheeder,Sheares,Shauger,Sharko,Shanna,Shankin,Shani,Shandley,Shanaa,Shammo,Shamlin,Shambrook,Shadow,Shackley,Sgambati,Sferrazza,Seydel,Sewald,Sevenbergen,Sevaaetasi,Seumanu,Seuell,Settler,Setterberg,Setera,Sesso,Sesay,Servoss,Servino,Serpe,Sermeno,Serles,Serena,Serapio,Senske,Semmler,Seminole,Semel,Selvaggi,Sellai,Selissen,Seling,Seleg,Seledon,Selbo,Selan,Sekuterski,Sekula,Seiwell,Seivert,Seise,Sein,Seils,Seier,Seidita,Seiberling,Seher,Segroves,Segoviano,Segel,Segee,Seftick,Sees,Seekell,Seegobin,Seebold,Sedlack,Sedbrook,Section,Secrease,Secore,Seckler,Seastrand,Seargent,Seacrist,Seachord,Seabrooke,Scudieri,Scrim,Scozzafava,Scotten,Sconce,Scircle,Scipioni,Sciarretta,Sciallo,Schwingler,Schwinghammer,Schwingel,Schwiesow,Schweinfurth,Schweda,Schwebke,Schwarzkopf,Schwander,Schwaller,Schwall,Schut,Schurkamp,Schunter,Schulder,Schuenemann,Schue,Schuckman,Schuchart,Schroff,Schoville,Schorzman,Schorder,Schooner,Schones,Scholler,Schofell,Schoewe,Schoeninger,Schoenhals,Schoenbeck,Schoefield,Schoberg,Schnittker,Schneidermann,Schneckloth,Schnebly,Schnathorst,Schnarrs,Schnakenberg,Schmitzer,Schmidbauer,Schmeeckle,Schmeckpeper,Schmandt,Schmalzried,Schmal,Schlinker,Schliep,Schlette,Schlesier,Schleig,Schlehuber,Schlarbaum,Schlaffer,Schkade,Schissel,Schindeldecke,Schimandle,Schiermeier,Scheunemann,Scherrman,Schepp,Schemmer,Schelp,Schehr,Schayer,Schaunaman,Schauland,Schatzel,Scharrer,Scharping,Scharpf,Scharnberg,Scharmer,Scharbor,Schalow,Schaf,Schader,Schacter,Scelfo,Scarpello,Scarlet,Scaringe,Scarduzio,Scamardo,Scaman,Sbano,Sayman,Saylee,Saxena,Sawdey,Sawada,Savitsky,Savickas,Savic,Savaglio,Sauriol,Sauret,Saulo,Satar,Sasportas,Sarvas,Sarullo,Sarsfield,Sarne,Sarmento,Sarjent,Sarellano,Sardin,Saputo,Santheson,Santellana,Santarsiero,Santago,Sansalone,Sanos,Sanna,Sanko,Sanker,Sanghani,Sangalli,Sandven,Sandmann,Sandhoff,Sandelius,Sandall,Sanchious,Sancedo,Sance,Sampogna,Sampilo,Sampayan,Sampaia,Sampaga,Samo,Samlal,Samela,Samec,Samad,Salzberg,Salway,Salwasser,Salveson,Salvemini,Salus,Salquero,Salowitz,Salizzoni,Salina,Salin,Salimi,Salgero,Salemi,Salato,Salassi,Salamacha,Salahubdin,Salada,Saintignon,Saintamand,Saines,Sahl,Saha,Sagona,Sagedahl,Saffel,Saemenes,Sadow,Sadlow,Sadger,Sacramento,Sackal,Sachtleben,Sabota,Sabot,Sabe,Sabata,Sabastian,Sabad,Rzepka,Ryzinski,Rytuba,Ryon,Rynes,Rykiel,Rykert,Rykard,Rydolph,Rydell,Ruzicki,Rutko,Rutenbar,Rustrian,Rusinski,Rushmore,Rushenberg,Rushen,Ruschak,Rury,Ruper,Ruotolo,Rummerfield,Rumer,Rumbolt,Rulon,Ruleman,Rufe,Rudo,Rudkin,Rudick,Rubinich,Rubidoux,Rubero,Roys,Rowman,Rovere,Rousu,Rouillier,Rotton,Rotondi,Rothenbach,Roszell,Rossotto,Rossmiller,Rossey,Roshannon,Rosenfeldt,Roscioli,Rosander,Rorrer,Rorex,Ropes,Ropac,Rooth,Roorda,Ronsani,Ronne,Rong,Ronfeldt,Rondy,Romp,Romon,Romness,Romm,Romera,Romeiro,Rombach,Romar,Romansky,Romagnoli,Rom,Rolson,Rojos,Rohanna,Rogstad,Rogillio,Rogg,Rogacki,Roffman,Roethle,Roeth,Roetcisoender,Rodibaugh,Roderiques,Rodenburg,Rodemeyer,Rodberg,Rockovich,Rocher,Roccio,Robeck,Robe,Robayo,Robar,Rizzardo,Rivie,Rival,Ritterbush,Ritchko,Ritchhart,Ristig,Rishty,Rippstein,Rippelmeyer,Rioseco,Ringwald,Ringquist,Ringham,Rinella,Rineer,Rimple,Rilling,Rill,Rijo,Riihimaki,Riglos,Riggens,Rigaud,Rigali,Rietz,Rietdorf,Riessen,Riesgraf,Rienstra,Riekena,Riedle,Riedinger,Rieb,Rickenbaker,Richcreek,Richbourg,Riccelli,Riberdy,Ribb,Rhodie,Rheome,Rheinhardt,Rezai,Reynalds,Reyman,Reyez,Rewenko,Reville,Revello,Revelez,Reul,Resue,Restuccia,Replenski,Reon,Rentar,Rensberger,Rens,Rennaker,Renell,Remson,Rell,Relacion,Rekuc,Reker,Reitler,Reischl,Reints,Reinoehl,Reinart,Reimund,Reimold,Reikowsky,Reiger,Reifman,Reicks,Reichler,Reichhardt,Rehling,Regos,Regino,Regalbuto,Reffner,Reents,Reenders,Reeks,Reek,Reeck,Redmer,Redican,Reddoch,Reddig,Reddicks,Redbird,Rectenwald,Recek,Rebillard,Rebich,Rebeck,Reagon,Raziano,Raymore,Ravenel,Ravel,Rause,Rauschenbach,Rauer,Rauchwerger,Ratelle,Rasinski,Rasbury,Rardon,Rapson,Rapkin,Raoof,Rannells,Ranke,Rangitsch,Rangasammy,Randt,Ran,Ramser,Ramsaroop,Ramsahai,Ramrez,Rampley,Ramirec,Ramesh,Ralbovsky,Rakoczy,Rakoci,Rajwani,Rajaratnam,Raiden,Rahmani,Ragno,Raghunandan,Ragas,Ragar,Rafuse,Radvany,Rados,Radmacher,Radick,Radecki,Raczynski,Rachell,Qureshi,Quirin,Quire,Quintona,Quinnett,Quinalty,Quiambao,Quella,Quatraro,Quartararo,Qualle,Qin,Pytko,Pyer,Pyanowski,Puzio,Pushcar,Purviance,Purtlebaugh,Pupo,Pulte,Pulse,Pullom,Pullings,Pullano,Pulkkinen,Puliafico,Pulfrey,Pujols,Puhala,Puchalla,Pucciarelli,Prutzman,Prutt,Pruneau,Prucha,Provitt,Protin,Prose,Proco,Proa,Prisk,Prioletti,Priode,Prinkey,Princiotta,Prich,Pribnow,Prial,Preyer,Prestino,Pressimone,Preskitt,Preli,Preissler,Prehoda,Predovich,Precise,Prazenica,Prawdzik,Prast,Pozzobon,Pozos,Powles,Pov,Poullard,Pouch,Potucek,Postert,Posten,Posson,Posa,Portuondo,Porten,Porst,Poree,Pora,Poque,Popiolek,Poot,Poock,Pongkhamsing,Ponessa,Pone,Poncio,Polumbo,Pollutro,Pollet,Pollen,Poljak,Polemeni,Pokswinski,Poisel,Poette,Poelman,Pody,Podewils,Podaras,Pocius,Pobanz,Plympton,Ply,Plush,Plume,Pluff,Plues,Plue,Plona,Plexico,Plew,Pleiss,Pleil,Pleasanton,Plattsmier,Plathe,Plankey,Plahs,Plagge,Placker,Placha,Pizira,Piwowar,Piwetz,Pittelkow,Pitta,Pithan,Pitcherello,Pisciotti,Pipilas,Pintea,Pinta,Pinkstaff,Pinkos,Pinc,Pilotte,Pillo,Pihl,Pignotti,Piggs,Pietrzyk,Piermont,Pieczynski,Piechowski,Piech,Pickersgill,Picetti,Picciuto,Piccinini,Picarello,Picardo,Picado,Piantanida,Pianka,Pian,Phothirath,Phippard,Philman,Philipson,Philavanh,Phelts,Phanor,Phanco,Pflughoeft,Pflugh,Pfliger,Pfeister,Pfeifle,Peyre,Peyatt,Pettine,Pettett,Petru,Petronio,Petricka,Petrak,Petko,Petitto,Petersson,Pesnell,Peshek,Pesh,Pescador,Perze,Perteet,Pertee,Pert,Perschbacher,Perruzzi,Perrish,Perrigan,Perriello,Perr,Perozo,Perlich,Perking,Perkes,Perfater,Perce,Pepez,Peon,Penunuri,Penuel,Penso,Pennisi,Penkins,Penkalski,Pendon,Pellon,Pellissier,Pelino,Pel,Peick,Peguese,Peggs,Pefanis,Peeters,Peedin,Peduto,Pedulla,Pedrozo,Pedrotti,Pedroncelli,Pedrogo,Pedri,Pedregon,Pederzani,Pedde,Pecukonis,Peckler,Pecka,Pecha,Pecci,Peatman,Peals,Pazo,Paye,Pawlusiak,Pawlitschek,Pavlosky,Pavlo,Paveglio,Paulman,Paukstis,Pauk,Patts,Patter,Patriss,Patneaude,Paszek,Paswaters,Pastula,Pastuch,Pastel,Passy,Passarella,Pasquin,Pasqualetti,Pasqual,Pascuzzi,Pasceri,Parviainen,Parral,Parolini,Parmele,Parma,Parlavecchio,Parfitt,Parez,Pardieck,Pardew,Parda,Paraz,Parat,Papay,Paparello,Papaioannou,Paolello,Pansini,Panelli,Panell,Pander,Pancholi,Panaro,Panagiotopoul,Palomarez,Palmrose,Palmisciano,Palmese,Pallotto,Palleschi,Palk,Palhegyi,Palenzuela,Paleaae,Palczynski,Palakiko,Palaia,Paith,Pagonis,Pago,Pagliuca,Pagliari,Paganini,Padovani,Padfield,Padamadan,Pacquette,Paco,Packwood,Pachero,Pachar,Pacewicz,Paasch,Pa,Ozols,Ozga,Ozenne,Oxman,Overpeck,Overbeek,Overbee,Oulette,Otsu,Otremba,Otool,Otar,Otanicar,Osumi,Osucha,Ostrov,Osthoff,Ostertag,Ostergard,Ostaba,Ospital,Ososkie,Osofsky,Osisek,Oshinsky,Orzalli,Orwin,Ortwein,Ortuno,Orts,Ortell,Orpen,Ornelaz,Orewiler,Ores,Ordones,Opunui,Oppenlander,Opoien,Opalka,Ooley,Ontko,Ondrey,Omura,Omtiveros,Omland,Olup,Olthoff,Olsten,Ollila,Olivia,Olinsky,Olinick,Oleksa,Olejarz,Oldakowski,Okoronkwo,Okins,Ohmer,Ohlsson,Oherron,Oheron,Ohanian,Oganesian,Ogaldez,Oest,Oehlenschlage,Oedekerk,Odon,Odekirk,Ocran,Oconor,Obrzut,Obrist,Obringer,Oborny,Oblander,Obi,Oberley,Oberer,Obeng,Oatridge,Oajaca,Nypaver,Nuzzi,Nuzback,Nuxoll,Nussbaumer,Nurmi,Nuhn,Nugen,Nuara,Nquyen,Nozicka,Noxon,Nowick,Nowaczyk,Novielli,Novembre,November,Novas,Noun,Notto,Notowich,Norzagaray,Norway,Northover,Northcross,Norem,Nordmann,Nordenson,Nolet,Nojiri,Nohel,Noethiger,Nodd,Nitzel,Nita,Nisbit,Nina,Nikas,Nigon,Niglio,Nighswander,Nighbert,Niemietz,Niedzielski,Niederkorn,Niederhaus,Niederer,Nicometo,Nicolaides,Nickolich,Nguyn,Neyra,Neymeyer,Newmon,Newgent,Newbery,Nevala,Neuweg,Neuhoff,Neuhauser,Neubecker,Nettik,Netters,Nestingen,Nesspor,Nerad,Nenez,Neldon,Neizer,Neives,Neils,Neiger,Neidich,Neibert,Negroni,Neemann,Needle,Neeb,Nedry,Nedley,Neas,Naze,Nazaroff,Nayes,Nayar,Nattress,Natonabah,Nassr,Nasseri,Nassef,Naso,Narkier,Naret,Nardini,Nardecchia,Naragon,Naputi,Napierala,Nanny,Nanke,Namdar,Naji,Naidoo,Nahm,Nahas,Nagelschmidt,Naes,Naegeli,Nacol,Naclerio,Nachor,Nabozny,Nabarrete,Nab,Myrlie,Mykins,Muzio,Mutolo,Muta,Mustoe,Muster,Muske,Muschamp,Muscarello,Musacchio,Murzycki,Murrufo,Murnan,Muraski,Murany,Murano,Munzer,Munis,Munion,Mumby,Mumbower,Mulrain,Mullinex,Mullineaux,Mullennix,Mullahey,Mukhtar,Muina,Muha,Muehlman,Muccigrosso,Mrozoski,Mozier,Mow,Mova,Moustafa,Mousser,Mouse,Mousa,Mouritsen,Mourad,Mottet,Motten,Motamedi,Mostowy,Mostafavi,Mosiman,Moscone,Moscicki,Mosbrucker,Morva,Mortinez,Mortel,Morsey,Morrin,Morren,Morosco,Morledge,Morla,Morisky,Morishita,Morisey,Morgia,Moretta,Morera,Morenz,Mordue,Mordhorst,Mordaunt,Morber,Morawa,Moravick,Morarity,Mooty,Mooser,Moock,Moochler,Montoure,Montooth,Montonez,Montierth,Monticello,Monteverde,Monterrano,Montella,Montecillo,Monsrud,Monsma,Monserrat,Monrreal,Monro,Monetti,Mondok,Mondella,Moncion,Monaldi,Moltz,Molon,Mollicone,Molle,Moliterno,Molinere,Molinary,Molesworth,Moh,Mogush,Mogren,Moellers,Moeck,Modert,Mockbee,Mocher,Mochel,Moc,Moberley,Moan,Moallankamp,Miyose,Miyata,Miyashita,Miyagi,Mitsuda,Misumi,Missel,Miskelly,Misiaszek,Mirzadeh,Mirto,Mirsch,Mirles,Miolen,Minzel,Minutillo,Minugh,Mintzer,Minskey,Minnaert,Minkoff,Miniard,Mingledorff,Minas,Minaai,Milly,Millinor,Millie,Millerd,Millea,Milkey,Milham,Milfeld,Mileham,Milas,Milar,Milak,Mikulski,Mihara,Mihalek,Mihalchik,Mihal,Mignot,Mignano,Mighty,Miesse,Mierzwinski,Micthell,Mickus,Mickolick,Mickiewicz,Michlin,Michelena,Micha,Miccio,Micari,Mezzatesta,Mewbourn,Meuse,Meurin,Metzker,Mettling,Metting,Metters,Metropoulos,Metevia,Mesteth,Mesko,Mesi,Meserole,Mervyn,Mernin,Mermelstein,Merling,Merli,Merkowitz,Merklin,Merkerson,Merica,Merendino,Mercury,Meray,Meranto,Merancio,Mensik,Mense,Menoni,Mennie,Mengsteab,Menes,Mend,Mency,Memolo,Meltz,Meling,Melen,Melcer,Melamed,Mekee,Meiste,Meise,Meinhard,Meierotto,Mehok,Meharg,Meginnes,Meenach,Medicus,Mediano,Media,Medell,Mede,Meddaugh,Meconi,Mech,Mearse,Meardon,Mealor,Meadville,Meachen,Mcvicar,Mcsparin,Mcrorie,Mcrobbie,Mcoy,Mcowen,Mcnorton,Mcnertney,Mcnamer,Mcnail,Mcmanamon,Mcmain,Mclyman,Mcleland,Mckirgan,Mckew,Mckevitt,Mckercher,Mckensie,Mckeegan,Mckeane,Mckahan,Mcinture,Mcindoe,Mcilvenny,Mcillwain,Mciff,Mcgwin,Mcguff,Mcgrotty,Mcgrone,Mcgrant,Mcgoogan,Mcglon,Mcgloin,Mcgiveron,Mcghehey,Mcghay,Mcgavin,Mcgahen,Mcfann,Mcelwaine,Mcelduff,Mceachron,Mcdilda,Mcdermid,Mcdannold,Mcdale,Mcculough,Mccuien,Mccrumb,Mccrorey,Mccreless,Mccravy,Mccourtney,Mccorrison,Mccorkell,Mccorey,Mcconney,Mcconnaughhay,Mccollester,Mcclurkan,Mccluer,Mccloudy,Mcclenaghan,Mcclave,Mcclarnon,Mcclarin,Mcclaney,Mcclanan,Mcclair,Mcchristion,Mccaskell,Mccartha,Mccarl,Mccamant,Mccalmont,Mccalman,Mccaine,Mccahill,Mccague,Mcbrown,Mcanany,Mcalvain,Mazzurco,Mazuc,Mazo,Mazingo,Mawhorter,Mavro,Mavraganis,Mautner,Mautino,Mauceli,Matzinger,Maturi,Matturro,Mattlin,Mattheis,Matsuoka,Matsuki,Matro,Matlack,Matice,Mathson,Matheu,Mathenia,Math,Matejka,Mateja,Matanane,Masztal,Mastropaolo,Mastromarino,Mastrolia,Mastel,Massy,Massoud,Massimino,Maslanka,Masini,Mascioli,Marzec,Marvier,Maruyama,Marusarz,Marum,Martorella,Martire,Martinkus,Martinas,Martiez,Marthe,Marteney,Marschall,Marruffo,Marrazzo,Marples,Marohl,Marn,Marlborough,Markunas,Marki,Marjan,Maritnez,Marinkovic,Marineau,Margaitis,Marentis,Mare,Marcou,Marciel,Marci,Marchiori,Marchello,Marchell,Marcelle,Marcelin,Marales,Mapel,Manzanarez,Mantilia,Mansmith,Manon,Mannschreck,Mannick,Mankiewicz,Mankel,Manila,Manifold,Manha,Mangrich,Mangiapane,Mangiamele,Manera,Mandes,Mandella,Mandelik,Mandaloniz,Mand,Mancusi,Mancine,Mana,Mamula,Mammoccio,Malzhan,Malzahn,Malsom,Maloon,Malnar,Mallone,Mallinson,Mallie,Mallek,Malle,Malinoski,Malinconico,Malicoat,Malicdem,Malhi,Malfatti,Malandrino,Malamud,Malakowsky,Makovec,Makey,Majercik,Majer,Majamay,Maisenbacher,Mainey,Mailey,Mailander,Mahuna,Mahomes,Mahoe,Mahnken,Maheras,Mahaxay,Mahana,Maham,Magnia,Magni,Magnanti,Magliano,Magliacane,Maglaughlin,Magistrale,Magierski,Maggini,Magano,Mafnas,Madren,Mador,Maderios,Madena,Maddron,Madan,Madalinski,Macmanus,Maclead,Mackowski,Mackinaw,Mackessy,Mackerl,Macker,Macivor,Machold,Machain,Macedonio,Macdiarmid,Macchiaroli,Macbean,Macayan,Macari,Mabin,Mabel,Lyter,Lyster,Lysne,Lynskey,Lyness,Lyndaker,Lymaster,Lykke,Lyell,Luxmore,Luttmer,Lutgen,Lusignan,Lupold,Lungstrom,Lunford,Lundeby,Lumbard,Lule,Lukaskiewicz,Luinstra,Luevand,Luer,Lueking,Luehrs,Luecking,Ludvigson,Ludgood,Lucich,Luchetti,Lubman,Lubic,Lozito,Lowhorn,Lowd,Loverich,Loveman,Lovas,Lovaas,Louvier,Louthen,Loury,Loukanis,Loughner,Loughnane,Louato,Lotshaw,Lother,Lothamer,Loter,Losinski,Losinger,Loshek,Losecco,Lortie,Lorin,Lorent,Lorello,Loras,Lorah,Lopau,Loosen,Lontz,Longpre,Longie,Loncaric,Lombrana,Lomba,Lohrey,Lohoff,Logghe,Loges,Lofstead,Lofft,Loertscher,Loeper,Loeblein,Lodato,Lochen,Lobbins,Lobban,Lizarrago,Livigni,Livernash,Liukko,Littich,Litterer,Littau,Litchmore,Lisy,Lissy,Lishman,Lischak,Lirag,Liptow,Lins,Linkhart,Linkert,Lingren,Lingelbach,Lingel,Lingad,Linet,Linegar,Linebrink,Lindroth,Lindeland,Lindboe,Linardi,Linard,Ligman,Liggans,Lifland,Liff,Lieuallen,Liesveld,Liess,Lienhard,Liehr,Liedy,Liedke,Liebau,Lidtke,Lidstrom,Licano,Libra,Leys,Leymeister,Lewerke,Lewand,Levoci,Leviton,Levien,Leveston,Leverenz,Levere,Levangie,Leuy,Leukuma,Lettman,Letran,Letlow,Lethco,Letersky,Lestronge,Lesso,Lessey,Leshem,Lerud,Leps,Leonesio,Leones,Lento,Lente,Lennertz,Lenior,Lenhard,Lenfest,Lene,Lendrum,Lempicki,Lemonier,Lemle,Lemkau,Lemings,Lem,Lelli,Lekas,Leitten,Leitheiser,Leino,Leiner,Leinenbach,Leidy,Leidich,Leid,Leich,Lehnhoff,Leh,Legum,Legoullon,Legeyt,Legalley,Legace,Lefton,Lefthand,Leforge,Lefore,Lefleur,Leerar,Leef,Leed,Ledl,Leddon,Ledain,Leckie,Lecates,Lebeouf,Leben,Lebeck,Lebeaux,Leban,Leaverton,Learman,Leardi,Leamy,Lazare,Lazarczyk,Layssard,Layson,Layhew,Layel,Laychock,Lawernce,Lavzon,Lavalla,Lauterborn,Laut,Lauseng,Lausen,Laurino,Lauri,Laurenzano,Laurenza,Laundry,Laumbach,Lauinger,Lauenroth,Latzke,Latulipe,Lattig,Latronica,Latouf,Latko,Latiker,Lathern,Laterza,Latchaw,Lataquin,Lasure,Lashomb,Lasell,Lasasso,Lartey,Larriva,Laro,Lardner,Lardieri,Laprarie,Lapping,Lapitan,Lapeyrolerie,Lapar,Lanzetta,Lantis,Lanka,Lani,Langshaw,Langmyer,Langin,Langerman,Langeland,Langbein,Landro,Landrian,Landmesser,Landmann,Landfair,Landesberg,Lanciotti,Lamprey,Lampey,Lamos,Lamora,Lamoine,Lamfers,Lambka,Lamance,Lamana,Laliotis,Lajza,Lajaunie,Lainson,Laher,Lahar,Lagrotta,Lagrant,Lagraize,Lagnese,Lafrazia,Lafountaine,Laflin,Lafaso,Lafarga,Ladage,Lacsamana,Lacrosse,Lacrone,Lachowski,Labruyere,Labrake,Labossiere,Laba,Laack,Kyzar,Kynard,Kwek,Kuzmin,Kuttner,Kusiak,Kuser,Kuse,Kurtzer,Kurtzeborn,Kurpinski,Kurohara,Kuroda,Kurnik,Kurihara,Kurdziel,Kurban,Kuras,Kupper,Kupferer,Kupec,Kunzelman,Kunkler,Kunin,Kunesh,Kumro,Kumpf,Kulon,Kulka,Kukucka,Kuk,Kuhse,Kuhls,Kuhlo,Kuhar,Kuerbitz,Kuenzi,Kuehneman,Kudron,Kuczenski,Kuchle,Kuchenmeister,Kuchenbecker,Kucan,Kubu,Kubsch,Kubiszewski,Kubish,Kubicz,Kubick,Kubaska,Kuarez,Ksiazek,Kshywonis,Krzykowski,Krzak,Krysl,Kruzewski,Kruzan,Krumrine,Krumins,Krucker,Kroupa,Krough,Krotz,Kronstedt,Kromrey,Krogstad,Krogmann,Kroeze,Kroetz,Kroc,Kristianson,Kristen,Kriser,Krips,Kringas,Kriete,Kreuter,Kretschmann,Kresha,Kreidel,Kregger,Kreatsoulas,Kratochwil,Krasovec,Krase,Krapf,Kranawetter,Krajnik,Kozubal,Koyanagi,Kowalkowski,Kovarovic,Kovalcin,Kou,Kotzen,Kotnik,Kostelecky,Kostek,Kostecki,Kostal,Kosse,Koslowski,Koskie,Kosicki,Koshar,Kosek,Kortright,Korpal,Kornhauser,Kormos,Korinek,Korgie,Kordsmeier,Kordish,Koral,Kops,Kopps,Kopperud,Koppang,Kopfer,Kopet,Kook,Konno,Konik,Konek,Konefal,Komm,Komis,Komer,Komarek,Kolsrud,Kolp,Kolopajlo,Kollmorgen,Kolis,Kolesnik,Koles,Kolding,Kohs,Kohlhoff,Kohatsu,Kohara,Koetter,Koestler,Koepsel,Koeppe,Koenigsman,Koelewyn,Koe,Kodadek,Koci,Kochler,Kocab,Kobylinski,Kobryn,Koberg,Knower,Knollenberg,Knock,Knizley,Kniss,Knies,Knezovich,Knesek,Knepel,Knehans,Kneeskern,Knaust,Knapke,Kmet,Kluz,Klukas,Kloska,Klopf,Klinglesmith,Klinekole,Klimes,Kliment,Klimaszewski,Klepfer,Klepacki,Klepac,Klemash,Kleinkopf,Kleinknecht,Kleimola,Kleiboeker,Klei,Klehn,Klegin,Klavuhn,Klauer,Klasinski,Klasing,Klarr,Klapec,Klaass,Klaameyer,Kjelland,Kiyuna,Kitching,Kistle,Kissi,Kishi,Kirvin,Kirtner,Kirovac,Kirnon,Kirkby,Kiritsy,Kirchgesler,Kippley,Kipping,Kinzig,Kins,Kinnare,Kinna,Kingcade,Kinatyan,Kimme,Kimbrow,Kimbril,Kilzer,Kiltz,Killmer,Killibrew,Killeagle,Kilger,Kiles,Kievit,Kientzy,Kielty,Kiekbusch,Kiehne,Kiefert,Khou,Khiev,Khat,Khare,Keywan,Keyt,Kevin,Keville,Kevern,Keuler,Ketola,Ketelaar,Kertis,Kerson,Kernen,Kerkman,Kerker,Keogan,Kenwood,Kenne,Kenaan,Kempler,Kempisty,Kempfer,Kempen,Kemmerlin,Kelter,Kelman,Kellie,Keliihoomalu,Keleman,Kekiwi,Keiswetter,Keiss,Keilty,Keidong,Kegel,Keets,Keeneth,Keefner,Kedzierski,Kebort,Keate,Keat,Kazmorck,Kazi,Kaz,Kawachi,Kaushiva,Kauk,Katzner,Katzmark,Katzen,Katsuda,Kats,Kater,Katen,Kasting,Kasserman,Kassay,Kassabian,Kasprowicz,Kasperek,Kasowski,Kasmir,Kaska,Kasik,Kascak,Karth,Karsnak,Karshner,Karsh,Karmel,Karlstad,Karley,Karins,Karimi,Karcich,Karch,Karapetyan,Karakas,Kapsalis,Kappeler,Kapke,Kaperonis,Kapahu,Kanthak,Kansky,Kansas,Kanoy,Kanno,Kannady,Kandarian,Kanai,Kanae,Kanaan,Kamphoefner,Kammler,Kaminetzky,Kaminaka,Kamienski,Kamaunu,Kamakea,Kama,Kaltefleiter,Kaloustian,Kaloi,Kallmeyer,Kalisch,Kalinski,Kaliher,Kalgren,Kalfas,Kales,Kalafatis,Kagle,Kadish,Kachermeyer,Kabina,Kaawa,Kaaua,Kaatz,Juvera,Jutte,Justen,Jusko,Juriga,Jure,Jungquist,Jungbluth,Juneja,Juncaj,Juliet,Juhas,Juenger,Juell,Jucean,Jubinville,Jovich,Jorres,Joris,Jore,Jonhson,Joneson,Jonassen,Jolissaint,Jointer,Johnny,Johengen,Johar,Joh,Joern,Jodway,Jobs,Joanette,Jirik,Jirasek,Jipson,Jinkerson,Jinkens,Jiminian,Jimeno,Jiau,Jevnikar,Jessel,Jerauld,Jephson,Jentzen,Jenkerson,Jenista,Jenifer,Jemmett,Jelovich,Jehlicka,Jeffris,Jedziniak,Jeantet,Jeanclaude,Jayme,Javor,Javaux,Jaurigue,Jaureguy,Jarvinen,Jarocki,Japp,Janszen,Jansons,Jans,Jankauskas,Janka,Janhunen,Janeczek,Jandrin,Janczewski,Janack,Jamir,Jakuboski,Jakubik,Jakubek,Jahnel,Jageman,Jaenicke,Jacquem,Jacquay,Jaconski,Jacobellis,Jablon,Iyo,Ivancevic,Iurato,Iulianetti,Itri,Issler,Isla,Isip,Ishmon,Ishizu,Isgrigg,Iseri,Iseli,Iseley,Isbrecht,Isassi,Isaiah,Irsik,Irias,Inzana,Intveld,Intrieri,Interdonato,Instasi,Inscho,Ingwell,Ingebretsen,Inga,Inda,Incle,Inabinett,Imus,Immordino,Imbesi,Imbach,Illsley,Illig,Ill,Ignowski,Idler,Idleburg,Ideue,Ibara,Ianuzzi,Ianniello,Iacovone,Hyter,Hyles,Hyle,Hykes,Hyams,Huxley,Hutch,Hustead,Huscher,Hurtz,Hurse,Hurren,Huret,Huotari,Huntress,Hunting,Hunstiger,Hunking,Humpries,Humbles,Hum,Hulvey,Hulcy,Huizinga,Huhman,Huhammad,Hufty,Huesso,Hueftle,Huebschman,Huebert,Hue,Hudmon,Huberman,Hubbartt,Hubach,Hsueh,Hrycenko,Hrabal,Hoxit,Howsare,Howman,Howitt,Howerter,Houlton,Houis,Hottman,Hotovec,Hostin,Hoshall,Hosfeld,Hoschek,Horwath,Horsely,Horsburgh,Horovitz,Hornstrom,Hornbarger,Horkley,Horka,Horey,Horeth,Hordyk,Horack,Hoppin,Hoppel,Hopfensperger,Hooey,Hooe,Honhart,Honga,Honeck,Homs,Hommell,Homles,Homen,Home,Holzner,Holzheimer,Holzem,Holsopple,Holsman,Holowell,Holliway,Holizna,Holesovsky,Holderbaum,Holbach,Holan,Hoit,Hoist,Hohenbrink,Hoger,Hofmans,Hofheimer,Hoffhines,Hofbauer,Hoesing,Hoeschen,Hoerter,Hoepfner,Hoemann,Hodgeman,Hockersmith,Hochadel,Hobock,Hobel,Hluska,Hlavac,Hisrich,Hirsbrunner,Hirpara,Hire,Hinners,Hindbaugh,Himenez,Hilles,Hilleary,Hillanbrand,Hillan,Hildner,Hilding,Hilderbrandt,Hiland,Hightree,Highnote,Highberger,Higgason,Higaneda,Hidinger,Hickock,Heymann,Heusinkveld,Heusel,Heuring,Hettler,Hesseltine,Hesselink,Hesford,Herth,Herskovits,Herschell,Heroman,Hernton,Herne,Hernandaz,Hermez,Hermanstorfer,Herling,Herke,Herimann,Heriford,Hergenrader,Herforth,Herdes,Hercher,Herceg,Herbick,Hentze,Henniger,Henney,Henness,Hennegan,Henkes,Heneisen,Henderickson,Henard,Hemrick,Hemric,Hempton,Hemp,Hemme,Hemeon,Hembry,Hembrough,Hembrey,Helstad,Helmus,Hellings,Hellgren,Helie,Helgert,Helgerman,Helger,Helgason,Helfinstine,Helfgott,Helfenstein,Heldreth,Helander,Heitzmann,Heisserer,Heising,Heisel,Heinold,Heinis,Heinemeyer,Heimark,Heiliger,Heiderman,Heidenescher,Heidebrink,Hehir,Hegan,Heersink,Heep,Hedquist,Heckford,Hebets,Heberly,Heberle,Hebenstreit,Heavilin,Heartz,Heaphy,Heany,Hazer,Hazelgrove,Haynsworth,Haydock,Hawelu,Havnen,Havely,Hauss,Hausam,Haumesser,Hauman,Haulk,Hauley,Haubrick,Haubner,Hattman,Hatman,Hatherly,Hatchcock,Hastert,Hassenplug,Hasko,Haser,Haselhuhn,Hasberry,Has,Harthorne,Harthcock,Harriett,Harouff,Harootunian,Harkavy,Harell,Hardridge,Hardacre,Harborth,Haraguchi,Haptonstall,Happenny,Hantman,Hanses,Hannemann,Hannay,Hannafin,Hanle,Hangartner,Handerson,Hanberg,Hamzik,Hamstra,Hammans,Hamano,Halsema,Halonen,Halim,Halek,Haleamau,Halama,Hakeem,Hainley,Hagley,Hagist,Hagie,Haggberg,Haggan,Hagele,Hafenstein,Hafemeister,Hady,Hadges,Hadef,Hackey,Hach,Habbyshaw,Haaga,Haab,Gysin,Gwirtz,Guzzio,Guzzardo,Guzma,Gutzmann,Gutta,Gutermuth,Guterman,Gutenberger,Gurganious,Gural,Guppy,Gunzalez,Guntert,Gums,Gumb,Gullotta,Gullixson,Gulling,Gullace,Guler,Gulbransen,Guitian,Guinta,Guinasso,Guilboard,Guichard,Gugliotta,Guglielmina,Guggenheim,Gugel,Guetierrez,Guethle,Gueth,Guerrido,Gueits,Gudenkauf,Gucciardo,Guarnera,Guadagnolo,Gsell,Gschwend,Grush,Grupp,Grundmann,Grunau,Grueninger,Gruca,Groupe,Grotzinger,Grotheer,Grossmeyer,Grossetete,Grossack,Gromer,Groenke,Groening,Groehler,Groebner,Grochmal,Groby,Grobes,Gritman,Griswould,Grisset,Grime,Griffo,Griesinger,Greuel,Greth,Gressman,Gremel,Greiwe,Greis,Greil,Greife,Greider,Grefrath,Greff,Greenmyer,Greany,Grazioplene,Gravlin,Gravito,Gravert,Grav,Grater,Grap,Granzin,Grannum,Granlund,Grando,Grammes,Gramley,Grambo,Grala,Grahl,Gradwohl,Gradillas,Gradert,Graciana,Grabner,Grabinski,Grabinger,Grabel,Graaf,Gouzy,Gouger,Gottron,Gottardo,Gothro,Gosso,Gossi,Gorringe,Gorneault,Gorn,Gormly,Gorenflo,Goral,Gopen,Goosey,Goodnoe,Goodie,Goodhile,Goodfield,Goodard,Gonneville,Gongalez,Gondola,Gompf,Gommer,Gollehon,Golie,Golebiewski,Goldinger,Goldhaber,Goldfeder,Goldbaum,Golaszewski,Gojcaj,Gogerty,Goettsche,Goethe,Goessl,Godson,Godbe,Gochanour,Gocha,Gnau,Gnatek,Glud,Glorius,Glordano,Gloodt,Glod,Glinka,Glime,Gleim,Gleicher,Glazewski,Glay,Glasford,Glascott,Glanzman,Glahn,Gladish,Gjerde,Gizinski,Gitzen,Girsh,Girote,Girman,Giovino,Giovanini,Giorgini,Ginty,Ginsky,Ginnings,Gingues,Gingg,Ginger,Giner,Gimm,Gilruth,Gillund,Gillenwaters,Gilday,Gilcrest,Gilcher,Gilani,Gigstad,Giernoth,Gienger,Gidaro,Giczewski,Gibas,Giarratano,Giantonio,Giannitti,Giannetti,Giampapa,Giacopelli,Giacone,Giacomelli,Gherman,Ghera,Ghan,Gevorkyan,Gettig,Getchman,Gesinski,Gerundo,Gershenson,Gerraro,Gernert,Germundson,Gerloff,Gergel,Gerdeman,Gerdel,Geraldo,Geraldes,Georgopoulos,Georgis,Georgevic,Georgeson,Genzel,Genung,Gentzler,Gentili,Genich,Gelzinis,Geiken,Geidner,Geidl,Gehrer,Geho,Gehlbach,Geeding,Gedye,Geberth,Geathers,Gearan,Gealy,Gazzola,Gazella,Gawrych,Gavidia,Gautam,Gaumont,Gaudenzi,Gaucher,Gaubert,Gattas,Gatley,Gaters,Gatchalian,Gassel,Gasman,Gaslin,Garufi,Garriepy,Garrell,Garrand,Garnto,Garns,Garno,Garlinger,Garivay,Garhart,Gardino,Garcea,Garbin,Garaventa,Garavaglia,Garahan,Garafano,Garacia,Gapen,Ganiron,Ganino,Ganim,Gangwish,Gange,Ganes,Gandia,Gandeza,Gamlin,Gamelin,Galway,Galow,Gallob,Gallishaw,Gallinaro,Gallicchio,Gallese,Gallero,Gallegas,Galeoto,Galeas,Galbreth,Galbavy,Galavis,Galam,Gajate,Gair,Gagney,Gagel,Gagarin,Gaete,Gaetani,Gadbaw,Gack,Gabrysch,Gabardi,Fyksen,Futrelle,Furl,Furches,Furbeck,Funnye,Funicello,Fumagalli,Fullford,Fulginiti,Fulenwider,Fulena,Fugler,Fuerstenberge,Fuentas,Fucillo,Fuapau,Fryberger,Frusciante,Fruehling,Fromberg,Froeschle,Frock,Fritzgerald,Fritcher,Frisbey,Frihart,Frieling,Friedler,Frie,Fridell,Freuden,Freud,Frett,Frend,Freiling,Freije,Freie,Freidman,Freibert,Fregozo,Freehling,Fredo,Fredlund,Fredley,Frede,Freberg,Frayre,Fraunfelter,Frascella,Franssen,Frankowski,Francour,Francom,Francillon,Francey,Fraioli,Fracassa,Fostervold,Fossey,Foshay,Foscue,Forsell,Forrister,Forren,Fornicola,Fornes,Forgie,Forbs,Foppe,Foore,Fontecchio,Fongeallaz,Follick,Folio,Foder,Flyzik,Fluhman,Fluet,Flow,Floto,Floros,Floriano,Floren,Floran,Floerke,Flitcroft,Flipp,Flintroy,Fleschner,Flenner,Fleeting,Flamio,Flaggs,Flagge,Fjeseth,Fithen,Fissell,Fischman,Fire,Fioranelli,Finseth,Finocchiaro,Finerty,Fineman,Finchman,Filyaw,Filipovich,Filas,Figler,Figge,Fiers,Fiereck,Fidell,Ficorilli,Fico,Ficks,Fickle,Fialkowski,Feyen,Fetz,Fetsko,Ferullo,Fertitta,Ferriman,Ferrebee,Ferrand,Ferrales,Fernelius,Fernberg,Ferioli,Fergoson,Ferenc,Fereira,Fequiere,Fennema,Fenelus,Fenelon,Feneis,Femrite,Feltenberger,Felsenthal,Fels,Felmet,Felgenhauer,Felarca,Feiteira,Feirer,Feinen,Feigenbaum,Fehlinger,Federle,Fecko,Feavel,Featheringham,Fayer,Faxon,Faurrieta,Faull,Fatone,Fatigate,Fasy,Fasula,Fassio,Fass,Farwick,Farrill,Farquer,Farmwald,Fantozzi,Fanoele,Fannell,Fanizza,Fandrich,Fallo,Fallago,Faist,Faines,Faine,Fahrendorff,Faggard,Faessler,Fadale,Fabrizi,Eychaner,Exon,Exilus,Ewig,Evitts,Evinger,Everheart,Everhardt,Eveleth,Eveleigh,Eurbin,Esworthy,Estus,Estock,Esterbrook,Essler,Esque,Espina,Espalin,Eschenburg,Eschberger,Esbenshade,Ertley,Erstad,Erp,Eroman,Erno,Ermatinger,Erkkila,Erkela,Eriquez,Erin,Ericks,Erdahl,Ercolani,Equils,Eppinette,Eon,Enter,Enke,Engley,Englebrecht,Engleberg,Englar,Engelstad,Engelsman,Engellant,Ence,Emslie,Empie,Emoto,Emons,Emley,Emile,Embly,Embler,Emanuelson,Emal,Elzinga,Elwer,Elvis,Elvington,Elshere,Elmquist,Ellout,Ellifritz,Ellerd,Ellerbusch,Elizando,Elizabeth,Elick,Eliasen,Elgert,Elger,Elena,Elbers,Ekstein,Ekmark,Eiser,Einck,Eimers,Eilert,Eidinger,Eicke,Ehsan,Ehn,Egleton,Egel,Effner,Ednilao,Edner,Edmons,Edmister,Edmison,Edlow,Edholm,Edgeman,Edgcomb,Edell,Edelblute,Eclarinal,Eckroad,Echave,Ebesu,Eberwein,Ebeid,Ebe,Ebbing,Eastlund,Eary,Earps,Dzuro,Dziuban,Dysinger,Dyner,Dymek,Dyll,Dyl,Dydell,Dwelle,Dwan,Duvernois,Dutson,Dutro,Dutchover,Dusky,Duskey,Dusik,Dushkin,Dushane,Durrani,Duroseau,Durnford,Durk,Durepo,Duranceau,Duprat,Duplechin,Duperry,Dunscomb,Dunkleberger,Dung,Dunegan,Dundlow,Dumpson,Dumphy,Dumpert,Dumesnil,Dullum,Duldulao,Dular,Dukart,Duhan,Dugdale,Dugat,Duffney,Duesing,Duenow,Duce,Dubson,Drzewicki,Druetta,Drube,Drozdenko,Drop,Drohan,Drivers,Drinski,Driever,Drewer,Dressen,Drehmer,Drawe,Drapkin,Draney,Drahota,Dowers,Dowdall,Dovenbarger,Dousay,Douin,Doughan,Doucett,Douce,Dorshimer,Dorsaint,Dorries,Dorosky,Dorl,Dorich,Dorenfeld,Dorcelus,Dool,Donoso,Donnick,Donnely,Donart,Donalds,Donaghey,Donaghe,Dominges,Domebo,Dollings,Dolejsi,Doggette,Doell,Dockwiller,Dockal,Dobosh,Dobis,Dobiesz,Dluhy,Dixons,Divin,Diventura,Divenere,Divelbiss,Dittrick,Ditommaso,Dirosa,Dircks,Diogo,Diodonet,Dinning,Dininno,Dimodica,Dimitroff,Diminno,Dimassimo,Dillie,Dilan,Digsby,Digrande,Digmann,Digirolomo,Digian,Digiacinto,Dietzen,Dietlin,Dietert,Diersen,Dienst,Dieffenbach,Dicorcia,Dickhaut,Diberardino,Diab,Dhein,Dhar,Dhamer,Dezan,Dez,Dewispelaere,Dewhirst,Devonish,Devincenzo,Devillez,Devany,Devalcourt,Deubler,Dettori,Detone,Detommaso,Detoma,Desue,Destree,Destephen,Desso,Desselle,Desimoni,Desadier,Derham,Derfler,Dercole,Derasmo,Depugh,Deporter,Depolito,Depa,Deninno,Deni,Denenberg,Denaro,Denardis,Demry,Demro,Demmel,Demme,Demiel,Demeritte,Demarzio,Demaline,Demaine,Deluco,Delton,Delsordo,Delosa,Delongis,Delois,Deloff,Delmuro,Delmoro,Delmonaco,Delmage,Dellen,Dellaripa,Dellamore,Delhierro,Delfuente,Deleppo,Delemos,Delea,Delcarmen,Delaura,Delanuez,Delang,Delamarter,Delamare,Delage,Delacuesta,Dekorte,Dekenipp,Dekany,Deinhardt,Deily,Deierlein,Degravelle,Deglow,Degler,Degiulio,Defoore,Defonce,Deflorio,Defiore,Defilippi,Deed,Dedeke,Dedecker,Dedaj,Decost,Decillis,Dechellis,Dechaine,Decarr,Decaprio,Debutiaco,Debski,Debry,Debruhl,Debouse,Deblase,Debey,Debenedetti,Debacker,Deang,Deandrade,Deadmond,Deacy,Daykin,Dayhuff,Dayal,Davion,Davidsen,Dautremont,Daughrity,Daubs,Datwyler,Datko,Dasmann,Daruszka,Darugar,Darroch,Daro,Darkis,Daricek,Daras,Dar,Dapoz,Dapinto,Danuser,Danoff,Dankmeyer,Danesi,Danesh,Daneker,Dammen,Damien,Damberger,Dalmoro,Dallmier,Daller,Dalka,Daliva,Dahline,Dahlhauser,Daguerre,Dagrella,Dagraca,Dagesse,Dage,Daehn,Dado,Dabbraccio,Dabato,Czolba,Czepiel,Czelusniak,Czechowski,Czarny,Czar,Czapski,Cywinski,Cyran,Cypret,Cwiek,Cuzzort,Cuzzi,Cutty,Cutrone,Cuthrell,Cuthill,Cutbirth,Custeau,Cushingberry,Curvey,Curson,Currell,Curly,Curll,Curdy,Curcuru,Cupstid,Cuoco,Culverson,Culnane,Culliver,Cullivan,Culleton,Cuddeback,Cuckler,Cubillo,Cubias,Cua,Cryar,Crutsinger,Crusan,Crupe,Crummie,Cruice,Cruea,Crowthers,Crowers,Crowdis,Crovo,Croson,Crosno,Crosdale,Cronwell,Cronon,Crocetti,Crnich,Cristal,Crisson,Crismond,Crighton,Cridland,Crickard,Creten,Cretella,Crespino,Cremins,Cremers,Creehan,Creecy,Credell,Cranney,Cranker,Craker,Craffey,Cozzy,Coyazo,Coxum,Cowdin,Covino,Coven,Courtenay,Course,Courier,Courchene,Coup,Couley,Couchenour,Cotugno,Cottongim,Cotti,Cotillo,Costine,Costain,Cosmo,Coslan,Cose,Coryea,Cortwright,Corsoro,Corrente,Correl,Cornford,Corneluis,Cornelious,Corneau,Corne,Corkins,Corippo,Corgiat,Coreil,Cordwell,Cordovano,Cordill,Cordano,Corazza,Coran,Coppess,Coonrad,Coonfare,Coomber,Cooksley,Cookis,Coodey,Contrino,Contee,Consorti,Console,Conorich,Conole,Connoly,Connley,Connington,Connie,Conness,Conly,Conkright,Coner,Conchas,Comrie,Compston,Compagno,Comnick,Commiskey,Commer,Comiso,Comish,Comden,Colondres,Collica,Colleen,Colle,Collaer,Colinger,Colford,Colao,Colanero,Cohens,Cofresi,Coerver,Cockriel,Cockran,Cockerell,Cobham,Cobert,Cobern,Cobell,Clunie,Clubs,Clubbs,Cloutman,Clise,Clippinger,Clerkley,Cler,Clemmens,Clemen,Cleare,Cleamons,Claycamp,Clawges,Claverie,Clarkston,Clarity,Clantz,Clakley,Clain,Cizek,Ciuffreda,Citrone,Ciraco,Cinotto,Cini,Cinadr,Cilento,Cilano,Cihon,Ciganek,Cieslinski,Cicoria,Cicco,Cibula,Ciarrocchi,Ciak,Ciafardoni,Chubbs,Chrzan,Christophel,Christoph,Christoforou,Christel,Christan,Chreene,Chrabaszcz,Chrabasz,Chowhan,Choules,Chorney,Chorley,Cholico,Cholewinski,Cholakyan,Chojnowski,Chlebek,Chittam,Chiszar,Chisam,Chirafisi,Chiprean,Chinetti,Chimes,Chiera,Chicon,Chiarelli,Chiaravalle,Chiappetta,Chesner,Cheser,Chesbrough,Cherubino,Cherrette,Cherpak,Chelf,Cheesebrough,Cheeney,Cheely,Chean,Cheak,Chavana,Chauvette,Chatt,Chasser,Chaskey,Charriez,Chappie,Chappelear,Chapparo,Chapek,Chanoine,Chandley,Challenger,Challberg,Challacombe,Chaleun,Chainey,Chaffey,Cetta,Cerza,Cervenak,Certosimo,Cerruti,Cerqueira,Cernohous,Cereceres,Ceovantes,Ceo,Centrich,Centore,Cellucci,Ceglinski,Ceconi,Cecilio,Cecchinato,Cecchi,Cazorla,Cayne,Cayabyab,Cavill,Cavicchia,Cavez,Cavener,Cavasos,Cavaness,Cavalcante,Caulk,Caudel,Cattano,Catrett,Catlow,Catella,Cataquet,Catalino,Cataline,Catalanotto,Catalanatto,Cata,Castenanos,Castelo,Cassiday,Casparian,Casillo,Casewell,Casarrubias,Casalman,Casal,Carvalno,Carskadon,Carrus,Carrison,Carriker,Carrazco,Carratala,Carpanini,Carovski,Caroli,Carne,Carmella,Carlis,Carfagno,Carethers,Carella,Cardonia,Cardno,Carda,Carcieri,Carcano,Carcana,Carboneau,Carbon,Caravantes,Carattini,Caramanica,Capriola,Cappelluti,Capossela,Caponi,Caperon,Caper,Capati,Cantv,Cantore,Cantell,Cantatore,Cantarella,Cantadore,Canslor,Canonico,Cannonier,Cannone,Cannavo,Cannatella,Cangiano,Campoli,Campellone,Campean,Campanile,Camera,Camcam,Cambel,Calta,Callsen,Callarman,Calicott,Calhaun,Calegari,Calco,Calciano,Calabretta,Cake,Cairone,Cahela,Cagliostro,Caflisch,Cafferky,Caetano,Cadice,Caddle,Cadarette,Cackowski,Caccia,Cabrena,Cabotaje,Caborn,Caberto,Bystrom,Byndon,Buzek,Buysse,Bux,Buttrick,Buttaro,Butscher,Butsch,Butor,Butman,Buteux,Butchee,But,Bustard,Busta,Bussy,Busson,Bussing,Bussa,Busi,Buseman,Buschner,Buscaglia,Burttram,Burth,Bursch,Burnsworth,Burland,Burkowski,Burglin,Burgdorfer,Burdman,Burau,Buran,Burakowski,Buquet,Buonomo,Buntyn,Bungo,Bunche,Bunal,Bult,Bulliner,Bullaro,Bulkeley,Bulcao,Bula,Buisson,Buissereth,Bugni,Buetow,Buesgens,Budziszewski,Budinich,Buddington,Buchtel,Buchli,Buchert,Buchar,Buben,Brzuchalski,Brummell,Brull,Brudnicki,Brucz,Bruchman,Brubach,Brownwood,Browen,Browe,Brossett,Brosco,Brookshear,Brookfield,Bronstad,Bronsky,Bronaugh,Bron,Brohawn,Brogna,Brodzik,Brodsho,Brodowski,Brodnicki,Brodell,Brod,Brockney,Broas,Broadrick,Briz,Britschgi,Brint,Brinich,Bringard,Brindamour,Brincat,Brimfield,Brillant,Brilhante,Brihon,Brignoni,Brightful,Briggman,Bried,Brickle,Brickel,Brezeale,Brewen,Breutzman,Bretado,Brester,Bresko,Brennon,Brennaman,Breniser,Brendon,Brems,Breisch,Breidenstein,Brechtel,Brea,Brazington,Brazen,Brayer,Brawer,Bravata,Braune,Braunbeck,Braue,Braucht,Braseth,Brantly,Branter,Branski,Brandler,Bramham,Brahney,Bradac,Brackley,Brackey,Brackemyre,Brach,Boyarsky,Bowlan,Bowhall,Bowdre,Bovie,Bouyea,Boustead,Bourgeault,Bounthapanya,Boultinghouse,Bouillon,Boudrie,Boudinot,Bottgenbach,Bottari,Botos,Bothof,Botha,Bosten,Bostelmann,Bossley,Bossick,Bossen,Bosquet,Boscio,Bosche,Bosa,Borski,Borsh,Borowik,Borom,Borke,Borgerding,Borgatti,Bordwine,Booser,Bookbinder,Bookard,Boock,Bonte,Bonomi,Bonning,Bonito,Bonillas,Bondura,Bombich,Boltinghouse,Bollozos,Bolliger,Bollie,Bolka,Bolitho,Boldenow,Bolch,Bolay,Boissoneault,Boisjolie,Boisclair,Boie,Bohrman,Bohley,Boglioli,Boghosian,Boggus,Boggiano,Bogden,Boey,Boesenhofer,Boerst,Boerma,Boenisch,Boemig,Boebinger,Boday,Bodamer,Bocklage,Bocchini,Bobseine,Bobian,Boberg,Bobek,Blyler,Blumenstein,Bloyer,Blotter,Blore,Blomme,Blomdahl,Bliske,Blinston,Bliek,Blessman,Bleggi,Bleeker,Bledsaw,Blauch,Blaskovich,Blankley,Blankenberg,Blanken,Blakelock,Blaida,Bjorgen,Biven,Bitzel,Bittman,Bitonti,Bissen,Bisom,Bisher,Birman,Birky,Birkes,Bippus,Bintz,Bintner,Bintliff,Binnie,Binks,Binkiewicz,Binienda,Bingley,Bilotto,Billheimer,Billen,Billeck,Billeaudeau,Bilinski,Bilello,Bild,Bihari,Bigda,Biez,Bierwirth,Bierle,Bierbower,Bienenstock,Biemer,Bieler,Bielak,Bidle,Biddleman,Biddiscombe,Bicknese,Bickerton,Bickelhaupt,Bichsel,Bibles,Bibian,Biase,Biancuzzo,Biancaniello,Biamonte,Bia,Bhatnagar,Bhardwaj,Bhan,Beyett,Bewig,Beuchat,Better,Betsill,Bethey,Betenbaugh,Betance,Betacourt,Beske,Besendorfer,Besemer,Besco,Bery,Bertran,Bertling,Bertie,Bernson,Bernosky,Bernon,Berninger,Bernes,Bernecker,Bernasconi,Bernardin,Berlo,Berliew,Berky,Berhe,Berhalter,Bergsjo,Bergholm,Bergener,Bergeman,Beraun,Benward,Benusa,Bense,Bennage,Benischek,Benion,Beninato,Bengel,Benedek,Bene,Bendzus,Bendler,Bendit,Benderman,Benberry,Benallie,Bemrich,Belyea,Beltrain,Belter,Bellue,Bellocchio,Bellisle,Bellipanni,Bellion,Bellessa,Bellavia,Belay,Bejjani,Beisser,Beiriger,Beik,Beien,Behymer,Behrenwald,Behanna,Beed,Beechum,Beechner,Bednarik,Bednarek,Bedenbaugh,Becwar,Beckton,Beckom,Bech,Bebo,Beatie,Beat,Bearman,Beaner,Beakley,Beahan,Beachamp,Bazzi,Bayman,Bayardo,Bayala,Bawcum,Bavier,Bauswell,Baures,Baune,Baumgarter,Bault,Baughey,Baugatz,Bauernfeind,Bauerlein,Bau,Batun,Battistone,Batteen,Batko,Batistich,Bater,Batcheller,Batarse,Bastow,Bassuk,Bassolino,Bassel,Bason,Basilone,Basich,Bascle,Bascetta,Bartush,Bartrum,Bartlet,Barthelmes,Bartberger,Bartash,Barsoum,Barsanti,Barrott,Barrom,Barriner,Barnhurst,Barnell,Barkle,Barkes,Barillaro,Bargerstock,Barganier,Baremore,Bardney,Barda,Barbot,Barbie,Barayuga,Barager,Bantz,Bandulin,Banasiak,Balzarini,Balwin,Balton,Balsiger,Balmos,Balmir,Ballestero,Ballek,Balick,Balian,Balestra,Balensiefen,Balduf,Balckburn,Balasa,Balafoutas,Baksi,Bakowski,Baklund,Bakko,Bakey,Bakanauskas,Baj,Baio,Bainard,Baima,Baillet,Baich,Bahrmasel,Bahrke,Bahoora,Bagsby,Bagger,Badena,Badders,Backfisch,Bacik,Bachler,Bachleda,Bachhuber,Bachert,Babiracki,Baatz,Azzarito,Azzarella,Azulay,Azotea,Azeem,Ayoob,Ayola,Ayles,Ayersman,Ayaia,Axthelm,Ax,Awtry,Avrett,Avilar,Aveni,Avellino,Aurelia,Aumend,Auletta,Augustson,Augustave,Aughe,Auerswald,Aubrecht,Athalone,Atanacio,Atamian,Astrologo,Astrella,Aspinall,Asman,Ashlin,Ashenfelter,Aschenbrener,Ascheman,Ascenzo,Asante,Asa,Arvayo,Artmann,Artice,Art,Arslan,Arrott,Arrojo,Arrizola,Arriano,Arrendell,Arps,Aronstein,Aronow,Aronica,Arntz,Arnst,Arnio,Arne,Armengol,Armantrout,Arlt,Arkadie,Arjune,Arismendez,Arimas,Aries,Ariel,Argandona,Arflack,Areola,Arenales,Ardman,Arciga,Arciba,Archacki,Arcaro,Arcano,Arbogust,Arauz,Aranas,Aquil,Aquero,Apresa,Appiah,Appert,Apostal,Apodace,Apadoca,Antrobus,Antoniuk,Antione,Antinarelli,Antich,Anslow,Ansbro,Annicchiarico,Angleberger,Angelson,Angello,Andruzzi,Androsky,Androlewicz,Andrion,Andringa,Andracki,Andra,Ancelet,Anastas,Anast,Anagnost,Amsley,Amsdell,Amsberry,Amsbaugh,Amoruso,Amoa,Amici,Amesbury,Ambrosia,Ambrogi,Amack,Alvia,Alvaro,Alvanas,Altrogge,Altomare,Altmire,Altenbach,Alsheimer,Alquisira,Alouf,Aloisi,Aloe,Almiron,Allford,Allex,Allery,Allenbach,Allegrucci,Alig,Alicuben,Alfisi,Alferez,Alfandre,Alf,Alexion,Alevras,Alessandrini,Alesi,Alescio,Alegre,Alea,Aldecoa,Alcini,Albrittain,Albrashi,Alawdi,Ala,Aksamit,Akima,Akel,Akahi,Ajose,Ajayi,Aivao,Aiu,Ainge,Ailshire,Aidt,Aicklen,Ahuja,Ahr,Aholt,Agle,Agamao,Affeld,Aeschbacher,Aeling,Adriance,Adkin,Adhami,Adeyemo,Ades,Adelgren,Addicks,Adamitis,Ada,Acor,Acimovic,Accomando,Accola,Acampora,Abuaita,Abshear,Abrantes,Abramovich,Abrachinsky,Abilay,Abellera,Abeles,Abdula,Abdon,Abbed,Abati,Abascal,Aavang,Aadland,Zylka,Zwolak,Zwingman,Zwerschke,Zwack,Zurin,Zupp,Zumbrunnen,Zukoski,Zukor,Zukas,Zuanich,Zoumis,Zoulek,Zou,Zorra,Zorich,Zomorodi,Zolty,Zolondek,Zolnoske,Zoldesy,Zoldak,Zocklein,Zlotnik,Ziraldo,Zipf,Zinsli,Ziniewicz,Zindell,Zin,Zimmerebner,Zimmel,Zimm,Zills,Zilla,Zilka,Zietz,Zietlow,Ziemski,Zielesch,Zieler,Zieglen,Ziegenbein,Ziegelbauer,Ziegel,Ziech,Zicker,Zicherman,Zich,Ziccardi,Zgoda,Zeschke,Zerko,Zerhusen,Zepka,Zents,Zeni,Zeme,Zematis,Zema,Zella,Zelkin,Zelenski,Zeilinger,Zeidan,Zegarelli,Zeanah,Zdon,Zbikowski,Zazula,Zavesky,Zavasky,Zaruba,Zarrineh,Zarrillo,Zarraluqui,Zarling,Zaring,Zaretsky,Zarebski,Zanini,Zanin,Zangl,Zaner,Zand,Zampieri,Zaltz,Zaloudek,Zall,Zalk,Zalar,Zakowski,Zajc,Zahran,Zahnen,Zagroba,Zagel,Zagara,Zagami,Zaffuto,Zachmann,Zachariades,Zaccagnino,Zaccagnini,Zaborski,Zabloudil,Zabarkes,Yvon,Yusef,Yuricic,Yuill,Yuenger,Yuasa,Ysbrand,Yourshaw,Younkers,Youngdahl,Youngblut,Youkers,Youkanaa,Yorkey,Yoneyama,Yonamine,Yoeckel,Yodis,Yocius,Yocham,Yobst,Yeubanks,Yetto,Yerigan,Yerbic,Yentsch,Yennard,Yemchuk,Yax,Yaun,Yasurek,Yasui,Yaskiewicz,Yantzer,Yantz,Yanosky,Yanek,Yandle,Yance,Yanagi,Yambao,Yamakawa,Yagoda,Yaekel,Yackeren,Yacavone,Yacano,Ximines,Xaimoungkhoun,Wysock,Wyont,Wynott,Wynans,Wylde,Wyett,Wydner,Wurzbacher,Wulfing,Wruck,Wroe,Wrobliski,Wrobbel,Wrights,Wraspir,Wrape,Woytowicz,Woy,Worthan,Worstel,Worsfold,Worrel,Worbington,Wools,Woollen,Woolems,Woodmancy,Woodhull,Woodgate,Woodfield,Woodcox,Woock,Wonsik,Wolven,Wolslegel,Wolny,Wolma,Wollyung,Wollin,Wolley,Wollan,Wolkow,Wolke,Wolever,Woleslagle,Wolansky,Wojnicki,Wohner,Wohlfahrt,Wohler,Wloch,Wittlin,Wittkopp,Wittenborn,Wittels,Withiam,Withfield,Wisz,Wissel,Wisseh,Wislocki,Wiscombe,Wischmeyer,Wischman,Wirebaugh,Winzelberg,Winterstein,Wintersmith,Winterroth,Winrich,Winograd,Winlock,Winley,Winkley,Wings,Winfred,Winebaugh,Windover,Windly,Winarski,Wimbs,Wimber,Wiltgen,Willmschen,Williver,Willinghurst,Williamston,Willenbrock,Willars,Willamson,Wileman,Wileczek,Wildenberg,Wildeman,Wilcutt,Wilch,Wilby,Wilbers,Wikstrom,Wigman,Wigle,Wigelsworth,Wietzel,Wiesneski,Wienert,Wienecke,Wienandt,Wieloch,Wielgosz,Wiedmann,Wieckowski,Wiece,Wieand,Widmar,Widhalm,Widgeon,Widerski,Widdows,Widdop,Widdison,Widby,Wida,Whyne,Whyel,Whybrew,Whittman,Whittall,Whitler,Whitinger,Whitewater,Whitescarver,Whitemarsh,Whitecloud,Whit,Whistlehunt,Whinnery,Whillock,While,Whilby,Wheldon,Wheatcroft,Whapham,Whaite,Wettlaufer,Wetterer,Wettach,Wetsel,Wethern,Westrum,Westlie,Westgaard,Westerhof,Westerfeld,Westad,Wesly,Wesberry,Werring,Werre,Wernz,Wermter,Werkmeister,Werbelow,Wentzlaff,Weniger,Wengreen,Wendolski,Wendelberger,Wempa,Weltzin,Welti,Weltch,Wellnitz,Wellenstein,Wekenmann,Weitze,Weitman,Weisholz,Weishar,Weisbaum,Weinraub,Weinbauer,Weinbach,Weidig,Weiderhold,Wehrwein,Wehrs,Wehrly,Wehnes,Wehn,Wegge,Weerts,Weemhoff,Weekey,Wedman,Weder,Weckman,Weckhorst,Weaklend,Wauters,Wauer,Waud,Wattenberg,Watte,Watling,Waszkiewicz,Wasmus,Wasilko,Washor,Wartchow,Warshauer,Warsham,Warrender,Warnstaff,Warmuth,Warmington,Wardrup,Wardhaugh,Wardall,Warchal,Warboys,Wanty,Wanous,Wanlass,Wangstad,Waneka,Wandless,Wandel,Wanda,Wamser,Wamhoff,Walvatne,Waltemeyer,Walsingham,Walljasper,Wallet,Wallerich,Walkling,Walkers,Walezak,Waldroff,Waldhoff,Waldall,Walbright,Walat,Wakita,Waka,Waisner,Waiki,Waiden,Wagle,Wagenblast,Wadusky,Wadden,Waclawski,Wackenhut,Wackenheim,Wachal,Waananen,Waack,Vy,Vukcevic,Vreugdenhil,Vreeman,Vrazel,Vranes,Vranek,Voytek,Voves,Vormelker,Vorachek,Vontungeln,Vonniederhaus,Vonner,Vonhagen,Vondrak,Vondielingen,Vonasek,Vonallmen,Voltaire,Vollucci,Vollick,Vollenweider,Volante,Voitier,Vogts,Vocu,Voci,Voccia,Vliet,Vliem,Vizarro,Vizard,Vittorini,Vitro,Vitolas,Vititoe,Viteo,Visnic,Visher,Visel,Viscia,Viscera,Vis,Virrueta,Virola,Viren,Vinz,Vinke,Vinger,Vind,Vinagre,Viltz,Villwock,Villifana,Villiard,Villetas,Villasana,Villarin,Villante,Villacana,Vile,Vilcheck,Vilardi,Vigueras,Vigoren,Vignovich,Vignaux,Vignarath,Vigier,Vieweg,Vietti,Vietor,Viegas,Viebrock,Vidals,Victorin,Vicsik,Vicic,Vicens,Viapiano,Vetsch,Vetri,Vertiz,Versluis,Verrilli,Verrelli,Verrecchia,Verni,Vernetti,Vermeer,Verling,Verlato,Verkler,Verkamp,Verghese,Verducci,Verant,Venzeio,Venturella,Ventress,Venton,Venhorst,Venerable,Veneman,Ven,Velverton,Velunza,Velmontes,Vellutini,Vellekamp,Veleta,Veldkamp,Velazques,Veino,Veigel,Veeneman,Vavro,Vauters,Vattes,Vaszily,Vastakis,Vasiloff,Vasilauskas,Vasconcelos,Vars,Varos,Varnon,Varkey,Vares,Varenhorst,Vardy,Varcoe,Vanwye,Vanwoert,Vanwieren,Vanvickle,Vantreese,Vansyckle,Vanstrander,Vansteenburg,Vanstee,Vanslander,Vanproosdy,Vanpoucke,Vanpoppelen,Vanpatton,Vanosdel,Vannelli,Vanmiddleswor,Vanloh,Vanlith,Vankoten,Vanisouvong,Vanholland,Vanhekken,Vanharlingen,Vanhandel,Vangemert,Vaneyck,Vanert,Vaneps,Vanegdom,Vandesteene,Vanderschaege,Vanderkam,Vanderheiden,Vandergriend,Vanderark,Vandeputte,Vandenbergh,Vandegraaff,Vandebogart,Vandamme,Vandalsen,Vandagriff,Vanclief,Vanboven,Vanbecelaere,Vanartsdalen,Vanaller,Vanakin,Vanabel,Valrie,Valrey,Valotta,Vallangeon,Valladolid,Valaitis,Vala,Vair,Vaidya,Vaid,Vagt,Vagle,Uyeno,Uson,Us,Urwin,Urtado,Ursino,Urry,Urquiza,Urps,Urmeneta,Urlaub,Uribazo,Urhahn,Ure,Urch,Urbanic,Urata,Urankar,Ur,Uppinghouse,Unthank,Unland,Unikel,Ungvarsky,Ungerleider,Ungerecht,Underkoffler,Umlauf,Umbdenstock,Ulrick,Uliano,Uldrich,Ulch,Ulberg,Uknown,Ukena,Uk,Uhri,Uhde,Udley,Uboldi,Tzeremes,Tysor,Tyrus,Tyrol,Tyl,Tyksinski,Tycer,Tyberg,Twitt,Tweden,Tuy,Tuton,Tuter,Tustison,Tuschhoff,Turso,Turrigiano,Turowski,Turnbo,Turnball,Turlich,Turli,Turla,Turkin,Turke,Turi,Tuong,Tulk,Tulip,Tugman,Tuggles,Tufano,Tucknott,Tuccillo,Tubeszewski,Tuason,Tsuzuki,Tsunoda,Tschannen,Trytten,Trybala,Truskowski,Trueba,Trueax,Truden,Trucchi,Trotti,Trongone,Tromble,Tromblay,Trokey,Troiani,Troglin,Trodden,Troccoli,Tritz,Tritch,Trischitta,Trisch,Trippet,Triplette,Trinca,Trimmell,Trilling,Trieger,Treworgy,Trevorrow,Trevillion,Trevigne,Trevett,Tretter,Treston,Trepagnier,Trentinella,Trenkle,Trenh,Trenbeath,Tremelling,Treider,Treib,Treftz,Tredennick,Trecroci,Trebil,Traves,Traversa,Tratar,Traster,Trasport,Trank,Trampe,Trammer,Trame,Trachte,Toyoshima,Towley,Tovias,Touvell,Tout,Toussant,Tourikis,Toten,Tosten,Tosic,Tosches,Tortoriello,Tortorice,Torstrick,Torset,Torrijos,Torrie,Torress,Torred,Torra,Torma,Torkildsen,Toppi,Toporek,Topolosky,Topick,Topez,Toper,Toncrey,Tompsett,Tompkin,Tomory,Tommolino,Tomjack,Tombs,Tombrello,Tomaszycki,Tomaski,Tolzmann,Tolston,Tolosky,Toldness,Tokuoka,Tokihiro,Tokay,Tok,Tojo,Tointon,Tohill,Togni,Tognazzini,Todeschi,Tobola,Tobeck,Toala,Toadvine,Tllo,Tkacz,Titchener,Titch,Tissot,Tiso,Tirri,Tipka,Tintle,Tinneberg,Tinius,Tinelli,Tin,Timmreck,Timmerberg,Timinsky,Timi,Timchak,Tillberry,Tilgner,Tiff,Tieszen,Tiemeyer,Tiemens,Tiell,Tiehen,Tidey,Tick,Ticas,Tiboni,Tiberio,Tibbert,Thyne,Thurton,Thurau,Thune,Thrune,Threets,Thorngren,Thornbrugh,Thorin,Thongdy,Thommarson,Thoene,Thoben,Thoams,Thixton,Thistlethwait,Thingvold,Thiesfeld,Thierauf,Thielbar,Thiebeault,Thiara,Thews,Theophilus,Theodoratos,Thenhaus,Theam,Thay,Thalmann,Thake,Thady,Tevlin,Tevebaugh,Testen,Tesseneer,Tervort,Terri,Terrey,Terres,Terrasas,Terney,Termeer,Terlecki,Terheggen,Terhark,Terhar,Terepka,Terault,Terando,Teppo,Tepler,Teper,Tent,Tenpas,Tennill,Tennett,Tenley,Templer,Tempe,Temp,Teltschik,Telschow,Telle,Tekippe,Teitsort,Teitenberg,Tei,Tegarden,Teffeteller,Tefera,Teesdale,Teemer,Teekasingh,Teddick,Tebay,Tebar,Teats,Teano,Teagues,Teachman,Teabo,Tchakian,Tazzara,Tayor,Tavorn,Tavira,Taverna,Tave,Tautuiaki,Tatters,Tatevosian,Tassey,Taschereau,Tarzia,Tarring,Tarrien,Tarras,Tarkenton,Tariq,Tardio,Tarascio,Tara,Tappeiner,Tannen,Tankersly,Tanious,Tangren,Tangredi,Tangert,Tamulis,Tamburrino,Tambasco,Tamargo,Tamanaha,Talluto,Taki,Takeshita,Takemura,Takaoka,Tajiri,Taintor,Tahu,Tags,Taglieri,Tafel,Tadiello,Tacket,Taborda,Tabolt,Tabisola,Tabian,Taback,Szymansky,Szwejbka,Szweda,Szufat,Szubinski,Szerlong,Szekula,Szczygiel,Szczepanek,Szalay,Szafryk,Syrek,Syphard,Synan,Symmonds,Sydner,Swirsky,Swires,Swietoniowski,Swickheimer,Swets,Swetland,Swenk,Sweetin,Swavely,Swatt,Swatsworth,Swatski,Swartzmiller,Swartzbeck,Swartzbaugh,Swansen,Swalley,Swaisgood,Swails,Swaggert,Svrcek,Svinth,Svetz,Svetlik,Sutulovich,Suttell,Susswein,Sussex,Susor,Susoev,Susich,Susana,Surwillo,Suran,Sunn,Sunkel,Sundling,Sundholm,Sumsion,Sump,Summar,Sumlar,Suminski,Sumi,Sumas,Sulzman,Sultana,Sullinger,Suleski,Sulcer,Sul,Sukeforth,Suing,Suglia,Sugiki,Suggett,Sueltenfuss,Suders,Sudar,Suchecki,Sucharzewski,Suchanek,Subler,Suben,Subasic,Styborski,Stvil,Stumme,Stulick,Studyvin,Stubson,Stuble,Stubits,Stubenrauch,Strysko,Struggs,Strudwick,Strowd,Stroub,Stroth,Stropko,Stroinski,Strnad,Stritzke,Stritzinger,Strittmater,Strieker,Strickert,Strength,Stremlow,Stremel,Strejcek,Streitmatter,Streif,Streb,Streams,Straws,Strausberg,Strathy,Strathman,Strater,Straseskie,Strapp,Stranger,Strande,Stramiello,Strakbein,Strachn,Stoyer,Stoyanoff,Stowman,Stowbridge,Stove,Stoutt,Stoutenburg,Stouer,Stouder,Store,Stoppkotte,Stopa,Stolts,Stolinski,Stolecki,Stole,Stojanovic,Stofsky,Stoffregen,Stoffels,Stoffa,Stoesz,Stodolski,Stockett,Stittsworth,Stipek,Stinett,Stillion,Stillinger,Stiel,Stiehl,Stiegler,Stieg,Stickrod,Sticht,Stibbins,Stevener,Steudeman,Stetzel,Sterr,Sternal,Sterback,Stephco,Stenman,Stemmerman,Stemme,Stemarie,Stelting,Stellings,Steir,Steinlicht,Steiniger,Steinbrenner,Steidinger,Stehney,Stehly,Stefka,Steffel,Stefanovich,Steeno,Steeneck,Steenburgh,Steckline,Steckelberg,Stazenski,Stavis,Staum,Stauffacher,Stauder,Staude,Statzer,Stasinos,Starwalt,Starrs,Starnauld,Starek,Stapleford,Stapf,Stapels,Stansifer,Stanojevic,Stanick,Standring,Standrew,Standke,Standford,Stancle,Stanciel,Stamnos,Stamison,Stallons,Stallion,Stallbaumer,Stailey,Staie,Staiano,Stahnke,Stahle,Stageman,Stacken,Stachecki,Stableford,Stabb,Sramek,Squines,Spurzem,Sprock,Springate,Spreng,Spratte,Sprang,Sprake,Spotwood,Splain,Spiwak,Spitznogle,Spirito,Spirek,Spingola,Spincic,Spillett,Spika,Spigelman,Spielmann,Spetter,Sperl,Spenard,Speilman,Speigel,Speice,Speach,Spaugh,Spatafore,Spatafora,Spar,Spanski,Spannaus,Spanish,Spanfellner,Spalinger,Spagnolia,Spadea,Spadafore,Spadaccini,Spachtholz,Spach,Spacek,Sozzi,Sowels,Soulasinh,Souffront,Soucier,Sotolo,Soteros,Sotero,Soter,Sossaman,Soshnik,Sorrick,Soron,Soroa,Sornsen,Sorgente,Sordahl,Sonza,Sontheimer,Sonstroem,Sonoski,Sonnenfeld,Sonderup,Somani,Soman,Somalski,Solymani,Solton,Soloveichik,Solmonson,Sollberger,Solkowitz,Solimini,Soleman,Solders,Soldavini,Solanki,Sohm,Sodek,Sode,Socks,Sockalosky,Sochan,Sobilo,Soapes,Snyders,Snowman,Snowdy,Sniffin,Snetting,Snellman,Snellenberger,Snellen,Snellbaker,Sneathen,Sneath,Smyrl,Smull,Smolko,Smithheart,Smiht,Smestad,Sluter,Slupe,Slomkowski,Slomka,Slomba,Sliz,Slipp,Slim,Slightam,Sleper,Sledz,Slechta,Slaughterbeck,Slaughenhoupt,Slaight,Sladick,Slader,Skye,Skupski,Skroch,Skripko,Skrine,Skreen,Skradski,Skorski,Skornik,Skokowski,Skok,Skocilich,Skinnen,Skillington,Skemp,Skay,Skattebo,Skagerberg,Siwik,Sivik,Sitar,Sitaca,Sission,Sissac,Sisney,Siruta,Sirmon,Sirkoch,Siriano,Siracuse,Sipler,Sipho,Sinkovich,Sinkey,Sinistore,Singo,Sinclaire,Simunovich,Simuel,Simril,Simpton,Simpliciano,Simoson,Simonis,Simoncini,Simister,Simison,Simenez,Simco,Simcheck,Silvi,Silveri,Silvano,Silletto,Sillavan,Siles,Silbernagel,Sigwart,Sigona,Signs,Signaigo,Sigmond,Sigars,Siemek,Siem,Sieloff,Sieligowski,Siefke,Siebeneck,Siebenberg,Siderman,Siderine,Sidberry,Sicilia,Sichta,Sibrel,Sibell,Sibayan,Shyu,Shvey,Shuter,Shumski,Shulund,Shulte,Shuker,Shugars,Shufford,Shubrick,Shub,Shouldice,Shotton,Shotkoski,Shost,Shortsleeve,Shorette,Shopen,Shont,Shonerd,Shone,Shomin,Shomer,Sholl,Shoger,Shirts,Shirota,Shinholster,Shindle,Shinaberry,Shimura,Shimsky,Shimo,Shillinger,Shilleh,Shihadeh,Shierling,Shewbridge,Shevitz,Sheumaker,Shettle,Shers,Sherren,Shern,Sherling,Sherle,Sheridon,Sherdon,Shelter,Shelmon,Shelling,Shelko,Sheline,Shelhamer,Shekey,Shekarchi,Sheinberg,Shehata,Sheffo,Shebchuk,Shearing,Sheaks,Shazier,Shayne,Shawnee,Shawhan,Shaud,Shastri,Sharr,Sharlin,Shark,Sharits,Sharf,Share,Shapskinsky,Shape,Shankland,Shames,Shalhoup,Shaftic,Shadiack,Shackle,Shabala,Sevick,Sevedge,Seurer,Sette,Servan,Serva,Serrett,Serrand,Serisky,Sering,Serie,Serianni,Sereda,Sequin,Senti,Senosk,Senno,Senner,Senna,Senerchia,Sendro,Sencabaugh,Semonick,Semetara,Sembler,Selvaggio,Seltzen,Selser,Sellek,Sellberg,Selking,Seliba,Selfe,Seki,Seifarth,Seielstad,Sehorn,Sehl,Segur,Segrave,Sefcovic,Seeton,Seek,Seecharan,Seeberger,Sedman,Sedano,Secunda,Seburg,Sebold,Sebastion,Seate,Seashore,Seard,Seang,Seaney,Seace,Seabert,Sczygiel,Scurti,Scullen,Scroggy,Scripter,Scowden,Scorsone,Scoleri,Scocca,Scire,Sciotti,Sciera,Scibilia,Sciabica,Schwisow,Schwier,Schweinert,Schweinberg,Schweiker,Schweigart,Schweickert,Schwass,Schwarzenbach,Schwarts,Schwarm,Schwamberger,Schwalenberg,Schwabenbauer,Schwabauer,Schuttler,Schutjer,Schuring,Schure,Schuppert,Schuner,Schulthess,Schulteis,Schulle,Schuhmacher,Schuermann,Schuepfer,Schuele,Schrott,Schrope,Schrauder,Schrandt,Schouviller,Schonert,Schonack,Scholzen,Scholnick,Schoffstall,Schoenthal,Schoenstein,Schoenhut,Schoenhard,Schoeneman,Schoemer,Schoborg,Schnicke,Schneidtmille,Schneiders,Schmunk,Schmoyer,Schmeider,Schmale,Schlottman,Schlitzer,Schlipp,Schlink,Schliesser,Schlieper,Schlesselman,Schlensker,Schleis,Schlein,Schleck,Schlabaugh,Schiver,Schirpke,Schindel,Schimler,Schiltz,Schillings,Schiffelbein,Schiebel,Schiaffino,Schettig,Schetrompf,Schessler,Scherler,Scheppe,Schepens,Schellman,Schellhammer,Scheirman,Scheibelhut,Schei,Schech,Scheaffer,Schattner,Schatt,Scharte,Schappell,Schanding,Schanbacher,Schan,Schaming,Schamburek,Schaeffler,Schadle,Schadegg,Schabot,Schaberg,Schaadt,Scerra,Scercy,Scattergood,Scarset,Scarrow,Scarritt,Scarpaci,Scarles,Scarce,Scanlin,Scalice,Scali,Scahill,Sazama,Saysithideth,Sayres,Sayavong,Sawlivich,Sawczyszyn,Savo,Savina,Savilla,Savela,Savasta,Saurel,Saupe,Sauberan,Satunas,Sattley,Satterley,Satiago,Satchel,Saska,Sarvey,Saroukos,Sarnowski,Sarnoff,Sarli,Sarley,Sarelas,Sardi,Sarconi,Sarbacher,Saragusa,Saraceno,Sar,Sappenfield,Sanzotta,Santy,Santorella,Santopolo,Santin,Santiesteban,Santhuff,Santell,Sansburn,Sanpaolo,Sanocki,Sannon,Sannella,Sanlucas,Sanjabi,Sangrey,Sangi,Sanghvi,Sangh,Sanfiorenzo,Sandrowicz,Sandoual,Sandora,Sandlian,Sandi,Sandholm,Samuelsen,Samu,Sampedro,Samorano,Samok,Samide,Samber,Samain,Saltzgaber,Saltonstall,Saltern,Salte,Salonia,Salmond,Sallas,Saliva,Saler,Salek,Saldibar,Salabarria,Sakon,Sakelaris,Sake,Sajorda,Sajor,Sahni,Sagoes,Saglimbeni,Sagehorn,Sagayaga,Safdeye,Safa,Sadlon,Sadbury,Sadahiro,Sache,Sacavage,Sacarello,Sables,Sabean,Sabates,Sabataso,Saager,Saa,Rzucidlo,Rzeszutko,Ryther,Rylant,Ryks,Ryherd,Ryhal,Rygalski,Rybacki,Rviz,Ruys,Ruuska,Ruttman,Ruttinger,Ruts,Ruter,Rutana,Rusten,Russnak,Rusinko,Rusi,Rushiti,Rushia,Rushdan,Ruscetti,Rusboldt,Ruppenthal,Rupke,Rundahl,Rund,Rummer,Rummans,Rumler,Ruminski,Rumfola,Rull,Ruise,Ruggle,Ruescher,Ruegsegger,Ruegger,Rudzik,Rudney,Rudisail,Rudis,Rudduck,Rucky,Ruckdeschel,Rubins,Rubenzer,Rozo,Rox,Rowzee,Rownd,Rowey,Rowcliffe,Rovinsky,Roup,Rottner,Rothmiller,Rothgery,Rothbart,Rotenberg,Rotando,Roswick,Rosu,Rossum,Rossetto,Rosseter,Rosselli,Roskos,Roskopf,Rosenholm,Rosencranz,Rosenbrook,Rosella,Rosebaugh,Rosbough,Rosan,Roofe,Ronson,Ronhaar,Rones,Ronchetto,Romeno,Rombs,Romanoski,Romanini,Romanick,Roloson,Rollock,Rollheiser,Rollans,Rold,Rolark,Rokisky,Roja,Roik,Rohaley,Rognstad,Rofkahr,Roethel,Roessner,Roesser,Roehrman,Roehrenbeck,Roegge,Roefaro,Rody,Rodrigo,Rodricks,Rodino,Rodillas,Rodia,Rodenbaugh,Rodell,Rodeiguez,Rodarta,Rockenbach,Robley,Robes,Robertello,Robello,Robella,Robak,Roarx,Rivlin,Rivira,Rivena,Ritzert,Ritell,Ritcheson,Riska,Risberg,Ripke,Rinkel,Riniker,Ringman,Ringlein,Ringelheim,Ringbloom,Rinde,Rincones,Rimson,Rimar,Riliford,Rihn,Rihanek,Rigoni,Riggott,Riffon,Rievley,Rieve,Riesenweber,Rieg,Rieff,Riedell,Riechers,Rieber,Rieben,Riebeling,Ridpath,Ridler,Riddock,Rickson,Rickmon,Rickley,Rickie,Richrdson,Ribot,Riblet,Rhyme,Rhoney,Rhed,Rhead,Rezek,Reynvaan,Reynoza,Reye,Rexwinkle,Revord,Reven,Reveal,Reutlinger,Reuland,Reuer,Retzler,Rettke,Retterbush,Retort,Reth,Resureccion,Restifo,Resnikoff,Rerko,Repsher,Repress,Reppell,Repinski,Repenning,Renze,Rennix,Renning,Renney,Rennell,Renfer,Rener,Rendino,Renaker,Remmen,Rementer,Remenaric,Relkin,Reiterman,Reist,Reisser,Reisling,Reisert,Reise,Reio,Reinmiller,Reine,Reill,Reigner,Reifler,Reifel,Reidenbach,Rehnquist,Rehler,Rehfield,Rehfeldt,Rehberger,Regler,Regel,Regehr,Refsell,Reen,Reem,Reeher,Reech,Reeber,Redstone,Redo,Redish,Redhage,Redenz,Redell,Reddrick,Redder,Reckley,Reckleben,Recine,Rebusi,Rebuldela,Rebera,Rebell,Rebeles,Reavley,Reau,Reatherford,Reaney,Reaid,Reagans,Reado,Razinger,Razey,Raza,Rayside,Raymos,Raygosa,Rawding,Raw,Ravens,Ravenhorst,Rav,Rauzman,Rautenberg,Rausin,Rauner,Raudebaugh,Rattner,Ratleff,Rathmell,Rathgeb,Ratermann,Rataczak,Rasher,Rashdi,Rashada,Rasbery,Rarang,Rapose,Rapa,Ransick,Ranos,Rankhorn,Raniero,Rang,Randzin,Rancher,Rances,Rancatti,Ramoutar,Ramnarase,Ramlakhan,Ramiro,Ramiriz,Ramez,Rameriez,Rambus,Ramaswamy,Ramagos,Ramadanovic,Ramadan,Ralko,Ralat,Rakel,Raju,Rajtar,Raja,Rairdon,Raimo,Raif,Raiche,Raheja,Raheem,Rahall,Raguso,Rafanan,Rafalko,Raes,Radzavich,Radune,Radulescu,Raduenz,Radsek,Radom,Radell,Rackett,Racilis,Rachi,Rach,Racedo,Rabold,Rabner,Rabern,Rabenstein,Rabelo,Quintas,Quinlisk,Quine,Quincey,Quilantang,Quicksey,Quereto,Quelette,Quaresma,Quann,Quall,Quails,Quaas,Qadir,Pytlovany,Pybus,Putaski,Purwin,Purter,Purple,Purol,Purkiss,Pummel,Pults,Pultorak,Pullian,Puller,Pulham,Puletasi,Puidokas,Puhuyaoma,Puffinburger,Puesey,Puelo,Puddephatt,Pucillo,Puc,Przepiora,Prys,Pruzansky,Pruyn,Prust,Prusinski,Prus,Pruette,Provis,Provine,Proue,Protz,Prosonic,Prophett,Pronto,Pronovost,Proksch,Prok,Proietto,Proia,Proenza,Probus,Prizzi,Privalsky,Prisock,Printy,Primozich,Priefert,Pridham,Preus,Prettner,Prester,Pressel,Preskar,Premer,Premeaux,Preisinger,Preisendorf,Prehm,Pregeant,Preedom,Pralle,Prag,Pradel,Prabhakar,Poyser,Poupard,Potterson,Pottebaum,Potolsky,Poto,Potes,Postlethwaite,Postin,Pospishil,Poskus,Posik,Portsche,Portolese,Porrini,Poro,Porietis,Poppenhagen,Poppen,Poppel,Pontonio,Ponting,Pono,Pomposo,Pomponio,Pomplun,Pomo,Pomeranz,Pomella,Pomberg,Pomares,Polucha,Polselli,Polnau,Pollins,Pollara,Polisky,Polio,Policz,Policar,Polchinski,Polashek,Polakowski,Polaco,Poitevin,Poister,Pointon,Poinson,Poinsett,Pogar,Poetter,Podmore,Poczobut,Pockette,Pocasangre,Pobre,Plys,Plunket,Plumpton,Pluemer,Plover,Ploetz,Ploense,Plocek,Plikerd,Pleet,Pleasure,Plazza,Plaxico,Platko,Platania,Plassmann,Plantier,Plantenga,Plancarte,Plakke,Pladson,Pizzano,Pivin,Pittsinger,Pittmann,Pitsenbarger,Pitonyak,Pitmon,Pitfield,Pitek,Pitassi,Pistulka,Pistole,Piske,Pishko,Pisegna,Pirnie,Pirkey,Pippitt,Piorkowski,Pinna,Pinkton,Pinks,Pinkerman,Pinchbeck,Pimpare,Pilloud,Pillitteri,Pilakowski,Pikus,Pikula,Pikkarainen,Pijanowski,Pigao,Piette,Pietrzykowski,Pietryga,Pietropaolo,Pies,Piersaul,Pieri,Piepenbrink,Pieloch,Pieffer,Picucci,Pickl,Pickhardt,Picini,Picerni,Picaro,Piatak,Pianalto,Piacquadio,Phoun,Phonharath,Phomsoukha,Phommaseng,Phinazee,Phillippy,Phillians,Philavong,Phernetton,Pheonix,Phenes,Pfotenhauer,Pfleiderer,Pfleider,Pflanz,Pfieffer,Pfeiff,Pfautz,Pezzica,Pevez,Pevehouse,Petrunger,Petrullo,Petrucco,Petrson,Petrilla,Petrides,Petrauskas,Petkus,Petiet,Petgrave,Peterschick,Petaway,Pesner,Pesiri,Pesin,Pesa,Pervine,Pertubal,Perschall,Perrucci,Perow,Peroddy,Perocho,Perno,Perloff,Peria,Pergerson,Pereyda,Pereria,Pereiro,Perdzock,Perchinski,Peraro,Peques,Pepito,Pentek,Pentaris,Pennison,Pennewell,Pennacchio,Penington,Peninger,Pengelly,Penegar,Pencek,Penale,Penaherrera,Pembrook,Pelyo,Pelligra,Pele,Pekala,Peine,Peightal,Peers,Peerbolt,Pedaci,Ped,Pectol,Pecot,Pecos,Pecorelli,Pechart,Pebbles,Peatry,Pearle,Peard,Peakes,Peaches,Paywa,Paysinger,Payes,Pawelczyk,Pavoni,Pavlovic,Pavelec,Pavan,Paullus,Pauldo,Patuto,Patruno,Patoine,Patock,Patka,Pata,Pastiva,Pastick,Passwater,Passineau,Passi,Pasquino,Pasquel,Pasquarelli,Pason,Paskert,Pashley,Pashia,Partis,Partido,Parsi,Parrill,Parolari,Parisio,Pariser,Parents,Parduhn,Parden,Parcel,Parbo,Paray,Papson,Pappa,Papillion,Papik,Paparella,Papai,Paoletto,Pantone,Pannhoff,Pankowski,Pangelina,Pangallo,Panda,Panciera,Panchana,Panasci,Panarella,Paltanavage,Palsgrove,Palovick,Paloma,Palmiotto,Palmiero,Palmerton,Palmerin,Pallet,Pallesen,Pallazzo,Palitti,Palischak,Paliotta,Palifka,Palenik,Palecek,Palczewski,Palasik,Palacious,Pala,Pahnke,Pahls,Paguirigan,Pagnozzi,Pagliarini,Paduano,Paddison,Padavano,Pacubas,Packingham,Packebush,Pacius,Paci,Pacey,Pacas,Pac,Ozolins,Ozog,Ozminkowski,Oyuela,Owston,Ovsanik,Overlie,Overbo,Oven,Ovard,Ourso,Ouderkirk,Ottis,Otterholt,Otomo,Otley,Osuch,Ostling,Ostlie,Ostheimer,Osterstuck,Osterdyk,Ostenson,Osten,Ossowski,Osso,Osmon,Osle,Oskins,Osendorf,Osburne,Osawa,Ortic,Ortenzio,Orrantia,Orrala,Orouke,Orone,Orofino,Orkwis,Orizetti,Oris,Orines,Orgovan,Orgain,Orendorff,Orendain,Oree,Orea,Ordner,Ordas,Orbeck,Oravec,Opray,Ophus,Opela,Opatrny,Opara,Oosterhof,Onusko,Onstead,Onorata,Onitsuka,Onishea,Oneel,Ondrusek,Omundson,Omoyosi,Omdahl,Oltz,Olton,Olrich,Olquin,Olp,Olmscheid,Olm,Olivio,Oliverson,Oliven,Olis,Oline,Olexa,Olesnevich,Olesky,Oleksiak,Oldani,Olcus,Oksen,Okolo,Okojie,Okerblom,Okajima,Ohrenich,Ohms,Ohmann,Ohland,Oguinn,Ogiba,Ogeen,Oge,Oganyan,Offenbacker,Oesterreich,Oerther,Oelschlager,Odore,Odonal,Odonahue,Odiase,Odenwald,Odens,Odear,Octave,Ockey,Ochwat,Ochotorena,Ochiltree,Och,Ocejo,Ocano,Obstfeld,Obleness,Obiesie,Oberloh,Oberfell,Obannion,Oakleaf,Oak,Nyswonger,Nyseth,Ny,Nuvallie,Nusom,Nush,Nurnberger,Nunziata,Nunev,Nudelman,Nucklos,Nuce,Novik,Noury,Notik,Notari,Nosis,Nosel,Northcraft,Northcote,Norskog,Norrid,Norquest,Normann,Norma,Norlund,Norley,Norcott,Norbeck,Noonon,Nooney,Nonaka,Nollora,Nollman,Nolda,Nolau,Nol,Nogueras,Nogowski,Nogosek,Noftsger,Noeldner,Nocum,Nocket,Nocar,Noaks,Niverson,Nittinger,Nitterhouse,Nitkowski,Niten,Nitchals,Nissila,Nishiguchi,Nippert,Nippe,Ninos,Nine,Nimocks,Nimmer,Nilsby,Nill,Nikolas,Nikirk,Niimi,Nii,Niheu,Nihei,Nigg,Niforos,Niezgoda,Nieva,Niethamer,Niesman,Nienow,Niedermayer,Niedecken,Nied,Niebyl,Nie,Nicotera,Nicolet,Nicolaisen,Nickolls,Nickol,Nickleson,Nickelston,Nichois,Nicewarner,Niceswander,Nicarry,Nicar,Nhep,Ngueyn,Nguen,Ngov,Nghe,Newsted,Newnum,Newer,Newburg,Newall,Nevland,Neugin,Neuenfeldt,Neuby,Nestel,Nesseth,Nervis,Nerpio,Nenninger,Nemzek,Nemoede,Nemer,Nelmark,Nellem,Neithercutt,Neiswander,Neisius,Neish,Neihart,Neiderhiser,Nehmer,Negrisor,Negrette,Nefzger,Neeper,Neelon,Needels,Needam,Nealley,Nealen,Nealeigh,Nayee,Nawn,Navone,Navejas,Navedo,Navar,Naud,Natiello,Nathoo,Nasson,Naselli,Nase,Naschke,Narez,Nares,Nappier,Napoletano,Napihaa,Naone,Nannini,Nannie,Nania,Nanda,Nampel,Nalepka,Najjar,Nahass,Naeve,Naecker,Nadell,Myrum,Myint,Myhr,Myerscough,Muterspaw,Mutana,Muszar,Mustafaa,Must,Mussenden,Mussen,Mushett,Musetti,Musemeche,Musel,Muscaro,Murrock,Murrie,Murrain,Murilla,Murelli,Murayama,Murai,Munzell,Munteanu,Munt,Munshower,Munlin,Muni,Munding,Munda,Mulvehill,Mulry,Mulliner,Mullice,Mullaly,Muhr,Muhn,Mugica,Muether,Muehlberger,Muehlbach,Muccia,Mrowka,Mrotz,Mrochek,Mracek,Moznett,Moyse,Moxham,Mowris,Moutoux,Moussette,Mousley,Moun,Moulinos,Mostrom,Mostert,Mosses,Moskovitz,Mosinski,Mosgrove,Mosebach,Moschetto,Morway,Morthland,Morta,Morsbach,Morreau,Morowski,Moroles,Morlas,Morgenstein,Morasch,Moranda,Moralis,Moraitis,Moraites,Moote,Moorcroft,Montier,Montie,Montesa,Monteros,Montefusco,Montecalvo,Montazami,Montaya,Monsky,Monsegur,Monnet,Monjaras,Moniot,Monholland,Monet,Monestine,Monds,Mondry,Mondo,Mondino,Momsen,Momaya,Molski,Mollins,Molitoris,Mokbel,Moistner,Moilien,Mohring,Mohrbacher,Mogro,Moerman,Moellman,Modero,Moczo,Mocco,Mocarski,Mobus,Mizukami,Miyares,Miyahara,Miyagishima,Mittendorf,Mittelstadt,Mitsakos,Mith,Mita,Misura,Missler,Misrahi,Misnick,Misemer,Miscovich,Miscavage,Misasi,Mirich,Miravalle,Miras,Miramon,Mioduszewski,Mio,Minster,Minnier,Minneweather,Minnehan,Minkel,Miners,Mineah,Mincher,Minatra,Minato,Minari,Minardo,Milush,Miltner,Milster,Milovich,Milman,Millraney,Millot,Millisor,Milliren,Millimaki,Millich,Milland,Milkovich,Militano,Mileti,Milek,Mildren,Milder,Milch,Milbert,Milbauer,Milanowski,Milanese,Mikulecky,Mikulak,Mikita,Mikelsen,Mihlfeld,Mihatsch,Mihalkovic,Mihalko,Mignogna,Migl,Miessner,Mieras,Midcap,Mickleberry,Michocki,Michelman,Michales,Michalenko,Mias,Mhoon,Mezza,Mezquita,Mezera,Meyette,Meyerhoffer,Meyerhofer,Meury,Meuller,Mettle,Metter,Mettee,Metta,Metroka,Metevier,Metaxas,Mestrovich,Messa,Mesidor,Meschino,Meryman,Merrett,Merrbach,Merone,Merkling,Merickel,Mercante,Meo,Mensinger,Menist,Menino,Menhennett,Mengarelli,Menez,Menesez,Mendelowitz,Mencl,Men,Mellors,Mellom,Mellencamp,Mellekas,Melkonian,Melish,Meleski,Melero,Melchin,Melbert,Melandez,Melander,Meisels,Meighen,Mehtala,Mehserle,Meholick,Mehalic,Megna,Meginnis,Meggitt,Meggers,Meger,Meeter,Meeske,Meeder,Medows,Mednick,Medich,Mediate,Median,Medez,Medbery,Medak,Mebus,Meason,Meanor,Meager,Mcwethy,Mcvean,Mcthune,Mcsweeny,Mcspedon,Mcsharry,Mcravin,Mcraven,Mcquistion,Mcquilkin,Mcquaide,Mcquage,Mcpherren,Mcpeck,Mcnaney,Mcmindes,Mcmilliam,Mcmenomy,Mcmarlin,Mcmahill,Mcloy,Mcloone,Mclear,Mclaughlan,Mckoan,Mckerley,Mckerchie,Mckeone,Mckennie,Mckellan,Mckaig,Mcinally,Mchendry,Mcgwier,Mcguirt,Mcgugin,Mcgready,Mcgraff,Mcgrade,Mcgorry,Mcglothian,Mcglory,Mcgavisk,Mcgarrigle,Mcever,Mcelmurry,Mcelheny,Mcelhattan,Mcdaries,Mcdargh,Mccumiskey,Mccredie,Mccraven,Mccoyle,Mccoppin,Mccombie,Mccloughan,Mccleve,Mcclenty,Mcclennan,Mcclees,Mccleer,Mcclearen,Mccaskin,Mccartin,Mccamy,Mccammack,Mccaman,Mccalop,Mccaffity,Mcburrows,Mcburrough,Mcbrady,Mcalphin,Mcalhaney,Mcaboy,Mazikowski,Mazar,Mayzes,Maymon,Mayeski,Maycumber,Mayala,Maxin,Maute,Mauss,Mauritz,Maurey,Maulin,Matuszeski,Matusik,Matuseski,Mattu,Mattier,Matthys,Matteucci,Matsuhara,Matsen,Matrejek,Matlick,Mathewes,Mathal,Matey,Matesic,Materna,Matelic,Matarese,Matalavage,Mataalii,Mastrocovi,Mastrobuono,Mastoris,Mastera,Mastenbrook,Mastella,Massaglia,Maslyn,Masley,Masin,Masiclat,Mashiah,Mashek,Mascot,Maschke,Maschio,Masch,Marzinske,Marxen,Marville,Marushia,Marungo,Maruffo,Maruca,Martinz,Martinetto,Martinetti,Martinea,Martincic,Martig,Marske,Marshalsea,Marsette,Marroguin,Marreo,Marquena,Marona,Marola,Marmie,Markstrom,Marksbury,Markrof,Markovitz,Markevich,Markette,Marius,Maritt,Marionneaux,Marinos,Marinese,Maricich,Marhoefer,Margiotta,Maren,Marecki,Marcone,Marcoline,Marcolina,Marchuk,Marcelynas,Marcaida,Marbus,Marazzi,Marazas,Marashio,Maranville,Marani,Marandi,Marander,Marade,Mapalo,Manza,Manylath,Manvelyan,Manusyants,Mantuano,Mantsch,Mantell,Mantano,Mansmann,Manship,Manozca,Mannie,Mannes,Manliguis,Manigold,Maniatis,Mania,Mangon,Manginelli,Mangicavallo,Mangiaracina,Mangas,Mangaoang,Manford,Mandiola,Manchini,Mamoran,Mammucari,Mamer,Malys,Malvin,Malvaez,Malusky,Maltie,Maltbie,Malphurs,Malotte,Malloch,Malkasian,Malit,Malis,Malinski,Malinchalk,Malicote,Malich,Maletz,Malesky,Maler,Malekzadeh,Maleh,Malech,Malbaurn,Malara,Malakan,Malakai,Malafronte,Malady,Makley,Makekau,Majmundar,Majersky,Maiten,Mainiero,Mainello,Mailes,Maigret,Mahusay,Maharg,Mahany,Maguet,Magowan,Magone,Magnall,Magleby,Maglaya,Maginn,Magin,Magil,Maggs,Maggie,Magelssen,Magaw,Magario,Magallanez,Maeweather,Madura,Madrueno,Madinger,Madho,Maderas,Maddry,Madaris,Maczko,Macugay,Macrowski,Macomb,Macnab,Maclaurin,Maclauchlan,Mackynen,Macksoud,Macks,Mackney,Mackintosh,Mackinder,Maciej,Macie,Machowski,Machol,Machinsky,Machalek,Macchione,Macall,Macafee,Mabus,Mabins,Mabane,Maassen,Lysen,Lynaugh,Lykens,Luvian,Luttenegger,Lutkins,Lutchman,Lutao,Luskin,Luskey,Lungren,Lundburg,Lumm,Lulic,Lulewicz,Lukaszewicz,Luiso,Luhnow,Lugg,Lugardo,Lufsey,Luetmer,Luepke,Ludtke,Luczkowiak,Luckhardt,Luckenbaugh,Lucken,Luchenbill,Lubke,Lubell,Lube,Lubbock,Lozon,Loze,Lozaya,Loynd,Loxley,Lowthorp,Lowek,Loviska,Lovig,Lovgren,Loverink,Lovensheimer,Lounsbery,Loukota,Loughnan,Loughborough,Loudenslager,Lotson,Lothspeich,Lotan,Lossa,Losolla,Losier,Lorna,Lorimor,Lori,Lorett,Lorens,Loreg,Loreaux,Lorandeau,Loque,Lopus,Lopriore,Lootens,Lookadoo,Lonneman,Lonn,Longiotti,Longhini,Longendyke,Longbotham,Londre,Londagin,Lonabaugh,Lomu,Lominy,Lomboy,Lomartire,Lollie,Lokker,Loia,Loi,Logrono,Logosso,Loggains,Loflen,Lofink,Lofgreen,Loewenthal,Loeurm,Loerzel,Loeppke,Loepp,Loegering,Lodholz,Lockey,Lockbaum,Lochte,Lochan,Lobur,Loban,Llorca,Lloid,Llewlyn,Llanez,Liwanag,Livernoche,Litzenberg,Litano,Lissard,Lisko,Liscio,Lipskar,Lipscombe,Lipschutz,Lipphardt,Lipinsky,Lipani,Lions,Linnertz,Links,Linkowski,Linko,Lingafelter,Lingafelt,Lindzy,Lindman,Lindert,Lindersmith,Linders,Linderholm,Lindburg,Lindaman,Lincicome,Linberg,Linamen,Limke,Lilyquist,Liloia,Lillpop,Lillick,Lillich,Lilien,Lighter,Liggin,Lifton,Lifsey,Lifford,Lifer,Liest,Liem,Lidke,Liddiard,Lick,Lichtenwalner,Lichtenfeld,Lichak,Licerio,Licausi,Licause,Libman,Libera,Liaw,Leya,Lewitt,Lewandoski,Levoy,Levitin,Leviston,Leventer,Levenhagen,Leveillee,Leve,Lettre,Letsche,Lesiak,Leshinsky,Leriche,Leri,Lepri,Leppke,Lepping,Lepp,Lepo,Leonhard,Leonello,Leona,Leofsky,Lensing,Lenoci,Lennington,Lennihan,Lenn,Lenkiewicz,Lenis,Lenertz,Lenehan,Lenci,Lenarz,Lemucchi,Lemick,Lelah,Lelacheur,Lejenne,Leitman,Leithoff,Leistiko,Leipert,Leibert,Leibe,Lehnertz,Leheny,Lehar,Lehane,Legorreta,Legoff,Legleu,Legions,Leggat,Leggans,Legaard,Left,Leesmann,Leemaster,Leemans,Ledwig,Ledlie,Lederhos,Lecorchick,Leclear,Leclare,Leckman,Leckbee,Lebrecque,Lebahn,Leavenworth,Leatherberry,Leamer,Leady,Lazzeri,Lazarini,Lazarine,Laza,Layng,Lawshe,Lawman,Lawer,Laware,Lavista,Lavis,Laviola,Lavinder,Lavern,Lavene,Lavelett,Lavanway,Lavanchy,Lavalette,Lavala,Lavadie,Lava,Lautzenheiser,Lautt,Lauser,Laurimore,Lauridsen,Laurey,Laurenti,Laurente,Laurenitis,Laurelli,Laukitis,Laud,Lattrell,Lattner,Latterell,Latten,Lattari,Lattanzi,Latif,Lastufka,Lasswell,Lasseson,Lassa,Laslo,Laski,Lashute,Lashmet,Larrieu,Larrier,Larribeau,Laronda,Larney,Larita,Lariccia,Largin,Larez,Lardin,Larch,Lapusnak,Laprete,Lapre,Lapradd,Lapore,Lapinsky,Lapid,Laperriere,Laos,Lantto,Lantaff,Lanson,Lanois,Lanius,Lanini,Languirand,Languell,Langstraat,Langreck,Langkabel,Langill,Langeness,Langefels,Langarica,Langager,Lanfranco,Lanfear,Lanfair,Landvatter,Landolfi,Landborg,Lanagan,Lampson,Lampshire,Lamoreux,Lambrukos,Lambrakis,Lamborne,Lambing,Lamax,Lamarch,Lallave,Lalka,Lais,Lairy,Laiben,Lahren,Lahn,Lahmers,Lah,Lagory,Laforrest,Laflore,Lafkas,Lafield,Lafay,Laduc,Laderer,Ladell,Ladakakos,Lacoy,Lacki,Lacio,Lacinski,Lachowsky,Lacerda,Lace,Lacasa,Labruzzo,Labre,Labove,Laberpool,Labbadia,Labarba,Labady,Kytle,Kym,Ky,Kwasnicki,Kwapniewski,Kwang,Kuzminski,Kuzel,Kuwahara,Kut,Kusko,Kusick,Kuruvilla,Kurtulus,Kurtis,Kurtich,Kurkowski,Kurkeyerian,Kuritz,Kurelko,Kurcaba,Kuralt,Kuprewicz,Kupetz,Kuntzman,Kunishige,Kundtz,Kulwicki,Kulow,Kulis,Kuhlmey,Kufel,Kues,Kuehnel,Kudrick,Kudlacik,Kudej,Kuchel,Kuchan,Kucha,Kuboushek,Kubishta,Kubilus,Kubert,Kubeika,Kubasik,Kuakini,Krzyston,Krzeczkowski,Kryzak,Krygier,Kry,Krupski,Krupke,Krupansky,Krumvieda,Krumholz,Krumbholz,Krudop,Krstic,Krovious,Krommes,Kromm,Krolak,Kroes,Kroening,Kroener,Kritter,Kristy,Krisman,Kriege,Kridel,Kreul,Kretsinger,Kretlow,Kresal,Krejsa,Kreines,Kreig,Krefft,Krauskopf,Kratt,Krassow,Krasnecky,Krance,Krajcik,Krail,Kraham,Krack,Kozloff,Kozlak,Kozera,Kozee,Koyama,Kowalowski,Kowalchuk,Kovalovsky,Kovalcheck,Koutz,Kotts,Kostyk,Kosty,Kostohryz,Kostiuk,Kostis,Kostick,Kosofsky,Kosman,Kosin,Kosier,Kosen,Kosco,Koschnitzki,Kosbab,Kosack,Korzep,Korvin,Kortkamp,Kornrumpf,Korfhage,Kordus,Korchnak,Koppinger,Kopinski,Kopald,Kooyman,Koopmans,Koonz,Kooker,Kooch,Konzal,Konye,Kontogiannis,Konruff,Konowal,Konopnicki,Konopacky,Konopacki,Konig,Konicki,Konecni,Kondel,Konakowitz,Komlos,Kombe,Komatz,Kolm,Kollmeyer,Kollasch,Kolin,Kolden,Kolbo,Kolata,Kolaga,Kokocinski,Koko,Koinzan,Kohrman,Kohnz,Kogler,Koets,Koerwitz,Koep,Koenecke,Koehly,Kockler,Kocka,Kociolek,Kobie,Knudsuig,Knoten,Knotek,Knole,Knochel,Knobbe,Knightstep,Knigge,Knife,Kniess,Knickelbein,Kneisler,Kneedler,Knedler,Knall,Knable,Klym,Klussmann,Kluever,Kludt,Klouda,Klotzbach,Klosowski,Klockars,Klinker,Klingshirn,Klingelhoets,Klingelhoefer,Klena,Klempa,Klemisch,Klemens,Klemencic,Klemen,Kleinhenz,Klecha,Klebanow,Klebanoff,Klave,Klang,Klammer,Klamet,Klaers,Klacic,Kjar,Kivisto,Kivel,Kitzrow,Kitzerow,Kitz,Kiszka,Kistenmacher,Kisicki,Kisak,Kirylo,Kirson,Kirschke,Kirmer,Kirakosyan,Kinton,Kint,Kinsland,Kinlock,Kini,Kingsolver,Kingdon,Kindschuh,Kindlimann,Kindl,Kindberg,Kinas,Kinaj,Kimberl,Killoy,Killette,Killer,Killary,Kilgor,Kildoo,Kilborne,Kilbert,Kil,Kijek,Kiewiet,Kiever,Kiesz,Kiessling,Kielar,Kiehn,Khosravi,Kholodivker,Kho,Khatib,Khatcherian,Keyworth,Keylor,Kewanwytewa,Kettman,Kettlewell,Kettl,Kettelle,Kethcart,Ketay,Keslar,Kesby,Kerne,Kerk,Kercy,Kerchal,Kerbel,Kenrick,Kennis,Kennin,Kennemuth,Kennelty,Kenkel,Kemmerling,Kemfort,Kelstrom,Kellow,Kellom,Kelk,Keliiholokai,Kelcourse,Kekua,Keiger,Keglovic,Keesecker,Keehne,Keedah,Keding,Keavney,Keanu,Keagy,Keaffaber,Keadle,Kazemi,Kazanowski,Kazanjian,Kazan,Kawelo,Kavanah,Kautzer,Kaukola,Kaufusi,Kauffeld,Katowicz,Katos,Katheder,Kately,Kata,Kastor,Kastl,Kassouf,Kassler,Kassam,Kaskey,Kasimis,Kasdon,Kaschmitter,Kaschel,Karratti,Karpinen,Karpen,Karmann,Karlovich,Karlen,Karkut,Karin,Kariger,Karaffa,Kapsos,Kapps,Kapnick,Kanoa,Kanney,Kannas,Kanduth,Kampman,Kamimura,Kamens,Kamemoto,Kalvaitis,Kaltenhauser,Kalloch,Kaller,Kallenberg,Kaliszuk,Kalinoski,Kalinger,Kalich,Kalfus,Kalfayan,Kalert,Kalenkoski,Kalen,Kaleiwahea,Kaleel,Kaldas,Kalawe,Kalathas,Kakos,Kaiserman,Kais,Kailiponi,Kaighn,Kahuhu,Kahoun,Kahen,Kahaleua,Kah,Kagy,Kager,Kagarise,Kaffka,Kaempfer,Kaemmerer,Kaelker,Kady,Kadner,Kadlubowski,Kadakia,Kacynski,Kacic,Kach,Kabrick,Justman,Justine,Jurina,Jurik,Jurcik,Junius,Jumalon,Julca,Jui,Jugan,Juart,Jove,Journeay,Joung,Jou,Josilowsky,Josephsen,Josephpauline,Jorde,Joor,Jonte,Jolie,Johnke,Johanningmeie,Joerg,Jochems,Jilk,Ji,Jhonston,Jez,Jethva,Jethro,Jest,Jesko,Jerrel,Jerich,Jentsch,Jensvold,Jennrich,Jenious,Jenck,Jemenez,Jelle,Jelinski,Jeleniewski,Jelen,Jeffrie,Jefford,Jedik,Jebbett,Jayes,Javarone,Jauss,Jaus,Jaskolski,Jasionowski,Jasin,Jarzynka,Jarva,Jaruis,Jaross,Jaret,Jaquess,Janovich,Jannusch,Jann,Jankins,Janitz,Janicke,Jangula,Jamon,Jammer,Jamie,Jameel,Jakupcak,Jakubczak,Jakowich,Jakeman,Jagneaux,Jagher,Jaekel,Jadin,Jacobowitz,Jackstadt,Jackowiak,Jackiewicz,Jackels,Jabour,Izsak,Izarraras,Iwasa,Iwanyszyn,Iulo,Iuliucci,Iturbide,Itkin,Isby,Isam,Isales,Isackson,Irizarri,Iribarren,Irani,Iracheta,Iott,Ioli,Iodice,Ioannidis,Intriago,Interrante,Intermill,Insco,Inloes,Ingrim,Inglin,Inglese,Ingala,Infield,Inestroza,Ineson,Indest,Incorvaia,Inacio,Imparato,Imm,Imfeld,Imaizumi,Illescas,Ikuta,Iino,Ignasiak,Igler,Igel,Iffert,Idris,Idema,Ichinotsubo,Ichinose,Iburg,Iarossi,Iannaccone,Iams,Iacovissi,Hytros,Hyten,Hysinger,Hylle,Hylinski,Hvizdos,Huyghe,Huus,Hutsler,Hutchen,Hustus,Huso,Husni,Huslander,Huska,Hush,Huschle,Husayko,Husanini,Hurtis,Hurter,Hurrington,Hurrigan,Hurl,Hurban,Hunten,Hundemer,Humerickhouse,Humbel,Hulstine,Hulm,Huitzacua,Hughlett,Huger,Huewe,Huels,Hudrick,Hudek,Huckeby,Hubright,Hubric,Hubel,Hsi,Hryniewich,Hrovat,Hronick,Hribar,Hozempa,Hoxworth,Howryla,Howison,Howieson,Howdeshell,Hoving,Hovi,Hovelson,Hovell,Houten,Housten,Housekeeper,Houpe,Houp,Houman,Houghland,Hougas,Hothan,Hotchkin,Hoste,Hosie,Hosendove,Hoseman,Hoseck,Hoschouer,Horwood,Horuath,Hortillosa,Horth,Horsfield,Horniak,Hornby,Hormander,Horii,Hores,Horaney,Horal,Hopskins,Hoppesch,Hoopengardner,Hoomana,Hoolihan,Hoof,Honzel,Honse,Honohan,Hongo,Hongerholt,Homola,Homerding,Homchick,Holy,Holvey,Holsing,Holshue,Hollenberg,Hollemon,Holla,Holka,Holifeild,Holets,Holdt,Holdness,Holdiness,Holda,Holcey,Holbein,Hoium,Hoisl,Hohstadt,Hohowski,Hoh,Hogy,Hogsten,Hogsette,Hoggins,Hofler,Hoffstot,Hoffschneider,Hoffee,Hoevel,Hoernemann,Hoeper,Hoener,Hoene,Hoeke,Hoeg,Hoeflich,Hoeffner,Hoeffliger,Hoecker,Hoeck,Hoe,Hodgen,Hodan,Hockema,Hochschild,Hobkirk,Hnatow,Hledik,Hjalmarson,Hitzler,Hittman,Hisman,Hirstein,Hirschhorn,Hirsche,Hirkaler,Hiraoka,Hiraki,Hipwell,Hippo,Hinsey,Hinkey,Hinish,Hingst,Hingle,Hindin,Hinahon,Himelstein,Hillburg,Hillaire,Hilgert,Hildred,Hildahl,Hilcher,Higueros,Higle,Higinbotham,Hieserich,Hidvegi,Hidrogo,Hickton,Hickonbottom,Hickert,Hibl,Heyveld,Heydel,Hevner,Hevesy,Heverley,Heverin,Heusley,Heuberger,Hettwer,Hett,Heter,Hesters,Hessong,Hessing,Hessenthaler,Hessell,Hessee,Hesby,Herzberger,Herwood,Herting,Herscher,Herschel,Herrling,Herrig,Herriage,Herrel,Herre,Herpolsheimer,Hernanders,Hermosura,Hermie,Hermens,Herklotz,Herkert,Herby,Herbster,Herbison,Herbers,Herbein,Heppeard,Henrick,Henrey,Henretta,Henneberg,Hennagin,Henington,Henifin,Heney,Henesey,Henehan,Hendy,Henderosn,Hender,Hendee,Henby,Henaire,Hemrich,Hemmie,Hemmes,Hemlepp,Heminover,Hemauer,Helvy,Helsing,Helmy,Helmstetler,Helmink,Helmcamp,Hellar,Hellams,Helker,Helgesen,Helfritz,Helena,Hele,Hektner,Hejl,Heitschmidt,Heitger,Heinzmann,Heinzen,Heininger,Heineken,Heimrich,Heimbaugh,Heiermann,Hehr,Hegre,Hegmann,Hefler,Hefflinger,Heese,Heeney,Heemstra,Hedrich,Hedgespeth,Hedemann,Hedegore,Heddlesten,Heckenberg,Hebig,Hebden,Hebda,Heatly,Heathershaw,Hearson,Heally,Healan,Heads,Hazleton,Hazarika,Hayhoe,Haydal,Hayburn,Hawthrone,Hawman,Hawkey,Hawf,Havice,Havercroft,Hautamaki,Hauskins,Haulter,Haugrud,Hauan,Hatzenbuhler,Hatzenbuehler,Hattub,Hattier,Hatteyer,Hatstat,Hathway,Hataway,Hassick,Hassian,Hasselman,Hasselbarth,Hasper,Haspel,Haske,Hasgill,Hasen,Harviston,Harvilla,Harvilicz,Harver,Hartzer,Hartup,Hartsough,Hartsch,Hartly,Hartlep,Hartlein,Hartkopf,Harthun,Hartfiel,Hartery,Hartert,Hartage,Harsey,Harrey,Harrett,Harral,Haroutunian,Harmeyer,Harlowe,Harloff,Hardyman,Hards,Hardrict,Hardmon,Hardigree,Hardenburg,Hardell,Hardebeck,Hardaman,Hardaker,Harcey,Harbick,Harajli,Happer,Hapgood,Hanstein,Hansbury,Hanold,Hanohano,Hano,Hanns,Hannifan,Hannes,Hanko,Hanis,Hanenkrat,Hanemann,Hanek,Handzel,Handwerker,Handwerk,Handsaker,Handrick,Handelsman,Handal,Hancin,Hanbury,Hanaway,Hanahan,Hams,Hammerly,Hammeren,Hammatt,Hammarlund,Hamling,Hamiss,Hamiel,Hamelinck,Hambrecht,Halo,Hallinger,Hallick,Halifax,Halgrimson,Halfmann,Halder,Hald,Halburnt,Halberstam,Halaby,Haker,Haken,Haine,Hagos,Hagmaier,Hagenson,Hagene,Hagenbrok,Hagenbaugh,Hafter,Haffling,Haeger,Haegele,Hade,Hadder,Hadcock,Haczynski,Hackle,Hachigian,Hachez,Habrock,Habowski,Habina,Haberkamp,Habben,Habash,Haaby,Gyatso,Gwalthney,Guziec,Guziak,Guys,Guynup,Gutzwiller,Guttmann,Gutting,Gutteridge,Guterrez,Guszak,Gusky,Gusciora,Gurry,Gurrieri,Guritz,Gunst,Gundry,Gundert,Gulsvig,Gulisano,Gulinson,Guittar,Guitard,Guisti,Guiski,Guinto,Guinther,Guinnip,Guilliam,Guillerault,Guilfoil,Guijarro,Guidetti,Guiberteau,Guger,Guevera,Guetersloh,Guerini,Guella,Guedea,Guecho,Gudis,Guckin,Guberman,Guardipee,Guanio,Guagliardo,Grzegorek,Grybel,Grunst,Grunlien,Grundmeier,Grundhoefer,Grun,Grumer,Grum,Gruhn,Gruger,Grudt,Growney,Grotts,Groton,Grotelueschen,Grotberg,Grosswiler,Gronowski,Gronosky,Gronewald,Gronert,Groholski,Groetken,Groeschel,Groene,Grodecki,Groceman,Griswell,Griseta,Grinkley,Grinie,Grinberg,Grimmius,Grieme,Greytak,Grett,Grenke,Grenda,Greinke,Greeves,Greever,Greet,Greenlun,Greenler,Greenham,Grebin,Grboyan,Grawburg,Grattelo,Grassham,Granvold,Granthan,Gransky,Grandolfo,Grandmaison,Grandchild,Granbois,Gramolini,Grammatica,Gramc,Grajek,Grahe,Gragson,Gragert,Grage,Grafenstein,Graetz,Gracely,Graceffo,Grabarczyk,Gouzalez,Gouse,Gourdin,Goudelock,Goud,Gottlob,Gottke,Gotthelf,Gotthard,Gotter,Gotsche,Gotschall,Gosz,Goston,Gossack,Gosdin,Gorz,Gorrill,Gornto,Gornie,Gorenberg,Gorelli,Gordinier,Gora,Gopin,Gopie,Goolman,Goolden,Goodsite,Goodmanson,Goodly,Goodkin,Goodiel,Gonzolas,Gonsior,Gonseth,Gonez,Gonchoff,Gonales,Gomzales,Gomora,Golly,Gollihar,Gollhofer,Golka,Golinski,Golen,Golembeski,Golemba,Goldwater,Goldstock,Goldklang,Goldbeck,Golda,Gojmerac,Goich,Gohlke,Goger,Gogel,Goga,Gofton,Goffe,Goetting,Goeser,Goerner,Goerke,Goerdel,Goeppner,Godsman,Godert,Godel,Gobeli,Gnas,Glucksman,Glotzbecker,Gloeckner,Glockner,Glish,Glickson,Glicken,Glew,Glessing,Gleichman,Glazener,Glave,Glausier,Glatzel,Glassett,Glasbrenner,Gladu,Glab,Glaab,Giza,Gittler,Gittleman,Gittinger,Gitting,Gitthens,Gissel,Gischer,Girst,Girsch,Girona,Girillo,Gire,Gira,Giovanetti,Gionest,Gingles,Gingery,Ging,Gillstrap,Gillson,Gillotti,Gillmor,Gilliss,Gillig,Gillert,Gillcrest,Gilgour,Gilgore,Gilding,Gilderman,Gilcreast,Gieseman,Gieselman,Gieringer,Gick,Giangrosso,Giangregorio,Giambra,Giambattista,Ghibaudy,Ghianni,Ghelfi,Ghaziani,Ghantt,Ghant,Ghaemmaghami,Gey,Getler,Getchius,Gesualdo,Gesmondi,Gerweck,Gerwe,Gerula,Gertsen,Gershey,Gershen,Gers,Gerritsen,Gerdsen,Gerczak,Gerbatz,Gerba,Gerache,Georgl,Georgiadis,Georgelis,Georgalas,Genualdo,Gentery,Gennock,Gennett,Genett,Gendernalik,Genas,Gena,Gemmen,Gelston,Gellman,Gelfo,Gelen,Gelbowitz,Geibig,Gehlhausen,Geffre,Geesaman,Geel,Gedman,Geckles,Gebbie,Gearwar,Gearlds,Gayne,Gayfield,Gawlas,Gauwain,Gaufin,Gauani,Gastley,Gastello,Gassoway,Gasparino,Gaskey,Gaser,Gascot,Garuti,Garrington,Garreh,Garnand,Garlits,Garity,Garitty,Gariety,Garia,Gari,Garetson,Garelik,Garding,Garb,Garasha,Ganzer,Gantert,Ganotisi,Ganner,Ganison,Ganie,Gangell,Gangel,Ganesh,Gandrud,Ganas,Gamby,Gambles,Galyan,Galuski,Galper,Gallwas,Galluzzi,Gallups,Gallosa,Gallipeau,Gallet,Gallerani,Gallegly,Gallaty,Gallaspy,Gallander,Galioto,Galicinao,Galer,Galdon,Galardi,Galamay,Galabeas,Gala,Gaitor,Gagg,Gagan,Gaerlan,Gadley,Gacke,Gacia,Gach,Gabrelcik,Gabay,Gabard,Fylnn,Fydenkevez,Futter,Fuse,Fuscaldo,Furstenberg,Furmanik,Furlone,Furia,Furer,Furci,Furbish,Funt,Fulker,Fukano,Fujino,Fuhrmeister,Fugo,Fuerman,Frymyer,Fryling,Frontz,Froncek,Fronce,Frolich,Froio,Froid,Froehle,Frischman,Friou,Friot,Frieze,Friesz,Friemering,Frieman,Friedrick,Friedle,Frickson,Frickel,Frichette,Fricano,Fribley,Frewing,Frever,Freudenstein,Frerking,Frenger,Freisner,Fregeau,Freedle,Frease,Frazey,Frascone,Franzmann,Franzetti,Frankforter,Francy,Franckowiak,Francies,Franchette,Fralin,Fraleigh,Fraint,Fragozo,Fracchia,Frabizzio,Fousek,Fouraker,Foucault,Fosson,Fossati,Fosnough,Forts,Forthman,Forsting,Forstedt,Forshay,Forshaw,Forsha,Forro,Forno,Forlivio,Forkosh,Forkan,Forcello,Foradori,Fontane,Fonger,Foney,Fondy,Fondow,Folta,Follin,Folliard,Folley,Folken,Foiles,Fohn,Foggs,Foesch,Foertsch,Foecking,Fodness,Foat,Flot,Flosi,Florenz,Florens,Florencio,Florea,Florczak,Flodin,Flocke,Flo,Flentroy,Flenard,Fleisner,Flecther,Flaks,Flagstad,Flagel,Fjetland,Fixico,Fiume,Fitterer,Fisette,Firlit,Firestein,Fiotodimitrak,Fioto,Finner,Finnefrock,Fingado,Finely,Fincel,Finau,Fimbrez,Filoteo,Fillpot,Fillare,Filipski,Filippo,Filipovic,Filipelli,Filimaua,Filhiol,Filgo,Fileds,Filbert,Figuera,Figliola,Figart,Fietsam,Fieselman,Fiene,Fieldhouse,Fiebig,Fidel,Fida,Fickert,Fiato,Fevold,Feuerborn,Fetchko,Fesh,Feser,Ferruso,Ferriolo,Ferriola,Ferrence,Ferrar,Ferran,Ferraiz,Feroz,Ferone,Fernstrom,Fernstaedt,Fernow,Ferkovich,Fergen,Ferdolage,Ferdinandsen,Ferbrache,Fennewald,Fenk,Fenix,Fendler,Fenchel,Felske,Fellinger,Felicetti,Feldpausch,Feighan,Feichter,Fehrle,Fehringer,Fegaro,Feener,Feeler,Fedorchak,Federowicz,Fedd,Feauto,Feagen,Feaganes,Fazzina,Fazzi,Faykosh,Fayard,Favuzza,Favolise,Fausset,Fauske,Fausel,Fauscett,Faulknen,Faulkenburg,Fatica,Fastlaben,Fastic,Farzan,Farstvedt,Farin,Farguharson,Fargnoli,Farfalla,Farese,Farer,Faraldo,Faraj,Fara,Fanzo,Fanton,Fanney,Fanizzi,Fanion,Fanelle,Falterman,Falsetti,Fallone,Falkiewicz,Falconio,Fake,Fairleigh,Fahringer,Fahrenkrug,Faerber,Fadley,Fadeley,Facundo,Fack,Face,Faby,Fabrizius,Fabozzi,Fabiszewski,Fabin,Ezpeleta,Ezparza,Eyrich,Eyerman,Ewoldt,Ewards,Evasco,Evanich,Evangelo,Eustace,Eugley,Euertz,Etulain,Etchells,Esson,Esskew,Essery,Esselink,Espinol,Espenoza,Espelien,Espeland,Espadas,Esler,Eske,Eska,Escuriex,Escovar,Escort,Eschrich,Eschette,Eschen,Eschbaugh,Escalon,Escalero,Esbrandt,Esary,Ertman,Eroh,Ernesto,Erlenbusch,Erle,Erke,Erichsen,Eric,Erholm,Erbstein,Erbst,Eppolito,Eppihimer,Eppich,Entin,Enslinger,Enslen,Enockson,Ennenga,Enman,Englett,Engleson,Englerth,Engl,Engholm,Engelken,Engelkemier,Engelhaupt,Engelbach,Endries,Endow,Endito,Enderby,Encallado,Emziah,Embt,Embs,Embelton,Emard,Elwonger,Elvsaas,Elumbaugh,Elstner,Elsmore,Elskamp,Elshant,Elmblad,Ellson,Ellias,Elletson,Ellestad,Ellert,Ellermann,Ellerbrock,Elleman,Ellars,Elland,Eliezrie,Eldib,Eldert,Elbe,Ekwall,Ekholm,Eken,Eitnier,Eitniear,Eisenzimmer,Eisenstadt,Eisensmith,Eiselman,Eisbach,Eisaman,Eiken,Eibell,Ehrke,Ehrismann,Ehrenfeld,Ehlman,Egizi,Egitto,Eggeman,Effron,Ednie,Edelbrock,Edde,Edd,Economos,Eckols,Eckloff,Echegoyen,Ebia,Eberlin,Ebbers,Easterbrook,Earney,Earleywine,Eanni,Eadens,Dyron,Dykhoff,Dyers,Dyda,Dybala,Dwane,Dwaileebe,Duverne,Duve,Dusen,Dusatko,Dusablon,Durrette,Durphey,Durnin,Durkes,Durette,Durdy,Durch,Duracher,Dupray,Dupoux,Duponte,Duperclay,Dupass,Dupar,Dunwiddie,Dunsing,Dunnaville,Duncomb,Duncklee,Dunay,Dunakin,Dumpe,Dumes,Dumdei,Dumay,Dulkis,Dukich,Dukas,Duin,Dugo,Duewall,Duemmel,Duelm,Dueber,Dudman,Dudak,Duckhorn,Duchscherer,Ducat,Ducas,Dubyk,Dubill,Dubiansky,Dubaldi,Dua,Dspain,Drzazgowski,Drymon,Drylie,Druvenga,Druschel,Drungo,Droze,Drouse,Drott,Drosick,Droneburg,Droessler,Droesch,Drobny,Drizin,Dripps,Drinkley,Drillock,Driesbach,Dretzka,Dresner,Drentlaw,Drenon,Drehs,Drehobl,Drda,Draxler,Drath,Drapeaux,Dragula,Drafts,Draft,Dozer,Doxtater,Doxie,Dowst,Dowson,Downton,Dowlen,Dowey,Dowery,Douty,Doughtry,Doughtery,Dotzler,Dotterer,Dothard,Dosher,Dosal,Dorso,Dorsette,Doro,Dornfeld,Dorkin,Dorka,Dorge,Dorchy,Dorame,Dopler,Dopico,Doore,Dooms,Donnie,Donnelley,Donnel,Donayre,Donatello,Donachie,Dominiguez,Domingos,Dominga,Dominey,Domenget,Dolores,Dollyhigh,Dollen,Dollak,Doleac,Dolch,Dolbeare,Dokka,Dokes,Doire,Doing,Dohring,Dohogne,Dohnal,Dohan,Doerle,Doerhoff,Doemelt,Doehring,Doegg,Dodsworth,Dodoo,Dodier,Dockendorf,Docken,Dobrowski,Dobrin,Dobine,Doberstein,Dizer,Dixey,Divita,Diven,Divalerio,Dituri,Ditton,Disspain,Disparte,Dismore,Disilvestro,Dishong,Dishian,Diseth,Discenza,Dirkson,Dirkse,Dirker,Dirk,Dipippo,Dipinto,Dipierro,Dinnocenzo,Dinizio,Dinis,Dingivan,Dingfelder,Dincher,Dimucci,Dimpson,Dimpfl,Dimitrov,Dimarzo,Dils,Dilisio,Diliberto,Diliberti,Diles,Dileonardo,Dilena,Dijulio,Diiulio,Digiuseppe,Diga,Difillippo,Difebbo,Dieng,Diekman,Didyk,Didriksen,Dickus,Dickow,Dickeson,Dicastro,Dibenedetti,Dhaliwal,Dezenzo,Dewyse,Dewinter,Dewaters,Dewaele,Devoto,Devor,Devoogd,Deviva,Devitis,Devit,Deveyra,Devericks,Devenuto,Deveja,Devaughan,Deutschendorf,Deuink,Deubner,Detzler,Detullio,Detore,Dethlefsen,Dethlefs,Detamble,Desrevisseau,Desotel,Deso,Desmeules,Desmaris,Desilvio,Deshpande,Deschambault,Descamps,Desatnik,Desamito,Desalle,Desak,Derwin,Derting,Derrah,Deroven,Derosso,Deromer,Dermott,Deringer,Derico,Derga,Derflinger,Derezinski,Derck,Derbacher,Deranick,Depuydt,Depung,Depree,Deppert,Depierre,Dephillips,Deojay,Denzin,Denten,Dentel,Dennies,Denina,Denger,Deneke,Denegre,Denboer,Denapoli,Demsky,Demsey,Demotta,Demmons,Demman,Demendonca,Demeester,Dembowski,Demarce,Deman,Demallie,Demaire,Delwiche,Delphia,Delore,Dellenbaugh,Dellbringge,Dellaratta,Dellaporta,Dellapenna,Dellacioppa,Deliberto,Delibertis,Delgenio,Delcueto,Delaurie,Delauder,Delatrinidad,Delash,Delaet,Del,Dekrey,Dejoie,Deiters,Deimund,Degrenier,Degre,Degrand,Degon,Degeston,Degelbeck,Degaust,Degasparre,Defreece,Defenderfer,Defee,Deeken,Dedon,Dedinas,Dedicke,Dedic,Decristofaro,Decoud,Decos,Deconti,Deckers,Decio,Decenzo,Debroux,Debrot,Debray,Deboef,Debiasio,Debettignies,Debenedittis,Debbins,Debaecke,Dearson,Dearo,Deardon,Deaquino,Deacetis,Dayne,Dayem,Dax,Dawoud,Davitt,Davito,Davidoff,Dauterman,Daughterty,Daugaard,Daudelin,Daubendiek,Dattilio,Datcher,Dasovich,Daso,Dasilua,Dashem,Darou,Darke,Dargin,Darga,Darco,Darcey,Dapas,Dantos,Danson,Danny,Danielian,Danchetz,Danby,Damrow,Damours,Damboise,Dambakly,Dambach,Damasco,Damann,Dallmeyer,Dallesandro,Dalfonso,Dakins,Dakes,Daire,Dahill,Daguio,Dagis,Dabdoub,Czerkies,Czarnota,Czachor,Czach,Cypress,Cynthia,Cylkowski,Cyfers,Cwiakala,Cvetkovic,Cuzman,Cuzick,Cuttler,Cutt,Cuti,Cutforth,Cutchins,Cutchall,Cushwa,Curo,Curbeam,Cunnick,Cuneio,Cundick,Cumbaa,Cultice,Cullity,Cullip,Cullifer,Cucvas,Cuculich,Cucino,Cubeta,Cser,Crupper,Crunkilton,Cruden,Crover,Crouter,Crough,Crouchet,Crosthwaite,Croon,Cronshaw,Cronenberg,Crome,Croman,Crognale,Crogan,Croasmun,Cristofori,Cristiano,Crisan,Cringle,Crincoli,Crill,Crieghton,Cridge,Criblez,Crellin,Cregeen,Creeks,Creath,Creacy,Crazier,Crawmer,Crawhorn,Cratin,Crapser,Crapse,Cranmore,Cramm,Cramblit,Cramblet,Cragin,Cracas,Cozzone,Coyco,Coxey,Cowper,Cowett,Covone,Covill,Coverton,Councilman,Coultrap,Coulas,Coughenour,Cough,Cotty,Cotherman,Cother,Costantini,Cossell,Cossano,Cosley,Coslett,Coskey,Cosgray,Corza,Corvi,Corvan,Corsetti,Corscadden,Corsa,Corrow,Corrice,Correro,Correale,Corre,Corna,Corke,Corid,Corelli,Cordonnier,Cordona,Corak,Coppler,Copelan,Coore,Coonradt,Coones,Cookus,Conveniencia,Contrerras,Contrenas,Contorno,Constantini,Constantineau,Consolver,Conrath,Connet,Connerly,Conliffe,Conforto,Conda,Conca,Conales,Compono,Compau,Commendatore,Comings,Comboy,Combass,Coltrin,Colpetzer,Colonel,Colombini,Cologie,Colla,Colbeth,Colbaugh,Colasuonno,Colapinto,Colamarino,Colaluca,Colaianni,Colafrancesco,Colace,Colabella,Coggsdale,Coffill,Codispoti,Codell,Cocoros,Cocopoti,Cocola,Cockley,Cockey,Cochron,Coch,Cobden,Coatsworth,Coarsey,Coar,Clymore,Clumpner,Clougher,Clolinger,Clinkingbeard,Clineman,Clewes,Clemments,Claypole,Clayburg,Claybron,Claybon,Claughton,Clase,Clarenbach,Clankscales,Clampett,Claessens,Claburn,Citrin,Cisney,Cirri,Cipro,Cipkowski,Cione,Cinquanti,Cink,Cimiano,Ciervo,Ciers,Cicora,Ciciora,Cicione,Cicerelli,Ciccolini,Ciccarone,Cicarella,Ciarletta,Ciaccio,Chuta,Chustz,Churan,Chumbler,Chuba,Chruch,Christler,Christinsen,Christinat,Christello,Chrispin,Chrismer,Chrislip,Chrisjohn,Chrestman,Choute,Chough,Chorlton,Chomka,Chmelicek,Chiulli,Chislom,Chiras,Chinzi,Chinnery,Chinick,Chim,Chilvers,Chilo,Chiarmonte,Chiarenza,Chiapetti,Chhuon,Chhour,Chheang,Chetram,Chessher,Cherrier,Cherepy,Cherenfant,Chenot,Cheli,Checa,Cheathan,Chears,Chauvaux,Chaudoin,Chauarria,Chatters,Chatlos,Chatley,Chasey,Charves,Charsky,Charania,Chaplen,Chaple,Channer,Chander,Champey,Champeau,Challen,Chall,Chalkley,Chalet,Chalcraft,Chaix,Chadick,Chadbourn,Chaban,Cesari,Cervoni,Cervin,Certalich,Cerni,Cerney,Cereo,Cerce,Ceravolo,Ceparano,Centrella,Centner,Centano,Cenat,Celmer,Celenza,Celadon,Cefaratti,Cefalo,Cedillos,Cecilia,Cechini,Cecala,Cease,Cearns,Cazeau,Cayson,Cayanan,Cavallario,Cauthron,Cattrell,Catterson,Catrone,Catone,Catoggio,Caterino,Catching,Catalani,Castrataro,Castoe,Castles,Castillanos,Castellonese,Castelhano,Cassman,Cassius,Cassisse,Cassem,Cassani,Cassandra,Casola,Caselli,Cascone,Casburn,Casbeer,Casbarro,Carrin,Carreker,Carrea,Carre,Carrauza,Carranzo,Carpinello,Carolin,Carmolli,Carmena,Carmell,Carmain,Carlye,Carlsten,Carlough,Carlone,Caringi,Carine,Carin,Carela,Cardono,Cardle,Cardinali,Cardi,Cardera,Carback,Capuzzi,Capracotta,Cappo,Cappleman,Capparelli,Caponera,Caplener,Capanna,Caoili,Caoile,Canzio,Cantoran,Cantillo,Canta,Canonica,Cannington,Canniff,Cangas,Canevazzi,Canes,Caneles,Candido,Canders,Cance,Canaway,Canarte,Canario,Canan,Camren,Campusano,Campman,Camm,Caminos,Camferdam,Camerena,Camell,Camak,Camaj,Calway,Calvino,Calvetti,Calvani,Caltabiano,Calnimptewa,Calnick,Calnen,Calmese,Callander,Callabrass,Caliz,Calija,Calger,Calendine,Calderara,Calcara,Calamity,Cailler,Caho,Caguimbal,Cadoff,Caddick,Cadavieco,Cabos,Cabiltes,Cabibbo,Cabellero,Cabasso,Caballes,Cabading,Caal,Byra,Byod,Bynon,Byner,Bynam,Byker,Buzzi,Buzzeo,Butzen,Buttz,Butteris,Butkiewicz,Buteaux,Bustad,Bussone,Busman,Bushmaker,Busche,Burwinkel,Burum,Burtless,Bursi,Burrup,Burross,Burries,Burrichter,Burrelli,Buron,Buro,Burnstein,Burnaugh,Burnap,Burkdoll,Buris,Burington,Burgun,Burgie,Burghard,Burgh,Burgas,Burgardt,Burga,Burdess,Burcin,Burchfiel,Burchess,Burandt,Buonanno,Buonamici,Buntjer,Bungert,Bundschuh,Bumps,Buman,Bulosan,Bullocks,Bullie,Bularz,Buland,Bujarski,Buhmann,Buhman,Bugna,Buglisi,Buggy,Buemi,Budke,Buder,Budds,Buddie,Buczak,Buckwald,Buckovitch,Buckholtz,Buckhanan,Buchetto,Buchauer,Bucciarelli,Buccheri,Bucaram,Bubis,Bubash,Bubak,Brzostek,Brzezowski,Bryton,Brusuelas,Brussell,Bruschi,Brundrett,Brundin,Brumet,Bruley,Bruk,Brug,Bruestle,Brudner,Bruccoleri,Brozie,Broxterman,Brox,Browy,Brownle,Browm,Broward,Brouwers,Brousard,Brought,Brotherson,Brotemarkle,Brossoit,Broscious,Brooms,Broomhall,Brookshaw,Brookhouse,Bronchetti,Broks,Broida,Brohl,Broglie,Brofft,Broermann,Broenneke,Brodnex,Brodka,Brodish,Brockelmeyer,Brockberg,Broch,Broccoli,Brobeck,Broadstone,Brittman,Brislan,Brisk,Brisentine,Bringhurst,Brindel,Brinda,Brincks,Brimeyer,Brihm,Brignolo,Briglia,Brighi,Brient,Bridenbaker,Briddell,Briante,Brians,Briagas,Brevo,Breu,Bretto,Bretthauer,Breslauer,Bresemann,Brentari,Brenning,Brenhaug,Brengettey,Brenek,Brendal,Brenagh,Breiling,Breidenbaugh,Brehant,Bregel,Bredeweg,Bredehoft,Breceda,Braylock,Brause,Brauning,Braulio,Braukus,Braucher,Bratchett,Brasseur,Brasser,Branstutter,Branstad,Branscombe,Brannick,Brandolini,Brandly,Brandenberg,Brandeis,Brandal,Branciforte,Brancheau,Brancati,Bramlette,Bramlet,Brakhage,Braitman,Braisted,Bradfute,Bracks,Bracket,Braccia,Braam,Bozzone,Bozenski,Bozard,Boyson,Boylston,Boxwell,Bowlen,Bowdle,Bowdich,Boward,Bovia,Bovey,Boven,Bouza,Bouwman,Bouwkamp,Boutiette,Boursaw,Bourret,Bourgoyne,Bounleut,Bound,Bouma,Bouleris,Bouler,Boughman,Boughamer,Boudoin,Boudewyns,Botwinick,Bottone,Bottino,Botticello,Botten,Bottaro,Bottalico,Bostel,Boshes,Boshard,Bosell,Boscarello,Bory,Borsari,Borok,Borodec,Bornmann,Bormuth,Bormet,Borling,Borlace,Borkin,Borkenhagen,Boreen,Bordin,Borcherding,Boote,Booras,Boody,Bonton,Bontemps,Bonomini,Bonina,Bonifer,Bongartz,Boness,Bonefont,Bonefield,Bonder,Bonde,Bondanza,Bonavia,Bonamo,Bonadurer,Bomkamp,Bolognia,Bollich,Bollacker,Bolinsky,Boldosser,Boldon,Bolda,Bolado,Boken,Bok,Boisselle,Boisen,Bois,Bohs,Bohnenblust,Bohlig,Bohinc,Bogumil,Bogie,Boggioni,Boggi,Bogenschneide,Bogema,Boge,Bogdanski,Bogdanovich,Boettner,Boesiger,Boesel,Boensch,Boele,Boeken,Boehning,Boehlar,Bodwell,Bodreau,Bodovsky,Boda,Boczar,Boclair,Bockemehl,Bochenski,Bochat,Boch,Boccio,Bocchicchio,Boccanfuso,Bobzien,Bobson,Bobino,Bobier,Bobeck,Bobak,Boarts,Boardwine,Boaldin,Boakye,Boady,Blunden,Blumenstock,Blovin,Blouir,Bloschichak,Bloome,Bloodough,Blonder,Blommer,Blok,Bloeser,Blinks,Blinka,Bline,Blickem,Bleyl,Blews,Bless,Blenner,Bleimehl,Blecker,Bleasdale,Bleakney,Blatnick,Blaski,Blare,Blanzy,Blankumsee,Blancett,Blaich,Blada,Blackbum,Bjorseth,Bjorlin,Bizzaro,Bivin,Bitetto,Bisso,Biskup,Biskach,Bisio,Bisi,Bishard,Bisesi,Bisaccia,Birtcher,Birrittella,Birkhimer,Birkey,Biringer,Biren,Birdette,Birak,Bio,Binker,Bink,Bingler,Bingert,Bingamon,Bindas,Bilson,Billow,Billon,Billo,Bille,Bilis,Bilich,Biler,Bilek,Bilden,Bilazzo,Bila,Bigus,Biggart,Biggar,Bigaud,Biesheuvel,Biernacki,Bierley,Bierlein,Bielefeldt,Biedermann,Biedenbender,Biddulph,Bicksler,Bickes,Bicek,Bica,Bibiano,Biangone,Bi,Bezzo,Bezdicek,Beyt,Beydler,Bevelacqua,Beuther,Beucke,Betzold,Bettman,Bettino,Betterley,Betancourth,Bessel,Beska,Beschorner,Berwald,Berum,Bertotti,Bertorelli,Bertoldo,Bertolami,Bertley,Berteotti,Bertaina,Berstler,Berniard,Berndsen,Bernadette,Berlinski,Berkstresser,Berks,Berkovich,Berkoff,Berkhimer,Berkery,Bergmark,Berga,Berfield,Bereznak,Beresky,Berenger,Berendzen,Berendt,Berczel,Berch,Berbes,Berardinelli,Beppu,Benziger,Benzie,Benzango,Benthall,Bentancourt,Bensberg,Benno,Bennin,Bennes,Benken,Benike,Benigni,Benestad,Bendtsen,Bendis,Bendig,Bendetti,Bendele,Benasher,Benack,Bemben,Belts,Belrose,Belnas,Bellusci,Belloso,Bellizzi,Bellinghausen,Belliard,Belletto,Bellettiere,Belko,Belitz,Belfanti,Beldon,Bekis,Bejcek,Beitler,Beiser,Beine,Beiley,Beierschmitt,Behrle,Behran,Behlmer,Behlke,Beguelin,Beghtol,Beger,Begeal,Beezley,Beesmer,Beerer,Beere,Beerbohm,Beenel,Beelby,Beecken,Bedor,Bede,Beddows,Beddow,Beddia,Becky,Beckius,Beckfield,Beckem,Becena,Beavis,Beaumonte,Beauman,Beauharnois,Beaudine,Beasly,Beales,Be,Bazylewicz,Bazner,Bazel,Baytos,Bayton,Bayt,Baylock,Bayird,Baygents,Baxa,Bawner,Bawden,Bavelas,Bauske,Baumberger,Baul,Battuello,Battig,Batterman,Battani,Battaglino,Batimon,Bathke,Baters,Batch,Batas,Batara,Batala,Bastine,Bassani,Bassali,Baskind,Baseman,Basehore,Basara,Barze,Barwell,Barut,Baruffa,Bartlome,Bartin,Barthol,Barthell,Barters,Barswell,Barshaw,Barrigan,Barria,Barrasa,Barraco,Barnthouse,Barnt,Barmes,Barkhimer,Barios,Bario,Barino,Barie,Barick,Barfuss,Barfknecht,Barer,Bareford,Bardis,Barcley,Barchick,Barcena,Barbur,Barbor,Barbin,Barben,Barbella,Barbaglia,Baransky,Baragan,Baquiran,Banzhaf,Banter,Bankowski,Banet,Bandt,Banaszek,Banana,Balque,Balowski,Ballog,Ballina,Ballensky,Ballato,Baliga,Baldomero,Balden,Balde,Baldassare,Balbontin,Balbas,Balassi,Balandran,Bakkala,Bakhshian,Bakerville,Bakaler,Bajaj,Baites,Baisten,Bairam,Bailard,Baierl,Baichan,Bai,Bahrs,Bagozzi,Bagni,Bagnato,Baglione,Baggio,Baggesen,Baggenstoss,Bagan,Baessler,Baerman,Baerlocher,Badgero,Baddour,Badami,Baculpo,Bacio,Bacigalupo,Bachta,Bachar,Bacchi,Babrow,Babonis,Babish,Babicke,Babeu,Baab,Azzopardi,Azore,Azen,Aykroid,Axon,Axelrad,Awkard,Awender,Avon,Avirett,Averitte,Averbeck,Avellano,Avary,Auwaerter,Autrano,Auteri,Austgen,Ausdemore,Aurich,Aumen,Auler,Augustyniak,Augliano,Aughtman,Aue,Auduong,Aucter,Attianese,Atiles,Athas,Asturias,Astrup,Astley,Assante,Aspden,Aspacio,Asley,Asleson,Askvig,Askegren,Askam,Ashmen,Ashauer,Asfour,Aschoff,Aschim,Aschan,Asal,Arzo,Arvesen,Arrow,Arrocha,Arris,Arribas,Arquitt,Arone,Aroche,Arnt,Arnoux,Arnoldi,Arning,Arnholt,Arndorfer,Armson,Arment,Arlotta,Arlinghaus,Arlia,Arkema,Arizaga,Arisumi,Aristide,Aris,Arif,Ariano,Arguilez,Argudo,Argrow,Argiro,Argetsinger,Arfman,Arenburg,Aredondo,Area,Ardry,Ardner,Ardizone,Arcudi,Arcizo,Arcila,Archilla,Archangel,Arcega,Arbucci,Arato,Arano,Aran,Aragan,Apostol,Apolito,Apland,Apkin,Aperges,Apalategui,Apaez,Anzora,Antonsen,Antolos,Antolini,Antman,Anter,Anspaugh,Anselm,Annonio,Annichiarico,Annibale,Annarumo,Anliker,Ankrapp,Ankenman,Anhorn,Angton,Angrisano,Angon,Angolo,Angleton,Anglebrandt,Anglea,Anglade,Angilletta,Angeron,Angelotti,Angelbeck,Angela,Anez,Andueza,Andrulis,Andronis,Andreu,Andreoni,Andert,Anderlik,Anauo,Anastasiades,Ananias,Anand,Amuso,Amrich,Amr,Amour,Amoss,Amorosi,Amoako,Amoah,Ammirato,Ammar,Amirian,Amiot,Amidi,Ameduri,Amderson,Ambuehl,Amass,Amanza,Amadio,Alwang,Alwan,Alvine,Alvarran,Alvarracin,Alvanez,Aluqdah,Altshuler,Altonen,Altmiller,Altken,Altiery,Althiser,Altaras,Alstrom,Alstad,Alsbury,Alsberry,Alquijay,Alpha,Alonza,Aloia,Alnas,Almerico,Almenar,Almen,Allwood,Allstott,Allridge,Alleva,Allenson,Allenbaugh,Allegretta,Allegra,Allbritten,Allara,Allamon,Alken,Alizadeh,Alirez,Alires,Aline,Alim,Algire,Algier,Algien,Alfonsi,Alexy,Alexnder,Alessandroni,Alert,Alemany,Aleksey,Alderton,Alderfer,Aldava,Aldapa,Alconcel,Albornoz,Albini,Albergotti,Alben,Albea,Albang,Alario,Alamilla,Alalem,Akoni,Akles,Akande,Akamine,Ajasin,Aiyer,Aihara,Ahrendes,Aherns,Aharoni,Agunos,Aguliar,Aguillar,Agudo,Agoras,Agnor,Agni,Agers,Agel,Aery,Aerts,Adon,Adessa,Aderson,Aderman,Adema,Adelsberg,Adelblue,Adel,Addiego,Adas,Adamcik,Acquilla,Ackmann,Achterhof,Achane,Abuhl,Abrial,Abreau,Aboulahoud,Aboudi,Ablao,Abilez,Abete,Aberson,Abelman,Abelardo,Abedelah,Abdulmateen,Abato,Aas,Aarestad,Aanenson,Zymowski,Zyla,Zybia,Zwolski,Zwigart,Zuwkowski,Zurovec,Zurkuhlen,Zuppa,Zunich,Zumpfe,Zumalt,Zulkowski,Zulfer,Zugg,Zuerlein,Zuehls,Zuckerberg,Zuchelkowski,Zucchetto,Zucca,Zubrowski,Zubizarreta,Zsadanyi,Zrake,Zotti,Zosel,Zoltek,Zolla,Zogopoulos,Zogby,Zmek,Zitzmann,Zitzelberger,Zirker,Zinzow,Zimick,Zimerman,Zilk,Zigomalas,Ziesman,Ziernicki,Zierke,Zierk,Zierenberg,Zierden,Ziems,Zieger,Ziebert,Zicafoose,Zic,Zibell,Ziada,Ziad,Zhen,Zetzer,Zetino,Zerphey,Zercher,Zeran,Zephyr,Zelonis,Zellinger,Zelko,Zeliff,Zeleznik,Zekria,Zeidman,Zehrer,Zehrbach,Zeherquist,Zehender,Zegar,Zega,Zechiel,Zeccardi,Zebracki,Zeavala,Zbierski,Zaza,Zayicek,Zawistowski,Zawasky,Zavitz,Zaverl,Zavcedo,Zavattieri,Zavacky,Zausch,Zatorski,Zarrabi,Zarlingo,Zarin,Zarillo,Zaren,Zapel,Zapatero,Zantow,Zant,Zannini,Zangger,Zanfardino,Zanardi,Zan,Zampella,Zamoro,Zamborano,Zambelli,Zalamea,Zajdel,Zais,Zahourek,Zaharek,Zagulski,Zagacki,Zadina,Zaczek,Zachter,Zachariah,Zacchini,Zabenko,Zabbo,Yuska,Yuscak,Yurovic,Yurek,Yunes,Yumas,Yuk,Yudell,Ysaguirre,Yray,Yozzo,Yovan,Youssefi,Yousko,Younghans,Youmon,Youla,Yotter,Yoshi,Yoseph,Yorck,Yono,Yoneoka,Yonashiro,Yomes,Yokel,Yoest,Ynocencio,Yewell,Yetzer,Yetsko,Yerty,Yeropoli,Yerka,Yergin,Yenor,Yem,Yeley,Yearego,Yeakel,Yazzle,Yazzi,Yazdani,Yaws,Yasika,Yarwood,Yarris,Yaroch,Yarmitsky,Yara,Yantzi,Yannucci,Yannayon,Yannantuono,Yankovski,Yankovitch,Yandow,Yanchik,Yanagihara,Yanagida,Yanacek,Yamanoha,Yamaki,Yalon,Yaklin,Yake,Yaiva,Yaish,Yahne,Yafuso,Yafaie,Yacullo,Yacovone,Yacoub,Xyong,Xayasith,Wyze,Wyrostek,Wynes,Wyker,Wygal,Wybenga,Wurz,Wung,Wueste,Wubnig,Wubbena,Wubben,Wrzesien,Wrynn,Wrightington,Wride,Wreyford,Woytowich,Woytek,Wosick,Workowski,Worell,Wordlow,Worchester,Wooward,Woolhiser,Woodlin,Woodka,Woodbeck,Woodal,Wondoloski,Wonderling,Wolsdorf,Wolper,Wollert,Wollenburg,Woline,Wolfing,Wolfensperger,Wolbrecht,Wojnowski,Wojewoda,Wojdak,Wohlfeil,Wohlert,Woge,Woelfl,Wodicka,Wobser,Wobbe,Wnukowski,Wnorowski,Wmith,Wlodarek,Wiza,Witucki,Wittrup,Wittnebel,Witthoeft,Wittenbrink,Wittbrodt,Witkowsky,Wisnowski,Wisely,Wirtzfeld,Wirfs,Wipfli,Winterberg,Winslette,Winscott,Winnicki,Winnen,Winik,Wingeier,Windsheimer,Windrow,Windhorst,Windfield,Windauer,Wincapaw,Win,Wimbrow,Wimble,Wilund,Wilshusen,Wilsen,Willock,Willmert,Willies,Williemae,Williamis,Willia,Willi,Willeto,Willborn,Wilkus,Wilkson,Wilkoff,Wildridge,Wilczak,Wilcut,Wiklund,Wiggan,Wigand,Wig,Wiesemann,Wieseman,Wiersteiner,Wienberg,Wielock,Wielgasz,Wiegard,Wiedrich,Wiederholt,Wieben,Widjaja,Widera,Wide,Wicklin,Wickersheim,Wiborg,Wiatrowski,Why,Whittum,Whittinghill,Whittenbeck,Whitiker,Whitey,Whiter,Whitelightnin,Whitcome,Whisted,Whirlow,Whiles,Whilden,Whetzell,Whelihan,Wheeldon,Wheater,Whaltey,Weynand,Weyker,Weydert,Weuve,Wetzstein,Wetzell,Westler,Westermeier,Westermark,Westermann,Westerhoff,Westbrooke,Weske,Weser,Werst,Werremeyer,Wernsman,Wernex,Wern,Werme,Werline,Werk,Wergin,Werdlow,Werderman,Went,Wensman,Wenske,Wendorff,Welzel,Weltha,Wellinghoff,Welding,Weit,Weissenbach,Weispfenning,Weismantle,Weisbecker,Weirauch,Weinzierl,Weinrib,Weinland,Weinfurter,Weinburg,Weiher,Weig,Weidower,Weicht,Weibe,Wehking,Weglage,Wegiel,Wedige,Weckwerth,Weatherington,Weasel,Weant,Wealer,Weagraff,Weader,Wayts,Wayson,Waymon,Waygood,Wayford,Waychowsky,Waverly,Wattigny,Watsky,Watry,Wates,Watah,Wasurick,Wassam,Waskom,Waskin,Washum,Washpun,Washler,Waser,Warzybok,Warstler,Warrilow,Warran,Waroway,Warntz,Warnberg,Warmka,Warmbrod,Warlow,Warlock,Warde,War,Wapp,Wantuck,Wannlund,Wannarka,Wanko,Wandell,Walund,Waltos,Waltho,Walstrum,Walrod,Walper,Waln,Wallwork,Wallo,Wallman,Walliser,Wallie,Wallenbrock,Wallau,Walka,Walizer,Walgren,Waley,Walen,Waldroop,Walderon,Wal,Wakeford,Waitz,Waiss,Waisanen,Wais,Wainkrantz,Wahn,Wahdan,Wahba,Wagnor,Waggy,Wagemann,Wagatsuma,Waffenschmidt,Waegner,Waddups,Waddles,Wadas,Wacht,Waas,Waaga,Vuoso,Vukelj,Vriens,Vredeveld,Vrbas,Vranicar,Vovak,Votsmier,Vostal,Vorsburgh,Vornes,Vopava,Vonseeger,Vonschriltz,Vonholt,Vongsamphanh,Vongkhamphanh,Vongkhamchanh,Vonfelden,Voner,Vondrasek,Vondracek,Vonderhaar,Vonderahe,Vonbank,Volpone,Volmar,Vollmers,Vollette,Volinsky,Volek,Volbert,Vojna,Voigtlander,Vogelzang,Voeltz,Voelkerding,Vocelka,Vljeric,Vleming,Vlchek,Vizzi,Vixayack,Vixay,Vivyan,Vivion,Vitrano,Vitez,Vitellaro,Visounnaraj,Visick,Viscosi,Virostko,Virgile,Virgadamo,Virant,Vintila,Vinti,Vint,Vilven,Vilt,Villnave,Villescaz,Ville,Villasis,Villaplana,Villao,Villanveua,Villanvera,Villandry,Villamayor,Villamarin,Villaluz,Villaluazo,Villaire,Villacrusis,Vilegas,Vildosola,Viker,Vijil,Vijayan,Vigneau,Vigilo,Vigiano,Vieu,Vietzke,Vierk,Viengxay,Vieau,Vidas,Vidaca,Vicuna,Vicueroa,Vicenteno,Vias,Viard,Viano,Viale,Viafara,Vezza,Vevea,Vetterkind,Vetterick,Veto,Vessar,Vesperas,Vesley,Verwers,Verunza,Verso,Versage,Verrue,Verrone,Verrastro,Verplanck,Verone,Vernazza,Verlinden,Verlin,Verkuilen,Verfaillie,Venzor,Venturelli,Venskoske,Venning,Venneman,Veneri,Vendig,Vence,Veltkamp,Velthuis,Velovic,Veller,Velky,Velega,Velardes,Veksler,Veitinger,Vehrenkamp,Vegerano,Vedovelli,Veasman,Vbiles,Vautier,Vaulet,Vatterott,Vasudevan,Vasos,Vasek,Vasallo,Varquez,Varquera,Varoz,Varone,Varisco,Varieur,Varanda,Vanzie,Vanwyck,Vanwhy,Vanweerd,Vanwechel,Vanvuren,Vanvorst,Vanveldhuize,Vanuden,Vantuyle,Vantull,Vansteenhuyse,Vansteenberg,Vanson,Vansise,Vanschoor,Vanschoiack,Vanrossum,Vanosdol,Vanos,Vanorsouw,Vanoni,Vannuck,Vanlinden,Vanlier,Vanlaere,Vaninetti,Vanhove,Vanhoutte,Vanhoecke,Vanheusen,Vanhamme,Vanham,Vangordon,Vaneekelen,Vandonsel,Vandevanter,Vandesande,Vandernoot,Vanderjagt,Vanderiet,Vanderhurst,Vanderbie,Vandawalker,Vandaele,Vanblaricum,Vanbeveren,Vanamerongen,Vanamburgh,Vanalstin,Valtas,Valme,Vallow,Vallotton,Valliant,Vallegos,Vallar,Valladores,Valerino,Valeriani,Valela,Valdo,Valant,Valado,Vajnar,Vais,Vagnier,Vadlamudi,Vactor,Vaccarello,Vacarro,Uzzo,Uutela,Utzig,Useted,Urtz,Urtiz,Urtiaga,Urteaga,Urquides,Urmston,Urmos,Urbany,Urbaez,Uptmor,Upole,Uphold,Uoy,Unverzagt,Unvarsky,Unterseher,Unterman,Unglesbee,Underdue,Uncapher,Umeh,Ulven,Ulvan,Ulshafer,Ulsamer,Uljevic,Ulbricht,Ulabarro,Ujano,Uimari,Uihlein,Ugolini,Uglum,Ufford,Ueckert,Udani,Uchiyama,Ubl,Ubaldo,Tyrie,Tyndal,Tyms,Tylwalk,Tyeryar,Twilligear,Twidwell,Twardy,Tuzzio,Tutterow,Tutaj,Turziano,Turzak,Turtura,Turtle,Turrietta,Turns,Turnell,Turneer,Turnbill,Turello,Turbacuski,Tupaj,Tupacyupanqui,Tuomi,Tuomala,Tuohey,Tuning,Tumolo,Tuman,Tullar,Tulino,Tuggerson,Tuckerson,Tucke,Tuchy,Tucek,Tucciarone,Tuamoheloa,Tuai,Tua,Tsu,Tsironis,Tsing,Tsiatsos,Tsemetzis,Tscrious,Tsau,Tsasie,Tsakonas,Trypaluk,Trygg,Truxell,Truver,Trusso,Trush,Trusello,Truocchio,Truncellito,Trumps,Trumper,Trumbley,Trulli,Truhe,Truglia,Trufin,Trudnowski,Trudics,Trudgeon,Trucks,Trucker,Troyano,Troyani,Trouser,Trotty,Tronaas,Tromley,Tromburg,Troller,Trojecki,Trojahn,Troike,Troidl,Troge,Trofholz,Trochesset,Trish,Trio,Trinkley,Trinkl,Tringham,Trindle,Trimnell,Trilli,Trill,Triguro,Trigueros,Triece,Trider,Trexel,Trewin,Trewhitt,Treuter,Treutel,Trettin,Trett,Treso,Trenton,Trentini,Trenholme,Tremel,Trell,Tregan,Trecarichi,Trbovich,Traverse,Traunfeld,Trapanese,Tramp,Tramm,Trajillo,Trahin,Traher,Tradup,Toyne,Toyama,Townzen,Towber,Toussiant,Tousom,Tourtelotte,Touma,Toulmin,Touhy,Tottingham,Totter,Tott,Totosz,Toti,Tota,Tostanoski,Toso,Tory,Torreson,Torreon,Torrell,Torralva,Torno,Torngren,Tornese,Tordsen,Torbit,Torbeck,Toppins,Toppen,Toppah,Topolinski,Toplk,Topliss,Toplin,Topinka,Topi,Toomsen,Tools,Toof,Too,Tonic,Toniatti,Toni,Tongren,Tonche,Tonas,Tomsick,Tomsche,Tomopoulos,Tomkowicz,Tomasko,Toliongco,Toleston,Tokunaga,Tokita,Tohonnie,Tognetti,Toevs,Todora,Todahl,Tod,Tocher,Tocchio,Tobosa,Tobiason,Tjepkema,Tizon,Tixier,Tiwald,Tittl,Tisue,Tisinger,Tisa,Tirona,Tiro,Tirk,Tirino,Tiotuico,Tinnea,Tinin,Timone,Timber,Tilleman,Tille,Tiley,Tijing,Tigg,Tiffner,Tietjens,Tieger,Tidrington,Tidrick,Tibwell,Tibolla,Tibbit,Tiangco,Tian,Thyfault,Thurstonson,Thundercloud,Thuman,Thrun,Thrill,Thorsten,Thornquist,Thorner,Thormina,Thormer,Thoran,Thomspon,Thoeny,Thoennes,Thoele,Thoby,Thillet,Thiesse,Thibedeau,Theuner,Thessing,Therurer,Thero,Theo,Themot,Them,Thein,Theim,Theiling,Theesfeld,Theaker,Thaniel,Thamphia,Thammorongsa,Thalheimer,Thain,Thaemert,Thackxton,Thackrey,Thackery,Teyler,Tewmey,Tevada,Tetz,Tetteh,Tetro,Tetreau,Testman,Tessner,Tesoriero,Tesnow,Tesauro,Tersteeg,Terrett,Terrero,Terrence,Terrall,Terr,Terkelsen,Terbush,Teranishi,Tepperberg,Tentler,Tenor,Tenharmsel,Tengwall,Tenerowicz,Tenebruso,Tendick,Tencer,Ten,Temoshenka,Telman,Tellinghuisen,Telega,Telchik,Tejeiro,Teitel,Teichrow,Teichmiller,Tegtmeier,Tegenkamp,Teet,Teeples,Teepe,Tebow,Tebbetts,Tebbe,Tease,Teach,Tayo,Taymon,Taylan,Taydus,Tavolario,Taves,Tauteoli,Tatu,Tatsak,Tatnall,Tates,Tasto,Tasse,Tashman,Tartar,Tarsis,Tarris,Tarricone,Tarran,Tarner,Tarbor,Tarbet,Tarasuik,Taraschke,Taps,Tappis,Tapio,Tapat,Tapales,Tapaha,Taomoto,Tanzosch,Tanzman,Tanweer,Tanoue,Tanori,Tanon,Tannazzo,Tanker,Tanke,Tango,Tanen,Tandon,Tandetzke,Tancer,Tamminen,Tamiya,Tameron,Talladino,Taliulu,Talburt,Talboti,Talat,Talamas,Takiguchi,Takenaka,Tak,Tahir,Tagliente,Taglialatela,Tagge,Tagami,Tafuri,Tafreshi,Tacderen,Taccariello,Tacata,Tacadina,Tablada,Tabet,Taberski,Tabbaa,Taake,Szypowski,Szynkowicz,Szymula,Szychowski,Szwarc,Szuszkiewicz,Szumny,Szumilas,Szumiesz,Szuch,Szuba,Sznejkowski,Szmidt,Szlosek,Szigethy,Szenasi,Szczurek,Szczesniak,Szalankiewicz,Szalai,Szal,Szaflarski,Syrstad,Syrop,Synowiec,Synakowski,Symore,Symon,Syddall,Sybounheuan,Swonke,Swisshelm,Swiller,Swenton,Swell,Sweley,Sweger,Swefford,Sweere,Swee,Swedeen,Sweazey,Swearngen,Swaynos,Swatloski,Swatek,Swary,Swartley,Swarr,Swarn,Swarb,Swarat,Swanzy,Swantner,Swantko,Swanteck,Swanick,Swaine,Swadling,Svob,Svensen,Sutt,Suto,Sutherburg,Susmilch,Susla,Susko,Susan,Surridge,Surran,Surkamer,Suon,Suominen,Suneson,Sundman,Sumstad,Sumruld,Sumey,Sumbera,Sumaran,Sultaire,Sully,Sulloway,Sulkowski,Sulc,Sukut,Sukup,Sukovich,Suihkonen,Suga,Suffern,Sueyoshi,Suet,Suennen,Suellentrop,Sueda,Suddath,Succop,Sub,Sualevai,Styler,Stvictor,Stuzman,Stusse,Sturwold,Sturino,Sturiale,Sturdnant,Stupke,Stumm,Stumb,Stukel,Stufflebean,Stuever,Stuessy,Stuedemann,Stueckrath,Stueck,Studwell,Stubler,Stubbert,Strzyzewski,Strzelczyk,Strutynski,Struckmann,Struber,Strow,Stropus,Strople,Stroot,Strohecker,String,Strimel,Stright,Striffler,Stridiron,Stricklan,Strem,Streller,Strekas,Strek,Streitz,Streitenberge,Strech,Streat,Strazzullo,Strawberry,Stratter,Strathmann,Strassell,Strassberg,Strangstalien,Stoyanov,Stouten,Stoutamyer,Stotelmyer,Stoskopf,Storton,Storbeck,Stoppenbach,Stoot,Stoor,Stonewall,Stonefield,Stolzenberg,Stollsteimer,Stokel,Stohs,Stohrer,Stofferahn,Stoermer,Stoen,Stoecklin,Stockhoff,Stockburger,Stoakley,Stoa,Stlucien,Stitz,Stittgen,Stitch,Stires,Stippich,Stinser,Stinemetz,Stinde,Stinar,Stimus,Stiliner,Stilgenbauer,Stifflemire,Stickfort,Sticher,Stibb,Stewardson,Stevison,Steube,Sternod,Sterger,Steptore,Steppig,Stepleton,Stephanski,Stephano,Stepchinski,Stepanik,Stepaniak,Stenslien,Stenslie,Stengle,Stengele,Stendal,Stempert,Steman,Stelmach,Steitzer,Steinworth,Steinway,Steins,Steinour,Steinmiller,Steinhouse,Steinhour,Steinger,Steindorf,Steinau,Steinacker,Stegmann,Steff,Stefansky,Steensland,Steenrod,Steenland,Steeby,Stech,Stealy,Steagell,Steadings,Steach,Stawasz,Stavsvick,Stavrides,Stavish,Stathes,State,Stassinos,Stasser,Stasio,Stasa,Starzynski,Starritt,Starring,Starnold,Starchman,Starch,Starace,Stapelton,Stanuszek,Stanovich,Stankovic,Stankey,Stanislaw,Staniforth,Stanier,Stangarone,Stanganelli,Standlee,Standerwick,Standback,Stancombe,Stancer,Stancato,Stammel,Stambough,Stallones,Stakelin,Stagnitto,Stafiej,Staffon,Staffieri,Staffen,Stade,Stachniw,Stachnik,Stacer,Staber,Stabell,Staback,Staadt,Spunt,Spueler,Spruit,Spruel,Spriggins,Spratlen,Sprain,Sprafka,Sportsman,Sports,Sporle,Spoerl,Spoerer,Splonskowski,Splinter,Splane,Spizzirri,Spinoso,Spinka,Spiney,Spine,Spindola,Spindle,Spinas,Spilski,Spielmaker,Spiegle,Spevacek,Sperrey,Sperger,Sperduti,Speranza,Sperandeo,Spender,Spena,Spella,Speith,Speis,Speiden,Speidell,Speese,Specter,Speake,Speagle,Spaun,Spara,Spanton,Spanswick,Spannbauer,Spana,Spaide,Spadlin,Sowash,Sovey,Sovak,Souvannavong,Souvannarith,Souvannakhiry,Souser,Soulek,Soukkhavong,Soucek,Sottosanti,Sotlar,Sotak,Sossong,Sosso,Sosinsky,Soscia,Sorotzkin,Sorokin,Sorman,Sorgatz,Soren,Soravilla,Sor,Soprych,Sopata,Soorus,Sookoo,Sonnenburg,Sonkens,Sondrini,Sondelski,Somsana,Sommerdorf,Sommella,Solverson,Soltren,Soltes,Solonika,Solomons,Sollock,Sollman,Solle,Solimeno,Soliece,Solgovic,Soldow,Solas,Solarz,Sokorai,Sokolik,Soisson,Sohrabi,Soho,Sogol,Soga,Sofka,Sodomka,Sodachanh,Sochocki,Socci,Sobrowski,Sobrino,Soboleski,Soberano,Sobba,Sobania,Soans,Snuffer,Snowdon,Snowdeal,Snoderly,Snock,Snitker,Snith,Sniff,Snedeger,Snearly,Snachez,Smurthwaite,Smolski,Smithmyer,Smithen,Smithberger,Smisek,Smily,Smiglewski,Smietana,Smialowski,Smeltz,Smelko,Smeenk,Smedsrud,Smayda,Smaw,Smarsh,Smalt,Smalarz,Slutzky,Sluis,Sloup,Slotkin,Slosek,Sloon,Slomski,Slocombe,Slockbower,Slisz,Slinsky,Slicer,Sleek,Slayman,Slavis,Slatin,Slanina,Slagel,Sladky,Sladek,Skyberg,Skwara,Skursky,Skurski,Skura,Skrobacki,Skretowicz,Skorepa,Skomo,Sknerski,Skinsacos,Skillom,Skillen,Skibosh,Skibisky,Skewis,Skene,Skender,Skalecki,Skafec,Sixon,Sivia,Sivert,Sitto,Sita,Sissman,Sisneroz,Siskey,Sischo,Sirwet,Sirucek,Sirrine,Sirnio,Siriani,Sirek,Sippial,Sionesini,Sioma,Sinkiewicz,Sininger,Singuefield,Sings,Singhisen,Singeltary,Singco,Siner,Sindt,Sindorf,Sindoni,Sindel,Simzer,Simunek,Simplot,Simpelo,Simonetta,Simonett,Simoneavd,Simmelink,Simlick,Simkowitz,Simino,Simers,Simer,Simcic,Simank,Silverwood,Silverhorn,Silquero,Sillitti,Sillery,Silla,Silker,Silerio,Silagy,Silago,Sikorra,Sikkila,Sikel,Sikat,Sikander,Sigworth,Signorino,Sigafoos,Siewers,Sievel,Sierzenga,Sierer,Siepker,Siena,Sien,Siegfreid,Siegers,Siefkes,Siefferman,Siebel,Sidles,Side,Siddiq,Sida,Sickmeir,Sickendick,Sichler,Sicheneder,Sichel,Siangco,Siad,Shymske,Shutte,Shutes,Shurkus,Shumay,Shukert,Shuhi,Shuga,Shuckhart,Shryer,Shroeder,Shrimplin,Shrier,Shrefler,Shrake,Shoyer,Showden,Shouts,Shoto,Shonts,Shoeman,Shoddie,Shirilla,Shird,Shirai,Shipwash,Shiplet,Shipler,Shintani,Shinney,Shinko,Shindorf,Shimonishi,Shimanuki,Shiller,Shiiba,Shigemitsu,Shigematsu,Shifley,Shifflette,Shiever,Shido,Shidemantle,Shidel,Shibahara,Shey,Shevenell,Shetz,Sheskey,Sherratt,Sherif,Sherfy,Sherbo,Shepp,Shenberger,Shenassa,Shemper,Sheltrown,Shellum,Shellnut,Shellhorn,Shellgren,Shelenberger,Sheive,Sheasby,Shearier,Shearhart,Shawler,Shawaiki,Shaull,Shau,Shatt,Sharratt,Sharrai,Sharpsteen,Sharpey,Sharley,Shariff,Shariat,Sharar,Shapin,Shansky,Shannonhouse,Shangraw,Shammaa,Shamapande,Shalam,Shaker,Shahinian,Shaginaw,Shaggy,Shafto,Shafi,Shaer,Shae,Shadix,Shadburn,Sfera,Sfatcu,Seymoure,Sey,Sewester,Severyn,Seutter,Seuss,Seufer,Settecase,Sespinosa,Servey,Servano,Serum,Sertuche,Sert,Serro,Serret,Serre,Sermon,Sermania,Sergovia,Seremet,Serabia,Ser,Sephton,Sep,Senta,Sensenbach,Senneker,Senk,Senion,Senemounnarat,Seneker,Semo,Semenick,Seltrecht,Sellar,Seliski,Selis,Seligmann,Selia,Selestewa,Selem,Sele,Selca,Selbert,Selbe,Sekerak,Sejkora,Seiz,Seiver,Seirer,Seilhymer,Seiley,Seiger,Seigart,Seifts,Seiffert,Seidle,Seide,Seiberlich,Segota,Segobia,Seewald,Seepersaud,Seen,Sedy,Sedtal,Sedotal,Sedler,Sedlachek,Secreto,Secora,Secky,Seckington,Sebestyen,Sebers,Searchwell,Searchfield,Searcey,Seanor,Sean,Seamen,Sealander,Seaford,Scullion,Scrudato,Scronce,Scrobola,Scribellito,Scozzari,Scoresby,Scolnik,Scoh,Scoble,Sclavi,Sciuto,Scisco,Scigliano,Scieszka,Scierka,Scibetta,Sciavillo,Sciarini,Sciancalepore,Schwuchow,Schwoyer,Schwoerer,Schwien,Schwetz,Schwertfager,Schwentker,Schwent,Schwendinger,Schwemm,Schweiner,Schwarzenberg,Schwartzer,Schwarten,Schwanebeck,Schwanbeck,Schwallie,Schwald,Schuyleman,Schustrich,Schurer,Schuppenhauer,Schumucker,Schumans,Schuiling,Schueth,Schuckert,Schuchmann,Schuble,Schub,Schroy,Schromen,Schroeppel,Schroedel,Schreur,Schreimann,Schrecker,Schouweiler,Schou,Schornick,Schoreplum,Schooling,School,Schoo,Schontz,Schoninger,Schoneck,Schone,Schonaerts,Schomberg,Schollmeier,Schoepflin,Schoenegge,Schoeneck,Schoeller,Schoebel,Schnitman,Schnetter,Schnelzer,Schneidmiller,Schnair,Schnabl,Schmuff,Schmoldt,Schmider,Schmeer,Schlussel,Schlissel,Schlett,Schlesner,Schlesener,Schlepphorst,Schlepp,Schlechten,Schlaack,Schiveley,Schirm,Schimanski,Schilmoeller,Schille,Schilawski,Schiffner,Schiffert,Schiedler,Schickler,Schiappa,Scheuring,Scheule,Schepker,Schenz,Schenkelberg,Schembri,Schembra,Schellhorn,Schellenberge,Schelle,Scheitlin,Scheidecker,Scheibner,Scheiblich,Schehl,Schefers,Schee,Schearer,Schaubert,Schattschneid,Scharich,Schares,Scharber,Schappach,Schaneman,Schamberger,Schak,Schaetzle,Schaecher,Scerbo,Scelba,Scavona,Scatton,Scarsdale,Scarr,Scarpone,Scarlata,Scariano,Scandurra,Scandura,Scandalis,Scammahorn,Scafuto,Scaffe,Scachette,Sayyed,Sayko,Sayco,Sayasane,Sayaphon,Sawney,Sawdo,Sawatzke,Sawallich,Savko,Savka,Savitts,Saviola,Savio,Savine,Savich,Savells,Saulpaugh,Saulino,Sauler,Saugis,Sauber,Sau,Saturnio,Sattel,Satomba,Saterfield,Satava,Sasseville,Sasahara,Sarzynski,Sartorius,Sartore,Sartell,Sarsour,Sarson,Sarp,Sarnosky,Sarni,Sarlinas,Sarka,Sarinsky,Sarin,Sardo,Sarden,Sarchett,Sarault,Sarate,Sarao,Sarantakis,Saralegui,Sapper,Sappah,Sapinski,Sapardanis,Sapara,Sanyaro,Santwire,Santrmire,Santoriella,Santor,Santomassimo,Santisteban,Santillanez,Santamarina,Sansotta,Sanpson,Sannutti,Sankoh,Sangasy,Sanfelix,Sandvill,Sandus,Sandstede,Sandling,Sandland,Sandhop,Sandeen,Sandblom,Sanday,Sandager,Sancrant,Sancken,Sanchirico,Sancher,Sances,Sanberg,Sanacore,Samyn,Samul,Samrov,Samrah,Sampere,Sampang,Samland,Samii,Samiento,Sames,Sambrook,Samborski,Samberg,Samaroo,Salzl,Salvio,Salvati,Salvadge,Saluan,Saltzberg,Saltus,Saltman,Salstrom,Salotti,Salmonsen,Sallmen,Salle,Sallach,Salines,Salesky,Saleme,Saleha,Saldano,Salb,Salazak,Salasar,Salado,Salach,Sakumoto,Sakamaki,Sajovic,Sajous,Sainte,Sainliere,Sainato,Sails,Saik,Saieva,Saice,Sahe,Sahady,Sago,Saft,Safier,Saffo,Safer,Saether,Saens,Saeler,Saelens,Sadvary,Sadoski,Sadorra,Sadolsky,Sadin,Sadik,Sadeghi,Sadat,Sacramed,Sachetti,Sacchi,Sacca,Saberi,Saarela,Saadat,Saabatmand,Rzeczycki,Rysz,Rynkowski,Rynerson,Ryneer,Rymut,Rymes,Rymasz,Rylaarsdam,Rykaczewski,Ryen,Ryea,Rydin,Rydelek,Rydel,Rydeen,Rybinski,Ruvalcava,Rutski,Rutske,Rutman,Rutkin,Ruths,Ruthman,Ruthers,Rutheford,Rutgers,Rutenberg,Rutar,Russwurm,Russomano,Russomanno,Russer,Russello,Rushanan,Rusen,Ruschmeyer,Rusaw,Rupnick,Rupley,Rupinski,Ruopoli,Rumps,Rumbach,Rulapaugh,Ruivo,Ruiter,Ruhoff,Ruhn,Ruhman,Ruggirello,Ruffell,Ruffel,Ruezga,Ruesga,Ruelar,Ruehter,Ruehling,Ruehlen,Ruedas,Rued,Rueck,Rudoy,Rudio,Rudh,Rudell,Rudat,Rudack,Ruckey,Ruckel,Ruckdaschel,Rubsam,Rubie,Rubick,Ruberti,Rubeo,Rubenfield,Rubenfeld,Rubash,Rubalcave,Rozzelle,Rozon,Royle,Roxbury,Rowlison,Rowels,Rowbotham,Rovell,Rouw,Routzen,Routzahn,Routte,Rousso,Rousell,Rous,Rounsville,Rouly,Roulhac,Roulette,Roule,Rouhoff,Roughen,Rouch,Rottinghous,Rottier,Rotruck,Rotkowski,Rotkovecz,Rothfeld,Rotherham,Rotch,Rotanelli,Rosul,Rossie,Rossen,Rosseel,Rosky,Rosian,Rosher,Rosewall,Roseum,Roseth,Rosenwinkel,Rosentrater,Rosenlof,Rosenhagen,Rosengren,Rosendorf,Rosendale,Rosenbush,Rosemore,Rosek,Rosebur,Roscup,Rosca,Rosboril,Rosazza,Rosane,Rorabacher,Ropka,Roofner,Ronsini,Ronnie,Ronnfeldt,Ronn,Ronero,Roner,Ronayne,Rona,Ron,Romprey,Rommelfanger,Romkema,Romiro,Romay,Romanowicz,Romanov,Romanoff,Romaniszyn,Romanek,Romane,Rollf,Rollag,Rolfson,Rolack,Rokicki,Rohrdanz,Rohdenburg,Rohal,Rogowicz,Rogish,Rogian,Rogens,Rogado,Roesslein,Roesing,Roerig,Roenigk,Roelle,Roehler,Rodvold,Rodrigres,Rodregues,Rodolph,Rodkin,Rodiquez,Rodina,Rodero,Roderman,Roderiquez,Rodenizer,Rodenbough,Rodebush,Rodde,Rocle,Rochlitz,Rochkes,Rocheford,Robyn,Robusto,Roberston,Robbie,Robbert,Robberson,Robair,Roam,Roadruck,Roades,Roaden,Roadarmel,Rizzardi,Rivinius,Riveras,Rivello,Rivelli,Rivadulla,Rittinger,Rittie,Rittichier,Ritthaler,Ritmiller,Riskin,Risien,Rishor,Risatti,Ripson,Ringold,Ringen,Rinfret,Rineheart,Rindal,Rincan,Rinauro,Rinaldis,Rina,Rimkus,Rimi,Rimel,Rimbach,Rily,Rillie,Riller,Rihner,Riherd,Rigley,Rightmyer,Righthouse,Riggert,Riggers,Rigerman,Rigas,Rifai,Riesner,Rienzo,Riemersma,Riefer,Ridgebear,Rides,Ridell,Ridall,Ricucci,Ricley,Rickerl,Richemond,Richelieu,Richel,Richardville,Riccitelli,Ricciardelli,Ricardez,Riblett,Ribar,Riase,Rian,Rhym,Rhule,Rhude,Rhondes,Rhodehamel,Rhim,Rheingold,Rheaves,Reznick,Reynero,Revolorio,Revette,Revelo,Reuven,Reusswig,Reusser,Reuhl,Reuber,Rettele,Retka,Retersdorf,Resseguie,Resper,Resner,Resides,Reshard,Resek,Reseigh,Repaci,Renzullo,Renuart,Rentfrow,Rennemeyer,Renneker,Renkes,Renier,Rendle,Renburg,Remsburg,Remos,Remmie,Remmick,Remlin,Remkus,Remfert,Remey,Remerez,Remedies,Remaly,Relph,Rellihan,Relles,Relaford,Reksten,Rekas,Reitzes,Reiten,Reitema,Reisin,Reinmann,Reinicke,Reinholdt,Reinheimer,Reinfeld,Reineman,Reineking,Reinartz,Reimel,Reik,Reihe,Reidling,Reidler,Reichenberg,Reichenback,Reho,Rehnborg,Rehnberg,Rehart,Regusters,Regulus,Reglin,Reginal,Reges,Regensburg,Regen,Regas,Reevers,Reever,Reeter,Reedholm,Redle,Redic,Redfear,Reddekopp,Rechel,Rebick,Rebholz,Reazer,Reauish,Reath,Reasinger,Reas,Reary,Realmuto,Reager,Readenour,Razze,Rawicki,Rawhoof,Ravi,Ravetti,Ravenscraft,Rava,Rauf,Rauelo,Rattee,Rattay,Rattanachane,Rattana,Rathmanner,Rathgeber,Rathe,Rathbum,Rasul,Rastogi,Rastelli,Rassman,Rasmuson,Rasely,Raschko,Raschilla,Rasche,Rasanen,Rary,Raring,Raridon,Rarey,Raquel,Rappenecker,Rapelyea,Ransier,Ransberger,Rannalli,Ranjel,Ranford,Randoll,Randklev,Ramy,Ramundo,Ramu,Ramsuer,Ramstad,Ramsbottom,Ramphal,Ramnarine,Rammer,Ramiscal,Ramgel,Ramesar,Ramento,Rambeau,Ramales,Ralon,Rallison,Rakich,Raith,Raiola,Rainwaters,Rainbott,Raimundo,Raimer,Raimann,Railing,Rahl,Rahama,Ragusano,Rafla,Rafiq,Rafi,Raffone,Raffo,Rafail,Raelson,Raehl,Raebel,Radway,Radue,Radona,Radisovich,Radics,Rademan,Radeke,Radder,Radden,Rackow,Racitano,Racina,Rachar,Racanello,Rabuck,Rabkin,Rabidoux,Rabello,Rabel,Rabara,Qunnarath,Quirindongo,Quintel,Quintano,Quinlin,Quinchia,Quincel,Quilling,Quillian,Quilliam,Quillens,Quihuiz,Quiett,Quicksall,Quest,Querta,Querido,Quent,Quealy,Quaye,Quante,Quamme,Qualia,Quaker,Quagliano,Quader,Pytlewski,Pyo,Pylvainen,Pyland,Pych,Py,Puyear,Puulei,Puthiyamadam,Putalavage,Purzycki,Purkerson,Purcella,Purce,Puppe,Pupa,Pullon,Pullie,Pulgarin,Pulford,Pujals,Puiatti,Pugeda,Puffett,Puffenbarger,Puertas,Puddy,Pucio,Pucella,Ptaszynski,Psomiades,Psencik,Przybysz,Przybycien,Przedwiecki,Pryzgoda,Prvitt,Pruskowski,Prugh,Prudent,Prudden,Provazek,Protasewich,Protain,Proo,Prondzinski,Prokes,Prohonic,Progacz,Proescher,Prodan,Privatsky,Privateer,Priore,Prinzing,Prinzi,Printers,Prigmore,Priewe,Prier,Pribbeno,Prezzia,Preyor,Prewer,Prevett,Preuitt,Prepotente,Prence,Prekker,Preisach,Precythe,Prebish,Preato,Prchlik,Prazeres,Prazak,Prauner,Prattella,Prati,Prat,Prasser,Prasomsack,Praml,Prabhakaran,Prabel,Poyneer,Powroznik,Powal,Poux,Poullion,Pouliotte,Pottier,Potthast,Potocnik,Poties,Poths,Postuci,Postal,Posso,Poser,Portwine,Portune,Portaro,Porrello,Porreca,Porrazzo,Poremski,Pore,Porcello,Popple,Poppert,Popowski,Popovec,Popke,Popik,Popielarczyk,Popick,Popi,Poper,Popelka,Popec,Poortinga,Poorte,Pooni,Ponyah,Pontin,Pomerance,Pomar,Polynice,Polyak,Polverari,Poltorak,Polovoy,Pollmann,Pollio,Pollinger,Pollacco,Polivka,Polian,Poleyestewa,Polera,Poldrack,Polcovich,Polakoff,Polakis,Poladian,Pokorski,Poiter,Poffenroth,Poetzsch,Poeschl,Poeschel,Poepplein,Poepping,Poeling,Podvin,Podsiad,Podrasky,Podlas,Pode,Podbielski,Podany,Pochiba,Pocchia,Poalino,Poaipuni,Plymire,Plyer,Pluvoise,Plungy,Pluid,Ploude,Plosker,Plomma,Plohr,Plocica,Pliler,Plevin,Plessis,Plesnarski,Plesha,Plenskofski,Plecker,Platenburg,Platas,Plansinis,Plana,Plamer,Placencio,Pizzolato,Pizur,Pius,Piurkowski,Pituch,Pittillo,Pitel,Pitcak,Piszczatowski,Pisula,Pishner,Pirner,Pirillo,Pippert,Pipe,Pinyan,Pinsonnault,Pinnt,Pinkelton,Pinena,Pinela,Pineault,Pinault,Pilotti,Pillips,Pilbin,Pilati,Pikey,Pih,Piguet,Pigna,Pigler,Pigat,Pietzsch,Pietrafesa,Pieters,Pierzchala,Pierrie,Pierfax,Piercefield,Piedmont,Piedigrossi,Piede,Piechoski,Piearcy,Pidcock,Picolet,Pickren,Pickings,Picht,Picco,Pi,Phomphithak,Phommatheth,Phlieger,Phippen,Philpotts,Phillipi,Philippon,Philipose,Philben,Pherson,Pherguson,Phatdouang,Phanthauong,Phanord,Pfirsch,Pfendler,Pfannenstein,Pfahlert,Pfahler,Pezzuto,Pezzimenti,Pexton,Pexsa,Pewo,Pevsner,Petzel,Petts,Pettner,Pettinella,Petticrew,Pettibon,Pettes,Petrov,Petrosyan,Petron,Petrocelli,Petrocco,Petrizzo,Petris,Petrino,Petricone,Petralba,Petrakis,Petrain,Petkoff,Petitjean,Petges,Peteuil,Petet,Petersdorf,Petchulis,Pestronk,Peskind,Pesenti,Pertsovsky,Personette,Persia,Persampieri,Persall,Pers,Perre,Perper,Perolta,Perng,Perler,Perkoski,Perish,Perilloux,Perey,Peressini,Percontino,Perciballi,Peral,Peppas,Pepitone,Penzero,Pentico,Pent,Penski,Pense,Penrice,Penoyer,Penovich,Pennimpede,Pennigton,Pennig,Penisson,Pendl,Pendill,Penceal,Penatac,Penasa,Penanegra,Pelman,Pelligrini,Pelliccia,Pellant,Pelkowski,Pelak,Pein,Peightell,Pegler,Pegelow,Peffers,Peetz,Peelman,Pee,Pedrin,Pedlow,Pedelty,Pede,Peddy,Peckinpaugh,Peckens,Pecht,Pechin,Peche,Peccia,Peca,Peaker,Pazik,Pazderski,Pazan,Payno,Payenda,Pawluk,Pawlosky,Pawell,Pavlikowski,Pavlides,Pavish,Paviol,Paulick,Paukert,Pattum,Patrylak,Patronella,Patrich,Patriarco,Patraw,Patierno,Patient,Patience,Paten,Pastorin,Pasternack,Pastano,Passaro,Pasqualino,Paskoff,Paskin,Paskiewicz,Pashel,Pasey,Pascher,Pasaye,Pasanen,Parvis,Partmann,Parthemore,Parshotam,Parsens,Parraga,Paronto,Paroda,Parobek,Parmann,Parmalee,Parlet,Parle,Parkers,Pariente,Paree,Pardey,Parde,Pardall,Parbs,Parbol,Paranada,Parah,Parado,Pappy,Pappenheim,Paplow,Papka,Papich,Papi,Papallo,Paolicelli,Panzarella,Panyik,Pantle,Pantera,Pantalone,Pansullo,Panone,Pano,Panny,Pannenbacker,Pankiewicz,Pankhurst,Panke,Pankau,Pangan,Panessa,Pandolfi,Pandiani,Panchik,Panchak,Panakos,Panak,Panagakos,Palubiak,Palso,Palowoda,Palmucci,Palmour,Palmino,Palmerino,Palme,Pallino,Pallerino,Palisi,Palisano,Palis,Palazzola,Palay,Palaspas,Palamara,Paladini,Paladin,Paire,Paillet,Pailet,Paider,Paguin,Pagoda,Paglione,Paglialunga,Pageau,Pagdanganan,Pafundi,Padiong,Padberg,Padarebones,Padalecki,Pacol,Pacilio,Pachter,Pachew,Pabelick,Paaske,Ozzella,Owoc,Owca,Ovitz,Overmann,Overlee,Overhulser,Overholtzer,Ovens,Ovall,Outhier,Ouren,Ouinones,Ottum,Ottomaniello,Otteman,Otsman,Otinger,Oszust,Ostorga,Ostolaza,Osterhouse,Osterberger,Ostberg,Ososki,Osmers,Osmera,Oshey,Osequera,Osenkowski,Oschmann,Osbment,Osbey,Osazuwa,Osayande,Osako,Orzell,Orvin,Ortwine,Ortmeyer,Ortelt,Ortelli,Orsten,Orson,Orrill,Orphey,Orndorf,Orloski,Orlich,Orlander,Orland,Ork,Orji,Orison,Orielly,Orielley,Ori,Organek,Orey,Orender,Ordona,Ordon,Ordman,Orazine,Oravetz,Orandello,Orabone,Ora,Or,Oquenda,Opyd,Opteyndt,Opoka,Opiola,Opielski,Opell,Opeka,Onyeagu,Onezne,Ondeck,Ona,Oms,Ommen,Ominelli,Omernik,Omelia,Olynger,Olwin,Olvey,Olufson,Olubunmi,Olten,Olshefski,Olsby,Olores,Olma,Olli,Ollech,Ollar,Oliviera,Olivarri,Oligschlaeger,Olheiser,Olgin,Olevera,Olerud,Olenski,Olenius,Oldow,Oldershaw,Oldenburger,Olausen,Olaes,Okutsu,Okken,Okitsu,Okie,Okeson,Okelberry,Okel,Ojito,Ojano,Ohyama,Ohr,Ohnstad,Ohmen,Ohlhauser,Ohlensehlen,Ohle,Ohashi,Ohanley,Ogzewalla,Ogutu,Ogston,Ogrodowicz,Oginski,Ogiamien,Oger,Ogarro,Ofsak,Oflynn,Off,Ofer,Oelze,Oehm,Oehlschlager,Oehl,Odome,Odo,Odmark,Odil,Odgen,Odermott,Odair,Oczon,Ockman,Ockleberry,Ocken,Ochal,Ochakovsky,Ocenasek,Occhuizzo,Ocanaz,Obrein,Obray,Oborne,Oblinski,Obin,Obierne,Obholz,Obhof,Oberski,Obermier,Oberlies,Obergfell,Obenauer,Obeid,Obbink,Obaker,Oatney,Oatfield,Nyulassy,Nwagbara,Nutley,Nuth,Nurthen,Nuntaray,Nunno,Nunlee,Nuner,Numkena,Nuhfer,Nugal,Nuessen,Nuding,Nuchols,Noye,Noya,Nowosielski,Novickis,Novi,Novencido,Novel,Novad,Noujaim,Notoma,Notice,Noth,Notch,Notarnicola,Nosworthy,Nosacka,Norum,Northouse,Nortesano,Norstrand,Norsingle,Norrie,Norr,Norn,Normoyle,Norise,Nordstrand,Nordmark,Nordes,Norales,Nopachai,Noorda,Nooman,Nonroe,Nonemaker,Nonamaker,Nommay,Noman,Nollet,Nolle,Noli,Noice,Noerr,Nodland,Nocon,Nocks,Nockels,Nocella,Nocek,Njie,Nizo,Nitchman,Nistendirk,Nissan,Nisly,Nishitani,Nishio,Nishina,Nirschl,Niro,Nirenberg,Niquette,Nip,Nindorf,Nincehelsor,Nimz,Nimura,Nilmeier,Nikula,Nikach,Nik,Nightwine,Night,Nighman,Nighbor,Niffenegger,Niez,Niesporek,Nier,Nieminen,Niemie,Niedermeier,Niederberger,Nido,Nicome,Nicolozakes,Nicolia,Nicoles,Nicolau,Nickodem,Nicklous,Nickisch,Nicka,Nici,Nibler,Nibbe,Nhatsavang,Ngoun,Neyer,Newmyer,Newitt,Newgard,Newenle,Newbraugh,Newbound,Newand,Nevue,Nevison,Nevis,Nev,Neujahr,Neufer,Nette,Netkowicz,Nethkin,Nesvig,Nestico,Nessner,Nesslein,Nesset,Nessel,Neshem,Nesbeth,Neris,Nerenberg,Neren,Nepomuceno,Nemith,Nelder,Neitzke,Neita,Neiner,Neimeyer,Neigenfind,Neiford,Neidenbach,Nehlsen,Negreta,Negrana,Neenan,Neddenriep,Nech,Neborak,Nebesny,Nazar,Nawfel,Navo,Navarete,Nauss,Naumes,Naugler,Nauer,Natvig,Natalizio,Natalie,Natalia,Nastasia,Nasaire,Naruaez,Narrow,Narkevicius,Nardozzi,Nardino,Narain,Napue,Napenas,Nap,Naomi,Nao,Nanz,Nantwi,Nannen,Nang,Nanfito,Nanes,Nan,Namsaly,Namey,Namer,Namauu,Namanworth,Nalevanko,Nalder,Nakaoka,Nakamatsu,Nakajima,Nakada,Nakaahiki,Naimoli,Nahmias,Nahhas,Nagtalon,Nagelkirk,Nagasawa,Naftel,Nadine,Naderman,Nachbar,Nacci,Nabzdyk,Nabor,Nabavian,Nabarowsky,Naasz,Myslim,Myree,Mylar,Myall,Muzii,Muyres,Muwwakkil,Mutters,Mutschelknaus,Musulin,Mustaro,Mustache,Musslewhite,Mussell,Mussa,Musni,Muslim,Muskrat,Muskopf,Muskett,Musitano,Musilli,Musielak,Musguire,Musgraves,Muscott,Muschik,Muschaweck,Mursch,Murril,Murra,Muros,Muri,Murel,Murcko,Murak,Muphy,Muntean,Mundz,Mundinger,Munder,Mumaugh,Mulville,Mulrenin,Mulnix,Mullenaux,Mullahy,Mulkern,Mulkerin,Mulchrone,Mulato,Muinos,Muhlstein,Mugnolo,Muggeo,Mugge,Muffett,Muenzenberger,Muellerleile,Mudie,Muckelroy,Muccio,Mrvan,Mrkvicka,Mraw,Mozick,Mozga,Mozak,Moxness,Moxey,Mounkes,Mound,Motonaga,Mothershead,Motayne,Motayen,Mosty,Mostad,Mossbarger,Moskwa,Moskop,Mosena,Mosen,Moscoffian,Moryl,Morvillo,Mortin,Mortier,Morsberger,Morrey,Morrales,Morral,Morphy,Morock,Morlino,Morkert,Morken,Morisseau,Morishito,Morinville,Morici,Morgano,Morgana,Moreschi,Morenco,Morence,Morella,Mordeci,Moratto,Morath,Morario,Morando,Moradian,Morada,Mootry,Moomey,Monville,Montoto,Montore,Montoney,Montfort,Montey,Montesi,Monterrubio,Montembeau,Montayes,Montalban,Montaivo,Monsay,Monot,Monopoli,Monnerjahn,Monkowski,Monka,Monjure,Monios,Monington,Monges,Monfils,Moneyhun,Moneaux,Mondt,Mondoza,Mondloch,Mondelli,Mondale,Monclova,Moncher,Monath,Monagas,Mominee,Moma,Molz,Molstad,Molsan,Molnau,Mollura,Molleur,Molla,Molands,Moitoza,Moisa,Moine,Mohrlock,Mohre,Mohomed,Mohmed,Mohair,Mogus,Moeuy,Moeser,Moehr,Moehle,Modique,Modgling,Modglin,Moderski,Moczulski,Moccasin,Moayyad,Moatz,Mlodzianowski,Mleczynski,Mizwicki,Mizutani,Mizia,Mizenko,Miyataki,Miyanaga,Miville,Mitsdarffer,Mitrani,Mitman,Mitkowski,Misuraca,Miskinis,Miskiewicz,Miska,Misik,Mishulovin,Mishulouin,Mishkin,Mishar,Misenti,Mischo,Mischnick,Mirisola,Miricle,Mirick,Miramontez,Mirafuentes,Miraflores,Miquel,Mione,Minzy,Minzenmayer,Minzenberger,Mintken,Minten,Minot,Minors,Minn,Minkowitz,Minkins,Minister,Minic,Minhas,Mingioni,Mingee,Minert,Minchow,Mincer,Minalga,Mimozo,Milward,Milson,Milosch,Millings,Millick,Millare,Milke,Milinazzo,Milin,Milich,Milette,Mile,Mildrum,Mildon,Milcher,Milberger,Mikuszewski,Miklitz,Mikko,Mihalios,Mihalick,Mieth,Mierzwiak,Mierzwa,Mierow,Mierez,Mierau,Mielcarek,Miecznikowski,Miears,Middlekauff,Micucci,Mickelberry,Michno,Michlich,Michieli,Michelstein,Michelini,Michalicek,Michal,Micciche,Micalizzi,Mguyen,Mezzina,Mezzenga,Meydid,Meusel,Meusa,Metty,Mettig,Mettenburg,Metier,Meth,Metelko,Mestemacher,Messamore,Mesplay,Mespelt,Mesiti,Mesina,Meshyock,Mesenbring,Meschke,Merzlak,Merrih,Merner,Merkwan,Merklein,Merkey,Meringolo,Merine,Mergist,Merganthaler,Merckling,Menzer,Mensalvas,Mennecke,Menne,Menjiva,Mengwasser,Menger,Menedez,Meneal,Menck,Mencia,Menchen,Menchavez,Melzer,Melve,Melso,Meloan,Melman,Mellison,Mellerson,Mellendorf,Mellberg,Melikian,Melian,Melgaard,Meleo,Melbye,Melber,Meja,Meixelberger,Meitz,Meitner,Meiss,Meisch,Meinen,Meinberg,Meigel,Meierhofer,Mehringer,Mehrer,Mehle,Mehall,Megahan,Mega,Mefferd,Meenan,Meecham,Medvec,Medinger,Meddock,Medawar,Medaries,Mecias,Mecannic,Meazell,Measom,Meaden,Meach,Mcwhinnie,Mcwhinney,Mcwells,Mcvinney,Mcvenes,Mcthige,Mcthay,Mcshaw,Mcroyal,Mcrenolds,Mcratt,Mcquilliams,Mcquesten,Mcphetridge,Mconnell,Mcnolty,Mcneish,Mcnany,Mcnamar,Mcmullins,Mcmulen,Mcmenimen,Mcmellen,Mcmanuis,Mcmanemy,Mclernon,Mclauren,Mclamore,Mckusick,Mckosky,Mckirryher,Mckindra,Mckin,Mckever,Mckernin,Mckerlie,Mckennzie,Mckelvin,Mckelphin,Mckeague,Mckaughan,Mciwraith,Mcilhinney,Mchardy,Mcgurie,Mcgrevey,Mcgreen,Mcgohan,Mcglocklin,Mcglew,Mcglaun,Mcgibney,Mcghinnis,Mcgaughan,Mcgathy,Mcferran,Mcfeely,Mcfatten,Mcewin,Mcendarfer,Mcenany,Mcelvy,Mcelmarry,Mceathron,Mceaddy,Mcdugle,Mcdoulett,Mcdaneld,Mcculloh,Mccullin,Mccullan,Mccullagh,Mccubrey,Mccrobie,Mccrain,Mccraight,Mccracker,Mccrabb,Mccowin,Mccoubrey,Mccoon,Mcconomy,Mcconnico,Mcconahay,Mccomish,Mccoid,Mccloude,Mcclinsey,Mcclenic,Mcclee,Mccier,Mccathran,Mccash,Mccarvy,Mccarrol,Mccarraher,Mccalpane,Mccalebb,Mccalanahan,Mccade,Mccadams,Mcbroome,Mcaskill,Mcartor,Mcaree,Mbonu,Mazzillo,Mazzetti,Mazuera,Mazowieski,Mazierski,Mazella,Mayze,Maywalt,Mayher,Mawk,Mavris,Maushardt,Mauras,Mauracher,Maupins,Matysiak,Matye,Matusz,Matuska,Matusiewicz,Matulewicz,Mattock,Mattingley,Mattina,Mattick,Mattan,Matskin,Matros,Matrisciano,Matone,Matonak,Matlow,Matkovic,Matison,Mathelier,Matelski,Mateiro,Masunaga,Masterton,Mastalski,Massini,Massena,Massed,Massarelli,Massanelli,Maso,Maslen,Maslakowski,Masincup,Masilko,Masher,Mashall,Masello,Masell,Maschmeyer,Mascheck,Maschak,Mascari,Masar,Masak,Masaitis,Marxsen,Maruschak,Maruscak,Marus,Marumoto,Martyr,Martsolf,Martorelli,Martling,Martischnig,Martirano,Martinsons,Martinov,Martinon,Martinolli,Martinet,Martinell,Martinel,Martinat,Martich,Martey,Martelles,Martelle,Marsolais,Marsili,Marshbanks,Marshak,Marseilles,Marsaw,Marrier,Marrett,Marrapodi,Marrapese,Marquitz,Marousek,Maronge,Maro,Marmerchant,Marlene,Markworth,Markwardt,Markuson,Markou,Markakis,Marjenhoff,Maritato,Mariska,Mariacher,Margot,Margis,Marflak,Marfil,Marer,Mardirossian,Marcusen,Marconis,Marcisak,Marcille,Marchionni,Marchesi,Marchaland,Marcet,Marcelli,Marca,Marbley,Marash,Marascalco,Marante,Marangoni,Marando,Mapua,Mapstone,Mapa,Maohu,Manzur,Manweiler,Manuia,Manto,Mantifel,Mantia,Manteuffel,Mantella,Manteca,Manspeaker,Mansbach,Manous,Manoso,Manolis,Manocchia,Mannheim,Mannello,Manlangit,Manino,Manieri,Manicchio,Maniar,Maniaci,Maniace,Manglona,Mangis,Mangiafico,Manghane,Manero,Manely,Maneafaiga,Mandril,Mandolfo,Mander,Mandelberg,Mandala,Manco,Mancill,Mancher,Manche,Manaugh,Manassa,Manasares,Manansala,Manalili,Mamudoski,Mammo,Mammenga,Mamaril,Mamaclay,Malueg,Malter,Maltbia,Maltas,Malool,Mallas,Mallalieu,Mallacara,Malkiewicz,Malinovsky,Malewski,Malett,Maldomado,Malcomson,Malcik,Malavet,Malaver,Malasky,Malas,Malango,Malanaphy,Malach,Makofsky,Mako,Makler,Maka,Majuste,Majied,Majeske,Majerowski,Majera,Maixner,Maisto,Maiocco,Mailo,Maile,Maikoksoong,Mahunik,Mahrer,Mahraun,Maholmes,Mahlke,Mahli,Mahfouz,Maheia,Mahalko,Magwire,Magpuri,Magoun,Magnone,Magnetti,Magliulo,Magliolo,Magliocco,Magitt,Magginson,Maggert,Magera,Maged,Mage,Magbitang,Magalong,Magaha,Maffitt,Maffey,Maestri,Maenpaa,Maenhout,Maendel,Mady,Maduro,Madu,Madray,Madras,Madock,Madlung,Madler,Madenford,Madeau,Maddaleno,Macvean,Macura,Macrum,Macrostie,Macnaught,Macnamee,Macmurray,Macmillen,Maclay,Mackle,Mackimmie,Mackedanz,Maciejko,Maciasz,Maciak,Machtley,Machens,Macentee,Maceda,Macdougald,Maccauley,Maccartney,Macareno,Macaraig,Macapagal,Macahilas,Macadamia,Mabone,Mabary,Maatta,Maalouf,Lysak,Lynge,Lynady,Lykam,Lyerla,Lychwala,Luzuriaga,Luzinski,Luxon,Luvene,Lutzi,Luthe,Luss,Lushbaugh,Luscavage,Lurey,Luquin,Lupul,Lupu,Lupkin,Lupfer,Luoto,Lundman,Lundie,Lundi,Lundemo,Luncsford,Lumukanda,Lumpp,Lummis,Lumantas,Luloff,Lukavsky,Luitjens,Luhring,Luga,Luffy,Luelf,Luehring,Luedi,Lueckenotte,Luecht,Luebano,Ludvik,Ludovici,Ludkowski,Luderman,Luddy,Lucksom,Luckritz,Luckadoo,Lucion,Luci,Luchessa,Luchesi,Lucear,Lucario,Luben,Luangsingotha,Lozzi,Lozo,Loyst,Loyed,Lowin,Lowber,Lovich,Lovenbury,Loveh,Lovec,Louser,Louris,Lourence,Loureiro,Louras,Lounds,Loukidis,Loukas,Louissant,Louer,Louch,Lotze,Lotthammer,Lotter,Loterbauer,Lotempio,Lostracco,Loston,Lossman,Loson,Loskill,Loske,Loshe,Lorz,Lorion,Lopuzzo,Lopilato,Lopera,Loosey,Looi,Loock,Lonsway,Lons,Longueville,Longton,Longknife,Longin,Longfield,Longcor,Londner,Lompa,Lommel,Lomg,Lolling,Lolli,Loli,Lolar,Lokuta,Lokke,Lokhmator,Lojek,Lois,Loil,Lohmeier,Logero,Loewe,Loessberg,Loeschner,Loesche,Loehlein,Loeckle,Loebs,Loduca,Lodense,Lodeiro,Locsin,Locorriere,Locklier,Lockette,Lochotzki,Loche,Locantore,Locante,Lobosco,Lobingier,Loats,Loarca,Llyod,Llopis,Llarenas,Ljungquist,Lizer,Lizarda,Livi,Livezey,Liverani,Livas,Liuzza,Litzsinger,Litza,Littlehale,Litter,Litehiser,Litecky,Liskovec,Liskiewicz,Liskai,Lisius,Lisiecki,Lisherness,Lisanti,Lipstone,Lipsitz,Lippi,Lipovsky,Lipkind,Lipke,Lipitz,Lipa,Liontos,Linzie,Linstrom,Linssen,Linsner,Linsay,Linnecke,Linnan,Linkkila,Linginfelter,Lingberg,Lingardo,Lingao,Linea,Lindwall,Lindskog,Lindline,Lindesmith,Lincicum,Linahan,Limthong,Limesand,Limauro,Limardo,Lilleberg,Liljedahl,Liljeberg,Lilja,Likio,Ligons,Lifshitz,Liesch,Lierle,Lienke,Lienemann,Liekhus,Liederbach,Lieder,Liechti,Liebskind,Liebhardt,Liebelt,Lie,Liddie,Lidbom,Licor,Lico,Lickness,Lickiss,Lickey,Lichtig,Lichtenwalter,Lichte,Lichstein,Lichorat,Lichlyter,Liccione,Licalzi,Librizzi,Libre,Librandi,Libke,Libert,Liano,Lianes,Lezon,Lezer,Lezak,Leynes,Lewton,Lewry,Lewandowsky,Levo,Levites,Levitch,Levitas,Levister,Levinsky,Leverentz,Levendosky,Leuty,Leuters,Leusink,Leupold,Leuchs,Letteney,Letteer,Letrent,Letourneaux,Letofsky,Letman,Letko,Letang,Letalien,Lestelle,Lessin,Lessenberry,Lessen,Lessa,Lespier,Lesky,Leshure,Leshko,Lescavage,Lermond,Lerew,Leonti,Leonaggeo,Lenza,Lenters,Lenord,Lenny,Lennert,Lenix,Lening,Lengle,Lengacher,Lener,Leneave,Lencioni,Lempe,Lemone,Lemin,Lemich,Lemert,Lelis,Lele,Lekwa,Lejune,Leitze,Leitem,Leistner,Leipheimer,Leimkuehler,Leiding,Leidel,Leidall,Leichty,Leichtman,Leibenstein,Leiba,Lehrian,Lehrfeld,Legrow,Legrant,Legore,Leghorn,Legel,Legallo,Lefew,Leemow,Leebrick,Ledy,Leduke,Ledon,Ledley,Ledec,Ledebuhr,Lecoultre,Leconey,Leckington,Lechlak,Lechel,Lebovic,Lebourgeois,Leberman,Lebario,Leavelle,Leasy,Leah,Leagjeld,Leafe,Leabow,Lazzar,Lazer,Lazenson,Lazenberry,Layher,Lawe,Lavon,Lavina,Lavette,Laverne,Laverette,Lavee,Lavear,Lavatch,Lauwers,Lauw,Lauture,Lautman,Lauters,Laurion,Laurens,Laurenceau,Launt,Launelez,Laughbaum,Lauerman,Laudat,Laubacher,Latzka,Latzig,Latortue,Lathon,Lathim,Latessa,Latella,Lataille,Lasyone,Lastovica,Lasselle,Lask,Lashutva,Laserna,Lascody,Lasaint,Larve,Laruffa,Larsh,Larreta,Larko,Largay,Larey,Lardydell,Larde,Laravie,Larate,Laquay,Lapuz,Laprairie,Lapora,Lapiana,Lanzoni,Lanzillotti,Lanzillo,Lanzer,Lanzalotti,Lanton,Lantey,Lansdowne,Lansden,Lansang,Lanquist,Lanosga,Lanosa,Laninga,Langsdale,Langoni,Langlands,Langhout,Langhorst,Langenheim,Langehennig,Laneve,Landucci,Landsberry,Landrey,Landolfo,Landkamer,Landham,Landgrebe,Landefeld,Lampp,Lamparski,Lamorgese,Lamorella,Lammie,Lamielle,Lamela,Lambourne,Lambino,Lamberto,Lamber,Lambeck,Lamascolo,Lamarsh,Lamantagne,Lamaitre,Lalumiere,Lallo,Laliberty,Lalata,Lalanne,Laland,Lakner,Laity,Lahrman,Lahmann,Lahip,Lagroon,Lagoa,Laginess,Lagge,Lagatella,Lagassie,Laganga,Lafranca,Lafosse,Laffredo,Laferty,Lafera,Lafaver,Lafauci,Laesser,Ladyman,Ladtkow,Laditka,Ladeau,Ladas,Lacouette,Lacosta,Lacock,Lacks,Lackman,Lackie,Lachley,Lacassagne,Labrune,Labrode,Labreque,Labrec,Labog,Labkovsky,Labita,Labbie,Lababit,Laaker,Kylish,Kyhn,Kwiat,Kwasny,Kwack,Kvilhaug,Kuznicki,Kuzmish,Kuzmanic,Kuzemchak,Kuttler,Kutella,Kutchin,Kuszlyk,Kusumoto,Kusuma,Kustes,Kusinski,Kushlan,Kushiner,Kushin,Kusak,Kurzyniec,Kury,Kurter,Kurrie,Kurpiel,Kurkjian,Kurk,Kurisu,Kupres,Kuokkanen,Kunzie,Kunzel,Kunis,Kuning,Kundrick,Kundla,Kundinger,Kully,Kullas,Kulkarni,Kulcona,Kulak,Kulacz,Kuks,Kuklis,Kuka,Kuja,Kuizinas,Kuhtz,Kuhnle,Kuhnen,Kuhnemund,Kuhnel,Kuhens,Kuharik,Kufner,Kufeldt,Kuenstler,Kuehnert,Kudzma,Kudasik,Kuczkowski,Kucinskas,Kuchto,Kuch,Kucel,Kucek,Kubica,Kubecka,Kuban,Kszaszcz,Krzywicki,Krzynowek,Krzal,Krystal,Krysiak,Krys,Krutsch,Kruss,Krusen,Krusemark,Krupiak,Krumsiek,Kruml,Krulish,Krulik,Krulicki,Krueth,Kruer,Kruel,Krows,Krossen,Krolikowski,Krolczyk,Kroetch,Kriticos,Krites,Krisher,Krinke,Krienke,Kriegh,Krichbaum,Kribbs,Kretchmar,Kreitzbender,Kreitler,Kreinbring,Kreb,Kreamalmeyer,Kreager,Krawiecz,Krawetz,Krasley,Krapfl,Kranze,Kranendonk,Kramper,Krampe,Kramm,Kralicek,Krajnovich,Krajcer,Krain,Kracker,Kozinski,Kownacki,Kown,Kowing,Kowallis,Kowall,Kowalcyk,Kowalchick,Kovacic,Kourt,Kourkoumellis,Kounter,Kounlavong,Kounce,Koulabout,Koualeski,Kotzur,Kottsick,Kottre,Kotte,Kotrys,Kotow,Kothenbeutel,Kotara,Kostyla,Kostich,Kostenko,Kossmann,Kossin,Kossakowski,Kossack,Kosoff,Kosmatka,Koshiol,Koscielak,Koscho,Korzenski,Kortz,Kortum,Korthauer,Korshak,Korsen,Korol,Korns,Kornprobst,Kornman,Kormann,Korineck,Korf,Koretsky,Korenic,Korbal,Koralewski,Koppelmann,Kopis,Kopiak,Kopera,Kopchick,Kooken,Kontogianis,Konon,Konn,Konieczko,Konick,Konicek,Koneval,Kondratowicz,Koncan,Konat,Komsthoeft,Komosinski,Kommer,Kominek,Koman,Kolthoff,Kology,Kolnik,Kolmetz,Kolling,Kolkowski,Kolkemeyer,Kolias,Kolen,Kolehmainen,Kolby,Kolberg,Kolat,Kokoska,Koistinen,Kohnert,Kohlmyer,Kofutua,Kofoid,Kofler,Kofa,Koetz,Koetje,Koerper,Koeppl,Koenning,Koenigstein,Koenigsfeld,Koelle,Koegel,Koebley,Koczera,Kochmanski,Kocaj,Koc,Koblick,Kobis,Kobialka,Kobernick,Kobak,Knost,Knori,Knopinski,Knoepfler,Knoche,Knipping,Knipfel,Knighter,Kniefel,Knie,Knickman,Knezevic,Knewtson,Knestrick,Knesel,Kneifel,Knavel,Knappe,Knackstedt,Klusmeyer,Klus,Klund,Klun,Kloos,Kloock,Kloiber,Klohr,Kloepper,Klocek,Klis,Klingerman,Klingen,Klines,Klimkowicz,Kliever,Kliem,Kleypas,Klevene,Kleppinger,Kleparek,Klepacz,Klemenc,Klemanski,Kleinwolterin,Kleinsmith,Kleinke,Kleinberger,Kleidon,Kleespies,Kleese,Kleekamp,Kleban,Klayman,Klay,Klaver,Klarman,Klarberg,Klapperich,Kjetland,Kizewski,Kiyabu,Kivioja,Kittner,Kittelberger,Kissik,Kisser,Kishaba,Kisch,Kirner,Kirkpatric,Kirchhofer,Kirchgessner,Kirchausen,Kirbie,Kiral,Kippes,Kipper,Kippel,Kintsel,Kintop,Kinseth,Kinroth,Kinnion,Kinningham,Kinnier,Kinnie,Kinkin,Kinkella,Kingshott,Kingore,Kingen,Kinerson,Kindermann,Kinart,Kinan,Kinabrew,Kimbral,Killean,Kilcrest,Kilb,Kilarjian,Kiffe,Kientz,Kiening,Kielich,Kieger,Kieft,Kieff,Kiefel,Kie,Khum,Khu,Khov,Khounborine,Khoun,Khoo,Khensovan,Khela,Khay,Khansari,Khanponaphan,Khano,Khammixay,Khalife,Khalifah,Khachatoorian,Keyna,Kexel,Kewish,Kettmann,Ketring,Ketler,Ketcheside,Ket,Kestle,Kessner,Kerzer,Kerss,Kerska,Kershbaumer,Keros,Kerntke,Kerkel,Keri,Kerger,Kereluk,Kerechanko,Kercado,Keppers,Keohane,Kennet,Kennealy,Kenely,Keneally,Kendrew,Kenderdine,Kenagy,Kenady,Kemner,Kemmler,Kemme,Kemerer,Kelzer,Kellon,Kello,Kellin,Kellebrew,Kellaway,Keliipio,Kelder,Kelash,Keitzer,Keigley,Keicher,Kegerries,Keens,Keemer,Keckler,Keaveny,Keath,Keasley,Kears,Keany,Keanum,Keamo,Kealohanui,Kazmi,Kazmer,Kazin,Kazeck,Kazakos,Kayrouz,Kaylo,Kawata,Kaveny,Kavadias,Kauphusman,Kaune,Kaull,Kaub,Katzberg,Katynski,Katula,Katten,Katsbulas,Katnik,Katechis,Katcsmorak,Katan,Kastning,Kastman,Kassell,Kassabaum,Kasprak,Kasica,Kasack,Karvonen,Karvis,Karpowich,Karpiak,Karnish,Karma,Karell,Kareem,Kardashian,Karczewski,Karayan,Karatz,Karadimas,Kapusniak,Kapraun,Kappe,Kappa,Kapitula,Kapfer,Kapelke,Kapa,Kaopua,Kantarian,Kanta,Kanoza,Kannard,Kanish,Kaniecki,Kanevsky,Kaner,Kandra,Kanda,Kanatzar,Kanable,Kamph,Kamnik,Kammes,Kammerdiener,Kamerad,Kamelamela,Kamealoha,Kame,Kamb,Kaluzny,Kalupa,Kaluna,Kaltved,Kalter,Kalscheuer,Kalmus,Kalmer,Kalland,Kalima,Kalichman,Kalfa,Kalbaugh,Kakudji,Kaitz,Kainoa,Kailey,Kaiama,Kahrer,Kahola,Kahana,Kagay,Kafel,Kaetzel,Kaesemeyer,Kaer,Kaea,Kaduk,Kadis,Kaderlik,Kade,Kacik,Kachikian,Kacerski,Kaboos,Kabba,Kaaz,Kaauamo,Juza,Justino,Justason,Jurs,Jurisch,Jurgensmeier,Jurden,Jura,Jungling,Julye,Juluke,Julock,Julias,Julen,Jufer,Juedes,Jubic,Juariqui,Juaire,Jozsa,Joulwan,Jostes,Josten,Josich,Josias,Joshlin,Josefy,Josef,Jorski,Jorn,Jorinscay,Jorda,Jons,Jongeling,Jongebloed,Jondle,Jolls,Johnshoy,Johnico,Johanek,Jirjis,Jiran,Jimmison,Jill,Jewels,Jevtic,Jetty,Jesmer,Jes,Jerone,Jerko,Jenschke,Jenquin,Jennins,Jennelle,Jenison,Jendrick,Jeminez,Jellis,Jekot,Jekel,Jehl,Jebb,Jeavons,Jeanneret,Jeane,Jeancharles,Jeanbaptise,Jaworowicz,Javellana,Jaurigui,Jauch,Jastrzebski,Jass,Jasmine,Jarzembowski,Jarver,Jarosh,Jaroscak,Jarnesky,Jares,Jarell,Jaradat,Jarad,Jaquins,Janulewicz,Jansing,Janrhett,Janowicz,Janosek,Jannetti,Jannell,Janeczko,Jandron,Janczunski,Jancik,Janacek,Jamwant,Jamili,Jakovac,Jagoe,Jaffy,Jaeschke,Jaenke,Jacque,Jacobos,Jackovitz,Jackola,Jackley,Jacka,Jacckson,Jablonsky,Jabiro,Jabaay,Jaap,Iyengar,Iwanowski,Iwanejko,Ivon,Iverslie,Ivanov,Ivancich,Iturralde,Ittner,Israelsen,Israels,Ismay,Isleib,Isita,Isiordia,Ising,Isidore,Isbill,Isagawa,Isacs,Isaacsen,Irzyk,Irizzary,Irineo,Irimata,Ireton,Irestone,Iozzo,Iozzi,Iopa,Intrabartolo,Intihar,Insko,Insana,Inocente,Ink,Inhulsen,Ingole,Inches,Inafuku,Imperatore,Imgrund,Imbimbo,Imbier,Imaino,Ilse,Illuzzi,Illian,Ilic,Ilasin,Ilagan,Iker,Ihnat,Ihm,Igwe,Igtanloc,Ifversen,Iese,Ieng,Ienco,Idemoto,Icard,Iborra,Ible,Iberg,Ibbetson,Ibale,Iavarone,Iatarola,Iacovino,Iacopino,Iacobellis,Iachetta,Hysom,Hymowitz,Hymon,Hymen,Hylands,Hych,Huy,Huval,Hutmacher,Huszar,Hustace,Hussien,Huskinson,Husfelt,Husenaj,Husch,Hurtig,Hurtgen,Huro,Hurne,Hurlston,Hupman,Huor,Hunzelman,Hunsperger,Hunneyman,Hunckler,Humphrys,Humphers,Humetewa,Humeniuk,Humenik,Hulstrand,Hullings,Hulitt,Hulick,Huland,Huiting,Hugron,Hufstedler,Huffner,Huezo,Huettman,Huereca,Huenink,Huelse,Hueckman,Hudgeons,Hudach,Huckstadt,Huckle,Huckabey,Hubschmitt,Hubin,Hubertus,Hubby,Hubbel,Huban,Huaman,Hsun,Hsiang,Hrapski,Hoznour,Hoyman,Howkins,Howick,Howatt,Hovorka,Hovick,Hovanesian,Hounchell,Houf,Hotton,Hottes,Hotrum,Hotelling,Hotaki,Hostoffer,Hosterman,Hosteller,Hospkins,Hospelhorn,Hoscheit,Hoschander,Horstead,Horris,Hornoff,Hornberg,Hornandez,Hornack,Hormell,Horikoshi,Horigan,Horger,Hoppins,Hopperstad,Hopko,Hootsell,Hoopingarner,Hookano,Hooghkirk,Hoofard,Hoock,Honsinger,Honour,Honnette,Honnerlaw,Honma,Honkanen,Hongach,Honeycott,Hondorp,Honchell,Honas,Honanie,Homsher,Homestead,Holze,Holtorf,Holthus,Holster,Holsonback,Holom,Hollinrake,Hollidge,Hollerman,Hollendonner,Hollberg,Holk,Holian,Holes,Holecz,Holec,Holdvogt,Hokutan,Hok,Hoiness,Hoilman,Hohiudden,Hohensee,Hohaia,Hogelin,Hogatt,Hogarty,Hoftiezer,Hoffstatter,Hoffnagle,Hoffeditz,Hoffart,Hoerl,Hoefel,Hodos,Hodnefield,Hockins,Hockenbrock,Hocke,Hochard,Hocate,Hobler,Hober,Hoben,Hobell,Hobden,Hoagberg,Hnyda,Hlavka,Hladik,Hladek,Hitchen,Hislope,Hirschberg,Hirneise,Hirn,Hirliman,Hirleman,Hirao,Hippenstiel,Hintson,Hint,Hinley,Hinh,Hinebaugh,Hindson,Hinderberger,Himmelmann,Himanga,Him,Hilston,Hilstad,Hilser,Hilsendager,Hilsenbeck,Hilscher,Hilsabeck,Hilpert,Hilman,Hillerud,Hillebrano,Hillebrandt,Hilland,Hilgers,Hilgeman,Hilfiker,Hildago,Hilda,Hilbrand,Hikel,Highbaugh,Higgons,Higgenbottom,Hiersche,Hierholcer,Hiedeman,Hiday,Hickethier,Hichens,Hibbitt,Heyduck,Hewko,Hevron,Heuwinkel,Heuvelmann,Heusner,Heung,Heuett,Heuck,Hettinga,Hessey,Hespen,Hescock,Heschke,Hervig,Hertzel,Herston,Herstad,Hershkop,Hershelman,Herschelman,Herriges,Herres,Herrarte,Herpich,Hernanez,Hernanadez,Hernan,Hermenau,Hermanowicz,Herkstroeter,Herkenratt,Herera,Herendeen,Herauf,Henstrom,Hense,Henrity,Hennigh,Hennies,Henneberry,Henkey,Henjes,Hengl,Hengen,Henfling,Henerson,Henein,Hendrik,Hendricksen,Hendeson,Henderso,Henderlite,Hemon,Hemmann,Hemker,Hemesath,Hemani,Helweg,Helverson,Helseth,Helquist,Helom,Helmstetter,Helmsing,Hellweg,Hellmich,Helgager,Helgaas,Helfenbein,Helems,Helem,Helde,Heiting,Heither,Heisdorffer,Heiro,Heirendt,Heinzig,Heiniger,Heingartner,Heimlicher,Heimburger,Heiken,Heidtman,Heidrich,Heidi,Heidelberger,Heidebrecht,Heick,Heibult,Heholt,Heggood,Heeth,Heers,Heern,Heerkes,Hedtke,Hedspeth,Hedon,Hedinger,Hecke,Hechinger,Hebeisen,Heatherton,Heartsill,Heagney,Heafey,Headly,Headland,Headlam,Headington,Heade,Hazy,Hazim,Haza,Haynam,Hayertz,Haydt,Haxby,Hawse,Hawkinberry,Hawe,Havlin,Havir,Havelka,Hauxwell,Hautan,Hausrath,Hauptmann,Haughn,Hauersperger,Hatzenbihler,Hattley,Hatta,Hatori,Hathorne,Hatchitt,Hatchet,Hatada,Hastin,Hastedt,Hassing,Hassenger,Hassanein,Hasker,Haskel,Hashaway,Hasenfuss,Hasenfratz,Hascup,Hasas,Hartwigsen,Hartrum,Hartquist,Hartory,Hartlen,Hartleben,Hartinger,Harsin,Harritt,Harriage,Harpham,Harnos,Harnist,Harleman,Harlee,Harke,Hargers,Hardter,Hardsock,Hardnette,Hardine,Hardi,Hardges,Harderman,Harde,Hardan,Harcar,Harbater,Harapat,Harang,Haq,Hanzl,Hansome,Hansman,Hansis,Hansing,Hanoa,Hanninen,Hannaway,Hannawalt,Hanmer,Hankison,Hanible,Hanenberger,Haneke,Hanebutt,Handzlik,Handsom,Handkins,Handke,Handin,Hanback,Hanawalt,Hanavan,Hamsik,Hamonds,Hammette,Hammerman,Hammacher,Hamlette,Hamiltan,Hamidi,Hamff,Hamett,Hamersly,Hamers,Hamdn,Hamden,Hamberry,Hamara,Hamacher,Halyk,Haltiwanger,Halstrom,Halse,Halpert,Halnon,Hallo,Halliman,Hallemeyer,Hallack,Halima,Halick,Haldi,Halcott,Halbershtam,Halajian,Halaas,Hakey,Haitz,Hairell,Haims,Haifa,Hahnert,Haggin,Haggerton,Haggermaker,Hagey,Hafferkamp,Haferkamp,Haeuser,Haessly,Haese,Haerter,Haering,Haeder,Hadvab,Hadsall,Hadler,Hadesty,Haddenham,Hadaller,Hacopian,Hackl,Hackerott,Hacken,Hachting,Haboush,Hable,Habig,Habibi,Haberstroh,Habenicht,Haaz,Haakenstad,Haage,Gyllensten,Gwilt,Gwillim,Guzon,Guzewicz,Guye,Gutzler,Guttormson,Gutsche,Gutjahr,Gutgesell,Gutenberg,Gustitus,Gussow,Gusmar,Gushi,Gushard,Gurwell,Gurske,Gurrero,Gurin,Gurecki,Guoan,Gunzelman,Gunyon,Guntharp,Gunstream,Gungor,Gundelach,Gunawan,Gumprecht,Gumaer,Gulston,Gulnac,Gulizio,Gulbrandsen,Guitano,Guimares,Guillebeau,Guillary,Guillama,Guilfoos,Guiggey,Guiga,Guieb,Guidrey,Guiab,Guffanti,Guerrini,Guerrazzi,Guerera,Guenthur,Guell,Guedjian,Gudmundsson,Gucker,Gubin,Gubala,Guba,Guasp,Guarriello,Guarno,Guarini,Guanche,Guagenti,Gstohl,Grzesik,Grzebien,Gryszowka,Grymes,Gruz,Grustas,Gruse,Gruntz,Grunert,Grune,Grunberg,Grumney,Grumbling,Gruman,Grulkey,Gruiger,Gruening,Gruenewald,Gruby,Gruben,Grubel,Grubba,Grriffin,Groys,Growell,Grothaus,Grosskreutz,Groskreutz,Grosclaude,Groot,Gronstal,Gronquist,Gronlund,Gronitz,Gronberg,Grona,Gromoll,Grohowski,Grohman,Groetsch,Groder,Grobmyer,Groberg,Grivno,Grivetti,Grippen,Grine,Grimme,Grills,Grigoreas,Griglen,Griffitt,Griffan,Grieshop,Grieshaber,Griep,Grieff,Griebling,Griblin,Grev,Greubel,Gressmire,Gresco,Grenway,Grensky,Grennay,Grenko,Grenet,Gremo,Gremmels,Gregware,Gregus,Greggory,Gregan,Greep,Greenweig,Greensfelder,Greenhalge,Greengo,Greenbacker,Greem,Greder,Greczkowski,Grebner,Greber,Greason,Gream,Gravat,Grauman,Grauel,Grassle,Grasmick,Grapp,Granzella,Granto,Gransberry,Granquist,Granneman,Granieri,Granes,Grandon,Grandner,Granai,Grammont,Gramble,Graleski,Grainey,Grain,Graichen,Grahovac,Grageda,Gragas,Graffney,Graffagnino,Grafals,Gradley,Gradias,Gradford,Grabowsky,Grabonski,Grabler,Grabhorn,Graap,Gozman,Goyen,Goyda,Gowey,Gowda,Govostes,Govia,Gour,Gouldman,Gouldie,Gougis,Gotts,Gottemoeller,Gottdenger,Gotta,Gotshall,Gosvener,Gostlin,Gossow,Gosson,Gossling,Gosset,Gosey,Gorrindo,Gormanous,Gormally,Gorius,Gorena,Gorell,Gordley,Gordey,Gorbea,Goonen,Goodmon,Gonzelas,Gonzalis,Gonyou,Gonsiewski,Gonsar,Goney,Gomoran,Gomoll,Gollop,Gollob,Gollier,Golik,Golida,Golias,Golian,Golia,Golec,Goldthorpe,Goldhorn,Goldhirsh,Goldfuss,Goldfeld,Golderer,Goldenstein,Goldenman,Golde,Golbin,Golackson,Goicoechea,Goffigan,Goerlich,Goepfarth,Goepel,Goeing,Goehringer,Godboldt,Gochett,Gochal,Gocek,Goblirsch,Gnoza,Gnegy,Gnabah,Gmernicki,Glyn,Glueckert,Glowacky,Glovinsky,Gloston,Gloshen,Glos,Glogowski,Gloeckler,Glimpse,Glidwell,Glesener,Gleitz,Gleckler,Glebocki,Gleber,Glazner,Glazebrook,Glaves,Glavan,Glasby,Gladysiewski,Gladle,Gladhart,Gjeltema,Givant,Gius,Giulioli,Gitt,Girres,Girbach,Girand,Gip,Giottonini,Giorno,Gionta,Giombetti,Gioffre,Gioe,Ginzel,Ginsel,Ginocchio,Ginnis,Ginard,Gimse,Gilzow,Gilton,Gilstad,Gilomen,Gilner,Gilly,Gillming,Gillion,Gillich,Gillice,Gille,Giliberto,Gilhuly,Gilgan,Gildemeister,Gilcris,Gigger,Giffith,Giffee,Giff,Gietz,Giesel,Giera,Gibeaut,Gibala,Giasson,Giarusso,Giarrano,Giaquinta,Giannavola,Giandomenico,Gianandrea,Giallorenzo,Giacherio,Giachelli,Giacchi,Ghebremicael,Gezalyan,Getzschman,Getzlaff,Gettens,Gettelman,Gestether,Gesing,Gesamondo,Gerz,Gerwin,Gerveler,Gertsema,Gerthung,Gerten,Gertel,Gerteisen,Gerstenberger,Gershkovich,Gerney,Germy,Germana,Gerich,Gerdiman,Gerckens,Gerbig,Georghiou,Geoly,Gentleman,Gentges,Gentelia,Gensel,Geniesse,Genia,Generalao,Gemmiti,Geml,Gelner,Gellings,Gellinger,Gelino,Gelhar,Gelfond,Gelerter,Gelder,Gelbart,Geisinsky,Gehrki,Gehm,Geen,Gederman,Gede,Gearn,Geant,Gazzara,Gazitano,Gazdik,Gayanilo,Gawthorp,Gavit,Gaviglia,Gavett,Gavan,Gavagan,Gausman,Gaukroger,Gaufusi,Gaudier,Gaudett,Gauci,Gatzow,Gatta,Gatheright,Gatesy,Gatesman,Gastelo,Gaschke,Garwin,Garter,Gartenmayer,Gartenhaus,Garsjo,Garroutte,Garrettson,Garrean,Garre,Garnham,Garnache,Garmire,Garmen,Garlett,Garkow,Garito,Garinger,Gargan,Garcon,Gapp,Gantzler,Gantvoort,Gansert,Gansen,Ganns,Gannetti,Ganin,Ganigan,Gamotan,Gammond,Gamer,Gamello,Gambrill,Gambold,Gambee,Gambardella,Galven,Galvani,Galuszka,Galuppo,Galmore,Gallusser,Gallodoro,Gallington,Galleta,Gallegoz,Gallaugher,Gallargo,Galkin,Galipo,Galinis,Galimberti,Galic,Galbiso,Galathe,Galassini,Galanti,Galano,Galagher,Gajeski,Gajardo,Gaiters,Gails,Gailliard,Gaffer,Gafanha,Gaer,Gadewoltz,Gaden,Gackle,Gabrial,Gabrenas,Gabossi,Gables,Gabl,Gabhart,Gabeline,Gabbamonte,Fyler,Fykes,Fusner,Fusillo,Fushimi,Fus,Furtak,Furblur,Fundora,Funderberg,Fumero,Fuls,Fulham,Fulco,Fujimura,Fujikake,Fugueroa,Fuger,Fugatt,Fuerstenau,Fuerbringer,Frymoyer,Frymier,Frymark,Frutiger,Frushour,Fruman,Fruin,Frugoli,Fruehauf,Froyd,Frosto,Frontis,Frontiero,Fronick,Froneberger,Frohberg,Froebe,Frobish,Frittz,Fritchley,Fritchey,Frisinger,Frisell,Frija,Friehauf,Friedenthal,Friebel,Freundlich,Fret,Frerich,Frens,Freker,Freiseis,Freimark,Freilino,Freiheit,Freiermuth,Freidin,Freemantle,Freeh,Freedlander,Freeders,Freeburger,Fredregill,Frederique,Freckleton,Frecker,Frazzano,Frauenfelder,Frattali,Fratta,Fratrick,Fratercangelo,Frasso,Frashure,Fraschilla,Franzman,Franzini,Franza,Franty,Fransisco,Franpton,Frankson,Frankland,Frankiewicz,Frankart,Frangione,Franchini,Francescone,Fralic,Fraklin,Frair,Fragosa,Fradkin,Fracasso,Foyer,Foxhoven,Fowlie,Fowley,Fowlar,Fower,Foute,Foussell,Fouquette,Founds,Fougner,Fosmire,Fosher,Fosbrook,Fortun,Forss,Forsmann,Forslin,Forsee,Forpahl,Fornili,Fornier,Fornaro,Formichelli,Formaggioni,Forkum,Forkell,Foriest,Forgrave,Foresta,Forejt,Foreback,Forcum,Forcht,Forchione,Forch,Forberg,Forbach,Fonua,Fonteno,Fonteneau,Fongvongsa,Fondriest,Fondaw,Fonck,Fohl,Foglio,Foersterling,Foddrell,Focke,Flugum,Flucas,Fluaitt,Floss,Florendo,Floras,Floer,Flockhart,Flockerzi,Floan,Flin,Fliger,Flieller,Fleurilus,Flenord,Fleniken,Flenaugh,Flemmon,Flemm,Fleites,Fleischner,Fleckles,Flechas,Flauding,Flatter,Flato,Flanner,Flanegan,Flammang,Flakne,Flaker,Flagiello,Fladung,Flachs,Flaa,Fiwck,Fitzrandolph,Fitzherbert,Fitzgerrel,Fitsgerald,Fisser,Fishell,Fischl,Fischhaber,Fischel,Fiscella,Fiscel,Firpi,Firenze,Fiorilli,Fiorica,Finwall,Finklestein,Fingerson,Fingerman,Fineout,Finello,Finell,Findlen,Finco,Filthaut,Filpus,Filo,Filla,Fili,Fil,Figiel,Figgeurs,Figert,Fietek,Fiest,Fieser,Fiesel,Fickbohm,Ficht,Ficchi,Fialho,Fial,Feyh,Feyereisen,Feuss,Feusier,Fette,Festini,Fest,Fesko,Fertik,Ferrusi,Ferrone,Ferrio,Ferringo,Ferries,Ferrie,Ferrett,Ferrato,Ferrario,Ferraraccio,Ferranto,Ferr,Ferouz,Fernette,Fernanders,Ferkel,Feret,Ferer,Ferenz,Fenrich,Fenniman,Fennig,Fenison,Fendrick,Fendlason,Fend,Fenbert,Felver,Feltham,Felonia,Felling,Fellezs,Felizardo,Felio,Felicien,Felicia,Felicano,Feliberty,Feistner,Feister,Feintuch,Feilds,Feighner,Feierman,Fehrs,Fegueroa,Fegles,Fegette,Feerick,Feela,Feehly,Feehery,Fedorko,Fedie,Fedezko,Fedewa,Federkeil,Fecto,Fechtig,Fecher,Featheroff,Feagans,Fazzari,Faycurry,Fawson,Fawler,Favuzzi,Favro,Favian,Favazza,Fausey,Faus,Faupel,Fattore,Fatora,Fathy,Fathree,Fatheree,Fassinger,Faske,Farug,Fars,Farnese,Farkus,Farinha,Faren,Faraimo,Farahkhan,Faragher,Fanti,Fanter,Fantazia,Fantauzzo,Fansher,Fandino,Fanatia,Famageltto,Falzon,Fallow,Fallenstein,Falencki,Falcioni,Falci,Failey,Failde,Faigley,Faidley,Fahrni,Fahrlander,Fahrenthold,Fahning,Fago,Fagle,Fagerquist,Fagerlund,Fageraes,Facello,Ezzelle,Eyton,Eyestone,Exton,Exantus,Evjen,Evilsizor,Evertt,Evertsen,Eversmeyer,Everroad,Everline,Everet,Evartt,Evansky,Evancho,Eull,Ettman,Ettienne,Ettel,Etringer,Eth,Estronza,Estrem,Estrade,Estok,Estle,Estimable,Estess,Estella,Estanislau,Essix,Essency,Esquinaldo,Espiridion,Espinel,Esperon,Espenlaub,Espejel,Esparsen,Esmont,Esmon,Esmay,Esmaili,Eskins,Eskind,Eshmon,Esfahani,Escober,Escanlar,Erz,Ersery,Eros,Ernster,Erlebach,Eriks,Erichson,Erger,Eredia,Erdos,Ercole,Ercolano,Erazmus,Eraso,Epel,Eovaldi,Ensz,Ensel,Enock,Ennes,Enis,Engnath,Engfer,Engelmeyer,Engelberg,Engard,Endris,Endreson,Endorf,Endersbe,Ende,Encino,Emshwiller,Empasis,Emore,Emmond,Emiliano,Emerling,Emenaha,Emde,Emberling,Emano,Elway,Elvey,Eltringham,Elter,Elsken,Elsheimer,Elsaesser,Elrick,Elreda,Elpert,Elnicki,Elmes,Ellsmore,Ellrod,Ello,Ellinghuysen,Ellingham,Ellingburg,Elles,Ellenbogen,Elleby,Ellcessor,Ellamar,Elke,Elijah,Eligio,Elieff,Elicker,Elian,Eliades,Elhadi,Elfenbein,Elenbaas,Eldringhoff,Eld,Elbie,Eke,Ekas,Eisnaugle,Eisiminger,Eisenhaver,Eisenhardt,Eisenberger,Eiselein,Einwalter,Eighmey,Eidemiller,Eickmeyer,Eichstedt,Eichenberg,Eichberg,Eibel,Ehrisman,Ehrenzeller,Ehman,Ehli,Ehl,Eheler,Egwuohua,Eglin,Egler,Egersdorf,Egelston,Efthimiou,Eelkema,Edu,Edridge,Edland,Edenholm,Edem,Economou,Eckmann,Eckblad,Eckardt,Echternach,Echter,Ebrahimi,Eberst,Ebershoff,Eberheart,Ebbett,Eayrs,Eavey,Eatough,Eastling,Eastern,Easterlin,Earthly,Earing,Eakles,Eagleman,Eacho,Eaby,Dzwonkowski,Dzurnak,Dzurilla,Dziuba,Dzinski,Dziewanowski,Dziekan,Dyrstad,Dydo,Dvorsky,Duyer,Duttinger,Dutchess,Duston,Dush,Durward,Dursteler,Durpee,Durough,Durniok,Durnan,Durisseau,Duris,Duriga,Durda,Durboraw,Dura,Duquaine,Duplessy,Duplanti,Dupes,Duperre,Dupaski,Duos,Dunshie,Dunphe,Dunnell,Dunkinson,Dunkerley,Dunkan,Dunemann,Dunderman,Duncans,Dunahoe,Dumouchel,Dummett,Dumeny,Dumbar,Dumar,Dulan,Dukett,Duk,Duis,Duguette,Dugre,Dufrain,Dufauchard,Duesterhaus,Duesterback,Duerst,Duenwald,Dudzik,Dudycha,Dudenbostel,Dudden,Ducklow,Duckey,Duchnowski,Duchane,Duceman,Dubovsky,Dubler,Duber,Dubel,Dubbert,Drutman,Drummey,Drumbore,Droy,Drow,Droubay,Drorbaugh,Dropinski,Dronko,Dronick,Droggitis,Drissel,Driscol,Drinen,Driessen,Driedric,Dreuitt,Drenning,Drelick,Drejka,Dreiss,Drebes,Dratch,Drakulic,Drakos,Draime,Dragovich,Dragich,Draggett,Dragg,Drabicki,Doyscher,Doxbeck,Downy,Downhour,Dowland,Dowker,Dowds,Dowda,Douyette,Douthett,Doughman,Dougharty,Douga,Doudna,Dotolo,Dossman,Dosh,Dorsinville,Dorsay,Dorrill,Dorosh,Dornbrook,Dorlando,Dorio,Dorie,Dorcas,Doporto,Dopita,Doorley,Dooner,Donton,Dono,Donnerberg,Donnalley,Donlyuk,Donkle,Donilon,Doniger,Donigan,Doniel,Doncaster,Donatich,Donaher,Donah,Donaghue,Donaby,Domowicz,Domitrovich,Dominowski,Dominiak,Domenice,Dombek,Domagalski,Domagall,Dolsen,Dolmajian,Dolley,Dolinski,Dolhun,Dolfi,Dolecek,Dokovic,Dok,Dohrn,Doerksen,Doelger,Doeberling,Dody,Dodimead,Dodgion,Dockum,Dockerty,Dochterman,Dobrzykowski,Dobrynski,Dobrushin,Dobrosky,Dobrinin,Dobison,Dobbyn,Dobbe,Dlugos,Ditucci,Dittus,Dittmann,Dito,Ditmars,Disotell,Disorda,Disharoon,Dischner,Discala,Disalvi,Dirth,Dirr,Dirienzo,Dipolito,Dipilato,Dipietrantoni,Dipanfilo,Dioneff,Diomede,Dinuzzo,Dintino,Dinsmoor,Dinsdale,Dinos,Dinora,Dinnendahl,Dinkle,Dininger,Dingillo,Dingie,Dingell,Dimitry,Dimicco,Dimezza,Dimarzio,Dimario,Dimariano,Dimanche,Dilucca,Dillis,Dilliner,Dillin,Dillashaw,Dilillo,Dilg,Dilella,Diker,Digiouanni,Digeorgio,Difronzo,Difrancisco,Dietterick,Diestler,Dies,Dierkes,Diekema,Diederichs,Dieball,Didway,Didonatis,Didomizio,Didio,Didato,Dicosmo,Dicorpo,Dicocco,Diclaudio,Dichiaro,Dible,Diblase,Dibiasi,Dibbern,Diano,Diani,Diangelis,Diamantopoulo,Diaco,Dhruva,Dheel,Dharas,Dezalia,Deyak,Deya,Dewolff,Dewick,Dewese,Dewater,Devot,Devost,Devis,Devilliers,Devery,Deveny,Devenny,Develice,Devasier,Devarona,Devanski,Devai,Deus,Dettorre,Dettor,Detrolio,Detrich,Detillion,Deteso,Determann,Deterline,Deterding,Detchon,Detaeye,Destina,Destefani,Desruisseaux,Desormeau,Desonia,Desmore,Desko,Desimas,Desher,Deshayes,Deschene,Desantos,Desando,Desamparo,Desalvatore,Derx,Deruiter,Derosie,Derogatis,Derman,Derkas,Derivan,Derington,Derienzo,Derian,Dereus,Derenzi,Derentis,Derderian,Derastel,Deraps,Dequinzio,Deprato,Depont,Depiro,Depierro,Depeyster,Deonarine,Deocampo,Denzine,Denwood,Denos,Denooyer,Denomme,Denoia,Dennig,Denjen,Denisco,Denick,Denholm,Denfip,Deneui,Denetclaw,Denet,Denery,Demuzio,Demske,Dempewolf,Demorrett,Demorizi,Demny,Demiter,Demilt,Demik,Demien,Demianczyk,Demetrakos,Demer,Dembek,Demauro,Demase,Demart,Demarino,Deluzio,Delullo,Delucian,Deltufo,Deltora,Delsoin,Delsavio,Delross,Delperdang,Delpaggio,Delosier,Delonge,Delonais,Deloge,Delmendo,Dellwo,Dellum,Dellosso,Delliveneri,Dellefave,Dellarose,Dellapenta,Dellamonica,Delgoda,Delekta,Delegado,Deldonno,Delco,Delce,Delbene,Delavergne,Delashmutt,Delapuente,Delaporte,Delana,Delallo,Delahay,Delagol,Delagado,Delabarre,Dekruif,Dekoning,Dekeyzer,Dejoseph,Dejardin,Dejarden,Deister,Deigado,Deichmann,Deichman,Dehm,Dehlinger,Dehl,Dehetre,Dehaney,Dehaas,Degrood,Degrass,Degrande,Degooyer,Degnim,Deglandon,Degenfelder,Degenaro,Degear,Degagne,Defrang,Defrain,Defosset,Defosse,Defont,Defir,Defayette,Deerdoff,Deely,Dedrickson,Dednam,Dederich,Decurtis,Decourt,Decourcey,Decock,Declerk,Decius,Dechavez,Dech,December,Decarvalho,Decarmine,Decaire,Decaen,Debrosse,Debreto,Debrecht,Debrae,Debore,Debien,Debenedictis,Debarge,Debardelaben,Debaets,Deasis,Dears,Dearruda,Dearring,Dearinger,Dearin,Dearcos,Deanes,Deakyne,Dazzi,Dazi,Dayao,Dawkin,Davolt,Davise,Davine,Davidsmeyer,Davidowicz,Davaz,Davari,Davance,Dauster,Dause,Daulerio,Daughters,Daugereau,Daubney,Datamphay,Dasouza,Daskal,Dashno,Dashne,Dasen,Daschofsky,Dasch,Darwich,Darvish,Darveau,Darting,Darthard,Darron,Daron,Darnstaedt,Darmody,Darmiento,Darington,Dariano,Daria,Dardenne,Darakjian,Danyow,Dannis,Danniels,Danni,Dannelly,Dannelley,Dannatt,Daniely,Dangelis,Danese,Daner,Dandoy,Danco,Danca,Danas,Damrell,Damone,Damms,Damme,Dalporto,Daloisio,Dalmata,Dallison,Dallam,Dallago,Dalegowski,Dalecki,Daku,Daking,Daken,Dajer,Dajani,Daidone,Dahlka,Dagres,Dago,Dager,Dafonte,Dada,Daczewitz,Dach,Czysz,Czubakowski,Czartoryski,Czapiewski,Cyrnek,Cyree,Cygrymus,Cwikla,Cwalinski,Cutrera,Cuther,Cutchember,Cushner,Cusenza,Curreri,Curlis,Curio,Curimao,Curia,Curey,Cunio,Cumoletti,Cumberlander,Culpit,Culloton,Cuffy,Cuffman,Cuddington,Cucuta,Cucufate,Cubine,Cubano,Cuadras,Csuhta,Crutison,Cruther,Crusinberry,Crummell,Crumly,Cruff,Crozat,Crossmon,Crosiar,Crookshank,Crookes,Cronoble,Croner,Cromeans,Crolley,Crofutt,Crockette,Crivelli,Crivaro,Cristino,Criste,Crissey,Crisalli,Criley,Cribari,Crewe,Creselious,Crescenti,Crepps,Crenwelge,Creitz,Cregin,Cregger,Creekbaum,Credi,Crebs,Crayford,Cravy,Cravalho,Crauswell,Crathers,Crask,Crapp,Crape,Crapanzano,Cranson,Crans,Crannell,Crandal,Craigwell,Craigmyle,Crafter,Cradler,Coxwell,Coxen,Cowlin,Covitz,Coventon,Coutre,Coutinho,Coutermarsh,Courton,Courseault,Courrege,Courey,Coulon,Coulibaly,Couden,Coton,Coste,Cossett,Cosman,Cosma,Coslow,Cosico,Coshow,Corwell,Corvo,Corujo,Cortopassi,Cortinez,Cortijo,Corrio,Corrington,Corriher,Corridan,Corrga,Correla,Corping,Corpe,Coroniti,Cornn,Cornmesser,Cornella,Corneille,Corkron,Corf,Coreen,Cordiero,Cordew,Cordenas,Corcuera,Corbley,Coray,Coraham,Copstead,Copsey,Copping,Coppes,Copney,Coopper,Cooperider,Coopage,Coonse,Cookerly,Conwright,Contreraz,Continenza,Contes,Consuelo,Constine,Constanzo,Constantin,Constancio,Consentino,Conradt,Conour,Conoley,Conney,Connerat,Conlogue,Conforme,Confalone,Coneway,Condroski,Condina,Condiff,Condi,Conchado,Conch,Concatelli,Conaughty,Commerford,Comissiong,Cominski,Cominotti,Comar,Colschen,Colpi,Colpa,Colony,Collons,Collon,Collicott,Collea,Collari,Colker,Colier,Colesar,Colemen,Colecchi,Colcher,Colchado,Coklow,Cokel,Cohick,Cofone,Coffinberger,Coffell,Coffel,Codispot,Codilla,Cocroft,Cockerhan,Cochren,Cochenour,Cobetto,Cobar,Coalter,Clyman,Cluver,Clusky,Clunes,Clukies,Clowerd,Clouatre,Clossin,Cloos,Clokey,Clinkinbeard,Cliffton,Clibon,Clevland,Cleverley,Clesca,Clerc,Clemenza,Cleath,Cleasby,Cleal,Clavijo,Clater,Claros,Claghorn,Clacher,Clabo,Civil,Cittadini,Citroni,Cissel,Cisar,Cirella,Circelli,Ciprian,Cipcic,Ciotta,Cinnamond,Cinkan,Cinco,Cinar,Cimorelli,Ciminera,Cilenti,Cihak,Cieloszyk,Cidre,Cicen,Cicali,Cibik,Ciavardini,Cianfrani,Cianciola,Ciallella,Ciaffone,Chyle,Chy,Churchfield,Churape,Chuma,Chulla,Chueng,Chubicks,Chrystal,Chrosniak,Chriswell,Christopoulos,Christi,Christerson,Christenbury,Chowenhill,Chowansky,Choudhary,Chor,Chopton,Cholula,Chollett,Choinski,Chocron,Chockley,Chochrek,Choates,Chlebus,Chiz,Chitrik,Chisman,Chiphe,Chiola,Chiodi,Chinault,Chime,Chimal,Chilsom,Chillo,Chicles,Chicharello,Chicalace,Chiariello,Chiappari,Chhan,Chham,Chez,Chevis,Cheverton,Cheverez,Cheu,Chessman,Cherubini,Cherrin,Cheroki,Cherny,Chernich,Chernesky,Cheranichit,Cheeseboro,Chech,Cheam,Chavoustie,Chavies,Chaumont,Chaulklin,Chatampaya,Chasson,Chassaniol,Chary,Charvet,Charry,Chari,Chararria,Chappo,Chappa,Chapmond,Chaplik,Chapen,Chanthasene,Chanler,Chanco,Chamul,Champaco,Chalupa,Challinor,Challa,Chalender,Chaknis,Chakkalakal,Chaisty,Chaddick,Chaboya,Chaberek,Chabbez,Cevera,Cerverizzo,Cerventez,Cervantsz,Cerva,Cerroni,Cerri,Cerrello,Cerone,Cernuto,Cernota,Cerminaro,Cerf,Ceretti,Cerceo,Cerasuolo,Ceraso,Cerasi,Cerar,Ceraos,Cepin,Cepas,Centi,Cendana,Cendan,Cellar,Celeya,Ceder,Cecot,Cazel,Cazaree,Cawon,Cawein,Cavrak,Caveness,Cavalaris,Cavaiani,Cauterucci,Caughorn,Caughell,Cauazos,Catts,Cattanach,Catrini,Catozzi,Catignani,Catholic,Catherson,Catherine,Cathell,Catello,Catchpole,Catanzano,Casuscelli,Castros,Castrey,Castongvay,Castillion,Castelum,Castells,Castellion,Cassler,Cassino,Cassilano,Cassiano,Cassetty,Cassens,Cassells,Cassavaugh,Cassagne,Cassa,Casolary,Casmore,Casley,Caska,Casis,Casini,Cashour,Cashmer,Cashett,Casement,Casciato,Casavez,Casasola,Casarz,Casar,Casana,Casales,Carvill,Carvallo,Cartner,Carrousal,Carrizo,Carretta,Carrethers,Carrao,Carran,Carpen,Caroselli,Carolla,Carnillo,Carnegia,Carmin,Carmickel,Carlini,Carland,Carknard,Carioscia,Carina,Carideo,Carfrey,Cardinalli,Cardiff,Cardazone,Carbonella,Carbery,Carbee,Caravetta,Caravati,Caramelo,Caramella,Caraig,Carabine,Cara,Capristo,Capri,Cappellini,Caporiccio,Capicotto,Capestro,Capener,Capek,Capas,Capaccino,Caoagdan,Canwell,Cantella,Cantakis,Canson,Cansino,Cansibog,Cannistraro,Canner,Caneza,Caney,Caneva,Canetta,Canestraro,Candozo,Candlish,Candell,Canant,Canalez,Can,Camus,Campora,Campobasso,Campble,Campau,Campain,Camlin,Camisa,Camerino,Camerano,Camenisch,Camelin,Cameli,Cambia,Camareno,Camancho,Camack,Calvan,Calumag,Caltagirone,Calowell,Callnan,Callington,Calliham,Calligaro,Caller,Callar,Callam,Callagy,Callagher,Callado,Caliman,Caldron,Caldoron,Caldarera,Calcao,Calaf,Cakmak,Cajulus,Cajka,Caivano,Caires,Caire,Caiozzo,Cains,Cainne,Caimi,Cagnon,Cagno,Cagan,Caffentzis,Cafasso,Caez,Caddigan,Caddel,Cacatian,Cabugos,Cabon,Cabarcas,Cabanillas,Cabanela,Cabam,Bywaters,Bystron,Byse,Byous,Bynun,Byczek,Bybel,Byal,Buzza,Buzo,Buzis,Buvinghausen,Butzke,Buttross,Buttray,Buttke,Buttitta,Butenhoff,Busscher,Busk,Busitzky,Bushweller,Bushrod,Bushfield,Buschur,Busacca,Burzlaff,Burvine,Burtts,Burtschi,Burtell,Bursik,Burrs,Burras,Burows,Burnie,Burnash,Burmside,Burm,Burly,Burlson,Burlile,Burlaza,Burlage,Burkstrand,Burkly,Burklow,Burkin,Burian,Burgs,Burgoa,Burgey,Burgees,Burfeind,Burdzel,Burchinal,Burbine,Buratti,Buonassisi,Buonaiuto,Buntz,Bunts,Buntenbach,Bunson,Bunda,Bumpaus,Bumbalo,Bumbaca,Bullivant,Bullin,Bulisco,Bulik,Buley,Bulat,Bukowiecki,Builes,Buhrke,Buhlig,Bugh,Buffone,Buenviaje,Bueler,Buehlman,Budzik,Budy,Budrovich,Budish,Budiao,Budhu,Buden,Buddy,Bud,Buczko,Bucknor,Buckmeon,Buckless,Buckett,Buckaloo,Buchwalter,Buchmiller,Buchmeier,Buchite,Buchinsky,Bucheli,Buchann,Buchal,Bucaro,Bubolz,Buboltz,Bubert,Brzezicki,Brzenk,Brys,Bryngelson,Bryla,Bryington,Bruzewski,Bruzek,Brustmann,Brusser,Bruscato,Brunzel,Brunkhardt,Brunick,Brunetta,Brunecz,Bruna,Brumaghim,Bruker,Bruin,Brugliera,Bruffee,Brueske,Bruegger,Bruechert,Bruckmeier,Brroks,Brozeski,Broyle,Brownlie,Browman,Broudy,Brothen,Broski,Brosi,Brookskennedy,Brookie,Bronston,Broncheau,Brommer,Brola,Broitzman,Brohn,Broglio,Brogley,Broers,Broering,Brodtmann,Brodis,Brodine,Brodfuehrer,Brodess,Brodes,Brockus,Brockenberry,Brociner,Brochet,Broadnay,Brizeno,Britts,Brinley,Brinkhaus,Brinius,Brininger,Bringer,Brindza,Brindger,Brinar,Brilowski,Brigner,Brightharp,Brighter,Brienza,Brienen,Bridenbecker,Brickson,Breznay,Brezinka,Breyers,Brevell,Brettmann,Bretos,Bresser,Brentz,Brennick,Brening,Brendeland,Brem,Breiter,Breihan,Breidigan,Bredlow,Bredin,Breckley,Breckenstein,Brebes,Breaz,Breaud,Breath,Bready,Brazie,Braunwarth,Braunberger,Brauman,Braucks,Brath,Brasure,Brasswell,Brasseux,Braskett,Brasby,Brantingham,Bransfield,Branseum,Brano,Brangers,Brang,Branes,Brandstrom,Brandorff,Brandom,Brandenburger,Branck,Brancaccio,Bramuchi,Bramlitt,Bramel,Bramasco,Bram,Brakke,Brak,Braget,Bragado,Brafman,Bradmon,Bradick,Bradey,Bradd,Bracklin,Brackbill,Brabazon,Braband,Bozych,Bozic,Boyl,Boyens,Boyde,Boyas,Bowlick,Bowle,Bowcock,Bouy,Bouvia,Bousum,Bourraine,Bourgon,Bourbois,Bouquin,Boumthavee,Boulger,Boulch,Boulais,Boughn,Bouges,Boudle,Boudjouk,Boucouvalas,Boucaud,Bottrell,Bottoni,Bottella,Bothner,Botellio,Boswink,Bostow,Bostain,Bosson,Bossier,Bossey,Bosold,Boslet,Boshnack,Boshell,Bosheers,Bosefski,Borza,Boryszewski,Borysewicz,Borson,Borseth,Borroto,Borrigo,Borriello,Borrello,Borowicz,Borovetz,Borovec,Borgelt,Bordinger,Bordas,Bord,Borcuk,Borcher,Borbridge,Boothman,Bookhardt,Boocock,Bonwell,Bonsal,Bonnoitt,Bonnifield,Bonnick,Bonnel,Bonker,Bonita,Boning,Bonifield,Boniface,Bongle,Bongivengo,Bongio,Bonge,Bonett,Bonebright,Bondroff,Bondoc,Bonda,Boncella,Bonaventure,Bonalumi,Bonadona,Bonaccorso,Bonaccorsi,Bompiani,Bommer,Bolvin,Boluda,Bolorin,Bolon,Bollom,Bollettino,Bolk,Boliver,Boline,Bolieu,Boliek,Boleyn,Boldul,Boldery,Bolante,Bokor,Boklund,Bojanowski,Boisuert,Boislard,Bohren,Bohmann,Bohlinger,Bohart,Boham,Bogust,Bogh,Bogatay,Bogany,Boeving,Boeshore,Boesenberg,Boerstler,Boers,Boenig,Boelsche,Boelke,Boekhout,Boekelman,Boehner,Boeckmann,Bodwin,Bodrey,Bodman,Bodiroga,Bodford,Bodensteiner,Bodenheimer,Boddorf,Boddeker,Bockskopf,Bocchi,Bocage,Bobola,Bobko,Boben,Boardway,Boards,Blyzes,Blumenkranz,Bloomgren,Blong,Blondeau,Blommel,Blois,Bloem,Blocklinger,Blisset,Blimka,Bliler,Bliese,Blice,Bleyer,Blette,Blesh,Blender,Blemel,Bleifus,Blechinger,Bleattler,Blazosky,Blatti,Blatteau,Blatnik,Blatchford,Blankship,Blankschan,Blandy,Blandino,Blakeway,Blakeborough,Blaho,Blackstar,Blackgoat,Blachly,Blacher,Blach,Bizcassa,Bizarro,Bivings,Bitsuie,Bitsui,Bitsko,Bistodeau,Bister,Bisonette,Bishel,Bisconer,Biscocho,Biscahall,Bisby,Bisagna,Birts,Birnell,Birkline,Birkenhead,Birenbaum,Birckett,Birckbichler,Birchwood,Biorkman,Bimler,Bilous,Billinghurst,Billey,Billeter,Billegas,Billard,Bilkiss,Bile,Bilcik,Bigos,Bignall,Bigio,Biggio,Bigas,Biffer,Biffar,Biesinger,Bieschke,Bierbrauer,Bienfang,Biehn,Biederwolf,Bieberle,Biebel,Bidon,Bidner,Bidgood,Bidez,Biderman,Bickleman,Bicklein,Bicket,Bicker,Bickart,Bichel,Biard,Bialik,Bialczyk,Bezner,Beyrer,Beylotte,Beyerl,Bevly,Beulah,Beul,Betzel,Betterman,Betsinger,Betschman,Betita,Bethurum,Bethoney,Beth,Beston,Besso,Bessick,Besio,Beshear,Besarra,Bervig,Bertus,Bertrano,Bertovich,Bertolasio,Bertog,Bertinetti,Bertelle,Bertel,Bertch,Bertagnoli,Berschauer,Bersamin,Bers,Berri,Berretti,Berretta,Berret,Bernucho,Bernt,Bernstrom,Berno,Bernick,Bernice,Bernhagen,Bernardoni,Bernabo,Bermers,Berlove,Berlinghof,Berkhalter,Berisha,Bergseng,Bergreen,Bergholz,Bergert,Berez,Beresnyak,Berdes,Beras,Benzschawel,Benzi,Benya,Benwell,Benty,Bentrup,Bentele,Benser,Bennison,Bennink,Bennerson,Bennerman,Benitone,Beniquez,Benik,Bengelsdorf,Benell,Beneduce,Benecke,Benear,Bendzans,Bendy,Bendt,Bendorf,Bendolph,Bendlage,Benders,Bendavid,Benck,Benassi,Benari,Benage,Benadom,Benabides,Bembury,Bemboom,Bemberry,Belyoussian,Belveal,Belsey,Belongie,Belone,Belon,Beloff,Belluomini,Belloma,Bellmay,Bellish,Bellisario,Bellingham,Bellflower,Bellfleur,Bellerdine,Bellemy,Bellazer,Belkowski,Belich,Belfiglio,Beley,Beldin,Belback,Belarde,Belangia,Bel,Bekerman,Beker,Bek,Beiswanger,Beirise,Behun,Behning,Behmer,Behlen,Begor,Begg,Beetley,Bees,Beermudez,Beerling,Beeck,Bedsaul,Bedoka,Bednorz,Becklund,Beckerdite,Beckendorf,Beckenbach,Bechthold,Bechman,Becherer,Beavin,Beauprez,Beaumier,Beauliev,Beaugard,Beaufait,Beaudrie,Beathe,Beasmore,Bearup,Bearfield,Beahn,Beadnell,Beadell,Bazzel,Bazzanella,Bazelais,Bazata,Bazarte,Baza,Bayle,Bayete,Bawa,Bavzee,Bavard,Bausley,Baunleuang,Baumgard,Baumbusch,Bauknight,Baugham,Bauers,Bauermeister,Baublitz,Battistini,Battiato,Battiata,Batters,Battaglini,Bathurst,Bathrick,Batel,Batalona,Basua,Bastura,Bastress,Bastilla,Bastidos,Bastic,Basten,Bastedo,Bastain,Bassil,Basset,Bashinelli,Basbas,Baruth,Barufaldi,Bartylla,Barts,Bartrop,Bartosz,Bartosiak,Bartolotto,Bartolet,Bartoldus,Bartnett,Bartlone,Barthen,Barthelman,Bartenfield,Bartczak,Barsotti,Barrocas,Barrile,Barrieau,Barrer,Barreira,Barranger,Barranca,Barquera,Barnscater,Barnfield,Barncastle,Barnathan,Barnar,Barlip,Barkins,Barkenhagen,Barkalow,Barimah,Baridon,Barhydt,Bargar,Barff,Bardeen,Barcelona,Barby,Barbini,Barbiere,Barbetta,Barberis,Barberian,Barban,Barasch,Baranow,Baranovic,Barajos,Baraby,Bapties,Banyas,Bantug,Bantin,Bantillan,Bantay,Bansbach,Bankemper,Banis,Banick,Banecker,Bandin,Bandemer,Bandanza,Bance,Banales,Bammon,Bamfield,Bambacigno,Bambaci,Balyeat,Balvanz,Balsano,Balmores,Ballreich,Balloon,Ballmer,Ballintyn,Balley,Balletta,Balhorn,Balford,Balezentis,Baldrey,Baldiviez,Balder,Baldassarre,Baldacchino,Balchunas,Balceiro,Balbin,Balaz,Balaski,Balancia,Balagtas,Bakst,Bakkum,Bakios,Bakeley,Bajorek,Bajdas,Baizer,Baitg,Baise,Bailony,Baillio,Baille,Baiera,Bahun,Bah,Bagne,Bagi,Baghdasarian,Bageant,Bagdonas,Baetz,Baeringer,Badget,Badeau,Baddeley,Bacy,Backey,Backenstose,Backen,Backe,Backbone,Baccouche,Bacco,Bacarella,Babitsch,Babena,Babbin,Babbel,Babat,Bab,Azzaro,Azoulay,Azimi,Azer,Aylsworth,Ayarza,Axline,Axelsen,Awtrey,Avola,Avie,Avetisyan,Averyt,Aveado,Avanzato,Avala,Auyer,Auxilien,Auwarter,Aurges,Aures,Auprey,Aupperle,Aunkst,Aumich,Aument,Aumavae,Aulbach,Aukes,Augspurger,Auffrey,Attridge,Attkisson,Attinger,Atta,Aton,Atoe,Atiyeh,Athmann,Athay,Atchity,Atallah,Atala,Astwood,Astolfi,Astol,Asters,Aspegren,Asma,Ashpole,Ashfield,Ashely,Asevedo,Aschmann,Asar,Asaeli,Arzilli,Arundel,Arujo,Aruiso,Arturo,Artry,Artison,Artinian,Arrizaga,Arriazola,Arpino,Arons,Aronhalt,Arntt,Arniotes,Arnholtz,Arneberg,Armillei,Armijos,Arm,Arleth,Arlen,Arlan,Arkins,Arjes,Arizzi,Arizola,Ariyoshi,Aring,Arimoto,Arigo,Arietta,Arie,Aridas,Aricas,Arhelger,Arhart,Arguillo,Arguellez,Argote,Argenal,Arenos,Arenivas,Arenivar,Arendz,Arendsee,Arebela,Ardizzone,Ardion,Ardery,Ardd,Ardan,Arcino,Arcilla,Arcea,Arcaute,Arcangel,Arcadipane,Arbry,Araque,Aramini,Arambuia,Aragus,Aragundi,Aragoni,Aragaki,Aradanas,Arabie,Arabia,Ar,Apyuan,Apuzzi,Apruzzese,Applewhaite,Applebury,Appeling,Appelgate,Apling,Apking,Apela,Aparo,Apa,Aoay,Anyan,Antrican,Antonopoulos,Antonis,Antonich,Antonaccio,Antona,Antolik,Antinore,Anteby,Anslinger,Ansbacher,Ansara,Annette,Ankersen,Anis,Aniol,Aningalan,Aniello,Anichini,Anibal,Angviano,Anglum,Angley,Angerer,Angeloro,Angeloff,Angelocci,Anestos,Anerton,Anelli,Andzulis,Andruss,Andrian,Andreatta,Andonian,Andon,Anderon,Andebe,Andary,Ancy,Ancell,Anasagasti,Anakalea,Anagnostou,Amyotte,Amtower,Amstein,Amsinger,Amsili,Amphy,Amonette,Amolsch,Amistoso,Amisano,Amidei,Amesquieto,Amert,Amento,Ameling,Amelang,Ambroz,Ambrosone,Ambres,Amble,Amberson,Ambeau,Amati,Amargo,Amancio,Amailla,Amadi,Alzugaray,Alvorez,Alverest,Alven,Alvarengo,Alvalle,Alvacado,Alummoottil,Alukonis,Alu,Altwies,Altum,Altringer,Altop,Altheimer,Altew,Alterio,Alsman,Alsdon,Alsbrooks,Alsandor,Alrich,Alrais,Almario,Allor,Allocca,Allnutt,Allmand,Allhands,Allgaeuer,Allessi,Allenbrand,Allemond,Allegre,Allcorn,Allbones,Allamong,Allaband,Algeo,Alge,Alfreds,Alfera,Alexzander,Alexiou,Alexaki,Alexader,Alevedo,Alerte,Alekna,Aleizar,Alegi,Alegar,Aleff,Alecca,Aldrege,Aldi,Aldarondo,Alcosiba,Alcombright,Alce,Alcaoa,Alcaide,Albriton,Albrekht,Albracht,Alberthal,Alberro,Alberda,Alattar,Alar,Alampi,Alamos,Alaibilla,Alacano,Akuchie,Akram,Akinyooye,Akiereisen,Aimbez,Ailstock,Ahyou,Ahrenholtz,Ahonen,Ahmau,Ahlstedt,Ahle,Ahlborn,Aharonof,Aharon,Ahal,Aguino,Aguillera,Aguiler,Agueda,Aguallo,Agrios,Agriesti,Agricola,Agreste,Agrela,Agre,Agney,Agne,Agliam,Agerton,Afoa,Aflalo,Affelt,Affagato,Afan,Aemmer,Adzhabakyan,Ady,Adside,Adrovel,Adrid,Adonis,Adleman,Adle,Adjutant,Adesso,Adels,Addo,Adamiak,Acron,Ackins,Ackies,Achziger,Achzet,Achekian,Ache,Acfalle,Accetturo,Abubakr,Abson,Abramowski,Aboytes,Aboulissan,Abling,Ablin,Ablang,Abke,Abetrani,Abernatha,Abela,Abeb,Abdin,Abdelwahed,Abdella,Abdeldayen,Abdel,Abbinanti,Abbay,Abbadessa,Abaya,Abaunza,Abatti,Aasby,Aaland,Aaby,Zysett,Zwinger,Zweier,Zuziak,Zusman,Zuro,Zurkus,Zurheide,Zurawik,Zuniega,Zumot,Zullig,Zukowsky,Zukof,Zukerman,Zuclich,Zuchara,Zubrzycki,Zuberbuhler,Zuazo,Zsohar,Zschoche,Zrimsek,Zoutte,Zotos,Zorzi,Zoroiwchak,Zorens,Zoquier,Zonia,Zone,Zondlo,Zomora,Zombro,Zombory,Zombo,Zomberg,Zolman,Zollar,Zolinski,Zolinas,Zoellick,Zoelle,Zoebisch,Zodrow,Zoda,Zobell,Zmiejko,Zlotnick,Zlatkin,Ziyad,Ziter,Zita,Zissler,Zisser,Zirin,Zircher,Zipse,Zipkin,Zipay,Zinni,Zinkl,Zimit,Zimba,Ziman,Ziler,Zilahi,Ziko,Zihal,Zieske,Zieser,Zientara,Ziencina,Zielonko,Ziek,Ziehm,Ziego,Ziegenhagen,Ziedan,Ziebold,Zidzik,Zickuhr,Zicari,Zibert,Zibelli,Ziak,Ziadie,Zezima,Zeyadeh,Zeto,Zetes,Zerzan,Zerring,Zerom,Zerck,Zerbel,Zentgraf,Zenker,Zener,Zenbaver,Zena,Zemon,Zemjanis,Zeminski,Zelmar,Zellous,Zellefrow,Zelkind,Zeleny,Zelenko,Zeis,Zeimetz,Zeimantz,Zeilman,Zehnpfennig,Zehe,Zeegers,Zeckzer,Zebell,Zebel,Zeals,Zdrojkowski,Zazozdor,Zaxas,Zawadzki,Zavatson,Zavadoski,Zatko,Zastawny,Zaspel,Zarzuela,Zarycki,Zarucki,Zart,Zarriello,Zarozinski,Zarnick,Zarkin,Zaritsky,Zarella,Zappolo,Zappile,Zappavigna,Zapoticky,Zapico,Zapato,Zapatas,Zanueta,Zanter,Zanola,Zanis,Zaneski,Zanco,Zamzam,Zamperini,Zamparini,Zampaglione,Zamostny,Zammiello,Zammetti,Zambotti,Zamborsky,Zam,Zalwsky,Zakarian,Zaituna,Zaitlin,Zaidel,Zaic,Zaibel,Zahri,Zahradka,Zahra,Zahorchak,Zaharchuk,Zagorac,Zagen,Zaffina,Zaffalon,Zadra,Zadow,Zador,Zadd,Zacharia,Zacharewicz,Zablonski,Zabka,Zabik,Zabielski,Zabek,Yuzn,Yuste,Yusi,Yurkanin,Yurich,Yurchiak,Yungclas,Yungbluth,Yunan,Yuki,Yueh,Yucha,Yslava,Yrigollen,Yragui,Ypina,Yozamp,Yovino,Yovanovich,Yournet,Younkins,Younglove,Younglas,Youket,Yosko,Yoshimori,Yorton,Yorn,Yorkman,Yorio,Yorgey,Yoquelet,Yonkoske,Yongue,Yonge,Yoney,Yonemori,Yonek,Yokiel,Yokely,Yoders,Yo,Yngsdal,Ylonen,Yilma,Yidiaris,Yezek,Yestramski,Yessios,Yeskey,Yerry,Yerly,Yerbich,Yenz,Yenney,Yenner,Yenglin,Yengich,Yendell,Yeldon,Yekel,Yeisley,Yeilding,Yegge,Yeend,Yeeloy,Yearicks,Yeamans,Yeakle,Ydara,Ybos,Yballe,Yavorsky,Yater,Yasutomi,Yasinski,Yarzabal,Yarrell,Yarish,Yanoff,Yannotti,Yankovitz,Yanity,Yanetta,Yandura,Yancik,Yanan,Yanai,Yamnitz,Yammine,Yamkosumpa,Yakulis,Yaklich,Yakel,Yahraus,Yahna,Yahl,Yagoudaef,Yagin,Yagecic,Yaftali,Yafei,Yafai,Yablonsky,Xander,Wzorek,Wykes,Wydryck,Wydo,Wydler,Wycuff,Wyborny,Wurts,Wurgler,Wuolle,Wunderly,Wun,Wulkan,Wuitschick,Wuestenberg,Wuerz,Wuellenweber,Wucherer,Wublin,Wubbel,Wrotten,Wrinkles,Wriedt,Wrenne,Wreede,Wraggs,Woyahn,Woulard,Woudenberg,Woskobojnik,Wosher,Wortinger,Worstell,Worst,Worner,Worn,Wormely,Worlow,Workings,Workinger,Wootan,Woolhouse,Wooleyhan,Woolcott,Woodliff,Woodert,Woodend,Woodburg,Woodand,Women,Wombolt,Wolzen,Wolthuis,Wolsted,Wolsky,Woloszczak,Woller,Wolkowski,Wolkowiecki,Woliver,Wolhok,Wolfsberger,Wolfred,Wolffe,Wolfertz,Wolbeck,Wokwicz,Wojtowich,Wojtecki,Wojnaroski,Wojeik,Woiwode,Wohlwendi,Wohlschlegel,Wohlrab,Wohld,Woester,Woernle,Woelzlein,Woelfle,Wodskow,Wlosinski,Wlodyka,Wlazlowski,Wlach,Wizar,Wiuff,Witvoet,Wittstruck,Wittry,Wittliff,Witterstauter,Witsell,Witosky,Withy,Witherbee,Withenshaw,Witczak,Wisterman,Wisnosky,Wisniowski,Wiskowski,Wisk,Wisinger,Wisenor,Wischner,Wisbey,Wirtjes,Wirght,Wirf,Wipprecht,Winzler,Winzenried,Wintringham,Winterton,Winterfeldt,Winterbottom,Winsted,Wins,Winninger,Winning,Winney,Winnewisser,Winners,Winnegan,Winklepleck,Winkleblack,Winkelpleck,Winkeljohn,Winkelbauer,Winingear,Winikoff,Wingstrom,Winett,Winesickle,Winesberry,Winek,Windmeyer,Windhurst,Windam,Wimpey,Wiman,Wilts,Wiltjer,Wilterdink,Willrett,Willour,Willmes,Willmann,Willinsky,Willington,Willigar,Williama,Willegal,Willcoxon,Willand,Willame,Willaby,Wilkowitz,Wilkers,Wilison,Wilis,Wilgocki,Wilging,Wilfinger,Wilebski,Wildin,Wildfong,Wilderson,Wildenthaler,Wildeisen,Wildauer,Wilcinski,Wilansky,Wilabay,Wikins,Wikert,Wik,Wiinikainen,Wiggains,Wigen,Wieto,Wiess,Wiesman,Wierzba,Wierschen,Wierschem,Wiehe,Wieger,Wiederwax,Wiederin,Wiede,Wieciech,Wiechert,Wiechec,Widrig,Widowski,Widmaier,Widlak,Widdoes,Wickus,Wicketts,Wickemeyer,Wicka,Wicinsky,Wibeto,Wibberley,Wibbenmeyer,Wiatrak,Wiatr,Wiand,Whyman,Wholly,Whittley,Whittiker,Whitteker,Whitset,Whitmyre,Whitmeyer,Whitheld,Whitesinger,Whitemore,Whitacker,Whistle,Whisker,Whisenton,Whippie,Whipp,Whildin,Whigum,Whiby,Whelton,Wheeington,Whan,Whaler,Whal,Weyhrauch,Wewerka,Wetterauer,Wetselline,Wetklow,Westwater,Westrom,Westre,Westhouse,Westervoorde,Westergaard,Westerbeck,Westcote,Westaway,Wesselink,Wesselhoft,Weslowski,Weslow,Wescovich,Werthman,Wershey,Werries,Wernli,Werning,Werma,Werking,Wenzell,Wentzloff,Wentcell,Wenstrand,Wensky,Wennersten,Wenman,Wengren,Wener,Weneck,Wendy,Wendte,Wenderoth,Wend,Wenclawiak,Wence,Wemark,Weltmer,Welms,Welman,Wellendorf,Welfel,Weitkamp,Weith,Weiszbrod,Weissmann,Weissert,Weisse,Weissbrodt,Weismiller,Weisiger,Weisenhorn,Weisenfluh,Weisend,Weisenberg,Weisdorfer,Weisberger,Weirather,Weinzinger,Weinzimer,Weinzetl,Weintz,Weinand,Weiker,Weikal,Weik,Weigman,Weigleb,Weigart,Weidenheimer,Weiden,Weickum,Wehring,Wehausen,Weglin,Weghorst,Weeth,Weeter,Weenum,Weelborg,Weegar,Weeber,Wedwick,Wedner,Wedlow,Wedlock,Wedi,Wedgworth,Weckenborg,Wechselblatt,Webbs,Webbink,Weavil,Weatherley,Weatherill,Wearrien,Wearly,Weagel,Weadon,Waymer,Wayde,Waybill,Wavra,Waughtel,Waughtal,Wauch,Watzke,Wattson,Watrs,Watral,Watne,Waterston,Waszmer,Wasylow,Wasyliszyn,Wassermann,Wassenberg,Wassenaar,Waskow,Waskey,Waska,Washurn,Washup,Washuk,Washnock,Washman,Washinski,Wasem,Wartman,Warsme,Warsing,Warschaw,Warsager,Warpool,Warneka,Warnasch,Warmbier,Warley,Warick,Warholic,Warhola,Warhol,Warens,Wareheim,Wardrop,Wardon,Wardman,Wardinsky,Wardian,Wappel,Wanvig,Wanser,Wanschek,Wanland,Waninger,Wanders,Wampol,Walzier,Walvoord,Walto,Waltenbaugh,Waltemath,Waloven,Walman,Wally,Wallravin,Wallor,Wallinga,Walles,Wallentine,Wallenda,Walleck,Wallbrown,Wallberg,Wallbank,Walland,Wallaker,Wallaert,Wallack,Walkinshaw,Walking,Walicki,Waldrope,Waldmann,Waldenberg,Walczynski,Walchli,Walbrecht,Wakula,Wakham,Wakenight,Wakeling,Waitkus,Waisman,Waisath,Wainman,Wahoske,Wahner,Wahlenmaier,Wahid,Wagon,Waggaman,Wagenheim,Waganer,Wafula,Waeyaert,Waetzig,Waelti,Waeckerlin,Waddouds,Wackman,Wackerbarth,Wachsmuth,Wabasha,Vyhnal,Vuturo,Vulgamott,Vukich,Vrias,Vranich,Vrablic,Votraw,Voter,Votaua,Voskowsky,Vorwaller,Vorholt,Voracek,Voong,Vonwagoner,Vonstaden,Vonsoosten,Vonkrosigk,Vongxay,Vongvivath,Vongunten,Vongsakda,Vongal,Vonfeldt,Vondohlen,Vonderkell,Vonbraunsberg,Vonarx,Volpert,Volper,Volpa,Volmink,Vollmering,Volking,Volkers,Volkens,Volin,Volesky,Volckmann,Vojta,Voita,Voights,Vogtman,Vogtlin,Voglund,Vogland,Vogenthaler,Vogelpohl,Vogds,Voetmann,Voedisch,Vodder,Voce,Vlk,Vlasaty,Vlasak,Vlahovich,Vizza,Vizuete,Vivolo,Vittum,Vittek,Vitorino,Vitkus,Vititow,Vitera,Vitantonio,Vitaniemi,Visvardis,Vissman,Visovsky,Visosky,Visocsky,Visnosky,Visnocky,Viscarro,Visaya,Virts,Virkler,Virgili,Virgie,Virgel,Virelli,Viramontas,Viorel,Vintinner,Vintimilla,Vinsel,Viniegra,Vinck,Villot,Villenas,Villemarette,Villecus,Villaquiran,Villane,Villalouos,Villaescusa,Vilkoski,Vilkama,Vilca,Vilaro,Vilardo,Vilandre,Viken,Vigus,Viguerie,Vigorito,Vigario,Viessman,Viesselman,Viesca,Vierthaler,Vierps,Vientos,Vienneau,Vidler,Victorica,Vickey,Vicioso,Vichidvongsa,Viccica,Veysey,Vespia,Veselic,Verzi,Versele,Veroba,Vernet,Verlotte,Verigan,Verhaag,Vergamini,Verga,Verfaille,Verela,Vere,Verdine,Verdiguel,Verd,Verbridge,Verble,Verbit,Verbilla,Verbasco,Ventur,Ventrice,Ventre,Ventors,Venth,Venosh,Vennari,Venkus,Veninga,Venible,Venghaus,Venetos,Venere,Veneable,Vendelin,Vemura,Velzeboer,Veltre,Veltin,Veloso,Veles,Vele,Veld,Veitz,Veitenheimer,Vein,Veillette,Vegher,Vegetabile,Vegar,Veerkamp,Veen,Vecino,Vebel,Veater,Veader,Ve,Vayon,Vayner,Vavricek,Vauter,Vaulx,Vaughner,Vaudreuil,Vaubel,Vattikuti,Vathroder,Vatch,Vastola,Vastardis,Vassure,Vassil,Vassie,Vasseur,Vassen,Vasquiz,Vasaure,Varvil,Vartanyan,Varron,Varro,Vargis,Varesko,Varda,Varanese,Varakuta,Varagona,Vanzante,Vanyo,Vanwyngaarden,Vanwassenhove,Vanvolkenburg,Vanvalen,Vantuyl,Vantil,Vanta,Vanstrom,Vanslooten,Vansicklin,Vanscoik,Vanschaick,Vanruiten,Vanostberg,Vanorsdol,Vanolinda,Vanoflen,Vannuland,Vannover,Vannorsdell,Vanniello,Vanni,Vanner,Vanmarter,Vanleuvan,Vanlaar,Vankilsdonk,Vankammen,Vanhevel,Vanheukelem,Vanhee,Vanhauen,Vanhamlin,Vanhamersveld,Vangyi,Vangompel,Vangoff,Vangerbig,Vangelos,Vanfossan,Vanez,Vaneffen,Vandygriff,Vandy,Vanduynhoven,Vandunk,Vandorien,Vandon,Vandiest,Vandeweert,Vandevort,Vandevere,Vandeveble,Vandestreek,Vandesteeg,Vanderwyk,Vanderwood,Vanderwilt,Vanderwege,Vanderweerd,Vanderweel,Vandertuig,Vanderstappen,Vanderschoot,Vandermoon,Vanderkaaden,Vanderhoot,Vanderboom,Vanderau,Vandenacre,Vandemortel,Vandeman,Vandelaare,Vandebrake,Vanconant,Vancleaf,Vanbogelen,Vanbenthuyse,Vanbeck,Vanasselt,Vanaprasert,Vanandel,Vampa,Valseca,Valree,Valot,Valorie,Vallimont,Vallie,Vallentine,Vallelonga,Vallario,Vall,Valgren,Valer,Valenzvela,Valentyn,Valenstein,Valenciana,Valderamo,Valcin,Valcho,Valakas,Vaksman,Vakil,Vaka,Vajgrt,Vaissiere,Vainio,Vaiko,Vaghy,Vaghn,Vafiadis,Vafiades,Vaeza,Vaeth,Vadasy,Vaclavik,Vacio,Vaci,Vache,Vaccarino,Vacante,Uzun,Uxa,Uvalles,Utvik,Uttley,Ustico,Usman,Usina,Ushioda,Ushijima,Uscio,Usack,Urse,Urrey,Urreta,Urraca,Urness,Urlanza,Uriostejue,Urik,Urenio,Urdiano,Urbieta,Uptegraft,Uppencamp,Unterkofler,Unnold,Unnewehr,Unkn,Uniacke,Unglaub,Unck,Umnus,Umezawa,Umbel,Ultseh,Ultreras,Ulses,Ullum,Ulisch,Ulicnik,Ulich,Uleman,Ukich,Uken,Uhrin,Uhrhammer,Uhles,Uhlenhopp,Ugaz,Ugaitafa,Ueki,Uebersax,Udinsky,Udicious,Ucha,Uccio,Uc,Ubry,Ubiles,Ubertini,Ubence,Tyssens,Tysseling,Tyrance,Tynio,Tylman,Tydings,Tydeman,Twohatchet,Twito,Twillie,Twiet,Twiest,Tweet,Tweddell,Twait,Tvedt,Tuxbury,Tuukanen,Tutuska,Tutoni,Tutela,Tushoski,Turvaville,Turturo,Turrill,Turrie,Turpiano,Turomsha,Turocy,Turnpaugh,Turnow,Turnmyre,Turnier,Turkmay,Turkasz,Turinetti,Tureson,Turdo,Turcio,Turbiner,Turbide,Turber,Turbe,Turansky,Tupy,Tuppen,Tuplano,Tuorto,Tunon,Tunget,Tunby,Tun,Tumolillo,Tumminia,Tumbleston,Tullison,Tulis,Tuliau,Tukuafa,Tukis,Tujague,Tuia,Tugade,Tuffin,Tuesburg,Tuerk,Tuer,Tuenge,Tudruj,Tudman,Tudisco,Tuccio,Tucay,Tuberman,Tsuruda,Tsuchiura,Tsuchida,Tsistinas,Tshudy,Tschirhart,Tschache,Tsantakis,Trzaska,Trythall,Tryninewski,Truont,Trumpp,Truka,Truiolo,Truglio,Trueluck,Trudo,Truchon,Trucchio,Trube,Truan,Troxil,Trowel,Trovinger,Trotz,Trotto,Trosen,Troost,Tronzo,Tront,Trometter,Trombino,Tromba,Trollope,Troke,Trojanovich,Trojak,Trohanov,Trogstad,Troe,Trocchio,Trobridge,Trobough,Trnong,Trivane,Trippel,Trimnal,Trimis,Trimino,Trilt,Trillas,Trillana,Triglia,Trigillo,Trifone,Triffo,Trifero,Tridenti,Tricoli,Tricamo,Tribue,Triblett,Trevithick,Trevisone,Trevis,Trevillian,Trevethan,Treves,Treusdell,Tretola,Tretina,Tretera,Tressel,Treola,Trentz,Trento,Trentman,Trenor,Trennell,Trend,Trenchard,Tremore,Tremillo,Trembinski,Trelles,Treister,Treine,Treible,Treff,Tredinnick,Treder,Trebon,Trebesch,Trear,Traviss,Traux,Trautner,Trausch,Traum,Trattner,Trass,Traphagen,Trapeni,Trapalis,Traner,Tramonti,Trainham,Traicoff,Trahern,Traffanstedt,Trachsel,Tracewell,Trabold,Trabazo,Tozloski,Toyota,Toyn,Towse,Townsand,Towels,Touton,Toussand,Toupe,Touney,Toudle,Touchard,Touby,Touart,Totzke,Tototzintle,Totino,Toting,Tossie,Tosco,Tosch,Tortu,Tortolano,Tortelli,Torruellas,Torros,Torrion,Torrillo,Torrico,Torreblanca,Torrano,Torongeau,Toromanides,Tornincasa,Torey,Toren,Torbus,Toquinto,Topolewski,Topoian,Topness,Toplistky,Topliffe,Topal,Topacio,Toothacre,Tooms,Toolsiram,Toolan,Tookmanian,Tonzi,Tonti,Tonschock,Tonsall,Tonrey,Tonnesen,Tonnar,Tongate,Tonetti,Tonelson,Tonder,Tonai,Tomspon,Tomski,Tomshack,Tomkus,Tomka,Tomidy,Tomichek,Tomeldan,Tomehak,Tombleson,Tomasson,Tomasic,Tomash,Tomanek,Tolontino,Tollin,Tollerud,Tollefsen,Toline,Tokley,Tokkesdal,Tohen,Togashi,Tofolla,Toepperwein,Toeller,Toelke,Toedebusch,Todt,Todoroff,Todor,Todesco,Toboz,Tobolski,Toaston,Toa,Tlumacki,Tlatenchi,Tlatelpa,Tlamka,Tjandra,Tix,Tivis,Tivar,Titterness,Titone,Titler,Tith,Tisi,Tish,Tisdel,Tisdal,Tischner,Tipre,Tippey,Tipold,Tinucci,Tintinger,Tinnerello,Tinn,Tinlin,Tinger,Timus,Timothe,Timons,Timonere,Timon,Timenez,Timchula,Timbrell,Timas,Timar,Tilzer,Tilus,Tilt,Tilow,Tillou,Tietge,Tieng,Tichnell,Tichi,Tibor,Thy,Thury,Thurness,Thurlby,Thurby,Thuney,Thuma,Thull,Thruthley,Throssell,Thress,Threlfall,Thrapp,Thrams,Thraen,Thouvenel,Thorstenson,Thorsness,Thoroughgood,Thornborough,Thormaehlen,Thorade,Thonney,Thompon,Thometz,Thomeczek,Thomases,Thomae,Thoburn,Thobbs,Thivener,Thim,Thilmony,Thiengtham,Thielges,Thieklin,Thidphy,Thibaut,Thibadeau,Thew,Theule,Theuenin,Thepbanthao,Theos,Thell,Thelin,Thelemaque,Theinert,Theeman,Theden,Thebo,Thansamai,Thanos,Thangavelu,Thanem,Thanasouk,Thanas,Thamann,Thaman,Thalls,Thaller,Thall,Thadison,Tewolde,Tewa,Teuteberg,Teteak,Testolin,Tessendorf,Tess,Tesmar,Teschler,Terwey,Tertinek,Terstage,Terrone,Terrible,Terrian,Terrezza,Terracciano,Terp,Teroganesyan,Termilus,Terinoni,Teri,Terhorst,Terherst,Terazes,Teravainen,Teque,Teoh,Teodoro,Tention,Tenore,Tenofsky,Tenn,Tenhoff,Tenhaeff,Tengben,Tenerovich,Tener,Tenda,Tenario,Tempelton,Temoney,Teman,Tellefsen,Telkamp,Telgen,Teles,Telch,Telander,Teklu,Teixeria,Teissedre,Teisberg,Tehney,Tegner,Tegan,Teehee,Teder,Teddy,Tecuanhuey,Techau,Tecchio,Teakell,Teager,Taylar,Tayan,Tawwab,Tavolieri,Taverab,Tavaris,Tavana,Tauzin,Tautolo,Tausch,Taula,Taualii,Tattrie,Tatsuhara,Taton,Tatge,Tatel,Tastet,Tassa,Tasma,Taskey,Tashiro,Taruer,Taruc,Tartsah,Tarski,Tarrenis,Tarnoff,Tarmey,Tarman,Tarling,Tarella,Tarduno,Tarboro,Tarbert,Taray,Taras,Taque,Tapian,Taphous,Tapaoan,Tanzi,Tantum,Tannous,Tankxley,Tankesly,Tanh,Tangney,Tangerman,Tangaro,Tangari,Tangabekyan,Tandus,Tande,Tamkin,Tami,Tamburrelli,Tamburino,Tamborlane,Tamai,Talvy,Talsky,Talleut,Tallacksen,Taliferro,Talicska,Talentino,Talaro,Talamentez,Talaga,Tako,Taker,Takara,Takai,Tajudeen,Tajima,Taitague,Taillefer,Tail,Tahon,Tagupa,Taglauer,Tagalog,Tagaloe,Tagala,Tagaca,Tag,Tafiti,Tafelski,Taetzsch,Taegel,Tadt,Tadgerson,Taddio,Tadd,Tacopino,Tacneau,Tackette,Tackes,Tacke,Tachauer,Tacason,Tabuena,Tabion,Tabatt,Szysh,Szymonik,Szwede,Szulimowski,Szpak,Szoka,Szocki,Szklarski,Szitar,Szewc,Szesterniak,Szermer,Szerbin,Szczepkowski,Szczeblewski,Szachewicz,Szabat,Syzdek,Syrrakos,Syria,Sypult,Sypolt,Synovic,Syner,Symkowick,Symeon,Sylney,Sylla,Syktich,Syer,Swopshire,Swolley,Swithenbank,Swiss,Swirczek,Swingler,Swingen,Swinerton,Swinea,Swille,Swierenga,Swierczynski,Swieca,Swicord,Swerdloff,Swenceski,Swelt,Swelgart,Swehla,Sweets,Sweem,Swed,Sweatmon,Sweatfield,Swatman,Swartzman,Swartzell,Swantak,Swanston,Swancutt,Swanay,Swamm,Swam,Swait,Swainey,Swaggart,Swabe,Swabb,Svobodny,Svetlak,Svennungsen,Svedine,Svatos,Svare,Svancara,Suydan,Suwannakintho,Suvada,Suttin,Suttee,Sutkus,Sutic,Suthers,Sutcliff,Suszynski,Sustar,Sustaire,Suskay,Susany,Susanin,Suryanarayana,Survis,Surpris,Suro,Surminec,Surguy,Surgoine,Sures,Suren,Surbella,Suomela,Sunyich,Sunniga,Sunier,Sumrow,Sumption,Summerlot,Sumerix,Sumeriski,Sultani,Sulley,Sullenberger,Sulipizio,Sulin,Sulima,Sulikowski,Sulentic,Sulejmanovski,Sugabo,Suffield,Suentenfuss,Suehs,Sudekum,Sudbrock,Sucre,Suchocki,Suchla,Sucgang,Succar,Subijano,Subich,Subert,Subera,Suaava,Stuttgen,Sturner,Sturk,Sturgul,Sturghill,Stukowski,Stuesse,Stuermer,Stuer,Stuebe,Studyvance,Studnicki,Studniarz,Studmire,Studdiford,Stucke,Stublaski,Stubby,Stubbendeck,Strzalkowski,Struzzi,Struzik,Strubel,Strozewski,Strowe,Strous,Strotz,Strombeck,Stroker,Strohmayer,Strogen,Strizich,Strini,Stringari,Strimling,Strimback,Strife,Strid,Stricklind,Stribley,Strevels,Strevell,Streva,Stretz,Strenge,Stremi,Strelecki,Strejan,Streitnatter,Streff,Strefeler,Streeton,Stred,Strazisar,Strayhand,Strayham,Stravinski,Strausz,Strausner,Strauhal,Straugh,Strasters,Stranford,Strandburg,Stranahan,Strahin,Stradtner,Stracquatanio,Strachman,Straathof,Stpierrie,Stoviak,Stovell,Stoutenger,Stoudymire,Stoud,Stouch,Stouall,Stottlar,Stotko,Stothard,Stotesbury,Stotesberry,Storto,Stores,Storage,Stoos,Stonich,Stolzenburg,Stolly,Stolebarger,Stolcals,Stolar,Stoklasa,Stogden,Stoffey,Stofferan,Stoey,Stoett,Stoeltzing,Stoel,Stoeke,Stoeffler,Stoeckert,Stoebner,Stoeberl,Stodomingo,Stodder,Stockwin,Stockon,Stocki,Stockebrand,Stocco,Stobie,Stlouise,Stives,Stirn,Stire,Stipanuk,Stingle,Stinespring,Stinehour,Stinebuck,Stindt,Stimple,Stimler,Stilwagen,Stiltz,Stilner,Stillie,Stigsell,Stiern,Stiens,Stiehm,Stiegman,Stiegemeier,Stieb,Stidstone,Sticklin,Sticklen,Stickford,Sthole,Stford,Stflorant,Steury,Stetzenbach,Stetke,Sterpka,Sterker,Sterkenburg,Sterkel,Stephensen,Stepan,Step,Stenz,Stenn,Stendeback,Stenbeck,Stenback,Sten,Stemmler,Stelzl,Steltzer,Stellpflug,Stellfox,Stelk,Stele,Steinruck,Steinmeiz,Steinkuehler,Steinkirchner,Steinkellner,Steinerkert,Steine,Steinbrink,Steinbauer,Steik,Steighner,Steiert,Steich,Steibel,Stehno,Steggeman,Stefl,Stefford,Steffa,Stefanatos,Steep,Steenwyk,Steenhoven,Steelmon,Steeg,Steeb,Stedronsky,Steczo,Stecklair,Stechuchak,Stechlinski,Steber,Stebe,Stearnes,Stearne,Stea,Stdenny,Stchur,Stayter,Stawicki,Stavrositu,Staudenmeier,Stattelman,Statires,Station,Stathos,Stathas,Stasulis,Stassen,Stasny,Staser,Staschke,Starweather,Stars,Starnaud,Starley,Starkman,Starken,Starich,Starghill,Starcevic,Staplins,Stapelman,Stanzak,Stanway,Stanowski,Stankowitz,Stankaitis,Staniec,Stania,Stangroom,Stanesic,Stanert,Staneart,Stands,Standors,Standifur,Standeven,Standaert,Stancoven,Stanclift,Stancey,Stanbaugh,Stana,Stammler,Stamenov,Stambach,Stamatopoulos,Stamas,Stalberger,Stakoe,Stakley,Stakkeland,Stakemann,Stainbach,Stagowski,Stagno,Stagman,Stagles,Stagers,Staffeld,Staenglen,Staehler,Stadther,Stadt,Stadnik,Stadick,Stachurski,Stace,Stabs,Stabley,Stable,Srygley,Srinvasan,Squarciafico,Squair,Spyrakos,Spyies,Spycher,Spurger,Spulick,Spudis,Spuck,Sprygada,Spruiell,Spruance,Sprowls,Sprouls,Sprong,Sprole,Springe,Sprewell,Sprengelmeyer,Sprawls,Sprauve,Spragley,Spotorno,Sporysz,Sporman,Sporich,Spoonemore,Spoleti,Spohnholz,Splitt,Splett,Splatt,Spiter,Spirounias,Spirk,Spire,Spinoza,Spinn,Spinetti,Spinello,Spinar,Spilis,Spiliakos,Spigutz,Spielvogel,Spicknall,Spicker,Sperier,Speraw,Spennicchia,Spene,Spellane,Spegal,Spee,Specken,Spearow,Spearmon,Spayd,Spartin,Spartichino,Spart,Sparacina,Spannuth,Spanner,Spanicek,Spanger,Spane,Spakes,Spadard,Spacht,Spacagna,Sozio,Soyke,Sowl,Sowden,Sowada,Sovel,Souvannakhily,Souto,Southand,Sourlis,Soulliere,Souhrada,Sou,Sotos,Sothen,Sosbe,Sorzano,Sorvig,Sortland,Sorokata,Soro,Sorlie,Sorhaindo,Sorell,Sordia,Sorace,Soptick,Soppeland,Sophy,Sopczak,Sooy,Soop,Soomaroo,Soolua,Sonterre,Sonsteng,Sonnefeld,Sonnee,Sonka,Songy,Sondrup,Sondles,Sondheimer,Sonderman,Sonderegger,Somvang,Somsy,Somrak,Somoza,Somogye,Somo,Sommons,Sommar,Somji,Somilleda,Somerfield,Somdah,Somayor,Solwold,Solverud,Soltow,Soltmann,Solow,Solorsano,Solonar,Solomen,Sollors,Sollitto,Solliday,Solito,Solinas,Solima,Solies,Solien,Solich,Solian,Solhjem,Solera,Soldeo,Solazar,Solarski,Solaita,Soladine,Sokul,Sokotowski,Sokolski,Sokolowich,Sojo,Soito,Soiro,Soifer,Softich,Sofer,Soechting,Sodini,Sodervick,Soders,Sodawasser,Sockey,Sobrio,Sobieraj,Sobeski,Sobery,Soberanes,Sobenes,Sobe,Sobanski,Soape,Snowder,Snorden,Snode,Snetsinger,Snaples,Snaer,Snaders,Smyrski,Smyntek,Smykowski,Smutzler,Smutny,Smulik,Smugala,Smuck,Smolnicky,Smolinsky,Smitty,Smithe,Smiling,Smiler,Smigiel,Smerdon,Smeja,Smedes,Smeathers,Smarra,Smar,Smallmon,Smallin,Smallidge,Slyton,Slutsky,Sluski,Slovinski,Sloter,Slonecker,Slomer,Slogeris,Slobodnik,Sloanes,Slipper,Slingluff,Slingland,Sliney,Slimko,Sliman,Slimak,Slessman,Slepski,Sleppy,Sleiman,Sleaford,Slaugenhaupt,Slark,Slackman,Slaboda,Skyes,Skweres,Skwarek,Skubik,Skrzypinski,Skrebes,Skrabanek,Skovlund,Skotnicki,Skone,Skonczewski,Skold,Skoien,Skoczen,Skobiak,Skimehorn,Skillpa,Skillett,Skillan,Skildum,Skibski,Skibo,Skevofilakas,Skepple,Skarzynski,Skartvedt,Skar,Skapura,Skaflen,Skaer,Skabo,Sjulstad,Sjerven,Sizar,Sixt,Sixsmith,Siwicki,Sivills,Sivilay,Sivie,Sivick,Sivay,Sivalia,Sival,Siurek,Siuda,Sittre,Sittner,Sittman,Sitterding,Sitosky,Sitkiewicz,Sistek,Sista,Sisomphou,Sisofo,Sisley,Siskin,Sisavath,Sirpilla,Sirosky,Sirolli,Siroka,Sirna,Sirico,Sirhan,Siravo,Sipriano,Sippy,Siphan,Siona,Siok,Sinrich,Sington,Singharath,Singewald,Singerman,Sinarath,Simple,Simper,Simor,Simoniello,Simonetty,Simonet,Simokat,Simoens,Simmond,Simmes,Simitian,Simich,Simerson,Simensky,Simcock,Silvestrini,Silvaggio,Siluis,Siltman,Silovich,Sillitoe,Silkenson,Siliezar,Silevinac,Silence,Silbiger,Silao,Sil,Sikarskie,Siglow,Siglar,Sifre,Sifontes,Sifers,Sievertsen,Sieverson,Sieve,Sietz,Siert,Sieradski,Sier,Sielaff,Sieja,Siedner,Siedel,Siebenthal,Sidorowicz,Sidley,Sidi,Sideman,Sicks,Sickel,Sickafoose,Sicinski,Sibounma,Sibgert,Sibeto,Sibel,Sibal,Siar,Siaperas,Siami,Sialana,Shyne,Shybut,Shwab,Shutty,Shutters,Shusterman,Shurr,Shurak,Shuptrine,Shupert,Shummon,Shulthess,Shult,Shulse,Shullick,Shulick,Shulenberger,Shuffleburg,Shubov,Shry,Shrigley,Shren,Shrawder,Showen,Shoulder,Shorthair,Shopbell,Shoobridge,Shongo,Shoman,Shollenbarger,Shoji,Shofestall,Shodunke,Shober,Shivy,Shisila,Shirvanian,Shirakawa,Shippen,Ship,Shinsky,Shinnick,Shinkel,Shingleur,Shingledecker,Shindel,Shimon,Shimaoka,Shilo,Shillito,Shillingsford,Shilkuski,Shiliata,Shildneck,Shikuma,Shike,Shigeta,Shigemi,Shifferd,Shider,Shibi,Shettleroe,Shetterly,Sherville,Sherrock,Sherrange,Sherraden,Sherles,Sherief,Sherbon,Shepperdson,Shenker,Sheneman,Shene,Shempert,Sheman,Shelvy,Shelsy,Shelkoff,Shekels,Sheirich,Sheingold,Sheidler,Shehee,Shefte,Sheftall,Sheerer,Sheer,Sheakley,Shbi,Shawber,Shatek,Shasky,Shary,Sharplin,Sharperson,Sharabi,Shappen,Shapouri,Shapleigh,Shapino,Shaper,Shanno,Shandro,Shanberg,Shamsi,Shammah,Shamir,Shamily,Shalwani,Shalla,Shaline,Shalhoub,Shakoor,Shakin,Shahinfar,Shahin,Shahim,Shahbaz,Shaffren,Shaffen,Shadfar,Shadding,Shadazz,Shaben,Shabel,Sgueglia,Sgrignoli,Sgammato,Seykoski,Seyb,Sewyerd,Seweall,Sewade,Severi,Seveney,Sevadjian,Settlemyre,Settlemires,Settino,Settimo,Setterland,Seton,Setler,Setias,Seti,Setchell,Setaro,Sestoso,Sessin,Sesser,Serville,Servi,Servedio,Serve,Serravalli,Sermersheim,Serfoss,Serfling,Serey,Seres,Serens,Serene,Sercovich,Serban,Seratti,Seratt,Serasio,Serandos,Seraiva,Seraille,Sepvlieda,Sepulbeda,Septelka,Seppelt,Seppanen,Seppa,Senz,Senst,Sensor,Sensmeier,Sensing,Senseney,Sensenbrenner,Senseman,Seniff,Sengvilay,Sengun,Senethavilouk,Senesenes,Senderling,Sender,Senavanh,Semsem,Semonis,Seminario,Sember,Selzler,Selvester,Selusi,Selnes,Sellin,Sellards,Selkey,Selic,Selgrade,Selesnick,Selakovic,Seiters,Seit,Seisler,Seil,Seikaly,Seidenbecker,Seibt,Seibers,Seiavitch,Segreto,Segonia,Seggerman,Segerman,Segelhorst,Seferovic,Sefcheck,Seering,Seemer,Seekford,Seekamp,Seegar,Seedorff,Seedborg,Seebaum,Sedanos,Secundo,Second,Seckletstewa,Sechang,Sebranek,Sebion,Sebero,Sebeniecher,Sebasovich,Searer,Seara,Seanger,Seajack,Seaholtz,Seagers,Seaforth,Seacrest,Seacat,Seaburn,Sdoia,Sczbecki,Scurci,Scullin,Scuito,Scudero,Scucchi,Scsarpisnato,Scro,Scrivener,Scriuner,Scripps,Scrimsher,Scrichfield,Screnci,Scrape,Scouller,Scotts,Scotting,Scorgie,Scollan,Sciullo,Scites,Scicutella,Scialpi,Sciacchitano,Schy,Schworm,Schwizer,Schwister,Schwipps,Schwertfeger,Schwerdt,Schwerd,Schwenzer,Schwenneker,Schwendeman,Schwemmer,Schweitz,Schwarzlose,Schwart,Schwantd,Schwadron,Schutze,Schute,Schusted,Schurk,Schumachor,Schulter,Schultens,Schulkin,Schulist,Schuit,Schuering,Schueren,Schueneman,Schuemann,Schuchat,Schuber,Schubach,Schrumpf,Schroot,Schroen,Schroedter,Schreuder,Schreacke,Schrayter,Schrawder,Schrauger,Schraub,Schrameck,Schraff,Schradle,Schrab,Schowengerdt,Schossow,Schopmeyer,Schopflin,Schop,Schomin,Schomas,Schomacker,Scholtens,Scholin,Schoggen,Schoessow,Schoepfer,Schoenmaker,Schoenig,Schoelman,Schoellkopf,Schoell,Schoeben,Schoderbek,Schockley,Schnure,Schnorbus,Schnopp,Schnobrich,Schnitz,Schnickel,Schnibbe,Schnepf,Schnelder,Schneidman,Schneeberger,Schnackel,Schmollinger,Schmoak,Schmittou,Schmiot,Schmille,Schmier,Schmiel,Schmiedeskamp,Schmidtka,Schmidlin,Schmertz,Schmerge,Schmerer,Schmelmer,Schmeidler,Schmautz,Schmauder,Schmatz,Schmand,Schmaling,Schlund,Schlumaker,Schlotthauer,Schlotte,Schlotfeldt,Schlote,Schlossman,Schloemann,Schlindwein,Schlimmer,Schlieter,Schlichenmaye,Schleppy,Schlenger,Schleker,Schleibaum,Schleh,Schlecter,Schlaefli,Schladweiler,Schlabs,Schirrmacher,Schiralli,Schinnell,Schinker,Schingeck,Schindewolf,Schimel,Schilsky,Schilk,Schilder,Schifko,Schiffmann,Schierenbeck,Schierbrock,Schielke,Schieferstein,Schiefen,Schickedanz,Schey,Scheuren,Scheuers,Scherschligt,Scherma,Scherbring,Scherbel,Scheno,Schenfeld,Schells,Schellin,Schellermann,Scheiern,Scheiderer,Schegetz,Scheffrahn,Scheffert,Schechinger,Schavone,Schaunt,Schaumann,Schauble,Schaubhut,Schatzle,Scharmann,Scharler,Scharbrough,Schap,Schanzenbach,Schantini,Schange,Schandel,Schammel,Schallig,Schaffter,Schaffeld,Schaffel,Schafersman,Schaen,Schachterle,Schachsieck,Schabbing,Scelzo,Scelsi,Scavo,Scavetta,Scaturro,Scatenato,Scarpitto,Scarpitta,Scarpato,Scarpati,Scarp,Scarlato,Scargall,Scarfi,Scantlen,Scanneu,Scannapieco,Scanio,Scandrett,Scandalios,Scancarello,Scamehorn,Scalzi,Scallorn,Scallion,Scalet,Scaiano,Scaia,Scagliotti,Scace,Sboro,Sbarra,Saysongkham,Saysana,Sayloe,Saxinger,Saxfield,Sawtell,Sawransky,Sawhill,Sawatzki,Sawaia,Savitch,Savinar,Savi,Saven,Savas,Savaria,Savakis,Sava,Sauveur,Sausser,Saurey,Sauredo,Saunas,Saulsbery,Sauger,Sauerhage,Sauerbry,Sauce,Sauby,Satz,Sattlefield,Satmary,Sathiraboot,Satchwell,Sat,Sasuille,Sashington,Sasengbong,Sasao,Sarwar,Sarrell,Sarraga,Saroop,Sarnes,Sarnacki,Sarlo,Sarks,Sarkodie,Sark,Sargis,Sargetakis,Saretto,Sarette,Sarensen,Sarcinelli,Sarcinella,Sarcia,Saras,Saranzak,Saraniti,Sarani,Sarafian,Saraf,Sarac,Sarabando,Saporita,Sapnu,Sapko,Saous,Sanzenbacher,Santti,Santrizos,Santoscoy,Santomauro,Santolucito,Santis,Santio,Santilukka,Santaloci,Santagata,Santaella,Sanseda,Sanquenetti,Sanots,Sanosyan,Sann,Sanmarco,Sanlatte,Sankovich,Sanke,Sankary,Sankaran,Sanislo,Sanipasi,Saniger,Sangren,Sanghez,Saneaux,Sandstedt,Sandry,Sandovar,Sandos,Sandone,Sandness,Sandlan,Sandison,Sandersen,Sandborg,Sanchz,Sanchec,Sancen,Sanasith,Samway,Samuell,Sampselle,Sampieri,Sampair,Samoyoa,Samowitz,Sammut,Samiec,Samick,Samele,Sambucetti,Samara,Samantha,Samanlego,Salverson,Salvature,Saluto,Saluja,Saltourides,Saltmarsh,Salta,Salsberg,Saloum,Salos,Saloom,Sallings,Sallies,Sallah,Salisberry,Salimas,Salfelder,Salesses,Salen,Saleado,Saldvir,Saldi,Saldeen,Salceda,Salazan,Salaza,Salay,Salandy,Sakshaug,Sakovitch,Sakkinen,Sakkas,Sakiestewa,Sakic,Sakakeeny,Saison,Saisa,Saintfleur,Saide,Saicedo,Sahsman,Sahli,Sahler,Sahlberg,Sahagian,Saggione,Sages,Sagendorf,Safron,Safar,Saetteurn,Saenphimmacha,Sadhu,Sadhra,Saden,Sadee,Saddat,Sackos,Sachleben,Saches,Sachar,Saccucci,Sacane,Sablone,Sablock,Sablea,Sabiston,Sabini,Sabi,Sabha,Sabellico,Sabaj,Saadd,Ryun,Rysavy,Rysanek,Rylowicz,Ryll,Ryken,Rygiewicz,Rydalch,Rychlicki,Rybowiak,Ryal,Ruzycki,Ruyz,Ruwet,Rutley,Ruthenberg,Ruszala,Rusteika,Rusteberg,Russotto,Russotti,Russman,Russek,Russe,Rusley,Rusich,Rushworth,Rushman,Rushforth,Ruscitti,Ruscio,Ruschmann,Ruschel,Rusak,Rupertus,Ruoho,Runzler,Runyons,Runswick,Runfola,Rumney,Rummler,Rumford,Rumburd,Rumbold,Ruman,Rulnick,Rujawitz,Ruhstorfer,Ruhmann,Ruhling,Ruhlin,Ruggiere,Ruggero,Rugga,Rugama,Ruffolo,Ruether,Ruesswick,Ruell,Rudnitski,Rudnicky,Rudish,Rudicil,Rudes,Rudeen,Rubow,Rubloff,Rubison,Rubinow,Ruberte,Rubenacker,Rubarts,Ruballos,Rubal,Rozgonyi,Rozga,Rozenberg,Rozas,Rozance,Roytek,Rowsell,Rowray,Rowold,Rowntree,Rowlins,Rowling,Rowback,Rovelto,Rovella,Rovack,Rouzzo,Rout,Roussos,Rounkles,Roundabush,Rouisse,Rougier,Rouff,Roudybush,Roucoulet,Roubekas,Rotstein,Rothmann,Rothhaupt,Rothfus,Rothenburger,Rothbauer,Rothacher,Rotering,Roszales,Rossnagel,Rossingnol,Rossing,Rosselle,Roskovensky,Roskop,Rositano,Rosine,Rosich,Rosettie,Rosentrance,Rosenthall,Rosenkoetter,Rosenheim,Rosenbarger,Rosekrans,Rosebure,Roseboom,Roscow,Roscorla,Rosbozom,Rosavio,Rosacker,Ropiski,Ronzoni,Rons,Rondell,Ronde,Roncskevitz,Romulus,Rompf,Romjue,Romenesko,Rombult,Rombardo,Romaniak,Romandia,Romanchuk,Romag,Rolseth,Rollind,Rollend,Rolfsen,Rolff,Rolek,Rokusek,Rohs,Rohowetz,Rohlack,Rohla,Rogugbakaa,Roguemore,Rogosky,Roginson,Roggero,Roggensack,Roggenbaum,Roggeman,Roever,Roetzler,Roettgen,Roessing,Roerish,Roemhild,Roehling,Roede,Roeber,Rodriuez,Rodrigeuz,Rodnguez,Rodis,Rodinson,Rodine,Rodemoyer,Rodeigues,Rodea,Roddick,Rodar,Rodamis,Rodal,Rockymore,Rockelman,Rockafellow,Rocho,Rochlin,Rochenstire,Rocasah,Roblow,Roblodowski,Robinzine,Robinsons,Robinso,Robinault,Robilotto,Robichard,Robeza,Robertos,Roberrtson,Robblee,Robante,Roats,Roatch,Roaoo,Roanhorse,Roal,Roacho,Rizas,Rivord,Riveroll,Riverman,Rivel,Ritzke,Ritzie,Ritums,Ritson,Ritchlin,Ritari,Ristaino,Rissell,Rissanen,Risler,Riskalla,Risius,Rishell,Risha,Risewick,Risden,Rische,Riscen,Risbeck,Riquelme,Ripoll,Rioz,Riofrio,Riobe,Rinnert,Rinkus,Rininger,Ringland,Ringhouse,Ringelspaugh,Rinebold,Rindler,Rinderle,Rimm,Rillera,Riise,Riippi,Rightnour,Rightley,Riggings,Rigger,Riffee,Rifenbery,Riexinger,Riesland,Rieske,Riesinger,Rieley,Riekert,Rief,Riedlinger,Ridgnal,Ridgle,Ridgill,Ridep,Ridel,Riddleberger,Ridders,Riculfy,Rickford,Richters,Richmann,Richlin,Richiusa,Richerds,Richan,Ricenberg,Ricaud,Ricardi,Ribsamen,Ribron,Ribiero,Ribero,Ribbink,Rhump,Rhum,Rhorer,Rhoe,Rhoan,Rhoad,Rhinerson,Rhen,Reznicek,Reyner,Reyne,Reynaldo,Reyelts,Rewerts,Rewakowski,Revira,Revils,Revering,Revera,Revelli,Revay,Reuteler,Reust,Reuschel,Reudink,Retzloff,Rethmeier,Retek,Retchless,Retamar,Ressel,Respicio,Respes,Respers,Resos,Resetar,Resenz,Resecker,Res,Rerucha,Requarth,Reprogle,Repoff,Replin,Repetowski,Repasky,Reola,Renzoni,Renzo,Renyer,Rentoulis,Rentie,Renouf,Renosky,Renigar,Renert,Rendler,Rend,Remondet,Remis,Remian,Remele,Remeder,Rellama,Rekus,Rekemeyer,Reives,Reitter,Reistetter,Reinsvold,Reinsfelder,Reinowski,Reinier,Reing,Reinen,Reineccius,Reindeau,Reinbolt,Reimnitz,Reimmer,Reihl,Reihing,Reigleman,Reighley,Reidherd,Reidhaar,Reichow,Reibman,Reial,Rehse,Rehmert,Rehlander,Reher,Rehbock,Regulski,Regueira,Regn,Reginaldo,Regelman,Regar,Refsal,Refazo,Reemer,Reefer,Redlon,Redkey,Redinbo,Rediker,Redig,Redemer,Redcross,Redal,Recuparo,Recksiek,Reckers,Recidivi,Rechichi,Reburn,Rebold,Rebik,Rebar,Reavish,Reaver,Reavely,Reash,Reaollano,Reagey,Readinger,Readdy,Razon,Rayyan,Rayshell,Rayow,Rayome,Rayhel,Raychard,Rayam,Rawi,Rawhouser,Rawat,Ravizee,Raviele,Ravago,Rautenstrauch,Raulino,Raul,Rauhecker,Rauhe,Raught,Rauco,Raucci,Ratzloff,Rattu,Rattell,Rattanasinh,Ratsep,Ratkovich,Rathrock,Rathel,Rathai,Ratana,Rasual,Rastetter,Rastegar,Rasset,Raspotnik,Raspa,Rasool,Rasole,Rasley,Raskey,Rasico,Rasavong,Ras,Rarogal,Rarden,Raptis,Rappl,Rapkowicz,Rapisura,Rapanot,Rapalo,Rapacki,Ranweiler,Ransonet,Ransler,Ranni,Ranmar,Ranks,Ranildi,Randgaard,Randahl,Ranch,Ranaudo,Ranah,Ramsy,Ramsour,Ramshur,Ramsby,Ramrirez,Rampy,Rampulla,Rampadarat,Rampa,Ramonez,Ramler,Ramlall,Ramjhon,Ramjan,Ramirel,Rametta,Ramelli,Ramelize,Ramelb,Ramdeo,Ramcharran,Ramaudar,Ramal,Ramagano,Ramach,Rakyta,Rakus,Rakestrow,Rakers,Rajk,Rajas,Rajaphoumy,Raisley,Raisler,Raisin,Rais,Railes,Raike,Raigosa,Rahoche,Rahmes,Rahib,Rahaman,Ragus,Ragula,Raguay,Raglow,Rafus,Rafey,Rafel,Rafala,Raethke,Raemer,Raef,Raeder,Radziwon,Radwick,Radwanski,Radoslovich,Radon,Radmall,Radlinski,Radie,Raderstorf,Radej,Raddle,Raczak,Racko,Raciti,Racioppo,Racer,Rabuse,Rabsatt,Rabjohn,Rabito,Rabey,Rabeneck,Rabehl,Rabeck,Rabbe,Rabal,Quivoz,Quiver,Quituqua,Quitugua,Quittner,Quitter,Quitero,Quitedo,Quirke,Quiram,Quiralte,Quintard,Quintania,Quinnan,Quinlivan,Quilter,Quillman,Quillan,Quilindrino,Quiel,Quidas,Quicho,Quibodeaux,Quezergue,Quezad,Quettant,Queros,Querio,Quercioli,Quenzel,Quencer,Queller,Quebral,Quatrevingt,Quashnock,Quasdorf,Quartuccio,Quartiero,Quartieri,Quartaro,Quarrell,Quanstrum,Quammen,Qualheim,Quagliato,Quadnau,Qua,Qasba,Qare,Qadeer,Pywell,Pysher,Pyros,Pyfrom,Pyfer,Pyette,Pychardo,Puzon,Putzer,Putton,Putcha,Puskarich,Push,Purkhiser,Purfeerst,Puraty,Puotinen,Puntillo,Punihaole,Pundsack,Puna,Pulwer,Pullus,Pullara,Puita,Puhrman,Puhr,Puhl,Puffenberger,Puerto,Puent,Pudenz,Pucket,Pucker,Public,Ptaschinski,Psuty,Psuik,Psilovikos,Przybyl,Przeniczny,Prye,Prybylski,Prukop,Pruessner,Provosty,Provorse,Provins,Provino,Provenzo,Provent,Protich,Protas,Pross,Prosienski,Prosenick,Proscia,Prosak,Propheter,Promisco,Promer,Prokup,Prokos,Progl,Profeta,Profera,Profancik,Procsal,Prociuk,Prochak,Proch,Procaccino,Prizio,Privado,Pritzker,Pritzel,Pritcher,Pritchell,Prisoc,Priolean,Prinn,Prindiville,Princevalle,Primos,Prima,Prigg,Priego,Priegnitz,Prible,Pribish,Pribbenow,Prevot,Prevet,Pretzer,Pretzel,Prety,Presume,Prestley,Prestipino,Presnal,Preslipsky,Presiado,Prendes,Prejsnar,Preist,Preissner,Preisner,Preheim,Prefontaine,Predom,Precissi,Prechtel,Precht,Prause,Pratten,Prately,Prante,Prang,Pramuk,Praley,Prakoth,Prach,Pozar,Poynton,Powskey,Powsey,Powlen,Powells,Pourvase,Pourner,Pourier,Pourchot,Pouncil,Poulisse,Poulet,Pouk,Pouche,Potulski,Pottkotter,Pottichen,Potteiger,Potsander,Pothoven,Potanovic,Potaczala,Posusta,Posto,Postles,Postiglione,Postemski,Possinger,Possick,Possehl,Pospicil,Poskitt,Poska,Posis,Portnoff,Portello,Porris,Porres,Porep,Porell,Porat,Popularis,Poppo,Popadiuk,Pooyouma,Pooschke,Poort,Poolheco,Ponsler,Poniatowski,Pomykala,Pompi,Pomilla,Pomiecko,Pomfret,Polzer,Polvino,Poltrock,Polton,Polter,Polski,Poloskey,Pollot,Pollnow,Polivick,Polisoto,Polintan,Poliks,Polikoff,Policicchio,Policastri,Policare,Poletski,Polee,Poledore,Polacco,Pokrzywa,Pokallas,Pointe,Poinelli,Pohorilla,Pohlson,Pogozelski,Pogorelc,Poellinetz,Podwoski,Podeszwa,Pod,Pocklington,Pociengel,Pochatko,Pocekay,Pocai,Poague,Pniewski,Plutt,Plumbar,Pluma,Plotzker,Plotrowski,Ploskunak,Ploennigs,Plimpton,Plienis,Plewinski,Plett,Pleskac,Pleshe,Plesant,Pleppo,Plegge,Playl,Plavnik,Plateroti,Plateros,Plastow,Plassmeyer,Plassman,Planer,Plance,Planagan,Plan,Plamondin,Plainy,Plackett,Placino,Plachecki,Placeres,Plaas,Pjetrovic,Pizzulo,Pizzini,Pizzico,Pivec,Pitpitan,Pitorak,Pitocco,Pitka,Pitch,Pitcairn,Pitarresi,Piszczek,Pistelli,Piskel,Pisicchio,Piserchio,Piscitello,Pirrotta,Pirrello,Pirre,Pirozhkov,Pirollo,Pirieda,Pipper,Pipia,Pioske,Piombino,Pinzino,Pintello,Pinsonneault,Pinsoneault,Pinn,Pinkenburg,Pinke,Pindell,Pinchock,Pince,Pimple,Pim,Piluso,Pillon,Pillarella,Pillado,Pilkey,Pilette,Pilchowski,Piirto,Pihlaja,Piggie,Piganelli,Piety,Pietrowicz,Pietrok,Pietrini,Piesco,Piertraccini,Piersiak,Pierrot,Pierdon,Pierannunzio,Pientka,Pielow,Piela,Piek,Piegaro,Piefer,Piecuch,Pidro,Picotte,Pickman,Picketts,Picketpin,Pickerell,Pickenpaugh,Pichoff,Picher,Piccuillo,Piccirilli,Piccinone,Piccinich,Piccillo,Picchetti,Piatz,Piao,Piacitelli,Piacenza,Phyfe,Phurrough,Phuong,Phuma,Phuaphes,Phramany,Phoubandith,Phommajack,Phom,Pho,Phimsoutham,Phimpradapsy,Philmore,Phillies,Philliber,Philio,Phildor,Philabaum,Phi,Phetsanghane,Phetphongsy,Phelp,Phaymany,Pharmer,Pharao,Phanthavongsa,Pfrommer,Pfoutz,Pforr,Pfnister,Pflugradt,Pflugrad,Pfleuger,Pfingsten,Pfifer,Pfeiffenberge,Pfefferkorn,Pfanstiel,Pfander,Pfalmer,Pfaffinger,Pezley,Pezina,Pezez,Peyser,Pevahouse,Petula,Petton,Pettipas,Pettijohn,Pettigrove,Pettay,Petrouits,Petropulos,Petronzio,Petronella,Petrilli,Petriccione,Petric,Petrecca,Petralia,Petr,Petka,Petigny,Petesic,Petersik,Petek,Petanick,Petalcu,Peszynski,Pessolano,Pesses,Pesicka,Peschong,Pesarchick,Pesantes,Perza,Pertea,Persyn,Persten,Persch,Perrota,Perrot,Perriott,Perring,Perrilloux,Perrette,Perrelli,Perrell,Pernod,Pernin,Perniciaro,Pernesky,Permann,Perlson,Perkiss,Perina,Perie,Perencevich,Peredz,Percey,Peraha,Peplau,Pepka,Pepion,Penzien,Penzel,Penya,Penwarden,Penticoff,Pensky,Pensick,Pensa,Pennelle,Penird,Penhallurick,Penha,Pengra,Penderel,Pendegraft,Pencak,Pemelton,Peluse,Pelnar,Pellom,Pellitteri,Pelligrino,Pellietier,Pellicone,Pelletiu,Pellet,Pellam,Peleg,Pekas,Pekara,Pehowich,Peha,Pegeron,Peffly,Pefferkorn,Peetoom,Peerzada,Peecha,Peduzzi,Pedralba,Pedez,Pedeare,Pecinousky,Pechaira,Pecatoste,Pecarina,Pecararo,Pearyer,Peacy,Peachay,Payseur,Payor,Payna,Payant,Payamps,Pax,Pawluch,Pavliska,Pavis,Pavelski,Pavella,Pav,Pauza,Pausch,Paulshock,Paulseth,Paulmino,Paulic,Paulauskis,Paulauskas,Paulas,Pauker,Paugsch,Patzner,Patzke,Patwell,Patuel,Pattyre,Pattinson,Pattengale,Patriquin,Patrin,Patrias,Patria,Patolot,Patik,Paterniti,Patellis,Patches,Patcher,Patanella,Pataki,Patajo,Pasvizaca,Pastures,Pasto,Pastian,Passerino,Passer,Paskow,Pasket,Pasinski,Pasho,Pashea,Pashal,Pascorell,Pascoal,Pascanik,Pascall,Pasaya,Pasana,Paruta,Party,Partman,Partipilo,Partenope,Partelow,Part,Parsygnat,Parsh,Parsells,Parrotta,Parron,Parrington,Parrin,Parriera,Parreno,Parquette,Parpan,Parone,Parnin,Parms,Parmantier,Parkos,Parkhouse,Parizek,Paripovich,Parinas,Parihar,Parhan,Pargman,Pardoe,Parayuelos,Paravano,Paratore,Parara,Papranec,Pappajohn,Paponetti,Papitto,Papike,Papiernik,Papciak,Papantonio,Papanikolas,Papania,Papan,Papale,Pap,Paongo,Paola,Panzica,Panzella,Panyko,Panuccio,Pantosa,Pantoliano,Pantelakis,Panrell,Panowicz,Panora,Pankiw,Pankake,Panitz,Panila,Panias,Paneque,Panela,Paneczko,Pandola,Panahon,Panah,Panagoulias,Panagis,Paluszynski,Paluk,Paluck,Palu,Paloukos,Palombit,Palmios,Palley,Pallant,Pallansch,Pallafor,Palisbo,Palchetti,Palazola,Palas,Palacois,Pakonen,Pajerski,Paillant,Pahk,Pagni,Pagnello,Paglio,Paga,Pafel,Padol,Padgette,Padeken,Paddio,Paddilla,Paddack,Padavich,Pacquin,Packineau,Pacior,Pacholec,Pachlin,Pachla,Pach,Pacenta,Pacek,Pacapac,Pacana,Paben,Paarmann,Paalan,Ozer,Ozane,Ozaine,Ozaeta,Oz,Oyston,Oyellette,Oxton,Oxnam,Oxenrider,Oxborough,Owers,Ow,Ovit,Ovesen,Overstrom,Overshiner,Overmire,Overley,Overkamp,Overdick,Overbough,Ovdenk,Ovadilla,Ouye,Outzen,Ousdahl,Oury,Ourth,Ounsy,Ouellete,Oudker,Otutaha,Otuafi,Ottrix,Ottogary,Ottino,Ottilige,Ottenwess,Otiz,Othoudt,Otex,Otega,Osvaldo,Ostwald,Ostrzyeki,Ostrum,Ostroot,Osterhaut,Ostendorff,Ostenberg,Ostasiewicz,Osswald,Ossola,Osowicz,Osorno,Osollo,Osol,Osnoe,Osmus,Osmanski,Osias,Oshman,Osentowski,Osden,Osche,Osbeck,Orttenburger,Ortolf,Orto,Ortga,Orrego,Orpin,Orozeo,Orochena,Orobona,Oroark,Ornelos,Ornedo,Orne,Orm,Orlove,Orlosky,Orlof,Orlinsky,Orlinski,Orlin,Orizabal,Oriti,Orion,Origer,Orie,Orhenkowski,Orford,Orff,Oreskovich,Orellama,Oreily,Orehek,Oreb,Ordazzo,Ordahl,Orcholski,Orce,Oras,Opula,Opstein,Oppliger,Oppegard,Opichka,Opher,Opet,Opalicki,Opaka,Ooton,Onyeanus,Onwunli,Onukogu,Onisick,Onifade,Oneale,Ondik,Ondic,Ondersma,Omullan,Omoto,Omo,Omlin,Omli,Omersa,Olverson,Olveira,Olvedo,Olowe,Olona,Olnes,Olloqui,Olliver,Ollhoff,Ollendick,Olkowski,Olivid,Olivers,Oliveres,Olivarra,Olinghouse,Oligee,Olgvin,Olfers,Olewinski,Olewine,Oleveda,Oleskiewicz,Olejarski,Olecki,Olde,Olckhart,Olbrish,Olay,Olarte,Okwuona,Okuley,Okula,Okorududu,Okoren,Okoli,Okihara,Okerson,Oken,Ojard,Ojanen,Oines,Oilvares,Oieda,Ohrnstein,Ohren,Ohmit,Ohmie,Ohlmacher,Ohlenbusch,Ohlen,Ohaver,Oharroll,Ogwynn,Ogunyemi,Ogram,Ogilive,Ogen,Ogbonnaya,Ogasawara,Ogans,Ogami,Oflahrity,Offret,Oen,Oeler,Oehrlein,Oehrle,Oehmke,Oehmig,Oeftger,Oeder,Odougherty,Odorizzi,Odomes,Odin,Odien,Odhner,Odess,Odenheimer,Ocus,Ochsenbein,Ochinang,Ochiai,Ochalek,Occhino,Ocacio,Obnegon,Oblow,Oblinger,Obiano,Obery,Oberson,Oberpriller,Obermuller,Obermoeller,Oberholzer,Oberhaus,Oberdier,Oberdick,Oaxaca,Oar,Nysether,Nykiel,Nygaro,Nycum,Nyahay,Nwankwo,Nwakanma,Nwadiora,Nwabeke,Nuzenski,Nusz,Nunnelee,Nunmaker,Nuniz,Nunery,Nulisch,Nuetzman,Nuessle,Nuesca,Nuckoles,Nuccitelli,Nucci,Nozum,Nozick,Nowzari,Nowosadko,Nowley,Nowitzke,Novitsky,Novitski,Novitske,Novikoff,Novida,Novetsky,Novelly,Novellino,Novara,Nouth,Noullet,Noud,Notwick,Notowitz,Notley,Notis,Nothem,Nothacker,Nostro,Noseff,Norwell,Northwood,Northcut,Norstrud,Norseth,Norse,Norsaganay,Norko,Norkaitis,Noriego,Norg,Noreiga,Nordwall,Nordsiek,Nordlinger,Nordick,Nordenstrom,Norbo,Noorigian,Noordam,Nonu,Nones,Noneman,Nondorf,Noltensmeier,Nollette,Nolfe,Nolazco,Nokken,Noke,Noiseux,Noia,Nohe,Nogueda,Noguchi,Nogoda,Noggles,Noggler,Noftsier,Noey,Noerenberg,Noegel,Nodurft,Nodarse,Nockai,Nobregas,Nobis,Nkuku,Nkomo,Njango,Niziol,Nixion,Nixa,Nivar,Nivala,Nitzschke,Nitzsche,Nitzkowski,Nitcher,Niswender,Nisley,Nishimori,Nirmaier,Nipps,Nipple,Ninke,Nini,Ninh,Nimrod,Nimox,Nimick,Nila,Niksich,Nikodem,Nikocevic,Nikaido,Nightlinger,Niggemann,Nietfeldt,Niess,Niesent,Niesborella,Nierer,Niemitzio,Niemiel,Niemants,Niedzwiedzki,Niedzwiedz,Niedens,Niedbalec,Niebaum,Nicoson,Nicoli,Nicolaus,Nickoley,Nicklos,Nicklien,Nickenberry,Nickas,Nicholason,Nichell,Nichalson,Nicewonger,Niau,Nian,Nham,Nguyan,Ngin,Nezich,Nezat,Neyaci,Newstead,Newness,Newhook,Newes,Newens,Newbell,Newball,Nevinger,Nevilles,Nevil,Never,Nevarrez,Neuse,Neundorfer,Neuenswander,Neudeck,Neubig,Neubaum,Neubacher,Nettleingham,Netrosio,Netolicky,Netley,Nesti,Nessmith,Neslusan,Nesline,Nesland,Nesin,Nerlich,Nepa,Neonakis,Nenni,Nemzin,Nemunaitis,Nemets,Nemard,Nemani,Nelmes,Nellums,Nellenback,Nelisse,Nejaime,Neja,Neither,Neiswoger,Neiper,Neild,Neidiger,Nehrt,Nehme,Neglio,Negbenebor,Needy,Nedman,Nedina,Nederostek,Nedelman,Neddo,Nedbalek,Nebred,Neblock,Nebesnik,Nebarez,Neall,Nealious,Nealer,Neahr,Ncneal,Nazzise,Nazzal,Nazir,Nazelrod,Naz,Naysmith,Nayman,Nawwar,Nawda,Naveed,Navarrate,Navaretta,Navappo,Navanjo,Natwick,Nattiah,Natsis,Nati,Nathans,Natewa,Natani,Natalello,Nasti,Nassie,Nasr,Nasers,Nasalroad,Narr,Nargi,Nardy,Napieralski,Nanthanong,Nantanapibul,Nanna,Nanik,Nanasy,Nanas,Namur,Namihira,Namaka,Nalty,Nalbach,Naki,Nakatsu,Nakamori,Najarian,Nailer,Naifeh,Naidu,Nahrwold,Nahl,Nahari,Nagode,Nagindas,Nagengast,Nagelhout,Nagase,Naftzinger,Naftali,Naeher,Nadoff,Naderi,Nadelbach,Naddeo,Nacy,Nacisse,Nacion,Nachtrieb,Nachmias,Nachazel,Nacar,Naborg,Nabity,Nabhan,Mytych,Myslinski,Myslin,Mysak,Myrtle,Myrman,Myrck,Myntti,Mynnerlyn,Mylott,Myking,Myes,Mycroft,Mway,Muzyka,Muzacz,Muyskens,Muysenberg,Mutone,Mutner,Mutherspaw,Muthart,Muthana,Mutart,Musty,Muston,Mussmann,Musshorn,Musse,Muss,Musquiz,Musolf,Muskthel,Muska,Musinski,Musigdilok,Muschick,Muschett,Musch,Murwin,Murty,Mursko,Murnock,Mure,Murasso,Muraro,Muran,Murallies,Muraco,Munyer,Munshi,Munning,Munl,Munir,Muninger,Munhall,Muney,Munet,Mundziak,Mundschau,Mundhenk,Munderville,Muncil,Munchmeyer,Munaz,Muna,Mulzer,Mulvahill,Mulryan,Mulroney,Mulready,Mulneix,Mullowney,Mullner,Mullison,Mullany,Mulich,Mula,Muhtaseb,Muhlenkamp,Muhlbach,Muggley,Mueske,Muenkel,Muell,Muehleisen,Mudrick,Muddaththir,Muczynski,Mucklow,Muckley,Muckelvaney,Muchortow,Mthimunye,Mrazik,Mozzone,Mozo,Mozley,Mozie,Mozgala,Mozelak,Moyerman,Mowder,Mowan,Movlin,Mouzas,Mourino,Moulhem,Mottillo,Motteshard,Mottershead,Motamed,Mosz,Mostoller,Mostiller,Mostero,Mostella,Mosson,Mossing,Mossien,Mossel,Mosmeyer,Moskau,Moshos,Mosho,Moscovic,Moscaritolo,Moscariello,Moscardelli,Morosow,Morono,Morneault,Morna,Morn,Morkve,Moriwaki,Morise,Moriera,Moricle,Moribayed,Morgret,Morgner,Morgas,Morgans,Morgandi,Morfee,Morelen,Moreida,Moreci,Moreb,Mordino,Mordini,Mordehay,Morda,Mootz,Mootispaw,Moosbrugger,Moosa,Moonsommy,Moonshower,Moodispaugh,Mooberry,Monz,Montuoro,Montrella,Montijano,Montgonery,Montelle,Montell,Montcalm,Montalgo,Monske,Monrroy,Monrow,Monnot,Moniak,Mongue,Mongolo,Mongiovi,Monfore,Mondoux,Mondone,Mondell,Mondaine,Moncrieffe,Moncrieff,Moncier,Monasterio,Monarque,Monaham,Monagle,Momper,Momeni,Moltrie,Molone,Molly,Mollohan,Molliere,Mollere,Molleker,Mollberg,Molinini,Moling,Molineaux,Molett,Moldan,Molavi,Molaison,Mokriski,Mokiao,Mojzisik,Mojardin,Moisey,Mohorovich,Mohinani,Mohaupt,Mohabeer,Mogollon,Moghadam,Mofle,Mofford,Moevao,Moelter,Moede,Modrak,Moddejonge,Mockler,Mocha,Mobilio,Mlenar,Mizzi,Mizner,Mizee,Miyasaka,Miyao,Mixdorf,Mitter,Mittchell,Mittag,Mithani,Mitchler,Misove,Mismit,Misluk,Miskovich,Mishou,Miserendino,Misek,Miscoe,Mirmow,Mirman,Mirkovich,Mirao,Miran,Miquelon,Minucci,Mintreas,Mintos,Mintor,Minotti,Minock,Minnatee,Miniuk,Minissale,Minihan,Minicozzi,Mini,Minford,Minette,Minery,Minehan,Mineconzo,Mindingall,Minchella,Minarcik,Minacci,Mimaki,Milz,Milwee,Miltz,Milsaps,Milosevich,Millstead,Millott,Millora,Millian,Millhiser,Millerr,Millbrand,Millbern,Millberg,Milkent,Milius,Milite,Milelr,Mildred,Milderberger,Mildenstein,Milbrodt,Milare,Mikulec,Mikovec,Mikota,Mikolon,Mikhaiel,Mikez,Miker,Mikasa,Mihovk,Mihor,Mihaliak,Mihalco,Mihalak,Miggo,Miessler,Miernik,Miernicki,Miene,Mieloszyk,Mielkie,Mielczarek,Mielcarz,Miehe,Midget,Middough,Middents,Microni,Mickulskis,Micks,Mickonis,Mickenheim,Michello,Michealson,Michavd,Michalczik,Mezzinni,Mezzanotte,Meysembourg,Meyerowitz,Meyerott,Meyerman,Meyerhoefer,Mevis,Mevers,Meuler,Meulemans,Meua,Metzga,Metzel,Mettlen,Mettille,Metott,Metos,Metil,Metia,Metherell,Metevelis,Metenosky,Meteer,Metchikoff,Mestler,Mestanza,Messman,Messey,Messervy,Messel,Messan,Mesoloras,Mesmer,Mesiona,Mesias,Meshew,Meshanko,Meservy,Mesecar,Mesdaq,Merzig,Mervine,Mertine,Merrills,Merren,Merlette,Merles,Merlain,Merl,Merksamer,Merithew,Merisier,Mering,Merilos,Merical,Merhar,Merette,Mereno,Merdian,Merceir,Mercando,Merante,Merana,Merales,Menucci,Mentkowski,Mentgen,Menso,Mensen,Menkin,Menjes,Menjares,Menitz,Menietto,Menier,Meneus,Menefield,Menees,Mendrin,Mendrala,Mendler,Mendiaz,Mendesa,Mencke,Menchu,Menches,Menas,Mems,Memo,Memmo,Meltzner,Melter,Melstrom,Melsheimer,Melser,Melodia,Mellos,Mellis,Melliere,Mellie,Mellecker,Mellage,Mellady,Melikyan,Melford,Meley,Melencamp,Meleen,Melear,Melchert,Melaun,Melaro,Melady,Mekonis,Meisenburg,Meireles,Meinsen,Meinershagen,Meil,Meihofer,Mehrotra,Mehlhaff,Mehis,Mehelich,Mehdizadeh,Mehdi,Meharry,Mehalko,Megraw,Megown,Mego,Megill,Megia,Meggison,Meggett,Meggerson,Meetze,Meeroff,Meemken,Meehleder,Meeds,Medure,Medosch,Medora,Mednis,Medling,Medland,Medious,Medino,Medin,Medill,Medieros,Medi,Medhus,Medearis,Medanich,Medalion,Meckel,Meccia,Mecardo,Measheaw,Measeck,Mearing,Meara,Meakin,Mcwilson,Mcward,Mcwalters,Mcwade,Mcvoy,Mctush,Mctiernan,Mctarnaghan,Mcswiggan,Mcstay,Mcritchie,Mcrill,Mcquiddy,Mcqueeny,Mcpharlane,Mcphan,Mcpartlin,Mcnutty,Mcnuh,Mcnicoll,Mcnicol,Mcnevin,Mcnespey,Mcneme,Mcnellie,Mcnayr,Mcmina,Mcmenamy,Mcmanigal,Mcluckie,Mclilly,Mcleskey,Mclearan,Mclauchlen,Mclatchy,Mclaen,Mckray,Mckouen,Mckoon,Mckisson,Mckinna,Mckines,Mckimmy,Mckimley,Mckewen,Mckerrow,Mckenzy,Mckentie,Mckemie,Mckaskle,Mckanic,Mcintyde,Mcinroy,Mcinnish,Mcilwaine,Mciltrot,Mchalffey,Mcgurren,Mcgurr,Mcgunnis,Mcgunnigle,Mcgunagle,Mcguinnes,Mcguin,Mcgrotha,Mcgrogan,Mcgraph,Mcgoon,Mcglothern,Mcgloster,Mcglohon,Mcglockton,Mcglawn,Mcginnity,Mcginister,Mcgilberry,Mcgiboney,Mcghin,Mcghaney,Mcgeeney,Mcgeady,Mcgartland,Mcgarraugh,Mcgaffey,Mcgafferty,Mcgaffee,Mcfeeley,Mcfan,Mceneny,Mcelwine,Mcelreavy,Mcelpraug,Mcelmeel,Mceirath,Mceady,Mcdunn,Mcdonnall,Mcdewitt,Mcdermett,Mcdeavitt,Mcdearmont,Mccurine,Mccunn,Mccumbers,Mccumbee,Mccullors,Mccullon,Mccullogh,Mccullock,Mccuan,Mccrate,Mccra,Mccoulskey,Mccornack,Mccormik,Mccorkindale,Mccorison,Mcconnal,Mccomack,Mccole,Mccoil,Mccoard,Mcclurken,Mcclodden,Mcclod,Mcclimens,Mccleveland,Mcclenningham,Mcclellon,Mcclaugherty,Mcclatcher,Mcclarty,Mcclamma,Mcclaim,Mcchain,Mccelland,Mccastle,Mccarvill,Mccarther,Mccarr,Mccarns,Mccarn,Mccard,Mccandrew,Mccandliss,Mccalvin,Mccalpin,Mccalment,Mccallun,Mccallough,Mccahan,Mccaffree,Mcbratney,Mcaveney,Mcausland,Mcauly,Mcarthun,Mcanaw,Mcall,Mbamalu,Mazzera,Mazze,Mazzawi,Mazzaferro,Mazzacano,Mazuo,Mazion,Mazey,Maywood,Mayshack,Mayrose,Mayou,Mayorca,Mayoka,Maynerich,Maylone,Mayhood,Mayeshiba,Maydew,Maxi,Maxell,Mawhinney,Mavropoulos,Mavle,Mavai,Mautte,Mauson,Mausey,Mauseth,Mausbach,Maurus,Maurizio,Maura,Maupredi,Maung,Maultasch,Mauleon,Maud,Matyi,Matuszak,Matushevsky,Matusek,Matuck,Mattys,Mattsey,Mattione,Mattias,Matteis,Matsu,Matsoukas,Matrey,Matot,Matlin,Matkowsky,Matise,Mathwich,Mathus,Mathony,Mathery,Matherson,Mathen,Maten,Matelich,Matejek,Matczak,Matchen,Matarrita,Matakonis,Mataka,Matacale,Masuyama,Masure,Masupha,Masudi,Masturzo,Mastrocola,Mastriano,Mastrianni,Mastrianna,Mastrelli,Massicotte,Massetti,Massella,Massei,Massee,Massaquoi,Masood,Masom,Maslowsky,Masloski,Maslonka,Maski,Maskaly,Masiejczyk,Masgalas,Masero,Masenten,Masciantonio,Masaya,Masaracchia,Marzocchi,Marzili,Marzigliano,Marye,Marusiak,Marullo,Marturano,Martos,Martorello,Martineze,Martillo,Martignago,Martiarena,Marsters,Marshalek,Marsell,Marsek,Marseglia,Marriot,Marrion,Marrington,Marrietta,Marrello,Marreel,Marrable,Marquina,Marque,Marozzi,Marovic,Marotti,Marose,Marnett,Marmolejos,Markt,Markson,Marklund,Markewich,Marinoni,Marinko,Marinas,Maril,Mariello,Marguardt,Margreiter,Margraf,Margel,Margaryan,Margarita,Margan,Marevka,Maresco,Marero,Marentez,Maree,Mardini,Marcotrigiano,Marcoguisepp,Marcks,Marcinka,Marchizano,Marchitto,Marchiony,Marchionese,Marchesseault,Marcheski,Marchesano,Marchall,Marceaux,Marbray,Maratre,Maratos,Marashi,Marasciulo,Maras,Marantz,Marallo,Maragni,Maragh,Marabella,Maquis,Maontesano,Maobi,Manzie,Manzay,Manvelito,Manvel,Manuell,Mantik,Mantele,Mantegna,Mansbridge,Mansanares,Manora,Manolakis,Manokey,Mannine,Mannheimer,Mannebach,Mannchen,Manlito,Mankoski,Manivong,Manheim,Mangubat,Manfra,Manemann,Manecke,Mandry,Mandler,Mandi,Mandap,Mandahl,Mancos,Manciel,Mancherian,Manchel,Manca,Manby,Manatt,Manaker,Mamone,Mammano,Malvern,Malton,Malsch,Malovich,Malouff,Malory,Maloff,Malocha,Malmanger,Mallinger,Mallinak,Mallegni,Mallat,Malkoski,Malinky,Malinak,Malichi,Malgieri,Maleszka,Males,Maleonado,Malenke,Malekan,Malehorn,Maleck,Malcome,Malay,Malawy,Malarkey,Malanado,Malama,Malabey,Makua,Makhija,Makel,Makarem,Majorga,Majocka,Majica,Majic,Majeau,Maizes,Mairot,Maione,Mainz,Mainland,Mainetti,Mainero,Maimone,Maifeld,Maiers,Maiello,Maidonado,Maicus,Mahung,Mahula,Mahrenholz,Mahran,Mahomly,Mahin,Mahe,Mahall,Mahal,Magsby,Magsayo,Magrone,Magraw,Magrann,Magpali,Magouliotis,Magorina,Magobet,Magnini,Magnifico,Magnie,Magnett,Maglioli,Maggit,Magg,Magette,Magdefrau,Magdalena,Magaziner,Magathan,Magalski,Magaldi,Magadan,Mafua,Maeno,Maenaga,Maedke,Madziar,Madre,Madine,Madin,Madhavan,Madge,Madeja,Maddoy,Maddison,Maddin,Maddern,Mad,Macvicar,Macurdy,Macreno,Macpartland,Macoreno,Macola,Macnutt,Macnevin,Macmullan,Maclain,Mackstutis,Macknair,Macklem,Mackillop,Mackenthun,Mackechnie,Mackaman,Macione,Maciolek,Maciarello,Machover,Machle,Machi,Machel,Machak,Macduffee,Maccutcheon,Macculloch,Maccord,Macconaghy,Maccoll,Macclellan,Macclairty,Maccini,Macchiarella,Maccheyne,Maccarter,Maccarino,Maccarini,Macandog,Macanas,Macalma,Macabeo,Maasen,Maarx,Lytell,Lyson,Lysher,Lyngholm,Lynchj,Lynah,Lyme,Lyken,Lyew,Lydecker,Lybert,Lyberger,Lybecker,Lyau,Lweis,Luzi,Luzell,Luvianos,Luvera,Lutze,Lutkus,Luten,Lusty,Lustberg,Lurye,Lury,Lurtz,Luquette,Lupiani,Lupacchino,Lunter,Lunstrum,Lungwitz,Lungsford,Lunemann,Lunderman,Lunch,Luminati,Lumbley,Lumba,Lumadue,Lulas,Lukow,Lukianov,Lukesh,Lukander,Luka,Luing,Luikart,Lugabihl,Lufborough,Luette,Luescher,Lueschen,Luersen,Luensmann,Luening,Lueker,Luedecke,Lueckenbach,Luebbering,Ludovico,Ludera,Ludeker,Ludecke,Luczki,Luco,Luckinbill,Lucis,Lucik,Lucie,Lucic,Luchterhand,Luccous,Lucash,Luberger,Lubbert,Lubben,Lubawy,Lubahn,Luangxay,Luangrath,Luangamath,Luague,Lozey,Loyborg,Loyack,Loxton,Loxtercamp,Lownsbery,Lowler,Lowcks,Lowa,Lovstad,Lovisone,Lovfald,Lovetinsky,Lovet,Lovero,Loverdi,Lovellette,Loveberry,Louwagie,Lournes,Louria,Lourentzos,Lourdes,Louka,Louil,Loudermelt,Louchen,Loubier,Lotto,Lotridge,Lothringer,Lothridge,Lota,Lot,Loszynski,Lossius,Losneck,Loseth,Losavio,Losardo,Losano,Losado,Losacco,Losa,Lorr,Loron,Lorincz,Loria,Loretz,Lorentine,Lordi,Loraine,Lopze,Lopiccalo,Lopey,Loperfido,Lope,Lopata,Lopas,Loparco,Loofbourrow,Longwith,Longhi,Longenberger,Longbine,Longaker,Longabaugh,Lomonte,Lomino,Lominack,Lomen,Lombel,Lombardino,Lomago,Loma,Lokan,Loiacona,Lohry,Lohrke,Lohre,Logoleo,Loggens,Logarbo,Lofwall,Lofty,Lofts,Lofthus,Lofte,Lofstrom,Loforte,Lofman,Lofing,Lofguist,Loffier,Loffelbein,Loerwald,Loeppky,Loehrer,Loehner,Loecken,Lockshaw,Locknane,Lockington,Lockery,Lockemer,Lochrico,Lobregat,Lobley,Lobello,Lobell,Lobalbo,Lobach,Llaneza,Llanet,Llams,Livley,Livinton,Living,Liversedge,Livernois,Livermon,Liverance,Liveoak,Livecchi,Livasy,Liukkonen,Litzenberger,Litvak,Littfin,Litmanowicz,Litchard,Listi,Listen,Lisker,Lisitano,Lisena,Lisbey,Lipsie,Lips,Lippoldt,Lippitt,Lipper,Lipoma,Lipkovitch,Lipira,Lipan,Linzan,Linza,Linsin,Linsenmayer,Linsdau,Linnert,Linman,Linkon,Lingner,Lingley,Lingerfelter,Lingbeek,Linero,Lindorf,Lindmeyer,Lindinha,Linderleaf,Lindau,Lindabury,Linburg,Linak,Limmel,Limle,Limbert,Limardi,Lilyblade,Lillehaug,Likar,Liiv,Ligonis,Ligler,Lighthart,Ligget,Liftin,Lifschitz,Liewald,Lievsay,Lievens,Lietzow,Lierz,Liegler,Liedberg,Lied,Liebrecht,Liebherr,Lieberg,Liebenthal,Liebenow,Liebeck,Lidstone,Lidie,Lidge,Lidder,Licursi,Licklider,Lickfelt,Lichota,Lichenstein,Liceaga,Liccketto,Libertini,Libberton,Leyton,Leyh,Leydecker,Leyda,Lexer,Lewi,Lewars,Levreau,Levra,Levielle,Levian,Leveto,Leversee,Levers,Leverone,Leverance,Levendoski,Levee,Levatino,Levans,Levandofsky,Leuze,Leutwiler,Leuthe,Leuhring,Leuga,Leuckel,Leuasseur,Lettsome,Lettiere,Letscher,Letender,Letchaw,Leta,Lestrange,Lestourgeon,Lestor,Leston,Lessner,Lessmann,Lessly,Lespedes,Leso,Lesneski,Leskovar,Leskovac,Lese,Lesco,Lesches,Lesa,Lerra,Lerper,Lerow,Lero,Lermon,Lepretre,Lepre,Leppink,Lepke,Lepez,Lepetich,Leopardi,Leonpacher,Leonick,Leonberger,Leomiti,Leny,Lenski,Lenorud,Lenort,Lennis,Lennart,Lennan,Lenling,Lenke,Lenigan,Lenhoff,Lenharr,Leners,Lendt,Lendor,Lendo,Lenczyk,Lench,Lenberg,Lemoyne,Lemmonds,Lemmings,Lemish,Lemear,Lembcke,Lemansky,Lemans,Lellig,Lekey,Lekberg,Lekan,Lek,Lejman,Leitzinger,Leithiser,Leiper,Leinwand,Leimkuhler,Leimberger,Leilich,Leigland,Leichtenberge,Leiberton,Leho,Lehning,Lehneis,Lehmer,Lehenbauer,Lehberger,Legrotte,Legro,Legra,Legat,Legall,Lefurgy,Leflores,Leffers,Leffelman,Lefeld,Lefaver,Leetham,Leesman,Leeker,Leehan,Leeber,Ledsinger,Ledermann,Ledenbach,Ledee,Led,Lecznar,Leckband,Lechleidner,Lechelt,Lecato,Lecaros,Lecain,Lebroke,Lebold,Leblane,Lebitski,Lebish,Leberte,Lebedeff,Lebby,Lebaugh,Lebarge,Leavigne,Leaven,Leasor,Leasher,Leash,Leanza,Leanen,Leaird,Leahman,Leadford,Lazusky,Lazurek,Lazott,Lazio,Lazier,Lazich,Lazewski,Lazares,Layva,Layell,Laycox,Lawsky,Lawrentz,Lawis,Lawford,Lawcewicz,Lawbaugh,Lawary,Lawal,Lavongsar,Lavgle,Lavezzo,Lavelli,Lave,Lavani,Lavander,Lavagnino,Lavadera,Lautieri,Lautaret,Lausell,Lauschus,Laurole,Lauretta,Laureno,Laureles,Laurance,Launiere,Laundree,Lauigne,Laughon,Laugen,Laudeman,Laudadio,Lauckner,Lauchaire,Lauby,Laubersheimer,Latus,Latourrette,Latos,Laton,Lathrum,Lather,Lathe,Latendresse,Late,Latassa,Latam,Lat,Lastella,Lassetter,Laskosky,Laskoskie,Lasin,Lasik,Lashlee,Lashier,Laselle,Laschinger,Lascaro,Lasane,Lasagna,Lasage,Larusch,Larrosa,Larriviere,Larralde,Larr,Larowe,Larousse,Larotta,Laroia,Laroe,Larmett,Larman,Larkan,Largena,Laregina,Lardone,Larcom,Larche,Larbie,Larbi,Larason,Laranjo,Laragy,Laraby,Larabell,Larabel,Lapuerta,Lappinga,Lappi,Laport,Lapinta,Lapila,Laperuta,Lapere,Laper,Lapek,Lapari,Lapalme,Laorange,Lanze,Lanzarotta,Lantry,Lantgen,Lantelme,Lanteigne,Lansey,Lansberg,Lannier,Lannen,Lanna,Lankster,Lanie,Langrum,Langness,Langmo,Langlitz,Langi,Langholdt,Langhans,Langgood,Langanke,Lanfor,Lanen,Laneaux,Landu,Landruth,Landrie,Landreville,Landres,Landquist,Landolf,Landmark,Landini,Landevos,Landenberger,Landan,Lancz,Lamudio,Lampsas,Lampl,Lampinen,Lamphiear,Lampel,Lamoree,Lamoreau,Lamoore,Lamontagna,Lammy,Lammel,Lamison,Laming,Lamie,Lamia,Lameda,Lambuth,Lambertus,Lambermont,Lamartina,Lamango,Lamaack,Lalinde,Lalich,Lale,Lakowski,Lakhan,Lajoye,Lajoy,Laios,Lahne,Laham,Laguire,Lagrenade,Lagore,Lagoo,Lagonia,Lagoni,Laglie,Laggan,Lagesse,Lagerstedt,Lagergren,Lagatta,Lagard,Lagant,Lagamba,Lagadinos,Lafuze,Lafrate,Laforey,Lafoon,Lafontain,Laflam,Laffer,Lafevre,Lafemina,Lafantano,Laface,Laessig,Laehn,Ladt,Ladouce,Ladonne,Lado,Ladika,Ladick,Ladebauche,Lacz,Lacusky,Lacovara,Lackett,Lackage,Lachino,Lachiatto,Lacharite,Lacerenza,Lacek,Lacau,Lacatena,Lacaille,Labovitch,Labounta,Labombar,Laboissonnier,Labo,Labitan,Labier,Labeots,Labarriere,Labaro,Labarbara,Laatsch,Laasaga,Laake,Kyseth,Kypuros,Kyper,Kyner,Kwilosz,Kvzian,Kvoeschen,Kveton,Kvek,Kveen,Kvaternik,Kuziel,Kuypers,Kuykendoll,Kuwana,Kuwada,Kutzer,Kuty,Kutlu,Kuti,Kutchie,Kuszynski,Kussmaul,Kussel,Kusnic,Kusner,Kusky,Kushaney,Kurzinski,Kurtti,Kurshuk,Kurr,Kurokawa,Kurns,Kuretich,Kurasz,Kurant,Kura,Kur,Kupihea,Kupferberg,Kupersmith,Kupchinsky,Kunter,Kunkleman,Kuniyoshi,Kunimitsu,Kunich,Kundanani,Kunau,Kummerow,Kumlander,Kumfer,Kuman,Kumalaa,Kum,Kulseth,Kulbeth,Kulbacki,Kulback,Kukura,Kukler,Kuklenski,Kukauskas,Kukahiko,Kujat,Kuiz,Kuitu,Kuick,Kuhry,Kuhlenschmidt,Kuffa,Kuepfer,Kuehnhold,Kuechler,Kudro,Kudrle,Kuczma,Kuckens,Kuciemba,Kuchinski,Kuchem,Kubley,Kubler,Kubesh,Kubeck,Kubasch,Kub,Kuanoni,Krzewinski,Krzesinski,Krzan,Kryston,Krystek,Krynicki,Krylo,Kruzel,Kruyt,Kruszewski,Krusor,Kruskie,Krushansky,Krush,Kruppenbacher,Krupinsky,Krumroy,Krumbein,Krumbach,Krukiel,Kruizenga,Kruis,Kruiboesch,Kruebbe,Krucke,Krotine,Krostag,Kropff,Kropfelder,Kroninger,Kronau,Krome,Krolick,Krokus,Krog,Krofta,Krofft,Kroesing,Krochmal,Krobath,Krnach,Krivanec,Kristofferson,Kristof,Kristan,Krissie,Kriskovich,Kriske,Krishun,Krishnamurthy,Krishman,Krinov,Kriek,Kriegshauser,Krewer,Kreutzbender,Kreusch,Kretzinger,Kressler,Kressin,Kressierer,Kresky,Krepp,Krenzke,Krenning,Krenik,Kremple,Kremmel,Kremen,Krejcik,Kreissler,Kreinhagen,Krehel,Kreese,Krawitz,Kravetsky,Kravets,Kravec,Krausse,Krausmann,Krauel,Kratowicz,Kratchman,Krasnici,Krasnansky,Kraskouskas,Krasinski,Kranwinkle,Kranock,Kramarczyk,Krallman,Krallis,Krakowiak,Krakauer,Krainbucher,Kraig,Kraichely,Krahulec,Krahe,Krah,Kragt,Kraetsch,Krabel,Krabbenhoft,Kraasch,Kraack,Kozlovsky,Kozlik,Koziak,Kozeyah,Kozan,Kowitz,Kowalke,Kowalec,Koves,Kovalaske,Kovacik,Koutras,Koussa,Kousonsavath,Kounthong,Kounthapanya,Kounovsky,Kounkel,Kounick,Koulavongsa,Koulalis,Kotyk,Kotur,Kottraba,Kottlowski,Kotterna,Kotschevar,Kotonski,Kotlar,Kotheimer,Kotey,Koterba,Koteras,Kotarski,Kotaki,Kosuta,Kostrzewa,Kostiv,Kosters,Kossey,Kossen,Kossak,Kososky,Kosorog,Koso,Koslan,Kosiorek,Koshi,Koscielniak,Kosareff,Korzyniowski,Korzybski,Korynta,Korwin,Korwatch,Kortemeier,Korst,Korsmeyer,Korslund,Koroch,Kornn,Kornfield,Kornblatt,Korkmas,Koritko,Korinta,Koria,Korewdit,Kores,Korenek,Kordys,Kordowski,Kordiak,Korbin,Kopsho,Koppy,Kopke,Kopin,Kopicko,Kopiasz,Koperski,Kopay,Kopatz,Kopan,Koosman,Koong,Koolman,Kool,Konty,Konow,Konopski,Konma,Konishi,Konger,Konetchy,Kone,Konderla,Konczewski,Konarik,Komula,Kominski,Komada,Koma,Kolwyck,Kolupke,Koltz,Kolts,Kolppa,Koloc,Kollross,Kollos,Kolkman,Kolkhorst,Kolikas,Kolic,Kolbusz,Kolassa,Kol,Kokubun,Kokoszka,Kokko,Kokenge,Koitzsch,Koiner,Kohus,Kohles,Kohel,Koguchi,Kofoot,Koers,Koenitzer,Koeninger,Koenigsberg,Koener,Koenemund,Koelbel,Koehring,Koeck,Kody,Kodera,Koczwara,Kocieda,Kochkodin,Kochen,Kochanek,Kobylski,Kobylarz,Kobylarczyk,Kobold,Knyzewski,Knupke,Knudsvig,Knowiton,Knowell,Knous,Knotowicz,Knorp,Knoflicek,Knoeppel,Knoepke,Knoell,Knoechel,Knodel,Knockaert,Knobler,Kniola,Knill,Knilands,Kniesel,Kniceley,Kneuper,Knetsch,Kneser,Knerien,Knellinger,Kneefe,Knazs,Knatt,Knapko,Knapick,Knape,Knap,Knake,Kmiotek,Kment,Kmatz,Kman,Klyn,Klute,Kluse,Klumph,Klukken,Klukan,Kluemper,Kluber,Klosky,Kloppenburg,Klonowski,Klomp,Klohs,Klohe,Kloeppel,Kloeker,Kloefkorn,Kloeck,Klobucar,Kljucaric,Klitzner,Klitsch,Kliskey,Klinski,Klinnert,Klinich,Klingner,Klingenberger,Klingberg,Klingaman,Klimo,Klimavicius,Klickman,Klicka,Klez,Klevjer,Klette,Kletschka,Kless,Kleppen,Klenovich,Kleintop,Kleinsasser,Kleinfeld,Kleifgen,Kleid,Kleftogiannis,Kleefisch,Kleck,Klebes,Klear,Klawuhn,Klawinski,Klavon,Klavetter,Klarin,Klappholz,Klande,Klancnik,Klan,Klamn,Klamert,Klaja,Klaich,Klafehn,Klabunde,Kjolseth,Kjergaard,Kjellsen,Kjellman,Kjeldgaard,Kizzia,Kizior,Kivela,Kitty,Kitthikoune,Kittelman,Kitelinger,Kitcher,Kitchenman,Kitanik,Kisro,Kisielewski,Kiryakoza,Kirsopp,Kirshman,Kirlin,Kirkness,Kirkling,Kirkconnell,Kirgan,Kirchmann,Kirchherr,Kirchberg,Kirchbaum,Kirberger,Kiracofe,Kipple,Kip,Kious,Kintopp,Kintigh,Kinsolving,Kinsky,Kinlin,Kinlecheeny,Kingwood,Kingson,Kinds,Kindregan,Kinderman,Kinde,Kimminau,Kimbal,Kilver,Kiltie,Kilstofte,Kilogan,Kilness,Kilner,Kilmister,Killoren,Killius,Kilimnik,Kilichowski,Kildare,Kiko,Kijak,Kiili,Kihlstrom,Kietzer,Kiesser,Kierzewski,Kienbaum,Kienast,Kieke,Kieck,Kiebala,Kiddle,Kickel,Kichline,Kibbler,Kiani,Khubba,Khora,Khokher,Khn,Khlok,Khilling,Khensamphanh,Khemmanivong,Khazdozian,Khazaleh,Khauv,Khairallah,Kezele,Keyon,Keyl,Kew,Kevwitch,Kevorkian,Keveth,Kevelin,Kevan,Keuper,Ketzler,Kettinger,Ketterl,Ketteringham,Kettenring,Ketchersid,Kessans,Kesey,Kesek,Kertzman,Kertels,Kerst,Kerper,Kernodle,Kernighan,Kernagis,Kermes,Kerens,Kercheff,Kerce,Kerans,Keppner,Kepke,Kepani,Keovongxay,Keoghan,Keodalah,Keobaunleuang,Kenzie,Kenson,Kenoyer,Kenouo,Kennie,Kenngott,Kennaugh,Kenik,Keney,Kenekham,Kenealy,Kendziora,Kendal,Kenaga,Kempster,Kemps,Kempon,Kempkens,Kemmeries,Kemerly,Keltt,Kellywood,Kellish,Kellem,Keliipaakaua,Kelau,Keks,Keisacker,Keis,Keinonen,Keilholz,Keilholtz,Keihl,Kehres,Keetch,Keetan,Keet,Keeser,Keenom,Keeman,Keehner,Keehan,Kedra,Kedia,Kecskes,Kecker,Kebede,Kebe,Keba,Keaty,Keaten,Keaser,Kearsey,Kearn,Kazunas,Kazimi,Kazar,Kazabi,Kaza,Kayat,Kayastha,Kawski,Kawell,Kawczynski,Kawaiaea,Kave,Kavaney,Kaut,Kaushal,Kausch,Kauo,Kaumans,Kaui,Kauder,Kaucher,Kaua,Katzmann,Katzaman,Katterjohn,Kattaura,Katsaounis,Katoh,Katke,Katis,Katin,Katie,Kathleen,Kathel,Kataoka,Kaszton,Kaszinski,Kasula,Kasuba,Kastens,Kaspari,Kasmarek,Kasky,Kashner,Kasen,Kasemeier,Kasee,Kasal,Karz,Karwowski,Karstensen,Karroach,Karro,Karrels,Karpstein,Karpe,Karoly,Karnath,Karnas,Karlinsky,Karlgaard,Kardux,Karangelen,Karamchandani,Karagiannes,Karageorge,Karabin,Kar,Kapsner,Kapperman,Kappelmann,Kapler,Kapiloff,Kapetanos,Kanzenbach,Kanwar,Kantis,Kantah,Kanosh,Kanoon,Kanniard,Kannan,Kanjirathinga,Kangleon,Kaneta,Kanekuni,Kanealii,Kand,Kanakares,Kamstra,Kamradt,Kampner,Kamna,Kammerzell,Kamman,Kamiya,Kaminska,Kamensky,Kamber,Kallhoff,Kallfelz,Kalley,Kallestad,Kallal,Kalista,Kalhorn,Kalenak,Kaldahl,Kalberg,Kalandek,Kalan,Kalamaras,Kalafarski,Kalaf,Kakowski,Kakeh,Kakani,Kajder,Kaja,Kaines,Kaiktsian,Kaid,Kahookele,Kahoohalphala,Kahley,Kahao,Kahalehoe,Kahal,Kahae,Kagimoto,Kaewprasert,Kaemingk,Kadow,Kadelak,Kaczka,Kacvinsky,Kacprowski,Kachmarsky,Kabzinski,Kabus,Kabir,Kabigting,Kabala,Kabacinski,Kababik,Kaarlela,Kaanana,Kaan,Kaak,Kaai,Ka,Juvenal,Justian,Juste,Justak,Jurries,Jurney,Jurkovich,Jurist,Jurin,Jurgen,Juray,Junod,Junkersfeld,Junick,Jumbo,Julsrud,Julitz,Juliana,Jukich,Juengling,Juen,Juelich,Judie,Jubyna,Jubran,Jubeh,Juback,Juba,Juanico,Joynson,Joyne,Jover,Journot,Joto,Jotblad,Josic,Jorrisch,Jordt,Jording,Jondrow,Jonah,Jome,Jollimore,Joline,Jolina,Joler,Joki,Johnting,Johnstonbaugh,Johnikins,Johniken,Johe,Johansing,Johal,Joganic,Joerger,Joelson,Joehnck,Jody,Jodha,Joanis,Jirsa,Jirak,Jira,Jingst,Jhingree,Jhanson,Jews,Jestis,Jessica,Jeskie,Jesiolowski,Jesenovec,Jeschon,Jermeland,Jerkin,Jericho,Jerger,Jergen,Jerding,Jepko,Jens,Jenovese,Jennkie,Jenderer,Jenab,Jempty,Jemmings,Jelome,Jellings,Jelden,Jelarde,Jeffryes,Jeffirs,Jedan,Jecmenek,Jecklin,Jeck,Jeanquart,Jeanphilippe,Jeannoel,Jeanette,Jeancy,Jaysura,Javis,Javers,Javed,Jave,Jaussen,Jauhar,Jastremski,Jastrebski,Jasmann,Jaskolka,Jasko,Jaskiewicz,Jasica,Jasch,Jarriett,Jaroski,Jarnutowski,Jarmin,Jaremka,Jarema,Jarels,Jarecke,Jarding,Jardel,Japak,Janysek,Janway,Janowiec,Janow,Janofsky,Janoff,Jannise,Jannett,Jankoff,Janeiro,Jana,Jaminet,Jami,Jamgochian,Jamesson,Jamer,Jamel,Jamason,Jalovel,Jalkut,Jakubov,Jaksic,Jaksch,Jakiela,Jaji,Jaiyesimi,Jahosky,Jahoda,Jahaly,Jagiello,Jaggie,Jafek,Jafari,Jae,Jadoo,Jaculina,Jacquin,Jacquelin,Jacobsohn,Jacobovits,Jackso,Jacksits,Jackosn,Jackett,Jacinthe,Jabbie,Jabaut,Jabali,Jaarda,Izak,Izaguine,Iwasko,Iwashita,Ivrin,Ivener,Iveans,Ivancic,Iuchs,Itnyre,Istorico,Isiminger,Isgur,Isgro,Isenbarger,Iseman,Isebrand,Isaksen,Isagba,Isacson,Isaack,Irr,Ironhorse,Irigoyen,Ireson,Ipsen,Iossa,Inzano,Introini,Insognia,Inserra,Inostraza,Innerst,Innella,Innarelli,Innamorato,Inkavesvanitc,Ingvolostad,Inguardsen,Ingran,Ingrahm,Ingraffea,Ingleton,Inghem,Ingersol,Ingargiolo,Inferrera,Iner,Induddi,Indermuehle,Indeck,Indal,Incomstanti,Incera,Incarnato,Inbody,Inabnit,Imming,Immerman,Immediato,Imholte,Imeson,Imbruglia,Imbrock,Imbriale,Imbrenda,Imam,Imada,Iltzsch,Illovsky,Illich,Illas,Illar,Iliffe,Ilg,Ilarraza,Ilaria,Ilalio,Ikzda,Ikkela,Ikenberry,Ikemoto,Ikemire,Ikeard,Ihnen,Ihenyen,Iheme,Igus,Iguina,Ignoria,Igles,Igbinosun,Ifie,Ifft,Ifeanyi,Ifantides,Iennaco,Idrovo,Idriss,Idiart,Ickert,Icardo,Ibric,Ibdah,Ibbotson,Ibasitas,Iarussi,Iara,Iannalo,Iamiceli,Iacuzio,Iacobucci,Iacobelli,Hysquierdo,Hyske,Hydzik,Hyberger,Hyatte,Huysman,Huyna,Hutyra,Huttman,Huttar,Huter,Husul,Hustedt,Hussy,Hussong,Hussian,Huski,Hushon,Husein,Husaini,Hurtubise,Hurta,Hurni,Hurme,Hupy,Huppenbauer,Hunze,Hunson,Huner,Hundertmark,Hunderlach,Humston,Hummert,Huminski,Humerick,Humbard,Hulzing,Hulshoff,Hulmes,Hukle,Hujer,Huitink,Huirgs,Hugus,Huguet,Hugghis,Huffstutter,Huerto,Huertes,Huenergardt,Huemmer,Huelle,Huehn,Huebsch,Hudok,Hudnut,Hudlow,Hudlin,Hudes,Huddy,Huckabone,Huckabaa,Hubsch,Hubl,Hubertz,Htwe,Hsy,Hrycko,Hrna,Hric,Hribal,Hrcka,Hrbacek,Hranchak,Hradecky,Hoysock,Hoyne,Hoylton,Hoyal,Hoxsie,Howlingwolf,Howett,Howarter,Hovnanian,Hovard,Hovantzi,Hovanes,Houzah,Houtkooper,Housner,Housemate,Hourihan,Houltberg,Houghtelling,Houey,Houchard,Houben,Hotter,Hotten,Hottell,Hotek,Hosoi,Hosner,Hosle,Hoskyns,Hoskey,Hoshino,Hosfield,Hortein,Horseford,Horse,Horridge,Hornshaw,Horns,Hornlein,Hornig,Horneff,Hormuth,Horimoto,Horesco,Horenstein,Horelick,Hore,Horbert,Horabik,Hoppenrath,Hoppa,Hopfauf,Hoosock,Hool,Hoogheem,Hoogendoorn,Hoo,Honus,Honold,Honokaupu,Honigsberg,Hongisto,Hongeva,Hones,Honegger,Hondros,Hondel,Honchul,Honch,Homza,Homsey,Homrighaus,Hommer,Homiak,Homby,Homans,Holznecht,Holzmiller,Holzhueter,Holzboog,Holtmeier,Holtmann,Holthouse,Holthoff,Holtham,Holtgrefe,Holstad,Holshovser,Holquist,Holmers,Hollyday,Hollo,Hollner,Hollinghurst,Holleyman,Hollett,Hollerud,Hollering,Hollembaek,Hollarn,Hollamon,Hollack,Holihan,Holibaugh,Holgersen,Holdy,Holdgrafer,Holdcraft,Holdbrook,Holcroft,Holch,Hokula,Hokett,Hojeij,Hojczyk,Hoivik,Hoiseth,Hoinacki,Hohnson,Hohney,Hohmeier,Hohm,Hohlstein,Hogstrum,Hogon,Hoglan,Hogenmiller,Hogains,Hoga,Hofstra,Hofstadter,Hofhine,Hoffpavir,Hoeser,Hoerig,Hoerger,Hoelzel,Hoelter,Hoeller,Hoek,Hoehl,Hoefflin,Hoeffer,Hodosy,Hodnicki,Hodermarsky,Hodd,Hockley,Hochstine,Hochfelder,Hobstetter,Hoblit,Hobin,Hoberek,Hobb,Hnot,Hlywa,Hlastala,Hjermstad,Hizkiya,Hitzfelder,Hiteman,Hitchko,Hitchingham,Hissom,Hismith,Hiske,Hirte,Hirschmann,Hirose,Hirezi,Hipsley,Hippley,Hipol,Hintergardt,Hinokawa,Hinely,Hindsman,Hindmarsh,Hinderaker,Hindall,Hinckson,Hinajosa,Himmelsbach,Himmelright,Hilyar,Hilvers,Hilu,Hiltunen,Hiltebeitel,Hilsgen,Hilovsky,Hilo,Hilmer,Hillseth,Hillered,Hilleman,Hillbrant,Hillabush,Hilla,Hilkert,Hilk,Hildman,Hilbner,Hilbig,Hilb,Hila,Hija,Higy,Hightshoe,Higashida,Hiens,Hielscher,Hidde,Hidaka,Hickley,Hickingbotham,Hickie,Hiciano,Hibble,Hibbits,Heziak,Heynen,Heykoop,Heydenreich,Heybrock,Hevrin,Hevessy,Heugel,Heuangvilay,Hettes,Hettenhausen,Hetling,Hetjonk,Hethcox,Hethcote,Hetchman,Hetcher,Hesterly,Hessman,Hesselrode,Hesselman,Hesselbein,Hesselbach,Herzbrun,Heryford,Herwehe,Hervol,Hertle,Herta,Herskovic,Hershnowitz,Hershfield,Herschaft,Hersberger,Herrud,Herrnandez,Herrlich,Herritt,Herrion,Herrand,Herran,Herout,Heroth,Heronemus,Hero,Herny,Hermus,Herline,Herley,Hergenroeder,Hergenreter,Herena,Herem,Herek,Hercman,Heral,Hequembourg,Heppert,Hepperly,Heppel,Heppding,Henzler,Hentrich,Henter,Hensle,Hensdill,Henschke,Hennighausen,Hennard,Henkin,Henges,Henedia,Hendson,Hendsbee,Hendrics,Hendrickx,Hencken,Henchel,Hencheck,Hemsworth,Hemry,Hemperley,Hemmig,Hemmeter,Hemmert,Hemmelgarn,Hemmeke,Hemley,Hemeyer,Hemerly,Hembre,Hemans,Hemanes,Helwick,Helvik,Helphinstine,Helphenstine,Helowicz,Helmert,Helmen,Helmbright,Helliwell,Helley,Hellerman,Hellenbrand,Helferty,Helfert,Hekman,Heitmuller,Heitbrink,Heisse,Heisner,Heir,Heinzle,Heinzerling,Heino,Heinig,Heindl,Heimerl,Heimbuch,Heilbrun,Heilbron,Heidtke,Heidmann,Heglund,Heggins,Heggestad,Hegener,Hegdahl,Hefter,Heffernen,Heery,Heebsh,Hedrix,Hedler,Hedeiros,Hedegaard,Heddleson,Heddins,Hect,Heckle,Heckers,Hebsch,Hebrard,Heberer,Hebblethwaite,Heaviland,Heartley,Hearston,Heang,Hean,Heam,Heagany,Headlon,Heading,Hazouri,Hazinski,Hazekamp,Hayword,Haysbert,Hayn,Hayball,Hawkings,Havier,Havermann,Havekost,Hauswald,Haustein,Hausteen,Hauslein,Hausher,Haurin,Hauptly,Haulbrook,Haukaas,Haugaard,Hauffe,Hauben,Hatzell,Hatto,Hattenbach,Hatridge,Hatlee,Hathcox,Hatchette,Hatcherson,Hatake,Hassig,Hasselvander,Hasselkus,Haslinger,Haskamp,Hashbarger,Hasha,Hasfjord,Hasencamp,Haseloff,Haschke,Hasbni,Hasbell,Hasak,Harwin,Harvley,Harvilchuck,Harvick,Harutunian,Hartzo,Hartzheim,Hartjen,Hartgraves,Hartgrave,Hartgerink,Hartenstein,Harsy,Harrisow,Harrigton,Harrellson,Harralson,Harrald,Harradine,Harraden,Haroun,Harnly,Harnes,Harnar,Harnan,Harnack,Harlston,Harlor,Harleston,Harkenreader,Harkcom,Harjochee,Hargest,Harges,Harfert,Harens,Hardung,Hardney,Hardinson,Hardigan,Harby,Harbus,Harbough,Harbottle,Harbold,Harary,Haramoto,Harader,Harabedian,Har,Happney,Happe,Haper,Hape,Hanville,Hanusey,Hantzarides,Hantula,Hanstine,Hansteen,Hansson,Hansrote,Hansil,Hanoharo,Hanock,Hannula,Hanno,Hannem,Hanneken,Hannegan,Hanmore,Hanisko,Hanisco,Hanify,Hanhan,Hanegan,Handt,Handshaw,Handschumaker,Handren,Handlin,Handing,Handeland,Hanagan,Hanagami,Hanafin,Hanafan,Hanacek,Hamway,Hampon,Hamper,Hamparian,Hamor,Hamontree,Hamolik,Hamnon,Hamn,Hammet,Hammerstein,Hammerstad,Hammerlund,Hammed,Hammang,Hameen,Hamborsky,Hamb,Hamalak,Hamai,Halwood,Halston,Halpainy,Halon,Halmstead,Halmick,Hallstead,Hallowich,Hallio,Hallie,Hallerman,Halleen,Hallczuk,Hallan,Halgren,Halechko,Halcom,Halbritter,Halaliky,Hal,Hajdukiewicz,Hait,Haislett,Hairster,Hainsey,Hainds,Hailes,Hagwell,Hagon,Haghighi,Haggstrom,Haggis,Haggen,Hageny,Hagelgans,Hagarty,Hafenbrack,Haessler,Haessig,Haerr,Haener,Haen,Haeckel,Hadson,Hadland,Hadian,Haddaway,Hackmeyer,Hackethal,Hackerd,Hackenmiller,Hackenbery,Hacke,Hackborn,Hachette,Habif,Habermann,Haberern,Habbs,Haakinson,Haagensen,Gzym,Gyurko,Gyllenband,Gyaki,Gwynes,Gwenn,Guzmdn,Guziczek,Guz,Guyott,Guyot,Guyet,Guttenberg,Gutschow,Gutreuter,Gutrerrez,Gutieres,Gutiennez,Guthorn,Guthary,Guterriez,Gutenson,Gussin,Gushue,Gusa,Gurvine,Gurtin,Gurrad,Gurne,Guridi,Gureczny,Guralnick,Gunzenhauser,Gunthrop,Gunkelman,Gunagan,Gun,Gumphrey,Gummersall,Gumbert,Gulnick,Gullung,Gullage,Gulini,Gulikers,Guley,Guldemond,Gulde,Gulbraa,Gulati,Guittennez,Guitreau,Guith,Guitar,Guirgis,Guinle,Guiltner,Guilstorf,Guillote,Guillan,Guilianelli,Guilbe,Guiffre,Guiel,Guidaboni,Guiao,Guialdo,Guevana,Guesman,Guerrouxo,Guerinot,Gueretta,Guenison,Guenin,Guempel,Guemmer,Guelpa,Guelff,Guelespe,Guedesse,Gudroe,Gudat,Guckes,Gucciardi,Gubser,Gubitosi,Gubernath,Gubbins,Guarracino,Guarin,Guariglio,Guandique,Guaman,Gualdoni,Guadalajara,Grzywinski,Grzywacz,Grzyb,Grzesiak,Grygiel,Gruzinsky,Gruters,Grusenmeyer,Grupa,Gruninger,Grunin,Grundon,Gruhlke,Gruett,Gruesbeck,Gruell,Grueber,Gruda,Grubman,Gruba,Grovier,Grothen,Groszkiewicz,Grossley,Grossklaus,Grosshans,Grosky,Groshek,Grosenick,Groscost,Grosby,Groombridge,Gronvall,Gromley,Grollman,Grohoske,Groesser,Groeber,Grocott,Grobstein,Grix,Grivna,Gritsch,Grit,Gristede,Grissam,Grisostomo,Grisom,Grishan,Grip,Grinner,Grinman,Grines,Grindel,Grimlie,Grimard,Grillette,Griggers,Grigas,Grigalonis,Grigaliunas,Grifin,Griffins,Griffes,Griffel,Grife,Griesmeyer,Griesi,Griem,Grham,Grgurevic,Greyovich,Greydanus,Greviston,Gretzner,Gretz,Gretsch,Greto,Gresl,Gresko,Grengs,Gremler,Greist,Greisser,Greisiger,Greiser,Greiber,Gregoroff,Gregoreski,Gregas,Greenrose,Greenlow,Greenlees,Greenfelder,Greenen,Greenbush,Greeb,Grebs,Grebel,Greaux,Grdina,Gravit,Gravenstein,Gravelin,Grava,Graul,Graughard,Graue,Grat,Grastorf,Grassano,Grasmuck,Grashot,Grasha,Grappo,Graper,Granvil,Granucci,Grantier,Granstaff,Granroth,Granizo,Graniero,Graniela,Granelli,Grandos,Grandmont,Gramza,Graminski,Gramberg,Grahams,Grago,Graen,Graefe,Grae,Gradle,Graciani,Graci,Grabowiecki,Grabauskas,Gounder,Gougeon,Goudge,Gouchie,Gou,Gottula,Gottleber,Gotthardt,Gotowka,Gotlib,Gotimer,Gothier,Gothe,Goswami,Gostowski,Gossin,Gosserand,Gossen,Goshow,Goshi,Gosda,Gosche,Gorychka,Gorri,Gornikiewicz,Gorlich,Gorgo,Gorglione,Goretti,Gorence,Gorelik,Goreczny,Gordis,Gorczynski,Gorans,Gootz,Goosen,Goonez,Goolsbee,Goolia,Goodvin,Goodpastor,Goodgine,Goodger,Gooder,Goodenberger,Goodaker,Goodacre,Gonzolez,Gonzaliz,Gonsalues,Gones,Gone,Gondran,Gonda,Gonazlez,Gomzalez,Gomey,Gome,Gomberg,Golumski,Goluba,Goltry,Goltra,Golpe,Golombecki,Gollwitzer,Gollogly,Gollin,Golkin,Golk,Goldware,Goldrup,Goldrich,Goldhammer,Goldhahn,Goldfischer,Goldfield,Goldeman,Goldak,Golberg,Golba,Golanski,Golabek,Goick,Gogocha,Goglia,Gogins,Goetzke,Goettman,Goettig,Goetjen,Goeman,Goeldner,Goeken,Goeden,Godyn,Godwyn,Godown,Godfray,Goderich,Gode,Godde,Goda,Gockerell,Gochnauer,Gochie,Gobrecht,Gobeyn,Gobern,Gobea,Gobbo,Gobbi,Gnagey,Glugla,Gluckman,Gluc,Glowski,Glowka,Glowinski,Glow,Glossner,Gloff,Gloe,Glodich,Gliwski,Gliues,Glise,Glinkerman,Glimp,Glicher,Glenny,Glembocki,Gleiss,Gleichweit,Gleghorn,Glaviano,Glauser,Glaue,Glaubke,Glauberman,Glathar,Glasow,Glashen,Glasglow,Glarson,Glapion,Glanden,Glader,Gladen,Glacken,Gjorven,Gjokaj,Gjesdal,Gjelten,Givliani,Gitzlaff,Gittere,Gitlewski,Gitchell,Gissler,Gisriel,Gislason,Girolami,Girmazion,Girellini,Girauard,Girardeau,Girad,Giove,Gioriano,Gionson,Gioacchini,Ginnetti,Ginnery,Ginanni,Gillom,Gillmer,Gillerist,Gillentine,Gilhooley,Gilfoy,Gilespie,Gildroy,Gildore,Gilcoine,Gilarski,Gihring,Giggie,Giessinger,Gierling,Gielstra,Giehl,Giegerich,Giedlin,Gieber,Giebel,Gidwani,Gicker,Gibes,Gibbings,Gibbard,Gianopulos,Gianola,Giannell,Giandelone,Giancaspro,Giancarlo,Gian,Giamichael,Giagni,Giacomazzi,Giacoletti,Giachino,Ghramm,Ghosten,Ghiringhelli,Ghiorso,Ghil,Ghia,Gheza,Ghekiere,Gheewala,Ghazvini,Ghazi,Ghazal,Ghaor,Ghane,Ghanayem,Ghamdi,Gfroerer,Geyette,Gewinner,Gewant,Gevorkian,Gevedon,Geuder,Getting,Gettenberg,Getschman,Getachew,Gestes,Gesselli,Geryol,Gerych,Gerty,Gerton,Gertken,Gerster,Gersch,Gerpheide,Geronime,Gerondale,Gerock,Germinaro,Germershausen,Germer,Gerlock,Gerla,Gerking,Gerguson,Geres,Gerbs,Gerbi,Gerathy,Gerardot,Georgiana,Georgales,Geohagan,Geoghan,Geoffrey,Genualdi,Gentis,Gennusa,Gennaria,Gennarelli,Genin,Genga,Geng,Geneseo,Generous,Generoso,Genera,Genberg,Gemmel,Gembe,Gembarowski,Gelzer,Gelo,Gellis,Gellespie,Gell,Gelineau,Gelger,Geldrich,Gelbach,Geister,Geissel,Geisen,Geiman,Geils,Gehrking,Gehri,Gehrett,Gehred,Gefroh,Geerken,Geelan,Gedris,Gedo,Gechas,Gecan,Gebrayel,Gebers,Geasley,Geanopulos,Gdula,Gbur,Gazzillo,Gazza,Gazo,Gaznes,Gazdecki,Gayoso,Gayo,Gaymes,Gawlak,Gavula,Gavles,Gaviria,Gavinski,Gavigan,Gaves,Gavell,Gavalis,Gautsch,Gauron,Gauntner,Gaulzetti,Gattie,Gatski,Gatch,Gata,Gastelun,Gastellum,Gastel,Gasson,Gassler,Gasse,Gasquet,Gaspari,Gasienica,Gaseoma,Gasch,Garzone,Garverick,Garve,Garthee,Garrod,Garriss,Garrish,Garraghty,Garnet,Garness,Garnder,Garlovsky,Gariti,Garich,Garibaldo,Garib,Gargani,Garfias,Garff,Garf,Gares,Garen,Gardy,Garder,Garcelon,Garced,Garavelli,Garala,Garacci,Ganze,Gantewood,Ganska,Gannoe,Ganji,Ganja,Ganibe,Ganiban,Ganguli,Gangluff,Gangadyal,Gane,Gandhy,Gandarillia,Gancio,Gana,Gamrath,Gamewell,Gamela,Gamberini,Gamberg,Gambell,Gambaiani,Galvano,Galva,Galustian,Galston,Galstian,Galson,Gals,Galon,Galofaro,Gallipo,Gallery,Galleno,Gallegher,Gallante,Gallagos,Gallaga,Galjour,Galinoo,Galinol,Galin,Galietti,Galhardo,Galfayan,Galetti,Galetta,Galecki,Galauiz,Galaska,Galashaw,Galarita,Galanga,Galacio,Gailun,Gailis,Gaibler,Gagon,Gago,Gagliardotto,Gaetke,Gaestel,Gaekle,Gadue,Gades,Gacusan,Gacad,Gabrel,Gabouer,Gabisi,Gabino,Gabbett,Gabbay,Gab,Gaarsland,Fyles,Fventes,Fusselman,Fusik,Fusi,Fusha,Fusca,Furuyama,Furubotten,Furton,Furrh,Furne,Furna,Furlotte,Furler,Furkin,Furfey,Fure,Furch,Furay,Fupocyupanqui,Funderbunk,Fundenberger,Fulwiler,Fulsom,Fullwiler,Fulliton,Fulling,Fuleki,Fulda,Fukuroku,Fukada,Fuhri,Fuglsang,Fugle,Fugah,Fuesting,Fuents,Fudacz,Fucile,Fuchser,Frydman,Fryday,Fruusto,Frutoz,Frullate,Fruchey,Frossard,Fross,Froschheiser,Froozy,Fronduti,Frondorf,Fron,Fromong,Frometa,Froiland,Frohwein,Frohock,Froeliger,Frodsham,Fritzpatrick,Frist,Frisino,Frisella,Frischkorn,Fringuello,Frings,Friling,Frikken,Frietsch,Friest,Friedstrom,Friedhaber,Friedenberg,Friedeck,Fridal,Freytas,Freydel,Freudiger,Freshley,Frere,Frenner,Freniere,Fremon,Fremming,Freme,Freligh,Freistuhler,Freiser,Freil,Freifeld,Freidkin,Freidet,Frehse,Freguson,Freerksen,Freelon,Freeley,Freehoffer,Freedland,Fredrikson,Fredric,Fredline,Fredicks,Freddrick,Frawkin,Frauenkron,Frati,Franzeo,Frantzich,Frankina,Frankford,Frankenreiter,Frankenfeld,Franeo,Frandeen,Franculli,Francolino,Francoise,Francisque,Franciosa,Francios,Francione,Franceski,Franceschina,Fram,Fraine,Fragassi,Fracier,Fraccola,Frabotta,Frabizio,Fouyer,Foux,Foutain,Fourre,Fouracre,Found,Foules,Foucha,Fosso,Fosser,Fossa,Fosburgh,Forwood,Fortado,Forston,Forsthoffer,Forschner,Forsch,Fornkohl,Fornerod,Formhals,Formey,Formento,Formato,Forlani,Forgy,Forgach,Fordon,Forcino,Forcell,Forcade,Forbish,Forber,Fontneau,Fontelroy,Fonteboa,Fontanini,Fonsecn,Fondell,Fon,Follie,Foller,Folkins,Folkens,Folgar,Foks,Fogus,Fogo,Foerschler,Foell,Foecke,Foderaro,Foddrill,Focks,Flum,Flugence,Fluette,Fluetsch,Flueck,Flournay,Flotow,Flota,Florkowski,Florestal,Florance,Floore,Floerchinger,Flodman,Floch,Flitton,Flitt,Flister,Flinton,Flinspach,Flierl,Flever,Fleurissaint,Fleurantin,Flether,Flennoy,Fleitman,Flegler,Fleak,Flautt,Flaum,Flasher,Flaminio,Fixari,Fiumefreddo,Fitzmier,Fitzgerlad,Fitzen,Fittje,Fitser,Fitchette,Fisichella,Fisger,Fischbein,Fischang,Fiscal,Fisanick,Firoozbakht,Firlik,Firkey,Fiorenzi,Fiora,Finucan,Finto,Finona,Finocan,Finnley,Finnin,Finnila,Finni,Finnel,Finne,Finland,Finkenbiner,Finey,Finders,Filzen,Filyan,Filteau,Filonuk,Fillo,Fillerup,Filkey,Filippides,Filippello,Filburn,Filbrardt,Filbey,Filary,Filarecki,Filak,Fijalkowski,Figurelli,Figone,Figlioli,Figlar,Figary,Figarsky,Fiermonte,Fierge,Fiely,Fieldstadt,Fiedtkou,Fiedorowicz,Fiebich,Fie,Fidsky,Fido,Ficenec,Feyler,Fewless,Feulner,Feuerberg,Fetui,Fetrow,Fesus,Fesenbek,Ferugson,Ferster,Ferrise,Ferratt,Ferratella,Ferrarotti,Ferrarini,Ferrao,Ferrandino,Ferrall,Ferracioli,Feron,Ferndez,Fernandz,Fermo,Ferm,Ferlic,Ferjerang,Feris,Ferentz,Fereday,Ferdin,Ferdico,Ferderer,Ferard,Feramisco,Fenti,Fensel,Fenoglio,Fenoff,Feno,Fenniwald,Fenger,Fenceroy,Felzien,Felson,Felsher,Fellon,Felli,Fellhauer,Fellenbaum,Felleman,Fellars,Felks,Felipa,Felila,Felico,Felicione,Felger,Feldtman,Feldner,Feldker,Feldhake,Felciano,Felcher,Fekety,Feindt,Feinblatt,Feilbach,Feikles,Feigh,Feichtner,Fehribach,Fehnel,Fehn,Fegurgur,Fego,Fefer,Feezor,Feery,Feerst,Feeling,Feekes,Feduniewicz,Feduccia,Fedorka,Fedoriw,Fedorczyk,Fedel,Feddes,Fedderly,Fechtel,Fecat,Feazelle,Feast,Fearheller,Fearen,Feamster,Fealy,Fazzinga,Fawell,Favilla,Favieri,Favaron,Favaro,Faustman,Faurot,Faur,Faulstick,Faulstich,Faulkes,Faulkenbury,Faulisi,Faubus,Fat,Faster,Fash,Fasenmyer,Fasci,Fasbender,Faruolo,Farrin,Farria,Farrauto,Farmsworth,Farmar,Farm,Farlee,Fariello,Farid,Farha,Fardo,Faraco,Fantz,Fanner,Famy,Famiano,Fam,Falu,Faltz,Falto,Falson,Fallie,Fallick,Falla,Falknor,Falkenthal,Falis,Falha,Falge,Falconeri,Falcione,Falchi,Falb,Falasco,Falah,Falack,Falacco,Faix,Faisca,Fairy,Fairly,Faigle,Faichtinger,Fahrenwald,Fahrenbruck,Fahner,Fahlstedt,Fagnoni,Faglie,Fagala,Faehnle,Fadri,Fadei,Facenda,Fabus,Fabroquez,Fabello,Fabeck,Fabbozzi,Ezernack,Ezer,Ezechu,Ezdebski,Eyubeh,Eyermann,Extine,Expose,Ewelike,Evora,Eviston,Evertz,Eversmann,Everleth,Evering,Eveline,Eveler,Evanski,Evanosky,Evanoski,Evanchyk,Evanchalk,Euton,Euser,Eurton,Europe,Ettl,Ettison,Etters,Etoll,Ethel,Etchinson,Esty,Esteybar,Estevane,Esterson,Esterling,Estergard,Estela,Estaban,Esshaki,Essepian,Esselman,Essaid,Essaff,Esquiuel,Esquerre,Esquea,Esposita,Espenscheid,Esparaza,Esoimeme,Esnard,Eskuchen,Eskelsen,Eskeets,Eskaran,Eskaf,Eshlerman,Esenwein,Escorza,Escoe,Escobeo,Eschenbacher,Eschenbach,Eschborn,Escarrega,Escalet,Esbensen,Esannason,Ervine,Ervay,Ertelt,Erpenbach,Ero,Ernstrom,Ernspiker,Ernandez,Ermogemous,Ermita,Erm,Erlwein,Erlanson,Erixon,Erice,Erfert,Ereth,Erdmun,Erdelt,Erchul,Ercek,Erbentraut,Erard,Eracleo,Equiluz,Eppert,Epperheimer,Eppenger,Epifano,Eperson,Enzenauer,Entzi,Entrup,Entel,Enote,Enocencio,Enny,Ennist,Ennels,Ennaco,Enkerud,Enick,Engwer,Engleby,Enget,Engessor,Engerman,Engbretson,Enfort,Ends,Endresen,Endecott,Encalade,Emuka,Emslander,Emshoff,Empleo,Empfield,Emperor,Emo,Emmrich,Emlin,Emigholz,Emfield,Emeru,Emeche,Emdee,Emberlin,Emberley,Emberger,Emayo,Emanus,Emami,Elvert,Elshair,Elsensohn,Elsbury,Elsa,Elroy,Elquist,Elofson,Elmaghrabi,Ellworths,Ellifritt,Ellies,Elliem,Ellerkamp,Ellerbeck,Ellenbee,Ellena,Ellebrecht,Elldrege,Ellanson,Elko,Elkayam,Eliszewski,Eliseo,Elis,Elion,Elhosni,Elhassan,Elhaj,Elhaddad,Elgen,Elgas,Elgar,Elg,Elftman,Elfering,Elewa,Eleveld,Elefritz,Elbogen,Elbertson,Elberson,Elbahtity,Elahi,Ekstrum,Eklov,Ekis,Ejide,Eissinger,Eirls,Einfeldt,Eilts,Eilders,Eilbert,Eilbeck,Eikmeier,Eifler,Eiesland,Eichstadt,Eichenmiller,Eichenauer,Eichelmann,Ehr,Ehorn,Ehnis,Ehmen,Ehleiter,Ehinger,Ehiginator,Ehigiator,Egvirre,Egure,Eguizabal,Ego,Egidio,Eggenberg,Eggart,Eget,Egertson,Egbe,Efrati,Eflin,Eerkes,Ee,Edwads,Edster,Edralin,Edmerson,Edmeier,Edleston,Edlao,Edith,Edis,Edeline,Edeker,Economus,Economides,Ecoffey,Eckrote,Eckmeyer,Eckle,Ecklar,Eckis,Echemendia,Echavez,Echaure,Ebrani,Ebo,Ebilane,Ebesugawa,Eberting,Ebersol,Eberline,Eberl,Ebenstein,Eben,Ebbesen,Ebach,Easom,Easlick,Easker,Easey,Easdon,Earman,Earll,Earlgy,Earenfight,Earehart,Ealley,Ealick,Eagy,Eafford,Dziurawiec,Dzierzanowski,Dziegielewski,Dziduch,Dziadek,Dzama,Dyser,Dys,Dyreson,Dymke,Dyen,Dwyar,Dwornik,Dwellingham,Duxbury,Duwhite,Duverney,Duvel,Dutschmann,Dutel,Dute,Dusak,Durun,Dursch,Durrwachter,Durousseau,Durol,Durig,Durett,Duresky,Durelli,Duree,Dural,Duraku,Dupouy,Duplin,Duplesis,Duplaga,Dupaty,Duonola,Dunzelman,Dunten,Dunt,Dunster,Dunnahoo,Dunmead,Dunks,Dunkentell,Dunemn,Duncker,Dunckel,Dunahoo,Dummitt,Dumez,Dumag,Dulberg,Dulatre,Dukhovny,Dukeshire,Dukeshier,Duitscher,Duitch,Duh,Dugmore,Dughi,Duffus,Duffany,Dufer,Duesenberg,Duerkson,Duerkop,Duenke,Duel,Dudleson,Dudik,Duderstadt,Dudack,Duchow,Duchesney,Duchatellier,Ducceschi,Ducayne,Ducay,Ducatelli,Dubonnet,Duberstein,Dubej,Dubeck,Dubeau,Dubbin,Duban,Duball,Duartes,Dsaachs,Dryman,Drybread,Drumwright,Drumheiser,Drumgole,Drullard,Drue,Drude,Druckhammer,Dru,Drought,Drossos,Drossman,Droski,Drong,Drones,Dronen,Droegmiller,Drock,Drisdelle,Drinkall,Drimmer,Driggins,Driesel,Driere,Drewski,Dreps,Dreka,Dreith,Dregrich,Dreggs,Drawy,Drawec,Dravland,Drape,Dramis,Drainer,Dragun,Dragt,Dragotta,Dragaj,Drafton,Drafall,Drader,Draa,Dozois,Dozar,Doyan,Doxon,Dowsett,Dovenmuehler,Douyon,Douvier,Douvia,Douthart,Doussan,Dourado,Doulani,Douillet,Dougharity,Dougall,Douet,Dou,Dotto,Dottery,Dotstry,Doto,Dotie,Doswell,Doskocil,Doseck,Dorweiler,Dorvillier,Dorvee,Dortilla,Dorsainvil,Dorrian,Dorpinghaus,Dorph,Dorosan,Dornseif,Dornhelm,Dornellas,Dorne,Dornbos,Dormanen,Dormane,Doriean,Dorer,Dorcent,Dorat,Dopf,Dootson,Doornbos,Dooney,Donten,Dontas,Donota,Donohve,Donning,Donnellon,Donne,Donmore,Donkor,Donkervoet,Donhoe,Dongo,Donelon,Donchatz,Donawa,Donar,Domnick,Domkowski,Domio,Dominis,Dominiquez,Dominicus,Dominico,Domingus,Domianus,Domas,Dolven,Dolliver,Doljac,Doliveira,Dolhon,Dolgas,Dolfay,Dolcetto,Dokuchitz,Doino,Doiel,Doffing,Doerflinger,Doepner,Doelling,Dodich,Doderer,Dockray,Dockett,Docker,Docimo,Dobre,Dobrasz,Dobmeier,Dobesh,Dobberfuhl,Dobb,Dmitriev,Dlobik,Dlabaj,Djuric,Dizadare,Divento,Divan,Diulio,Ditti,Dittbrenner,Ditta,Ditolla,Ditchfield,Distilo,Distance,Disponette,Dispirito,Dishinger,Discon,Disarufino,Disabato,Diruzzo,Dirose,Dirollo,Dirado,Dippery,Dionisopoulos,Diones,Dinunzio,Dinucci,Dinovo,Dinovi,Dinola,Dinho,Dings,Dinglasan,Dingel,Dinco,Dimperio,Dimoulakis,Dimopoulos,Dimmack,Dimling,Dimitriou,Dimes,Dilthey,Dilox,Dillworth,Dillmore,Dilligard,Dilleshaw,Dilgard,Dilda,Dilcher,Dilchand,Dikkers,Diket,Dikens,Digrazia,Digness,Digiorgi,Digiambattist,Digesare,Difiora,Diffendal,Diewold,Dietsche,Diestel,Diesen,Dien,Diemoz,Dielman,Diegidio,Diedricks,Diebol,Didlake,Didamo,Dickun,Dickstein,Dickirson,Dickins,Dicioccio,Diciano,Dichristopher,Dicaro,Dicara,Dibrino,Dibenedict,Diamico,Diak,Diachenko,Dhosane,Dezell,Dezayas,Deyette,Deyarmond,Deyarmin,Dewyer,Dewulf,Dewit,Dewinne,Dewaratanawan,Devreese,Devitto,Devincenzi,Devick,Devey,Devenecia,Devel,Deuschle,Deuschel,Deuman,Deuermeyer,Detz,Deturenne,Dettra,Dettore,Dettmering,Dettmann,Detterich,Detorres,Detlefs,Detjen,Detillier,Dethomasis,Detering,Detar,Desutter,Destime,Destephano,Desrocher,Desquare,Desporte,Desparrois,Desort,Desormo,Desorbo,Desolier,Desmarias,Desloge,Deslaurier,Desjardiws,Desiyatnikov,Desisles,Desilvo,Desiato,Deshazior,Desforges,Deserres,Deschomp,Deschino,Deschambeault,Desautelle,Desantigo,Desan,Deruso,Derubeis,Derriso,Derricott,Derrer,Deroos,Deroko,Deroin,Deroest,Derobles,Dernier,Dermo,Derkach,Derizzio,Deritis,Derion,Deriggi,Dergurahian,Dereu,Derer,Derenzis,Derenthal,Derensis,Derendal,Derenberger,Deremiah,Deraveniere,Deramo,Deralph,Depsky,Deprizio,Deprince,Deprez,Depratt,Depottey,Depippo,Depinho,Depietro,Depetris,Deperte,Depena,Depaulis,Depasse,Depace,Deonarian,Deodato,Denski,Densieski,Denoyelles,Denofrio,Denni,Dennert,Denna,Deniken,Denier,Denice,Denhartog,Dench,Dence,Denburger,Denafo,Demyers,Demulling,Demuizon,Demosthenes,Demoney,Demonett,Demmon,Demich,Demian,Demetris,Demetree,Demeris,Demchok,Dembosky,Dembinski,Dember,Demauri,Dematos,Demasters,Demarrais,Demarini,Demarc,Demara,Delvin,Delveechio,Delusia,Deluney,Deluccia,Delre,Delpiano,Delosanglel,Delosangeles,Delon,Delnegro,Dellos,Dellon,Delling,Dellibovi,Dellasciucca,Dellasanta,Dellapina,Dellajacono,Dellagatta,Dellaca,Deliso,Delinois,Delilli,Delilla,Deliberato,Delhomme,Delguercio,Delger,Delgadilo,Delfi,Delfelder,Deley,Delevik,Delettre,Delessio,Deleonardo,Delellis,Delehoy,Delegeane,Deldeo,Delcine,Delbusto,Delbrune,Delbrocco,Delbo,Delasko,Delashaw,Delasancha,Delaremore,Delaplane,Delapenha,Delanoche,Delalla,Delaguila,Delaglio,Dekuyper,Dekort,Dekorne,Deklerk,Dekine,Dejoode,Dejes,Dejarme,Dejager,Deja,Deischer,Deir,Deighton,Deidrick,Deida,Deible,Dehrer,Dehombre,Dehler,Dehghani,Dehan,Dehaemers,Degunya,Deguise,Degrella,Degrazio,Degrandpre,Degori,Degolyer,Deglopper,Deglanville,Degado,Defrates,Defrancis,Defranceschi,Defouw,Defiguero,Defiglio,Defide,Defaria,Deeters,Dedominicis,Dedo,Dedier,Dedek,Deculus,Decroo,Decree,Decourley,Decomo,Declouette,Declet,Declark,Deckelman,Dechart,Dechamplain,Decasanova,Decardo,Decardenas,Decann,Decaneo,Debrita,Debrie,Debraga,Debnar,Debiew,Debes,Debenham,Debello,Debarba,Deback,Dearstyne,Dearco,Deanne,Deanhardt,Deamer,Deaguero,Daylong,Daya,Dawber,Dawahoya,Davydov,Davtyan,Davos,Davirro,Davidek,Davide,Davers,Davensizer,Davel,Davda,Dauzart,Daurizio,Dauila,Daughetee,Dauge,Daufeldt,Daudier,Daubenmire,Daty,Datu,Datte,Dastoli,Daste,Dasso,Daskam,Dasinger,Dasalia,Daryanl,Darvile,Darsi,Darsch,Darrup,Darnel,Darm,Darjean,Dargenio,Darey,Dardashti,Dardagnac,Darbro,Darbeau,Daramola,Daquip,Dapvaala,Danza,Dantoni,Dantes,Danoski,Danns,Dannecker,Danfield,Danella,Danczak,Dancoes,Damphousse,Damoth,Damoro,Dammrich,Dammad,Damis,Damerell,Dambrozio,Dama,Daltorio,Dalponte,Dalomba,Dalmida,Dalmau,Dallen,Dalla,Dalitz,Dalio,Dalhart,Daleus,Dalene,Dalee,Dalbeck,Dalaq,Dair,Daimaru,Daill,Daichendt,Dahood,Dahlstedt,Dahley,Dahler,Dagnone,Dagnon,Dagner,Daggy,Daer,Dae,Dadds,Daddea,Daddabbo,Dad,Dacres,Dachs,Dachelet,Daber,Czyrnik,Czwakiel,Czupryna,Czubia,Czosek,Czernovski,Czerno,Czernik,Czerniak,Czekaj,Czarniecki,Cyler,Cychosz,Cuzzo,Cuva,Cutri,Cutone,Cutia,Cutburth,Cusworth,Custa,Cusmano,Cushway,Cushinberry,Cusher,Cushen,Cushard,Cusatis,Curzi,Curylo,Curriere,Currans,Curra,Curpupoz,Curls,Curleyhair,Curella,Cureau,Curameng,Cupe,Cunningan,Cunnane,Cummisky,Cummer,Cumley,Cumblidge,Culotti,Cullin,Culajay,Cujas,Cuez,Cuddihee,Cudan,Cuchiara,Cuccinello,Cucchiaro,Cuartas,Cuaresma,Cuadro,Csensich,Cruthirds,Cruthers,Crutchev,Crutch,Crummedyo,Crumlish,Cruiz,Cruey,Cruel,Croxford,Croxen,Crowin,Croutch,Croushorn,Crotwell,Crother,Croslen,Crookston,Cronholm,Cronauer,Cromeens,Crogier,Croffie,Crocitto,Critzman,Criton,Critchelow,Cristofaro,Cristello,Cristelli,Crissinger,Crispo,Criqui,Crickenberger,Cressell,Cresencio,Creglow,Creggett,Creenan,Creeley,Credo,Credille,Crease,Crawn,Cravenho,Cravatta,Cration,Crantz,Cragar,Cragan,Cracolici,Cracknell,Craawford,Craan,Cozadd,Coyier,Cowser,Cowns,Cowder,Covotta,Covitt,Covil,Covarruvia,Covarrubio,Covarrubia,Covar,Cova,Coutino,Cousey,Courtoy,Courtad,Couron,Courneya,Courie,Couret,Courchine,Countis,Counceller,Cottillion,Cottengim,Cotroneo,Cotreau,Cotheran,Cotey,Coteat,Cotant,Coswell,Costenive,Costellowo,Costeira,Costanzi,Cossaboon,Cossaboom,Cosimini,Cosier,Cosca,Cosano,Corvelli,Corti,Cortesi,Corsilles,Corsey,Corseri,Corron,Corridoni,Corrett,Correo,Corren,Correau,Corraro,Corporon,Corporal,Corpeno,Corolla,Corolis,Cornes,Cornelson,Cornea,Cornacchio,Cormican,Cormia,Coriz,Coric,Coriaty,Coriano,Corderman,Cordel,Corde,Cordasco,Corburn,Corallo,Coradi,Coponen,Coples,Copier,Copa,Coopey,Coonley,Coomey,Coolbrith,Coolbeth,Coolahan,Cookey,Coogen,Cooey,Cooch,Conze,Conzalez,Contreros,Contreres,Contras,Contraras,Contopoulos,Contofalsky,Contino,Consoli,Consigli,Conoly,Connyer,Conninghan,Connette,Connerty,Connarton,Conlans,Conkrite,Confrey,Confair,Coneys,Conelly,Conejo,Condreay,Condino,Condell,Condelario,Concini,Concilio,Concho,Conces,Concepion,Conceicao,Conable,Compres,Compiseno,Compeau,Compean,Comparoni,Companie,Compagna,Comoletti,Commes,Comment,Comeauy,Colyott,Columbres,Colsch,Colpaert,Colpack,Colorina,Colopy,Colonnese,Colona,Colomy,Colombe,Colomba,Colmer,Colly,Collozo,Collova,Collora,Collmeyer,Collaco,Colian,Colglazier,Colehour,Colebrook,Coldsmith,Colden,Colato,Colasanti,Colasamte,Colarossi,Colander,Colaizzo,Colaiacovo,Coladonato,Colacone,Colabrese,Cokins,Cohoe,Coho,Cohlmia,Cohagan,Cogen,Cofrancesco,Cofran,Codey,Codeluppi,Cocran,Cocozza,Cocoran,Cocomazzi,Cockrin,Cockreham,Cocking,Cochis,Cocherell,Coccoli,Cobio,Cobane,Coatley,Coatie,Coant,Coaker,Coachys,Cmiel,Clozza,Cloughly,Clothey,Closovschi,Closey,Cloman,Cloffi,Cloepfil,Clites,Clinker,Cleverly,Cleve,Clesen,Clery,Clerf,Clemson,Clemo,Clemmon,Clemmo,Clemmey,Cleark,Clayter,Clavey,Clavelle,Clausel,Claud,Claucherty,Claton,Clarson,Clarendon,Clarbour,Clar,Clap,Clanin,Clan,Claman,Clam,Claes,Civitello,Civcci,Civatte,Civale,Ciucci,Cito,Cisneroz,Cislo,Cisewski,Cirioni,Cirilli,Cipullo,Cippina,Cipolone,Cipolloni,Cioni,Cintra,Cinkosky,Cinalli,Cimmiyotti,Cimeno,Cilva,Cills,Ciliento,Cilibrasi,Cilfone,Ciesiolka,Ciersezwski,Cierpke,Cierley,Cieloha,Cicio,Cichosz,Cichonski,Cicconi,Cibulskas,Ciaramitaro,Ciano,Cianciotta,Ciampanella,Cialella,Ciaccia,Chwieroth,Chwalek,Chvilicek,Chuyangher,Churner,Churchville,Chuppa,Chupik,Chukri,Chuh,Chudzinski,Chudzik,Chudej,Chrones,Chroman,Christoffer,Christmau,Christle,Christaldi,Christal,Chrispen,Chriscoe,Chown,Chowen,Chowanec,Chounlapane,Choulnard,Chott,Chopelas,Chomicki,Chomali,Choen,Chodorov,Chmelik,Chludzinski,Chivalette,Chiv,Chiumento,Chittom,Chisnall,Chischilly,Chisari,Chirdon,Chirasello,Chipp,Chiotti,Chionchio,Chioma,Chinweze,Chinskey,Chinnis,Chinni,Chindlund,Chimeno,Chilinskas,Childes,Chikko,Chihak,Chiffriller,Chieves,Chieng,Chiavaroli,Chiara,Chiapetto,Chiaminto,Chhor,Chhon,Chheng,Chhabra,Cheyney,Chey,Chevres,Chetelat,Chet,Chestand,Chessor,Chesmore,Chesick,Chesanek,Cherwinski,Chervin,Cherven,Cherrie,Chernick,Chernay,Cherchio,Cheon,Chenevey,Chenet,Chenauls,Chenaille,Chemin,Chemell,Chegwidden,Cheffer,Chefalo,Chebret,Chebahtah,Cheas,Chaven,Chavayda,Chautin,Chauhdrey,Chauffe,Chaudet,Chatterson,Chatriand,Chaton,Chastant,Chass,Chasnoff,Chars,Charnoski,Charleton,Charle,Charisse,Charif,Charfauros,Chareunsri,Chareunrath,Charbonnel,Chappan,Chaples,Chaplean,Chapko,Chaobal,Chanthaumlsa,Chantha,Chanofsky,Chanel,Chandsawangbh,Chandronnait,Chandrasekhar,Chandrasekara,Chandier,Chanchuan,Chananie,Chanady,Champy,Champany,Chamley,Chamers,Chamble,Chamberlian,Chalow,Chaloner,Chalita,Chalaban,Chajon,Chais,Chaim,Chaille,Chaidy,Chagollan,Chafe,Chadsey,Chaderton,Chabotte,Cezil,Cersey,Cerritelli,Ceronsky,Ceroni,Cernansky,Cerenzia,Cereghino,Cerdan,Cerchia,Cerbantes,Cerao,Ceranski,Centrone,Centorino,Censky,Ceman,Cely,Celuch,Cellupica,Cellio,Celani,Cegla,Cedars,Ceasor,Cearlock,Cazzell,Cazeault,Caza,Cavezon,Cavalli,Cavaleri,Cavaco,Cautillo,Cauthorne,Caulley,Caughran,Cauchon,Catucci,Cattladge,Cattabriga,Catillo,Cathers,Catenaccio,Catena,Catani,Catalli,Catacun,Casumpang,Casuat,Castrovinci,Castronova,Castoral,Castiola,Castin,Castillero,Castillejo,Castera,Castellanoz,Castellaneta,Castelan,Castanio,Castanado,Castagnier,Cassis,Cassion,Cassello,Casseday,Cassase,Cassarubias,Cassard,Cassaday,Caspary,Caspar,Casoria,Casilles,Casile,Casida,Cashing,Casgrove,Caseman,Caselton,Casello,Caselden,Cascia,Casario,Casareno,Casarella,Casamayor,Casaliggi,Casalenda,Casagranda,Casabona,Carza,Caryk,Carvett,Carthew,Carther,Carthens,Cartaya,Cartan,Carsno,Carscallen,Carrubba,Carroca,Carril,Carrigg,Carridine,Carrelli,Carraturo,Carratura,Carras,Carransa,Carrahan,Carpente,Carpenito,Caroway,Carota,Caronna,Caroline,Carnoske,Carnohan,Carnighan,Carnie,Carnahiba,Carmichel,Carmello,Carlsley,Carlington,Carleo,Cariveau,Caristo,Carillion,Carilli,Caridine,Cariaso,Cardoni,Cardish,Cardino,Cardinas,Cardenos,Cardejon,Cardeiro,Carco,Carbal,Caravalho,Caraher,Caradonna,Caracso,Caracciola,Capshaws,Caprice,Capriccioso,Capraro,Cappaert,Caposole,Capitani,Capinpin,Capiga,Capezzuto,Capetl,Capestany,Capels,Capellas,Caparoula,Caparelli,Capalongan,Capaldo,Canu,Cantre,Cantoral,Cantfield,Cantabrana,Canori,Cannuli,Canestro,Canestrini,Canerday,Canellas,Canella,Candon,Cancer,Canatella,Canak,Cana,Campolongo,Campagnone,Campagnini,Campagne,Camon,Cammarn,Caminita,Camidge,Cambronne,Cambric,Cambero,Camaron,Calzone,Calzadilla,Calver,Calvent,Calvelo,Calvaruso,Calvaresi,Calpin,Calonsag,Calonne,Caloca,Calligy,Callez,Calleo,Callaro,Calixtro,Caliguire,Caligari,Calicut,Caler,Calderson,Caldarone,Calchera,Calcagino,Calaycay,Calamarino,Calamari,Calamare,Cakanic,Cajune,Cajucom,Cajero,Cainion,Cainglit,Caiafa,Cagey,Cafourek,Caffarel,Cafarella,Cafagno,Cadoy,Cadmen,Cader,Cademartori,Cackett,Cacibauda,Caci,Cacciola,Cabrar,Cabla,Cabiya,Cabido,Cabeza,Cabellon,Cabeceira,Cabanes,Cabag,Bzhyan,Byther,Byro,Byrley,Byrdsong,Bynd,Bylund,Byant,Bverger,Buzzelle,Buzzanca,Buyes,Buyak,Buvens,Buttino,Buttimer,Buttari,Buttaccio,Buther,Butel,Buszak,Bustinza,Bussom,Busskohl,Bussink,Bussinger,Bussert,Busselberg,Bussani,Busl,Buskohl,Busie,Bushie,Busenius,Buseck,Buscarino,Busacker,Burwick,Burtin,Burriesci,Burreson,Burnum,Burnet,Burneisen,Burnaman,Burlette,Burlando,Burki,Burker,Burkel,Burka,Burigsay,Burhanuddin,Burgen,Burgbacher,Buretta,Buress,Burdsall,Burdis,Burdi,Burdg,Burbano,Bur,Buquo,Buontempo,Buonadonna,Bunzey,Bunyea,Buntain,Bunkers,Bungy,Bungart,Bunetta,Bunes,Bundley,Bundette,Bumm,Bumbray,Bumba,Bumatay,Bulwinkle,Bultron,Bulnes,Bullo,Bullmore,Bullerwell,Bullert,Bullara,Bulland,Bulkin,Bulgarella,Bulacan,Bukrim,Bukowinski,Bujol,Buja,Buike,Buhoveckey,Buhite,Bugtong,Bugler,Bugenhagen,Bugayong,Bugarewicz,Bufton,Buetti,Buess,Buerstatte,Buergel,Buerge,Buer,Buena,Buegler,Bueggens,Buecher,Budzyna,Budz,Budworth,Budesa,Buddle,Budden,Buddemeyer,Buckridge,Buckreis,Buckmiller,Bucke,Buchser,Buchsbaum,Buchs,Buchna,Buchheim,Buchberger,Bucchin,Bucanan,Bubbico,Buanno,Bual,Brzycki,Brzostowski,Bryum,Brynga,Brynestad,Bryar,Bruzewicz,Bruyn,Bruun,Brutlag,Bruson,Bruski,Bruse,Brusco,Bruscino,Brunsting,Brunskill,Brunow,Brunnemer,Brunderman,Brunckhorst,Brunback,Brumbley,Bruh,Brugal,Bruenderman,Bruegman,Brucie,Brozyna,Brozell,Brownsworth,Brownsword,Brownsberger,Browley,Brous,Brounson,Broumley,Brostoff,Brossmann,Brosig,Broschinsky,Broomell,Brookshier,Brooklyn,Bronikowski,Brondyke,Bromberek,Brombach,Brokins,Broking,Brojakowski,Broich,Brogren,Brogglin,Brodhurst,Brodhag,Brodey,Brocklebank,Brockie,Brockell,Brochure,Brochhausen,Broccolo,Brixius,Brittsan,Brits,Britnell,Brisley,Brisbone,Briola,Brintnall,Bringman,Bringas,Bringantino,Brinckerhoff,Briguglio,Briggerman,Brigg,Brigantino,Briehl,Brieger,Bridson,Bridjmohan,Bridgford,Bridget,Bridgens,Bridendolph,Briden,Briddick,Bricknell,Brickles,Brichetto,Briare,Brez,Brevitz,Brevil,Breutzmann,Breuning,Bretl,Brethour,Bretana,Bresolin,Breslawski,Brentnall,Brentano,Brensnan,Brensinger,Brensel,Brenowitz,Brennenstuhl,Brengle,Brendlinger,Brenda,Brend,Brence,Brenaman,Bremseth,Bremme,Breman,Brelje,Breitung,Breitenfeldt,Breitenbucher,Breitenberg,Breines,Breiland,Brehony,Bregon,Brege,Bregantini,Brefka,Breeman,Breehl,Bredy,Bredow,Bredice,Bredahl,Brechbill,Brearley,Brdar,Brazzi,Brazler,Braye,Braver,Bravender,Bravard,Braunsdorf,Braunschweige,Braught,Brauchla,Bratek,Braskey,Brasket,Branske,Branot,Branine,Braniff,Brangan,Branen,Branecki,Brandsrud,Brandman,Brandeland,Brande,Brandauer,Brancazio,Brancanto,Branaugh,Bramucci,Brakstad,Brais,Braim,Braig,Brah,Brage,Bradtke,Bradrick,Bradon,Bradicich,Brackelsberg,Brachman,Brachle,Bracetty,Bracaloni,Bozzell,Bozovich,Bozinovich,Boyenga,Bowring,Bowlet,Bowgren,Bowersmith,Bowels,Bowcutt,Bovio,Boveja,Bovain,Boutchyard,Bousson,Bousqute,Bousley,Bourns,Bourlier,Bourgois,Bourff,Bourek,Bourdeaux,Bourdages,Bourbonnais,Boundy,Bouliouris,Boudrieau,Boudin,Bouchaert,Botwin,Bottomly,Bottolfson,Bottolene,Bottiggi,Botterbusch,Botros,Botras,Botdorf,Bostelman,Bossenbroek,Bossardet,Bosowski,Boschult,Borycz,Borwig,Boruvka,Bortignon,Borsa,Borromeo,Borrolli,Borries,Borreta,Borremans,Borras,Borr,Borozny,Borowiec,Boronat,Bornman,Bormes,Borlin,Borguez,Borgstede,Borgese,Borgert,Borgers,Borgella,Borell,Bordon,Bordi,Bordges,Bordenkircher,Borde,Borbon,Boratko,Boque,Boppre,Boosalis,Boorom,Bookter,Bookmiller,Bookamer,Bonzo,Bonyai,Bonugli,Bonsu,Bonsey,Bonsell,Bonsee,Bonow,Bonno,Bonnlander,Bonnin,Bonnenfant,Bonjorno,Boniol,Bongo,Bonetto,Bonepart,Bondre,Bonaventura,Bonatti,Bonapart,Bonagurio,Bonaguidi,Bomzer,Bompane,Bomilla,Bomia,Bombino,Bomaster,Bollens,Bollbach,Bollaert,Bolins,Bolinder,Bolig,Bolian,Bolfa,Bolevice,Boldwyn,Bolduan,Boldizsar,Bolde,Bokal,Boitel,Boin,Boillot,Boid,Bohonik,Bohnker,Bohney,Bohlsen,Bohlman,Bohlken,Bogut,Bognuda,Bogguess,Bogg,Bofinger,Boero,Boerm,Boeri,Boera,Boelk,Boehnke,Boege,Bodyfelt,Bodon,Bodison,Bodfish,Boderick,Bodenhagen,Bodelson,Bodary,Bocskor,Bockrath,Bocklund,Bockhorn,Bockenstedt,Bockelmann,Bochicchio,Boches,Bochek,Bocchieri,Boccard,Bobsin,Bobrosky,Bobowiec,Boblak,Bobet,Boane,Boamah,Blyze,Blute,Blush,Blunkall,Blundo,Blumkin,Bluming,Blumenschein,Blumenkrantz,Blumenberg,Bluel,Bloye,Blott,Blotsky,Blossomgame,Blosfield,Bloomstrom,Bloomstrand,Bloomsburg,Blonsky,Blonigan,Blomstrand,Bloes,Bloemker,Bloedel,Blochberger,Blizard,Blinebry,Blindt,Blihovde,Blide,Blicker,Bleything,Blevans,Blessett,Blesofsky,Bleiler,Bleichner,Bleicher,Bleeck,Blee,Blazon,Blazing,Blazich,Blaydon,Blaxland,Blauw,Blauman,Blaszczyk,Blasl,Blashak,Blasenhauer,Blanscet,Blanquet,Blanquart,Blannon,Blanko,Blankenbecler,Blanga,Blander,Blakstad,Blailock,Blafield,Blaeser,Blaese,Blady,Bladt,Blacock,Blackwall,Blackmoore,Blackmar,Blackington,Blackbird,Blacio,Blachowski,Bjornstrom,Bjorn,Bjerknes,Bjerken,Bjella,Bizzard,Bivans,Bitzenhofer,Bitar,Bitah,Bissol,Bissel,Bissada,Bispham,Bisikirski,Bischel,Biscari,Bisanz,Birthwright,Birsner,Bironas,Birner,Birnberg,Birkmaier,Birkenhagen,Birely,Birdon,Bionda,Binn,Bininger,Binet,Binderup,Binam,Billus,Billue,Billotti,Billinsley,Billingsby,Billigmeier,Billiet,Billiar,Billesbach,Bilchak,Bilansky,Bijan,Bihler,Bihl,Bigusiak,Bigony,Bignell,Biggard,Biewald,Biever,Bietsch,Biesenthal,Biesecker,Bierut,Bierstedt,Bierschbach,Biersack,Bierod,Bierl,Bierkortte,Biener,Bielser,Bielke,Bielefield,Biedekapp,Bidstrup,Bidell,Biddlecome,Bicknase,Bicking,Bichoupan,Bichoff,Bibiloni,Biastock,Biasotti,Bianchin,Bhullar,Bhaskar,Bhamaraniyama,Bhairo,Bezenek,Beyser,Beyke,Beyea,Beydoun,Beyale,Beyal,Bevevino,Beuttel,Beutnagel,Beuthin,Beuse,Beurskens,Beukema,Beukelman,Beuerle,Beuchler,Betzner,Betzler,Betzig,Bettley,Betry,Betit,Bethurem,Betha,Betenson,Betak,Bestwick,Bestine,Beste,Bessone,Bessinger,Bessellieu,Besong,Besner,Beskom,Beshore,Beser,Besen,Beseke,Besares,Besant,Besanson,Besancon,Berzunza,Berulie,Bertrum,Bertot,Berto,Bertman,Berther,Berth,Bertella,Bertao,Bershadsky,Bersaw,Berrospe,Berrocal,Berray,Bernstock,Bernotas,Bernos,Bernmen,Bernitsky,Bernieri,Berni,Bernheim,Berneri,Bernell,Bernbeck,Bernaudo,Bernau,Bernatchez,Bernarducci,Bernardon,Bernand,Bernacki,Berlingo,Berley,Berlandy,Berlacher,Berkovitch,Berkenbile,Berkbigler,Berishaj,Bering,Bergstedt,Bergsman,Bergouignan,Bergold,Bergmeyer,Bergfalk,Bergenty,Bergenstock,Bergene,Bergamine,Bergami,Berey,Beresik,Berentz,Berenschot,Bereda,Berdux,Berdar,Berdahl,Berczy,Berchielli,Bercher,Berceir,Berbig,Berbereia,Benzee,Benwarc,Benulis,Bentzinger,Bentrem,Benthusen,Benston,Bennings,Bennight,Benneth,Bennard,Bennafield,Benkosky,Benker,Benje,Benisek,Benintendi,Bening,Beninati,Benimadho,Benezra,Beneuento,Bendu,Bending,Bendell,Benckendorf,Benbenek,Benanti,Benamati,Benafield,Benach,Benac,Bembi,Belwood,Belvees,Beltramo,Belstad,Belski,Belschner,Belscher,Belovs,Belousson,Belous,Belony,Belonger,Belluz,Bellmore,Bellitti,Belliston,Bellingtier,Bellinder,Bellhouse,Bellflowers,Bellen,Bellehumeur,Bellefontaine,Bellar,Bellantone,Bellair,Bellace,Belken,Belke,Beliz,Belina,Belieu,Belidor,Beliard,Belhumeur,Belfy,Belfort,Belfi,Belfast,Belezos,Belchior,Belarmino,Belanich,Belancer,Bejil,Bejger,Bejerano,Beja,Beiswenger,Beissel,Beilstein,Beilinson,Beilfuss,Beile,Behner,Behizadeh,Behimer,Beherns,Behanan,Behal,Begun,Beguhl,Begonia,Begolli,Begnoche,Begen,Beese,Beerle,Beemon,Beelar,Beedoo,Beedles,Beedham,Beeckman,Beebout,Bedre,Bedocs,Bednarowicz,Bedlion,Bedillion,Beder,Bedenfield,Bedee,Bedaw,Bedatsky,Bedar,Beckor,Becklin,Beckes,Beckelheimer,Beaureguard,Beauparlant,Beau,Beattle,Beatson,Beath,Beards,Bearded,Beandoin,Beady,Beachman,Beachell,Bayus,Baysden,Bayouth,Bayon,Bayn,Bayani,Baxtor,Bawks,Bawer,Bawcombe,Baves,Bautiste,Baute,Baurer,Baumohl,Baumli,Baumkirchner,Baumiester,Baumgartel,Baumgarn,Baumfalk,Bauchspies,Bauce,Batzri,Battisto,Batter,Battenhouse,Batteiger,Batrich,Batra,Batlle,Batlis,Batliner,Batkin,Batchellor,Bastick,Bastardi,Bassiti,Basore,Basone,Baskow,Basini,Basila,Bashline,Baseley,Bascas,Barvosa,Barvick,Barus,Bartuska,Bartula,Bartosik,Bartosch,Bartoli,Bartmes,Bartlette,Bartkus,Bartkiewicz,Bartholomeu,Barte,Bartch,Barsegyan,Barschdoor,Barscewski,Barsamian,Barryman,Barrowman,Barrois,Barrish,Barriault,Barrete,Barree,Barran,Baronne,Barninger,Barners,Barnebey,Barnak,Barnacle,Barlup,Barlock,Barlau,Barlak,Barken,Barkema,Barjenbruch,Barillo,Barill,Barientos,Baria,Bargstadt,Bargmann,Bargeron,Baresi,Barera,Barends,Bardos,Bardoner,Bardill,Bardell,Barck,Barcik,Barchus,Barchacky,Barberr,Barbaza,Barbarito,Barbare,Barbalich,Barbadillo,Baranga,Barahana,Baradi,Barad,Barach,Barabin,Baquero,Banwarth,Bansmer,Banse,Banowski,Bannett,Bankos,Bangura,Banerji,Banek,Bandyk,Bandura,Bandasak,Bandarra,Bancourt,Banco,Bancks,Banbury,Bamforth,Bambas,Bambace,Balzotti,Balzarine,Balza,Balwinski,Baltruweit,Baltazor,Balsis,Baloy,Balow,Balock,Balo,Balm,Balluch,Ballowe,Ballmann,Ballez,Balletto,Ballesterous,Ballena,Ballejos,Ballar,Ballan,Ballagas,Balitas,Balish,Baligod,Balich,Baldwyn,Balduzzi,Baldos,Balderree,Baldearena,Balda,Balcos,Balasko,Balangatan,Balak,Baladejo,Bakalars,Bajko,Bajek,Baitner,Baison,Bairo,Baiotto,Bainey,Bailleu,Bailado,Baibak,Bahri,Bahde,Bahadue,Bagwill,Bagu,Bagron,Bagnaschi,Baffa,Baff,Baeskens,Baerg,Baenziger,Baena,Baell,Badzinski,Badruddin,Badlam,Badey,Badertscher,Badenoch,Badagliacca,Bacone,Bacman,Backhuus,Bacino,Bachmeyer,Bachinski,Bachas,Bachan,Bacerra,Bacayo,Babson,Bablak,Babinski,Babilon,Babikian,Babicz,Babey,Babbish,Baarts,Baack,Azznara,Azuma,Azor,Azatyan,Azapinto,Azahar,Ayyad,Aytes,Aysien,Aymar,Aylock,Ayhens,Ayele,Aydin,Axtman,Axman,Awyie,Aw,Avona,Avner,Avison,Avenia,Aveles,Avarbuch,Avancena,Autullo,Autovino,Autobee,Auther,Auter,Austino,Austine,Auster,Auslam,Aurrichio,Aun,Auls,Aulder,Aufiero,Audrey,Audibert,Audelhuk,Auckley,Auces,Aubel,Auala,Atzinger,Atzhorn,Attwell,Attles,Attilio,Attia,Atthowe,Atteburg,Atmore,Atma,Atleh,Atkisson,Athy,Atherholt,Athanasiou,Atengco,Atamanczyk,Astillero,Astafan,Assum,Assis,Assing,Assenmacher,Assalone,Assael,Asrari,Aspri,Aspley,Asperheim,Aspell,Asnicar,Asner,Askiew,Askia,Aske,Ask,Ashly,Ashkettle,Ashing,Ashbourne,Ashbach,Ashaf,Asenjo,Aseng,Aseltine,Ascol,Aschbacher,Asamoah,Arzt,Arzabala,Arview,Arvez,Arvanitis,Arva,Arunachalam,Arton,Arties,Artibee,Arthun,Artez,Arters,Arsham,Arseneault,Arroyd,Arroyano,Arrospide,Arrocho,Arrisola,Arrindel,Arrigone,Arrellin,Arredla,Arrand,Arrance,Arquelles,Arosemena,Arollo,Aroca,Arntzen,Arnsberger,Arnitz,Arnerich,Arndell,Arnaudet,Arnao,Arnaldo,Army,Armout,Armold,Armocida,Armlin,Armiso,Armesto,Armen,Armada,Arkontaky,Arking,Aristizabal,Arisa,Arildsen,Arichabala,Ariail,Argulewicz,Argudin,Argro,Argie,Argenziano,Argenti,Arendash,Arendall,Arendale,Arelleano,Arehano,Ards,Ardeneaux,Ardelean,Ardaly,Arciola,Arcieri,Archiopoli,Archdale,Archbell,Arbon,Arbolida,Arbetman,Arbertha,Arau,Arashiro,Araneo,Arancibia,Araldi,Aragones,Aragao,Arabajian,Aquas,Apthorpe,Apshire,Aprill,Aprigliano,Applonie,Appl,Appia,Appana,Aponta,Aplington,Apley,Apker,Apelian,Apadaca,Aono,Ao,Anzideo,Anway,Antronica,Antosh,Antonovich,Antoniak,Antolak,Antila,Antignani,Anthes,Antao,Ansoategui,Ansloan,Anreozzi,Anos,Anolick,Anoe,Annuzzi,Anning,Annarino,Annal,Annable,Annabel,Anitok,Aninion,Animashaun,Anidi,Angocicco,Angland,Angiolelli,Angileri,Angilello,Angier,Angermeier,Angelozzi,Angelou,Angellotti,Angelillo,Angelica,Angalich,Aney,Anewalt,Anetsberger,Anesi,Aneshansley,Anene,Anecelle,Andrzejczyk,Andrzejczak,Andruszkiewic,Andrson,Androde,Andriopulos,Andrino,Andrich,Andreola,Andregg,Andreessen,Andrango,Andradez,Andrades,Andrachak,Andoh,Andina,Anderst,Anderholm,Andere,Andalora,Anciso,Ancic,Ancel,Ancar,Ancalade,Anawaty,Anawalt,Amys,Amstrong,Amspaugh,Amous,Amott,Amoros,Amormino,Amoriello,Amorello,Amoe,Amodt,Ammonds,Ammirata,Ammer,Amlin,Amith,Amistadi,Amill,Amigo,Amerio,American,Amentler,Amemiya,Amela,Amejorado,Amedro,Amedeo,Amburgy,Ambroziak,Ambrister,Amboree,Amboise,Ambert,Ambagis,Amauty,Amat,Amas,Amarian,Amara,Amalong,Alwin,Alwazan,Alvirez,Alvero,Alverado,Alty,Altstatt,Altsisi,Altmark,Altimus,Altamiruno,Alson,Alsing,Alsaqri,Alrod,Alquesta,Alpis,Alpheaus,Alperin,Aloy,Alosta,Aloan,Alnoor,Almsteadt,Almstead,Almos,Almgren,Almarza,Almajhoub,Allyne,Allsbrooks,Allon,Allinger,Alliman,Alliance,Allgire,Allevato,Alleshouse,Alleruzzo,Allerton,Allder,Allcock,Allbert,Allanson,Allabaugh,Alkins,Alkema,Alkana,Aljemal,Alisauskas,Alimo,Alimento,Alie,Alicer,Alias,Alhusseini,Alhameed,Alhambra,Alhaddad,Alfredo,Alfiero,Aleyandrez,Alexidor,Alexandropoul,Alexanders,Alexakis,Alesse,Alesna,Alepin,Alejandrez,Aldworth,Aldrow,Aldrige,Aldonza,Alcine,Alcantas,Albu,Albrough,Albor,Albe,Albarracin,Albarazi,Alatosse,Alarcone,Alanko,Aland,Alamia,Alameida,Alambar,Alai,Akwei,Aksoy,Ako,Akley,Akinrefon,Akimseu,Akhavan,Akhand,Akery,Akawanzie,Akapo,Akamiro,Akal,Ajoku,Ajani,Aiuto,Aiudi,Airth,Aipperspach,Aiporlani,Aipopo,Aiola,Aini,Ailsworth,Aills,Ailiff,Aievoli,Aid,Aiava,Ahyet,Ahrenholz,Ahnell,Ahlo,Ahlfield,Ahlemeyer,Ahimud,Ahia,Ahhee,Ahaus,Ahalt,Agustino,Agustine,Agurs,Agumga,Aguele,Agresto,Agreda,Agpaoa,Agosti,Agoro,Agonoy,Agoff,Aggers,Agemy,Ageboi,Agbisit,Afurong,Afshar,Affronti,Afflick,Affeltranger,Afable,Aeillo,Adule,Adrion,Adolphe,Adolfson,Adner,Adloff,Adling,Adickes,Adib,Adelsperger,Adelmund,Adelizzi,Addeo,Adamsonis,Adamsen,Adamowski,Adamos,Adamec,Adalja,Acosto,Acors,Acorda,Acock,Acly,Ackah,Achin,Aceveda,Acerra,Acerno,Aceituno,Acee,Accala,Acal,Abusufait,Abugn,Abuel,Absalon,Abriola,Abrey,Abrell,Abramovitz,Abramoff,Abramian,Abrahamian,Abousaleh,Aboshihata,Abolafia,Ableman,Abkemeier,Abington,Abina,Abigantus,Abide,Abeta,Abercombie,Abdulmuniem,Abdulaziz,Abdou,Abdelmuti,Abdelaziz,Abdelal,Abbington,Abbatiello,Abajian,Abaja,Aarsvold,Aarhus,Aardema,Aarant,Aanderud,Aalund,Aalderink".split(',') class Learner: def __init__(self): self.db = {} def learn(self, text): replacements1 = {'[^a-zA-Z0-9\.;:\-]': ' ', '\s+': ' ', ', ': ' , ', '\. ': ' . ', ': ': ' : ', '; ': ' ; '} for key, value in replacements1.items(): text = re.sub(key, value, text) items = [item.lower() for item in text.split(' ')] for i in range(len(items) - 1): item = items[i] nextitem = items[i + 1] if item not in self.db: self.db[item] = {} if nextitem not in self.db[item]: self.db[item][nextitem] = 1 else: self.db[item][nextitem] += 1 def save(self, filename): cPickle.dump(self.db, open(filename, 'wb')) def load(self, filename): self.loadd(cPickle.load(open(filename, 'rb'))) def loadd(self, db): self.db = db def generate(self, length=10000, prefix=False): replacements2 = {' ,': ',', ' \.': '.\n', ' :': ':', ' ;': ';', '\n\s+': '\n'} keys = self.db.keys() key = keys[random.randint(0, len(keys) - 1)] words = key words = words.capitalize() regex = re.compile('[a-z]+') for i in range(length): okey = key if not key in self.db: break # should not happen db = self.db[key] s = sum(db.values()) i = random.randint(0, s - 1) for key, value in db.items(): if i < value: break else: i -= value if okey == '.': key1 = key.capitalize() else: key1 = key if prefix and regex.findall(key1) and \ random.random() < 0.01: key1 = '<a href="%s%s">%s</a>' % (prefix, key1, key1) words += ' ' + key1 text = words for key, value in replacements2.items(): text = re.sub(key, value, text) return text + '.\n' def da_du_ma(n=4): return ''.join([['da', 'du', 'ma', 'mo', 'ce', 'co', 'pa', 'po', 'sa', 'so', 'ta', 'to'] [random.randint(0, 11)] for i in range(n)]) def populate(table, n=None, default=True, compute=False, contents={}): """Populate table with n records. if n is None, it does not populate the database but returns a generator if default=True use default values to fields. if compute=False doesn't load values into computed fields. if contents has data, use these values to populate related fields. can be used in two ways: >>> populate(db.tablename, n=100) or >>> for k,row in enumerate(populate(db.tablename)): print row """ generator = populate_generator(table, default=default, compute=compute, contents=contents) if n is not None: for k,record in enumerate(generator): if k>=n: break table.insert(**record) table._db.commit() return generator def populate_generator(table, default=True, compute=False, contents={}): """Populate table with n records. if default=True use default values to fields. if compute=False doesn't load values into computed fields. if contents has data, use these values to populate related fields. """ ell = Learner() #ell.learn(open('20417.txt','r').read()) #ell.save('frequencies.pickle') #ell.load('frequencies.pickle') ell.loadd(IUP) ids = {} while True: record = contents.copy() # load user supplied contents. for fieldname in table.fields: if fieldname in record: continue # if user supplied it, let it be. field = table[fieldname] if not isinstance(field.type, (str, unicode)): continue elif field.type == 'id': continue elif default and not field.default in (None, ''): record[fieldname] = field.default elif compute and field.compute: continue elif field.type == 'boolean': record[fieldname] = random.random() > 0.5 elif field.type == 'date': record[fieldname] = \ datetime.date(2009, 1, 1) - \ datetime.timedelta(days=random.randint(0, 365)) elif field.type == 'datetime': record[fieldname] = \ datetime.datetime(2009, 1, 1) - \ datetime.timedelta(days=random.randint(0, 365)) elif field.type == 'time': h = random.randint(0, 23) m = 15 * random.randint(0, 3) record[fieldname] = datetime.time(h, m, 0) elif field.type == 'password': record[fieldname] = '' elif field.type == 'upload': record[fieldname] = None elif field.type == 'integer' and \ hasattr(field.requires, 'options'): options = field.requires.options(zero=False) if len(options) > 0: record[fieldname] = options[ random.randint(0, len(options) - 1)][0] else: record[fieldname] = None elif field.type == 'list:integer' and hasattr(field.requires, 'options'): options = field.requires.options(zero=False) if len(options) > 0: record[fieldname] = [item[0] for item in random.sample( options, random.randint(0, len(options) - 1) / 2)] elif field.type == 'integer': try: record[fieldname] = random.randint( field.requires.minimum, field.requires.maximum - 1) except: if 'day' in fieldname: record[fieldname] = random.randint(1,28) elif 'month' in fieldname: record[fieldname] =random.randint(1,12) elif 'year' in fieldname: record[fieldname] =random.randint(2000,2013) else: record[fieldname] = random.randint(0, 1000) elif field.type == 'double' \ or str(field.type).startswith('decimal'): if hasattr(field.requires, 'minimum'): rand = random.random() if str(field.type).startswith('decimal'): import decimal rand = decimal.Decimal(rand) record[fieldname] = field.requires.minimum + \ rand * (field.requires.maximum - field.requires.minimum) else: record[fieldname] = random.random() * 1000 elif field.type[:10] == 'reference ': tablename = field.type[10:] if not tablename in ids: if table._db._dbname == 'gql': ids[tablename] = [x.id for x in table._db( table._db[field.type[10:]].id > 0).select()] else: ids[tablename] = [x.id for x in table._db( table._db[field.type[10:]].id > 0).select()] n = len(ids[tablename]) if n: record[fieldname] = \ ids[tablename][random.randint(0, n - 1)] else: record[fieldname] = 0 elif field.type[:15] == 'list:reference ': tablename = field.type[15:] if not tablename in ids: if table._db._dbname == 'gql': ids[tablename] = [x.id for x in table._db( table._db[field.type[15:]].id > 0).select()] else: ids[tablename] = [x.id for x in table._db( table._db[field.type[15:]].id > 0).select()] n = len(ids[tablename]) if n: record[fieldname] = [item for item in random.sample( ids[tablename], random.randint(0, n - 1) / 2)] else: record[fieldname] = 0 elif field.type == 'list:string' \ and hasattr(field.requires, 'options'): options = field.requires.options(zero=False) if len(options) > 0: record[fieldname] = [item[0] for item in random.sample( options, random.randint(0, len(options) - 1) / 2)] elif field.type == 'string': if hasattr(field.requires, 'options'): options = field.requires.options(zero=False) record[fieldname] = \ options[random.randint(0, len(options) - 1)][0] elif fieldname.find('url') >= 0: record[fieldname] = 'http://%s.example.com' % \ da_du_ma(4) elif fieldname.find('email') >= 0: record[fieldname] = '%s@example.com' % da_du_ma(4) elif fieldname.find('name')>=0: if fieldname.find('first')>=0: record[fieldname] = random.choice(FIRST_NAMES) elif fieldname.find('last')>=0: record[fieldname] = random.choice(LAST_NAMES) elif fieldname.find('username')>=0: record[fieldname] = random.choice(FIRST_NAMES).lower()+str(random.randint(1000,9999)) else: record[fieldname] = random.choice(FIRST_NAMES)+' '+random.choice(LAST_NAMES) elif fieldname.find('phone')>=0: record[fieldname] = '(%s%s%s) %s%s%s-%s%s%s%s' % ( random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890')) elif fieldname.find('address') >=0: record[fieldname] = '%s %s %s Street' % (random.randint(1000,9000),random.choice(FIRST_NAMES),random.choice(LAST_NAMES)) else: z = ell.generate(10, prefix=False) record[fieldname] = z[:min(60,field.length)].replace('\n', ' ') elif field.type == 'text': if fieldname.find('address')>=0: record[fieldname] = '%s %s %s Street\nChicago, IL\nUSA' % (random.randint(1000,9000),random.choice(FIRST_NAMES),random.choice(LAST_NAMES)) else: record[fieldname] = ell.generate( random.randint(10, 100), prefix=None) yield record if __name__ == '__main__': ell = Learner() ell.loadd(eval(IUP)) print ell.generate(1000, prefix=None)
ajibawa-2023/Python-Code-Large/train/row_613
174
270
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_613:Import_L1_C0", "label": "re import re", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.0037, 0.0037, 0, 0.66, 0.0, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Import_L2_C0", "label": "cPickle import cPickle", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.0074, 0.0037, 0, 0.66, 0.0909, 279, 0, 1, 0, 0, 279, 0, 0], "semantic": {"name": "cPickle", "arg_names": [], "import_names": ["cPickle"], "rhs_call_name": "", "annotation": ""}, "snippet": "import cPickle"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Import_L3_C0", "label": "random import random", "type": "import", "loc": [3, 3], "level": 0, "parent": null, "vector": [1, 0, 0.0111, 0.0037, 0, 0.66, 0.1818, 715, 0, 1, 0, 0, 715, 0, 0], "semantic": {"name": "random", "arg_names": [], "import_names": ["random"], "rhs_call_name": "", "annotation": ""}, "snippet": "import random"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Import_L4_C0", "label": "datetime import datetime", "type": "import", "loc": [4, 4], "level": 0, "parent": null, "vector": [1, 0, 0.0148, 0.0037, 0, 0.66, 0.2727, 426, 0, 1, 0, 0, 426, 0, 0], "semantic": {"name": "datetime", "arg_names": [], "import_names": ["datetime"], "rhs_call_name": "", "annotation": ""}, "snippet": "import datetime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L6_C0", "label": "IUP =", "type": "assigned_variable", "loc": [6, 6], "level": 0, "parent": null, "vector": [14, 0, 0.0222, 0.0037, 0, 0.66, 0.3636, 533, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "IUP", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "IUP = {'shoebill':{'a':1,'187':1},'trout-like':{'parr':1},'fig.':{'19':1},'mcintosh.':{'the':1,'illustration':1},'chiasmodon':{'niger':2},'yellow':{'and':4,'giant':1,'green':2,'red':1,'spots':1},'four':{'brightly':1,'hundred':1,'haunts':1,'feet':1,'solutions':2,'hours.':1,'things':1,'long':1,'.':2,'legs':1,'inches':4,'thousand':1,'million':1,'pairs':2,'hours':1,'satellites':1,'tufts':1,'great':1,'main':1,'of':1,'months':1,'days':1,'times':4,'volumes':1,'inches.':1,'frilled':2,'or':3},'snapping-blades':{'the':1},'aegir':{'on':4},'hanging':{'down':1,'on':2},'bird--evidences':{'of':1},'canes':{'venatici':1},'inheritance.':{'looking':1},'electricity':{'and':5,'belong':1,'is':4,'rotating':2,'held':1,'as':1,'sec':1,'in':1,'yet':1,'predominates':1,'from':1,'there':1,'.':9,'to':1,'which':4,';':4,'has':1,'we':1,'that':1,'here':1,'i.e':1,'like':1,'repel':1,'the':2,'or':1,'attracting':1},'similarity':{'of':3,'between':1},'sunlit':{'side':1},'superficially':{'indistinguishable':1,'like':1},'out-breeding':{'among':1,'when':1,'exogamy':1},'lord':{'popular':1,'kelvin':5,'avebury':1},'non-intelligent':{'experiments':1},'flicking':{'out':1},'meadows':{'and':2,'an':1},'sinking':{'down':2,'according':1,'in':1},'digit':{'of':1,'well':1},'co-operation':{'of':2},'oceans':{'lie':1,'of':1,'there':1,'are':1,'goes':1,'must':1},'pigment':{'and':1,'is':2,'.':1,'as':1,'which':1,';':1},'figs':{'.':1},'fingers.':{'but':1},'experimentally':{'on':1},'bringing':{'of':1,'about':1,'the':2},'elevations':{'and':1,'of':1},'meadow.':{'in':1},'internally':{'hot':1},'whitman':{'says':1,'took':1},'colour--the':{'result':2},'stars.':{'yet':1},'persisted':{'as':1,'until':1},'chameleons':{'the':1,'.':1},'intensification':{'of':1},'succession':{'giving':1,'of':5,'the':1,'has':1,'.':1},'tube--the':{'walls':1},'ultra-violet':{'and':1,'light':1,'waves--which':1,'or':1,'waves':1},'straight':{'ahead':1,'drop':1,'lines':1,'down':1,'through':1,'in':1,'path':2,'line':1,'legs':1,'along':1},'spiders':{'about':1,'were':1,'it':1,'.':1,'scorpions':1,'are':1,'have':1,'in':1},'specially':{'protected':1,'adapted':1},'symmetry.':{'illustration':1},'stiffens':{'.':1},'270':{'a':1,'silk':1,'reproduced':1},'271':{'electrical':1,'from':1},'second':{'and':5,'layer':1,'when':1,'year':1,'extinction':1,'yet':1,'any':1,'group':1,'would':3,'there':1,'question':2,'.':10,'to':1,'millennium':1,'which':1,';':1,'then':1,'we':1,'advantage':1,'that':1,'class':1,'screen.':1,'interglacial':1,'every':1,'longest':1,'not':1,'cousin':1,'copy':1,'opportunity':1,'by':1,'a':1,'great':1,'these':1,'of':1,'or':1,'preparation':1,'printing':1,'error':1,'position':1,'the':2,'chapter':1,'photograph':2},'attended':{'the':1,'by':2},'274':{'photo':1},'275':{'from':1},'278':{'hours':1,'photo':1},'279':{'rotating':1,'the':2},'inanimate':{'world':1},'dormancy':{'.':1},'errors':{'a':1,'in':1},'semicircular':{'canals':1},'phalangers':{'and':1,'flying':1},'thunder':{'and':1,'means':1},'nature.':{'the':1,'typical':1,'what':1,'illustration':1,'one':1},'contributed':{'every':1},'fingers':{'and':6,'to':1,';':1,'2':1,'knocking':1},'lowliness':{'.':1},'fossil':{'horses':1,'remains':2,'series':1,'forms':2,'scorpions':1,'of':2,'species':1},'increasing':{'control--a':1,'temperature':1,'facility':1,'intelligence':1,'complexity':2,'fullness':1,'the':1,'with':1,'day':1},'inducement':{'many':1},'surface--the':{'photosphere--is':1},'chins':{'and':1},'error':{'a':1,'we':1,'is':1,'here':1,'method':2,'to':1,';':1,'or':1,'must':1},'here':{'and':5,'says':1,'is':5,'within':1,'some':1,'it':1,'anticipating':1,'go':1,'seen':1,'again':4,'for':1,'also':1,'rather':1,'concerned':1,'since':1,'.':1,'to':3,'only':2,'cockchafers':1,'you':1,'was':2,'refer':1,'we':2,'let':1,'with':1,'nor':1,'a':1,'of':1,'spontaneously':1,'the':2,'stimulating':1,'are':1},'atoms':{'and':10,'being':1,'is':1,'an':1,'270':1,'whilst':1,'exist':1,'are':4,'have':1,'in':3,'seem':1,'seek':1,'containing':1,'indivisible':1,'from':1,'appear':1,'would':1,'with':1,'had':1,'.':5,'which':2,'got':1,';':2,'has':1,'was':1,'into':1,'do':2,'form':1,'were':4,'but':1,'atoms':2,'break':1,'most':1,'they':1,'put':1,'come':1,'themselves':1,'he':1,'for':1,'of':33,'enter':1,'the':2,'first':1,'at':1},'reported':{'to':1,'in':1,'that':1},'china':{'and':1},'evolutionist':{'s':1,'ideas':1,'suggestion':1},'fire.':{'chief':1,'saturn':1},'substance':{'in':1,'both':1,'from':2,'would':1,'is':1,'after':1,'glowing':1,'reaches':1,'.':3,'will':1,'to':1,'as':2,'but':1,'which':2,'were':1,'known':1,'has':1,'by':1},'contribute.':{'another':1},'k':{'.':1},'second--more':{'than':1},'reports':{'performances':1},'controversy':{'as':1},'forbes':{'observed':1,'tells':1,'history':1},'symmetrical':{'fishes.':1},'heidelbergensis':{'discovered':1},'appropriately':{'giants':1},'divide':{'a':1,'in':1},'owed':{'to':1},'explained':{'on':1,'because':1,'presently':1,'that':1,'later':1,'in':4,'by':1},'lengthen':{'the':1},'replace':{'the':4,'it':1},'brought':{'about':3,'to':3,'into':2,'up':1,'us':1,'their':1,'outside':1,'near':2,'through':1,'together':1,'in':1,'the':1,'its':1},'larger.':{'6':1},'female.':{'the':1},'obligation':{'works':1},'unit':{'body':1,'of':1,'for':1,'areas':1},'disproved--e.g':{'.':1},'spoke':{'of':3},'temperature.':{'if':1},'1892':{'.':1},'occupying':{'a':1},'vol':{'.':4},'untie':{'knots':1},'therefore':{'there':1,'is':2,'it':1,'one':2,'as':1,'are':2,'have':1,'even':1,'little':1,'since':1,'to':1,'survey':1,'means':1,'more':1,'form':1,'that':7,'imagine':1,'not':1,'conspicuous':1,'must':1,'a':2,'always':1,'so':1,'contain':1,'the':1,'called':1},'strike':{'a':1,'to':1,'the':2},'fossiliferous':{'beds':1},'until':{'comparatively':1,'some':1,'it':7,'one':1,'discovered':1,'at':3,'in':1,'its':2,'there':1,'when':1,'finally':1,'we':1,'recently':1,'that':1,'they':5,'such':1,'inconceivable':1,'a':3,'both':1,'i':1,'near':1,'the':3,'once':1},'skill.':{'illustration':1},'females':{'go':1,'the':1,'who':1,'use':1},'9.':{'instinctive':1},'successful':{'hunting':1,'accomplishment':2,'.':1,'notably':1,'race':1,'animal':1,'in':1,'performance':1,';':2,'class':1},'brings':{'about':1,'his':1,'this':1,'them':1,'us':1,'obvious':1,'the':1},'whirling':{'nebulae.':1,'gaseous':1,'streams':1,'motions':1,'electrons':1,'ring':1,'round':1},'glass':{'and':1,'on':1,'by':1,'blown':1,'wall':1,'of':1,'tube':1,'jar':1,'prism':3,'vulcanite':1,'.':2,'walls':1,'vibrate':1,'prism--a':1,'the':2,'tubes':1,'model':2},'inwards':{'each':1},'91':{'photo':1,'after':1,'pictorial':1},'90':{'photo':1,'from':1,'days':2,'per':1},'midst':{'of':1},'92':{'830':2,'as':1,'fossil':1},'95':{'photo':1,'from':1},'immature':{'sperm':1,'egg':1,'larval':1},'circumstances':{'and':1,'of':1,'it':1,'however':1,'indicate':1,'as':1},'locked':{'up':3},'mimickers':{'do':1,'live':1,'though':1,'survive--although':1},'pursue':{'further':1,'the':1},'accomplishment':{'of':2,'would':1},'plunged':{'in':1},'tell-tale':{'evidence':2},'temperatures':{'and':2,'as':1,'enormously':1,'but':1,';':1},'concepts':{'differ':1,'or':1},'plunges':{'into':1},'example':{'a':2,'passes':1,'of':5,'is':1,'three':1,'.':1,'the':1,'out':1},'type.':{'there':1,'steps':1,'it':1,'illustration':1},'encouragement.':{'evidences':1},'nitrates':{'which':1},'organized':{'under':1},'shore.':{'the':1},'dragons':{'and':1,'a':1,'for':1,'stalking':1,'which':1,'the':1,'or':1},'glued':{'to':1,'together':2},'caution':{'is':2,':':1,'in':2},'kingdoms':{'to':1},'want':{'to':1,'that':1},'oil-sheet':{'by':1},'absolute':{'cold':1,'calm':1,'zero':2},'disappearing.':{'thus':1},'travel':{'from':2,'for':1,'that':2,'fifteen':1,'is':1,'it':1,'.':2,'through':1,'at':3,'in':3,'rapidly':1,'with':1,'by':1,'round':1},'drying':{'up':1},'feature':{'of':2,'is':1,'in':2,'that':1},'machine':{'and':1,'readable':1,'which':1,'in':1},'how':{'beautiful':1,'this':2,'all':2,'useful':1,'striking':1,'vertebrates':1,'abundantly':1,'it':6,'long':4,'in':1,'curious':1,'your':1,'their':2,'thoroughly':1,'sunlight':1,'.':1,'to':9,'much':1,'--all':1,'he':1,'admirable':1,'is':1,'whipped':1,'noble':1,'we':4,'express':1,'do':4,'men':1,'but':1,'soon':1,'magnetism':1,'important':1,'infinite':1,'man':1,'a':1,'like':2,'these':2,'many':4,'could':2,'well':1,'swiftly':1,'did':1,'electrons':1,'can':1,'the':14,'professor':1,'are':2},'krait':{':':2,'should':1},'hop':{'.':1},'significance':{'of':3,'is':1,'.':1,'was':1,'that':1},'mueller':{'where':1},'uselessness':{'of':1},'utilise':{'their':1,'the':7,'atomic':1,'directly':1},'ptarmigan':{'very':1,'moults':1},'diagram':{'a':1,'and':1,'illustrating':3,'illustrates':2,'of':10,'showing':3,'.':4,'fig':2,'shows':2,'is':3,'constructed':1},'dinosaurs':{'and':1,'it':1,'which':1,'in':1},'wrong':{'and':1,'side':1,'though':1},'lattice-work':{'than':1,'but':1},'destined':{'to':3,'within':1},'twined':{'round':1},'pearl-bearing':{'river-mussels':1},'factor.':{'we':1},'types':{'and':2,'we':1,'like':2,'especially':1,'that':2,'of':10,'it':1,'.':2,'are':3,'which':3,'suited':1,'the':1,'has':1,'nearly':1},'calves':{'young':1},'effective':{'and':1,'substitutes':1,'ways':1,'camouflaging':1,'flying':1,'.':1,'action':1,';':1,'response':1},'endeavoured':{'instead':1},'attracts':{'every':1},'headquarters':{'of':1},'specks':{'faintly':1},'keeps':{'the':1,'as':1,'an':1},'back--till':{'we':1},'wing':{'and':1,'remains':1,'of':4,'is':3,'.':3,'while':1,'action':1,'has':1,'was':2},'wind':{'and':3,'tugs':1,'from':1,'around':1,'that':1,'pay':1,'.':1,'falls':1},'wine':{'decanter':1},'ovule':{'so':1},'restriction':{'attendant':1},'school.':{'as':1},'effect.':{'the':1,'illustration':1},'vary':{'a':1,'enormously':1,'.':1},'halfpennies':{'.':1},'microbe':{'or':1},'fore-limbs':{'and':3,'a':1,'emerging':1,'of':1},'elevated':{'into':1},'rewarded':{'the':2},'throne.':{'illustration':1},'wrought':{'on':1,'out':2,'in':1},'admirably':{'suited':1},'matures':{'or':1},'fit':{'and':2,'effected':1,'variations':1,'will':1,'to':2,'beautiful':1,'lasts':1,'the':1},'bodies--evolution':{'of':2},'heretofore':{'unimagined':1},'fix':{'dates':1,'after':1,'the':1},'occupations':{'and':1,'whether':1},'survivors':{'in':1},'woolly-haired':{'africans':1,'african':1},'anticipations':{'at':1},'fig':{'4':1,'.':36},'nobler':{'more':1},'hidden':{'disc':1,'from':1,'secrets.':1,'or':1},'alpine':{'heights':1},'admirable':{'indeed':1,'is':1,'adjustment':1,'in':1},'easier':{'to':4,'for':1},'bristle':{'.':1},'bolton.':{'the':3,'orang-utan':1,'chimpanzee':1,'cassowary':1},'f.r.s':{'.':1},'effects':{'and':1,'on':1,'from':1,'of':2,'due':1,'.':1,'are':1},'stars;':{'their':1},'coal-fields':{'is':1,'can':1},'devices.':{'vii':1,'illustration':1},'prize':{'is':1},'represents':{'a':2,'the':4,'an':1},'educable.':{'illustration':1},'humming-birds':{'we':1},'arrow':{'round':1,'shows':1},'obdurate':{'solid':1},'burial':{'customs':1},'financial':{'support':1},'telescope':{'and':1,'because':1,'show':1,'developed':1,'is':4,'it':1,'depends':1,'at':1,'in':1,'takes':1,'49':1,'remains':1,'.':3,':':1,'was':1,'brings':1,'construction':2,'with':1,'of':1,'mount':2,'weigh':1,'the':2},'garment':{'of':5,'by':1,'.':1},'spider':{'called':1,'203':1,'has':1,'that':1,'may':2,'dr':1,'ascends':1,'after':1,'reaches':1,'sunning':2,'jerks':1,'to':4,'s':1,'which':1,'--brushes':1,'with':1,'is':1,'ornithoscatoides':1},'parasites':{'a':1,'have':1,'may':1,'casual':1,'as':1,'are':2,'which':1,'or':1,'often':1},'armour--the':{'sea-urchin':1},'contracting':{'striped':1,'muscles':1,'mass':1,'the':1,'its':1},'depositing':{'eggs':1},'laboratory':{'cambridge':1,'would':1,'had':1,'but':1,'.':1,'at':1,'in':1,';':1,'or':1},'nerve-cell':{'s.c.':1,'m.c.':1,'a.c.':1},'message':{'travels':3,'is':2,'reaches':1},'borne':{'on':1,'just':1,'away':1,'in':1,'usually':1,'by':2,'out':1},'speed.':{'in':1},'excepting':{'the':1},'ice-sheets':{'retreated':1},'unrelated':{'types':1},'adapt':{'itself':1},'centauri':{'4.29':1,'estimated':1},'foundation':{'and':3,'web':1,'makes':1,'is':2,'as':1,'.':3,'project':1,'how':1,'s':3,'at':1,'in':1,'the':5,'was':1,'or':1,'are':1,'anyone':1},'stamping':{'a':1},'assured':{'that':1},'waddle':{'130':1},'strata':{'of':3,'is':1,'when':1,'contained':1,'have':1,';':1,'with':1},'solution':{'containing':1,'that':1,'may':1,'of':4,'within':1,'when':1,'has':1,'was':1},'sensory':{'nerve-fibre':2,'nerve-cell':1,'equipment':1,'nerve-cells':1,'stimulus':1,'fibres':1,'alertness':1},'born.':{'but':1},'crowned':{'with':1},'estimate':{'and':1,'obtained':1,'being':1,'how':1,'this':1,'of':2,'its':1,'these':1,'by':1},'universally':{'true':1},'enormous':{'distances':2,'energy':1,'number':1,'disc-like':1,'pressure--2-1':1,'size':1,'infantile':2,'vibration':1,'speed':1,'depths.':1,'amount':2,'increase':1,'pressures':1,'role':1,'store':1,'dilatable':1,'pressure':1,'jets':1,'velocities':1,'length':1,'activity':1,'velocity':1,'the':1},'bates':{'tells':1,'but':1},'exposing':{'it':1},'merychippus':{';':1,'miocene':1},'shelves':{'of':1},'hind-limbs':{'of':2},'perhaps.':{'moreover':1},'elements--we':{'have':1},'disturbed':{'development':1,'and':1,'.':2},'tempting':{'but':1,'one':1},'ineffectively':{'or':1},'speeds':{'to':1},'appreciable':{'atmosphere':1},'gas-bubbles':{'and':1,'in':1},'wasp':{'or':1,'beetle':2},'subtlety':{'in':1,'that':1},'maladies':{'to':1},'channels':{'or':1},'spinning':{'slowly':1,'threads':1,'round':1},'179':{'a':1,'photograph':1,'reproduced':1},'178':{'photo':1,'after':1},'likes.':{'illustration':1},'175':{'after':1},'174':{'after':1},'flagella':{'.':1},'172':{'000':1,'piltdown':1},'171':{'reproduced':1},'170':{'after':1,'from':1},'bitten':{'by':1},'service':{'to':1,'in':2,'abroad':1,'.':1},'similarly':{'for':1,'suggest':1,'when':1,'our':1,'the':3,'adapted':1,'out':1},'cooling':{'and':1,'white-hot':1,'of':3,'metal':1,'but':1,'down':3,'earth':1,'the':1},'needed':{'.':1,'for':1,'in':1},'master':{'of':1,'the':2,'different':1},'blossoms':{'.':1},'gilbert':{'white':1},'legs':{'and':4,'on':1,'free':1,'.':3,'to':1,'indents':1,'so':1,'are':1,'out':1},'genesis':{'of':1,'.':1},'treasure-house':{'of':1},'listen':{'it':1},'rewards':{'to':1},'fibrous':{'husk':1},'wisdom':{'of':1,'in':1},'egg-producer':{'.':1},'motionless':{'on':1,'at':1,'that':1},'predictable':{'and':1},'collaterals':{'hundreds':1,'.':1},'scarborough':{'and':2},'positively':{'say':2,'that':1,'into':1,'charged':1},'insect-visitors':{';':1},'surer':{'by':1},'showed':{'a':1,'on':1,'great':1,'for':1,'that':9,'is':1,'how':2,'simian':1,'the':1},'miniatures':{'of':1},'tree':{'and':2,'217':1,'notice':1,'of':5,'into':1,'struggles':1,'but':1,'.':2,'to':3,'near':1,'i.e':1,'with':1,'is':2,'before':1},'likely':{'to':5,'that':1,'unless':1,'it':1,'however':1},'idly':{'on':1,'why':1},'project':{'gutenberg-tm':56,'gutenberg':29,'gutenberg:':1,'gutenberg-tm.':1,'from':1},'fly-trap':{'77':1,'when':1,'one':1},'feeling':{'and':2,'of':1,'is':1,'.':1,'their':2,'things':1,'or':1},'acquisition':{'almost':1,'of':1,'made':1,'associated':1,'by':1},'life--the':{'first':2},'groaning':{'and':3},'objects':{'and':1,'do':1,'for':1,'very':1,'but':1,'.':2,'271':1,'take':1,'in':2},'similitude':{'of':2},'oxygen-capture':{';':1},'spectrum':{'and':2,'rays':1,'provides':1,'of':4,'is':2,'emitted':1,'analysis':2,'.':3,'will':1,'as':1,'are':1,'have':1,'the':2},'controversy.':{'in':1},'antagonistic':{'substances':1},'well.':{'illustration':1},'constricted':{'off':1},'oxygen-combustion':{'the':1},'dozen':{'eggs':1,'classes':1,'by':1,'years':1},'affairs':{'on':1,';':1,'would':1},'wholesome':{'superstitions':1},'yolk-forming':{'and':1},'person':{'often':1,'you':1,'or':3,'can':1},'eagerly':{'following':1},'metallic':{'vapours':1},'toothed':{'whales':1,'bird':2,'birds':1},'australia--all':{'sometimes':1},'absorbed':{'but':1,'so':1,'in':1,';':1,'with':1,'by':2},'doors':{'and':1,'of':1,'.':1,'depositing':1,'which':1,'were':1},'season':{'209':1,'it':1,'illustration':1},'concedes':{'the':1},'rhodesia':{'very':1,'178':1},'shall':{'be':2,'we':1,'deal':1,'give':1,'predict':1,'explain':2,'never':1,'content':1,'see':11,'have':1,'not':1,'see.':2,'find':2,'refer':1},'screwing':{'the':1,'it':1},'object':{'and':1,'we':1,'of':2,'.':1,'to':1,'too':1,'in':2,'drawn':1},'diminishing':{'in':1},'victoria':{'b':1,'british':2},'gill-cavity':{'and':1},'mouth':{'and':5,'of':1,'is':1,'there':2,'.':6,'allied':1,'are':1,'in':1,'the':1,'where':1,'into':1,'came':1},'long.':{'in':1},'letter':{'is':1,'there':1,'o':2},'drought':{'and':2,'is':1,'frost':1,'by':1,'extremes':1},'hide-and-seek':{'game':1},'difficulties.':{'illustration':1},'expound':{'their':1},'redistribution':{'is':1},'episode':{'in':1},'available.':{'many':1},'professor':{'holmes':2,'and':1,'thomas':2,'j':3,'tacchini':1,'rayleigh':1,'michael':1,'frederick':1,'chamberlin':1,'yerkes':3,'hickson':1,'starling':1,'lull':3,'church':2,'soddy':3,'eddington':4,'sir':8,'le':1,'royal':1,'young':1,'pickering':1,'soddy.':1,'john':1,'gamble':2,'soddy--as':1,'oscar':1,'perrin':1,'william':1,'flinders':1,'buller':1,'wood':1,'thorndike':3,'e':2,'whitman':1,'h':2,'later':1,'poulton':1,'l':2,'curie':1,'s':1,'r':6,'bayliss':1,'w':3,'of':3,'schuchert':2,'percival':2,'left':1,'schwalbe':1,'lloyd':2},'nineteenth':{'century.':2,'century':6},'mating':{'.':1},'incomplete':{'inaccurate':1,'.':1},'marvel':{'that':1},'hobhouse':{'has':1,'had':1},'insects':{'and':5,'belonging':1,'related':1,'extinct':1,'spring-tails':1,'pterodactyls':1,'whose':1,'by':2,'appear':1,'perhaps':1,'divided':1,'.':3,'to':1,'only':1,'which':1,'birds':1,'we':1,'that':2,'rest':1,'such':1,'with':1,'than':1,'on':1,'made':1,'like':1,'could':1,'carries':1,'can':1,'the':2,'where':1,'spend':1},'sea-snakes':{'such':1},'feather-stars':{'on':1},'apace':{'there':1},'touches':{'the':1,'some':1,'one':1},'flagellates--the':{'originators':1},'methods--one':{'using':1},'shuffling':{'a':1,'the':1},'quaint':{'insects':1,'lop-eared':1,'ways':1,'explorer':1,'creatures':2},'unrest.':{'many':1},'character':{'of':1,'set':1,'except':1},'bush':{'in':1},'touched':{'it.':1,'on':1,'by':1},'rich':{'repertory':1,'inheritance':1,'area':1,'seaweed':1,'in':4},'rice':{';':1},'plate':{'and':2,'reveals':1,'may':1,'of':3,'is':1,'there':1,'however':1,'.':4,'underneath':1,'to':1,'goes':1,';':1,'has':1,'holder':1},'well-advanced':{'stage':1},'wide':{'of':1,'range':2,'spread':1,'departures':1,'apart':1},'foremost':{'living':1},'pocket':{'and':1,'of':1,'is':1},'insect.':{'masking':1},'altogether':{'and':1,'we':1,'from':1,'obscure.':1,'there':1,'.':1,'lies':1,'inattentive.':1,'extinct':1,'the':1,'apart':1},'tips':{'of':1,'form':1},'transmissible.':{'given':1},'societies':{'.':1},'greens':{'and':1},'dipnoi':{'which':1},'patch':{'of':2,'which':1},'men.':{'we':1,'the':1},'fitly':{'use':1},'release':{'date':1,'harness':1},'them.':{'1':1,'we':1,'clodd':1},'hasten':{'matters':1,'however':1},'lesson.':{'we':1},'circling':{'eddies':1,'round':1},'protists':{'the':1,'which':1},'evolutionism':{'with':1},'traverse':{'matter':1,'we':1},'fair':{'to':1},'radium':{'and':6,'discharges':1,'270':1,'as':1,'sec':1,'in':1,'salts':1,'passes':2,'rays':8,'began':1,'that':1,'when':1,'.':2,'to':1,'rays.':1,'john':2,'was':2,'generates':1,'captivated':1,'may':1,'now':1,'a':1,'implied':1,'the':2,'or':2},'niche':{'of':2,'among':1},'radius':{'and':1},'result':{'we':1,'of':10,'is':1,'when':1,'.':1,'will':4,'as':1,'strange':1,'which':1,'in':1,'not':1,'was':2},'fail':{'to':4},'nocturnal':{'birds':1,'animal':1},'skulls':{'high':1,'of':1,'.':1},'best':{'methods':1,'for':1,'of':2,'explanation':1,'.':1,'to':1,'while':1,'suited':1,'thermometer':1,'illustrations':1,'i.e':1,'has':1,'dress':1,'conductors.':1},'oceanic':{'islands':1},'rings':{'and':1,'from':1,'of':1,'mighty':1,'are':1,'in':1,'the':1,'round':1},'frond-like':{'tassels':1,'tags':1},'stealthy':{';':1,'stalking':1},'pressures':{'the':1,'that':1},'score':{'of':1,'but':1,'which':1},'conceptual':{'as':1,'inference':1,'inference--or':1},'propagated':{';':1},'circulating':{'at':1,'the':1,'round':1,'as':1,'in':1},'glasgow':{'and':1},'magnesium':{';':1},'preserve':{'free':1},'claws':{'on':3,'especially':1,'.':1},'men':{'and':2,'indicated':1,'it':1,'as':1,'at':1,'have':1,'oftener':1,'still':1,'ancient':1,'.':5,'to':1,'that--':1,'who':4,'proving':1,'but':2,'arose':1,'with':1,'like':2,'of':19,'s':1,'so':1,'were':1,'the':1,'powers':1,'or':1},'extend':{'far':1,'our':1,'the':1,'towards':1,'outwards':1},'nature':{'and':3,'because':1,'less':1,'is':1,'some':1,'depends':1,'acts':1,'draws':1,'would':1,'there':1,'had':1,'.':5,'which':1,'messrs':2,'drawn':1,';':1,'has':2,'was':3,'more':1,'never':1,'but':1,'includes':1,'november':1,'the':1,'a':1,'about':1,'of':28,'s':8,'ninety-two':1,'messrs.':2,'or':1,'involves':2},'blood-containing':{'tufts':1},'twinkling':{'of':1},'cards':{'and':1,'with':1,'but':1,'.':1,'are':1,'come':1},'extent':{'and':1,'on':2,'what':1,'gauged':1,'of':1,'able':1,'intelligently':1,'by':1,'to':1,';':1,'permitted':1},'carbon':{'immersed':1,'compounds':4,'hydrogen':1,'until':1,'dioxide':1},'debt':{'repaid':1},'well-lighted':{'surface':1},'tyranny':{'of':3},'outcome':{'of':12,'is':2},'sacrificing':{'accuracy':1},'refinement':{'and':1},'country':{'then':1,'of':1,'to':1,'outside':1,'in':2,'nothing':1,'the':1},'conclusions':{'are':1,'which':1},'heating':{'process':1},'tree-toads':{'tree-snakes':1},'dents':{'or':1},'argue':{'fire':1},'adapted':{'for':14,'many':1,'.':1,'to':12,'itself':1,'so':1,'in':1},'asked':{'perhaps':1,'to':1,'what':1,'for':3},'exogamy':{'tending':1},'vain':{'and':1},'canyon':{'60':1,'many':1},'259':{'professor':1},'irresponsibly':{'they':1},'252':{'reproduced':1},'250':{'what':1,'000':2,'miles':1,'fathoms':2,'the':1,'inconceivable':1},'251':{'a':1},'grazing':{'mammals':1,'the':1,'herds':1,'bison':2,'in':1},'254':{'photo':1,'from':1,'reproduced':1},'255':{'reproduced':1},'101':{'after':1},'berenices':{'is':1,'.':1},'union':{'of':3,'with':1},'fro':{'about':1,'more':1},'.':{'secondly':1,'all':12,'three-toed':2,'sci':2,'skeleton':1,'chain':1,'holman':1,'mcintosh.':2,'four':1,'zinc':1,'foundations':1,'contributions':1,'magnifying':1,'certainly':1,'fahr.':1,'father':1,'young':2,'miall':1,'to':27,'finally':2,'romanes':1,'lord':1,'non-intelligent':1,'protective':1,'7':4,'very':5,'every':12,'dando':1,'radio-active':1,'well-finished':1,'f.r.s':1,'louis':1,'laying':1,'t.':1,'p':9,'hickson':1,'small':2,'indemnity':1,'round':1,'upper':1,'feathers':1,'yerkes':1,'electricians':1,'further':1,'langmuir':1,'blue':1,'what':24,'17.--a':1,'pariasaurus':1,'paintings':1,'section':1,'above':3,'dr.':1,'new':3,'movement':1,'cheetahs':1,'sci.':1,'men':1,'here':10,'hundreds':1,'anthropology':2,'let':7,'others':3,'along':3,'f.r.s.':1,'neville':1,'daughter':1,'dividing':1,'chalmers':1,'k':1,'compliance':1,'forbes':3,'usually':1,'adopting':1,'holmes':1,'saunders':3,'24.--the':1,'berridge':8,'newby':1,'cuttlefishes':1,'everybody':1,'from':21,'russell':3,'would':1,'remains':1,'positive':1,'two':5,'anatomical':1,'examination':1,'therefore':2,'6':6,'taken':2,'until':2,'on':19,'flying':3,'inclined':1,'berridge.':10,'chimpanzee':1,'lodge':1,'everywhere':1,'hilger':2,'baby':2,'bates':2,'ward':21,'huxley':3,'dando.':3,'none':2,'animals':2,'f':5,'this':102,'science':5,'when':39,'piltdown':1,'3--the':1,'making':1,'male':1,'history':3,'frogs':1,'high':1,'something':1,'story':1,'presently':1,'sir':2,'end':1,'starch':1,'astronomers':3,'how':7,'orang-utan':1,'occasionally':1,'s.':1,'intelligent':1,'side-view':2,'millikan':2,'information':3,'slipher':1,'perrin':1,'after':15,'deep-sea':1,'waves':1,'such':10,'man':4,'a':95,'forestier':3,'light':6,'clavius':1,'osborn':3,'so':24,'kippax':1,'iii.':1,'sc':1,'evolutionary':1,'barnard':2,'pelican':1,'indeed':4,'21.--typical':1,'murray':2,'thomson':7,'helena':1,'experiments':2,'still':2,'its':14,'soddy':1,'before':1,'25':1,'27':1,'21':1,'22':1,'28':1,'wilkinson.':2,'lowell':5,'23.--star':1,'fabre.':2,'26.--a':1,'estuaries':1,'they':99,'compound':1,'not':6,'olcott':1,'now':23,'nor':2,'nos':1,'6.--solar':1,'f.e.s.':1,'james':1,'radiant':1,'reid.':2,'scharff':1,'associative':1,'weighs':1,'everyone':2,'directly':1,'needless':2,'series':2,'fish':1,'journ':2,'macmillan':3,'12.--jupiter':1,'owing':1,'our':5,'hart':1,'special':2,'out':2,'living':4,'9.--the':1,'furthermore':1,'since':2,'may':1,'america.':3,'safety':1,'rational':1,'10.--solar':1,'sluggish':1,'red':1,'7.--the':1,'quite':1,'fourteen':1,'extraordinary':1,'experimenting':1,'besides':6,'put':3,'detecting':2,'keith':1,'ll.d':2,'organic':1,'g':1,'where':2,'hence':5,'first':3,'18.--a':1,'copper':1,'already':1,'plainly':1,'thereafter':1,'one':16,'another':9,'mercury':1,'given':2,'ancient':2,'limited':2,'similarly':4,'anyone':2,'their':13,'2':23,'caterpillars':1,'white':1,'speaking':2,'x-rays':2,'that':23,'19.--comet':1,'part':2,'somewhat':1,'gilbert':1,'11':1,'10':2,'13':2,'b':7,'15':1,'14':2,'17':1,'16':2,'second':2,'project':3,'matter':2,'r':3,'algol':1,'other':4,'are':1,'and':41,'clerk-maxwell':3,'ltd.':2,'pliocene':1,'ages':4,'lull':4,'sentences':1,'1':26,'apparently':1,'any':1,'viewed':1,'eels':1,'u.s':1,'mic':1,'gravity':1,'note':5,'also':1,'without':4,'take':1,'sirius':1,'even':16,'play':2,'unless':4,'wilson.':2,'though':1,'price':1,'who':2,'hincks':1,'most':6,'combustion':1,'nothing':1,'america':1,'nutritive':1,'constitution':1,'firelight':1,'22.--a':1,'dragon-flies':1,'professor':12,'later':2,'heat':2,'looked':1,'25--giant':1,'electrons':7,'prout':1,'normally':1,'laws':1,'stones':1,'hobhouse':1,'aquatic':1,'charles':2,'14.--the':1,'lloyd':1,'uranus':1,'earth':1,'hinkins':2,'copyright':1,'duncan':1,'only':4,'going':2,'molecules':2,'humdrum':1,'thompson':1,'8':5,'4.--the':1,'darwin':4,'thousands':1,'combe':1,'do':3,'his':1,'fossil':1,'meanwhile':2,'15.--mars':1,'there':106,'watch':1,'watson':1,'12':2,'nearly':2,'distinctly':1,'during':3,'silk':2,'dr':1,'crabs':1,'evolution':3,'h':27,'girdled':1,'twice':2,'discs':1,'20.--comet':1,'she':8,'gibson':1,'1922':1,'intelligence':1,'radium':2,'notice':3,'j.':2,'sec':1,'mud-nests':1,'mcgregor.':12,'5.--diagram':1,'tropisms':1,'federal':1,'artificial':1,'birds':1,'3':19,'between':5,'probably':2,'email':1,'crookes':2,'we':115,'tylor':1,'fox-bat':1,'however':5,'8.--the':1,'atoms':2,'both':7,'c':18,'wallace':1,'many':17,'taking':1,'according':6,'s':21,'1.--diagrams':1,'johnstone':1,'otherwise':1,'among':4,'goodrich':1,'simple':4,'had':1,'jeans':1,'whatever':3,'pycraft':1,'church':1,'moreover':9,'newbigin':1,'broadening':1,'marett':1,'geddes':1,'much':5,'sponges':1,'bragg':2,'life':3,'modern':1,'partly':1,'c.':1,'four-toed':1,'luther':1,'13.--saturn':1,'shepstone.':6,'races':1,'despite':1,'an':14,'161':1,'those':4,'sound':1,'adaptations':1,'unlike':1,'these':36,'lightner':1,'16.--the':1,'n':2,'while':2,'suppose':1,'viii':1,'2.--the':1,'fore-limb':2,'then':4,'vol':1,'vi':1,'is':4,'thus':48,'it':317,'iv':2,'ii':2,'middle':2,'in':152,'mcgregor':2,'if':76,'jenner':1,'headley':1,'perhaps':13,'things':1,'make':1,'sollas':1,'babies':1,'9':2,'several':1,'yucca':1,'higher':1,'ball':1,'see':4,'kelvin':1,'v.':1,'kinnaman':1,'moving':2,'lower':2,'i':3,'no':11,'mccabe':1,'contact':1,'furneaux':1,'comparisons':1,'the':569,'redistribution':1,'just':2,'being':1,'generally':1,'rest':1,'ideas':1,'disguise':1,'ritchie':2,'years':1,'paul':1,'yet':11,'like':1,'smith':1,'except':2,'potential':1,'4':15,'5':8,'putnam':2,'possibly':1,'boxes':1,'royalty':2,'five':1,'6.':1,'apart':4,'tail':1,'d':1,'lightning':1,'enregistered':1,'arthur':7,'donations':1,'t':1,'interbreeding':1,'webb':1,'old':1,'flattely':1,'triceratops':1,'some':37,'jupiter':2,'easygoing':1,'gradually':1,'for':44,'shall':1,'skeletons':1,'everything':2,'does':1,'subtlest':1,'newcomb':2,'11.--mars':1,'each':13,'illustration':2,'subconscious':1,'great':1,'although':4,'affording':1,'by':18,'macpherson.':1,'actual':1,'extending':1,'of':25,'o':1,'sea-horse':1,'whence':3,'larmor':1,'gregory':1,'consequently':1,'or':6,'naturalists':1,'serviss':1,'kapp':1,'reactions':1,'within':3,'chemists':1,'mic.':1,'mills.':2,'haddon':2,'protozoa':1,'swimmers':1,'nowadays':1,'theoretically':1,'technically':1,'doubtless':1,'linnaeus':1,'additional':1,'her':1,'placing':1,'brute':1,'long':1,'why':2,'moseley':3,'daniell':1,'stars':1,'duffus.':2,'energy':3,'naturally':1,'lowest':1,'gluten':1,'mammals':1,'but':138,'cloth':1,'curiously':1,'white.':1,'with':8,'he':39,'october':1,'whether':5,'j':40,'up':1,'idiosyncrasies':1,'stages':1,'similar':2,'sometimes':6,'taste':1,'certain':1,'metals':1,'general':2,'as':35,'ether':1,'at':22,'adams':2,'again':1,'compared':2,'curie':1,'9.':1,'c.:':1,'pickering':1,'electrical':1,'you':12,'picture':1,'energetic':1,'carpenter':1,'marshes':1,'fishes':2,'ramsay':1,'building':1,'e':5,'glass':1,'persistent':1,'together':1,'brocklehurst.':4,'mckready':1,'functionless':1,'keane':1,'once':1},'much':{'indebted':1,'harm':1,'smaller':2,'less':4,'wall':1,'intelligence':1,'subtlety':1,'alive':1,'parasites':1,'as':5,'disarranged':1,'right':1,'in':5,'sought':1,'beyond':1,'exhausted':1,'if':1,'nearer':2,'use':1,'cut':1,'from':1,'for':4,'.':2,'better':1,'to':10,'changed':1,'change':1,'progress':1,';':1,'has':1,'dreaded':1,'energy':2,'more':24,'scepticism':1,'used':2,'paperwork':1,'greater':5,'trace':1,'that':1,'importance':2,'gliding':1,'is':1,'controversy':1,'damaged':1,'denser':1,'speculation':1,'bigger':1,'simpler':1,'a':1,'on':1,'surer':1,'faster':1,'of':5,'larger':2,'stronger':1,'greater--a':1,'easier':1,'so':1,'truth':1,'light':1,'the':3,'movement':1},'pedigree--man':{'s':1},'104':{'after':1},'sponges':{'stinging':1,'zoophytes':1,'jellyfishes':1,'spongillidae':1,'are':1,'corals':1,'jellyfish':1},'smolts':{'and':1,'which':1},'fry':{'become':1,'about':2,'rises':1,'ltd.':2},'105':{'an':1},'exactness':{'with':1},'life':{'and':15,'among':1,'because':1,'although':1,'exists':1,'is':6,'it':1,'lies':1,'namely':1,'through':4,'are':3,'in':13,'palaeozoic':1,'best':1,'if':1,'depend':1,'for':1,'to':4,'remains':1,'began':1,'there':2,'had':1,'1914':1,'1':1,'.':17,'of':19,'whole':1,'which':3,';':4,'before':1,'was':2,'as':4,'than':1,'that':1,'after':1,'possible':1,'illustration':1,'but':4,'utterly':1,'during':1,'166':1,'continued':1,'by':1,'a':1,'on':18,'depends.':1,'has':4,'animals':1,'1921':2,'many':1,'depends':2,'will':1,'s':1,'can':1,'though':1,'each':1,'at':1,'taxed':1,'the':3,'history':1,'where':1,'or':1,'72':1},'latro':{'that':2},'retrospect':{'looking':1},'in-breeding':{'endogamy':1,'tended':1},'conifers':{'and':1,'ginkgos':1,'shall':1},'luther':{'the':1,'burbank':1},'shepstone.':{'light':1,'the':2,'modern':1,'100-inch':1,'lightning':1},'connaissance':{'du':1},'tree-mice':{'tree-porcupines':1},'child':{'of':4,'s':4,'does':1,'.':1,'that':1},'chili':{'where':1},'spin':{'round':1},'breast-pocket':{';':1},'control--a':{'promise':1},'adaptations':{'and':1,'of':1,'or':1,'to':5,'which':1,'such':1,'by':1},'heidelberg':{'man':5,':':2,'was':1,'sand-pit':1,'in':2},'contemp':{'.':1},'viii':{'foundations':1,'.':2},'flooding':{'space':1},'elaborate':{'burial':1},'picturing':{'a':1},'remembering':{'the':1,'that':1},'played':{'an':1},'equator':{'and':1,'of':1,'.':1,'seems':1,'i.e':1},'photographer.':{'as':1},'obeying':{'the':2},'player':{'is':1},'australia':{'perhaps':2,'is':1,'190':1,'it':1,'to':1,'neoceratodus':1,'which':1,'the':1,'95':1},'anticipating':{'the':1,'we':1},'south.':{'illustration':1},'plants.':{'sec':1,'illustration':1},'said.':{'illustration':1},'open-water':{'period':1,'turtles':1},'damaged':{'disk':1,'by':1},'feebler':{'and':1,'until':1},'things':{'and':6,'endowed':1,'is':1,'effectively':1,'as':1,'are':1,'in':2,'dr':1,'.':6,'to':1,'which':2,'wildly':1,';':1,'was':1,'horses':1,'do':1,'we':3,'that':5,'with':1,'you':1,'he':1,'on':1,'like':1,'e.g':1,'without':1,'mixed':1,'or':1},'format':{'other':1,'with':1,'used':1,'must':1},'killdeer':{'plover':1},'dissimilars':{'tends':1},'clucking':{'of':1},'gateways':{'to':1,'of':3},'double-breathers':{'dipnoi':1},'elliott':{'fry.':2,'fry':1},'emphatic':{'notice':1,'rejection':1},'european':{'fauna':1,'lynx':1},'increased.':{'electrons':1,'illustration':1},'fairly':{'what':1,'complicated':1,'mastered':1},'typhoid':{'fever':1},'georgics':{'to':1},'middle-aged':{'and':1},'effectively':{'to':1,'e.g':1,'conquered.':1,'.':1},'pioneers':{'men':1},'race-history':{'.':1},'tune':{'to':1},'registering':{'steps':1},'stupendous':{'energy':1,'collection':1,'.':1},'matters':{'little':1,'greatly':1},'erectus':{'found':1},'-mammal':{'and':1},'raindrops':{'and':1},'opinions':{'with':1},'boyhood':{'the':1},'sea-skimmers':{'halobatidae':1},'sleeps':{'upright':1},'golden':{'draperies':1,'plover':1,'age':5,'eagles.':1,';':1},'expensively':{'for':1},'distribute':{'a':1,'this':1,'copies':1,'it':1,'the':1,'or':2},'rotated':{'that':1},'beset':{'with':1},'disguise':{'and':1,'besides':1,'is':1,'.':3,'sec':1,'which':1,'differs':1,'the':1,'with':1,'or':1},'neanderthalers':{'and':1},'falcon':{'s':2},'glue-like':{'threads':1},'hen-pigeon':{'may':1},'rushing':{'torrent':1},'succeeding':{'ages':2},'lasso':{'minute':1},'99712':{'.':1},'spectacles':{'in':1},'seal':{'right':1},'old-fashioned':{'type':1,'way':1},'had':{'gone':2,'remained':1,'appeared':2,'dived':1,'some':1,'few':1,'increased':1,'brought':1,'wit':1,'at':1,'human':1,'seen':1,'swallowed':1,'enjoyed':1,'to':8,'really':1,'established':1,'given':1,'surmised':1,'proceeded':1,'rushed':1,'there':2,'been':18,'anatomical':1,'their':5,'only':1,'definitely':1,'emerged':1,'probably':1,'learned':2,'mainly':1,'claws':2,'his':1,'tried':1,'feathers':1,'gathered':1,'never':1,'extended':1,'anticipated':1,'its':4,'haunted':1,'no':4,'survived':1,'become':2,'not':6,'suspected':1,'disappeared':1,'undoubtedly':1,'a':10,'discovered':1,'great':2,'these':1,'many':1,'actually':1,'fish-like':1,'large':1,'passed':2,'teeth':2,'found':1,'the':1,'pulled':1,'waited':1,'something':1},'salmon--forming':{'new':1},'thickening':{'or':1},'saturn--the':{'moon--the':1},'collections':{'of':1},'easy':{'business':1,'for':1,'haunt':1,'.':4,'to':6,'times--glacial':1},'irresponsive':{'.':1},'botanists':{'that':1},'east':{'has':1,'when':1,'are':1,'which':1},'eocene':{'and':1,'n':1,'era':1,'n.':1,'period':1},'good-humoured':{'talkativeness':1},'up--a':{'clever':1},'elevation':{'and':1,'of':2},'survival':{'of':1,'with':1,'.':2},'semi-fluid':{'carbon':1},'possible':{'origin':1,'and':1,'instruments':1,'it':1,'according':1,'are':1,'in':1,'moreover':1,'yet':1,'enemies':1,'again':1,'evolution.':1,'for':4,'basis':1,'favouring':1,'.':1,'colours':1,'to':13,'that':6,'however':1,'but':1,'a':1,'kind':1,'outline':1,'when':1,'haunts':1,'seeds':1,'steps':1,'victory':1,'error':1,'or':1},'knife-blade-like':{'to':2,'larva':2},'firmer':{'though':1},'possibly':{'run':1,'show':1,'there':1,'outside':1,'attain':1,'have':1,'in':1},'indicative':{'not':1,'of':1},'birth':{'and':2,'of':2,'gestation':1,'.':3,'to':1,'the':1,'with':1},'shadow':{'and':1,'cast':2,'across':1,'on':1},'unique':{'and':1,'solution':1,'in':1,'property':1,'ensemble':1,'discovery':1},'12:30':{'p.m':1},'occurring':{'in':2},'desire':{'to':3,'that':1},'skull-walls':{'sir':1},'collection.':{'a':1,'lord':2,'charles':1,'sir':1,'j':1},'process--a':{'process':1,'building':1},'enregistered':{'reactions':1,'rhythms':1,'hereditarily':1,'it':1,'instinctive':2,'reactions.':1},'steps':{'followed':1,'of':1,'per':1,'which':1,'in':9,'by':1},'beneficial':{'partnerships':1,'partnership':1,'external':1,'.':1},'right':{'and':1,'into':1,'we':1,'as':1,'at':1,'in':1,'out':1,'indicate':1,'away':1,'to':2,'answer':1,'has':1,'146':1,'resting':1,'direction':1,'hand':1,'angles':4,'path':1,'with':1,'this':1,'of':4,'or':2},'old':{'quarters':1,'philosophical':1,'before':1,'terrestrial':1,'lady':1,'young':2,'.':1,'to':1,'going':1,'which':1,'entomologist':1,'editions':1,';':1,'red':2,'showing':1,'middle-aged':1,'they':1,'world':2,'with':2,'stone':4,'land':1,'word':1,'could':1,'haunts':1,'race':1,'so':1,'margin':1,'view':1},'creek':{'.':1},'crowd':{'of':1},'people':{'then':1,'would':1,'213':1,'just':1,'their':1,'arguing':1,'who':1,'.':1,'start':1,'s':1,'know':1,'have':3,'in':1,'fail':1,'wrongly':1},'predominance':{'of':1},'crown':{'of':3,'corona':1,'but':1},'deflection':{'of':3},'crows':{'but':1},'dragons--the':{'first':1},'animate':{'nature':5},'creep':{'slowly':1,'up':2},'enemies':{'a':1,'and':1,'for':1,'who':1,'except':1,'but':1,'.':5,'as':1,'which':1},'for':{'all':6,'aquatic':2,'untold':1,'unseen':1,'accurate':1,'seizing':4,'years':3,'egg-laying':1,'not':1,'existence.':2,'converting':1,'its':11,'negligence':1,'current':1,'rapid':1,'knowledge':1,'instance':25,'body-making.':1,'reasons':1,'believing':1,'capturing':1,'pursuing':1,'grasping':1,'weeks':1,'thousands':3,'over':3,'them':1,'good':1,'worse':1,'food':7,'gauging':1,'balancing':2,'existence--which':1,'every':3,'nearly':2,'they':8,'half':2,'mixing':4,'highly':1,'several':2,'identifying':3,'humming-birds':1,'this':8,'miles':1,'common':1,'activity':2,'speculation':1,'bone':2,'dexterity':1,'another':2,'intelligence':1,'radium':1,'some':4,'catching':4,'jupiter':1,'vocal':1,'existence':13,'our':4,'sport':2,'special':1,'blood-vessel':1,'crunching':1,'what':2,'three':1,'giving':1,'drifting':1,'brief':1,'increase':1,'new':3,'allowing':1,'receiving':1,'ever':4,'safety.':1,'measuring':1,'we':4,'reproduction':1,'parental':1,'example.':1,'terse':1,'of':1,'here':2,'water':2,'feeding':1,'nowhere':1,'although':3,'sedentary':1,'science':2,'dry':1,'comparison':1,'enormous':1,'actual':1,'respiration':1,'branch-gripping':1,'many':12,'violence':1,'adventures':1,'generations':1,'swimming':2,'nerve':1,'striking':1,'keenness':1,'obtaining':1,'seven':1,'one':1,'learning':1,'accepting':1,'.':1,'millions':14,'life--the':2,'man--the':1,'additional':1,'her':2,'their':2,'race-history':1,'there':8,'copies':2,'long':2,'by':1,'whom':1,'much':1,'motility':1,'themselves':1,'analysing':3,'fourteen':1,'hearing.':1,'more':6,'free':1,'exploring':1,'excavating':2,'himself':1,'north':1,'that':4,'ages':3,'releasing':1,'instance.':1,'about':1,'it':29,'carrying':1,'observations':1,'chasing':1,'coal--dissipation':1,'considerable':1,'it--radium.':1,'plants':1,'keeping':1,'animals':1,'thirty':1,'these':4,'us.':1,'access':1,'generating':1,'sifting':2,'life--water':1,'project':1,'while':1,'future':1,'midday':1,'thirty-five':1,'aesthetic':1,'life.':1,'example':6,'are':1,'and':1,'bearing':1,'amenity':1,'almost':1,'alongside':1,'mind':1,'life':6,'avoiding':1,'an':6,'as':2,'his':1,'evening':1,'something':2,'in':5,'counting':2,'any':5,'if':2,'utility':2,'us':3,'climate':1,'granted':1,'when':1,'offspring':1,'how':1,'damages':1,'holding':2,'so':1,'profiting':1,'higher':2,'supersaturated':1,'unpalatability':1,'centuries':1,'food.':1,'most':1,'moving':1,'two':1,'supposing':3,'such':1,'foothold':1,'sally':1,'man':8,'a':49,'muscle':1,'natural':1,'observation':1,'professor':2,'itself':2,'coal':2,'shore':1,'engulfing':1,'five':1,'fresh':1,'the':104,'crayfish':1,'playing':1},'bottom':{'may':1,'of':1,'and':1,'than':1,'.':2},'fox':{'all':2,'plays':1,'the':1,'or':1},'individuals':{'die':1,'who':1,'are':1,'each':1},'exposition':{'to':1},'landscape':{'effects':1},'invasions':{'of':1,'there':1},'surging':{'fire.':1},'man--body':{'and':1},'monkey-ape-man':{'.':1},'palatable':{'and':3,'butterflies':1,'flesh':1},'substitutes':{'for':2},'energy':{'and':7,'all':1,'force':1,'is':16,'it':2,'an':1,'produced':2,'as':4,'are':3,'in':6,'go':1,'if':1,'by':2,'or':1,'from':2,'would':2,'come':1,'since':1,'had':3,'expressed':1,'.':18,'to':3,'is.':1,'which':10,'tends':1,'streams':1,';':2,'has':1,'energy':1,'287':1,'greater.':1,'we':2,'that':4,'may':4,'sufficient':1,'derived':1,'but':1,'cannot':2,'let':1,'such':1,'originated':1,'than':1,'nor':1,'must':1,'a':1,'brought':1,':':1,'locked':2,'like':2,'this':1,'of':40,'into':1,'later':1,'equal':1,'across':1,'will':1,'so':1,'can':1,'ineffectively':1,'the':1,'disappears':1,'could':1,'came':1,'for':1},'dental':{'troubles.':1},'unfrozen':{'at':1},'life-or-death':{'quality':1},'substituted':{'for':1},'shifting':{'of':1},'losing':{'a':1,'the':1,'its':1},'memorable':{'because':1},'joule':{'who':1},'tide-producing':{'power':1},'emits':{'when':1,'rays--the':1},'shaken':{'.':1},'restlessness':{';':1,'an':1},'predisposition':{'to':1},'opossums':{'feigning':2,'are':2},'o':{'.':3,'as':1,'there':1,'in':1},'oneness':{'of':1},'wave-length':{'of':2,'is':1,'corresponds':1},'herring-gull':{'is':1},'slightly':{'from':1,'changed':1,'developed.':1,'simplified.':1},'lamprey':{'.':1},'raised':{'to':1,'higher':1,'from':1,'in':2,'many':1},'cloud-screen.':{'illustration':1},'statements':{'concerning':1,'that':1,'might':1,'.':1},'facility':{'of':2,'in':1},'non-protrusive':{'face':1},'son':{'of':1},'beings':{'on':1,'whose':1,'in':1},'raises':{'the':1},'sow':{'broadcast':1,'and':1,'again.':1},'spores':{'and':1,'of':1},'pairs':{'of':3},'shoots':{'and':1,'from':1},'polaris':{'76':1},'fields.':{'virgil':1},'fabric':{'of':1},'wonder-horse':{'with':1},'support':{'and':3,'a':1,'life':1,'of':1,'its':1,'to':1,'the':1,'has':1,';':1},'constantly':{'driven':1,'pouring':2,'rising':1,'splitting':1,'for':1},'width':{'.':1},'grasping':{'of':1,'the':1,'lifting':1},'physicists':{'and':3,'did':1,'of':4,'who':1,'but':1,'to':1},'greatness':{'and':1},'resulted':{'from':1,'in':2},'music':{'of':1,'had':1},'telegraph':{'and':1,'cables':1},'offer':{'serious':1,'rewards':1,'was':1,'no':1},'fascination':{'about':1},'forming':{'associations':2,'what':1,'good':1,'useful':1,'these':1,'of':1,'an':1,'part':1,'in':1,'vegetable':1,'new':1,'the':2,'ordinary':1},'shoot':{'out':3},'hemisphere':{'learned':1,'throughout':1},'thickness.':{'a':1},'survive':{'douching':1,'for':1,'being':1,'when':1,'prolonged':2,'but':1,'.':1,'high':1,'without':1,'the':2},'beech':{'a':1},'statement.':{'illustration':1},'otter':{'a':1,'is':1,'one':1,'239':1,'which':1,'or':1},'week':{'four':1,'or':2,'in':1},'death--procession':{'of':1},'inside':{'and':2,'a':2,'is':1,'are':1,'have':1,'the':3},'arrow-worms':{'in':1},'devices':{'it':1,'adaptations':1,'which':1,'.':1},'lays':{'stress':1,'her':2,'many':1,'an':1,'the':2,'its':1},'masterfulness':{'of':1},'soldering':{'of':1},'palm':{'and':2,'of':1},'procyon':{'10.5':1},'cormorants':{'and':1},'150':{'to':1,'000':5},'153':{'anatomical':1},'later':{'chapter':1,'on':2,'differ':1,'on.':1,'sir':1,'section':1,'there':1,'ages':1,'.':3,'discovered':1,'to':1,'stage':3,'which':1,'in':3,'the':2,'still':1,'than':1,'christened':1,'section.':1},'proved':{'what':1,'that':2,'very':1,'of':1,'equal':1,'but':1,'.':1,'to':2,'as':1,'too':1},'157':{'side-view':1,'photo':1,'the':1,'after':1},'156':{'photo':2},'158':{'darwin':1},'as-is':{'with':1},'palm;':{'and':1},'proves':{'fatal.':1},'exist':{'on':2,'all':1,'there':1,'would':1,'since':1,'.':2,'in':4,'between':1,'apart':1},'melan':{'dr':1},'sprouts':{'kale':1},'redolent':{'of':1},'stolidity':{'gives':1},'floor':{'of':7,'.':2},'glacier':{'that':1},'negatively-electrified':{'body':1,'ones':1},'uttered':{'until':1},'flood':{'of':4,'in':1},'nestling':{'bittern':1},'beginning--whatever':{'we':1},'deep-seated':{'connection':1,'difference':1},'entomologist':{'mr':1},'irresistible':{'.':1},'superfluous':{'length':1,'twig':1},'roll':{'themselves':1,'over':1},'friar-birds':{'of':1},'thoroughgoing':{'internal':1},'palms':{'and':1},'non-moulting':{'winged':1},'teats':{'injects':1},'mariner':{'s':1},'transported':{'in':1},'irs.':{'the':1},'scale':{'on':1,'we':1,'far':1,'of':4,'is':1,'in':2,'but':1,'to':1,'each':1,'the':4},'intent':{'efforts':1},'foot-print':{'of':1},'variable':{'monitor':2,'hare':2,'as':1,'stars':3,'in':1,'new':1,'before':1,'stock':1},'cleaver':{'of':1},'commensalism':{'with':1,'eating':1,'i.e.':1,'where':1},'fastened':{'to':1,'by':1,'up':1,'on':1},'microbes':{'such':1,'invading':1,'to':1},'packets':{'one':1},'coastlines':{'.':1},'ottawa':{'by':1},'time':{'and':11,'is':3,'it':2,'as':6,'in':5,'immemorial.':1,'thought':1,'rapidly':1,'for':1,'their':1,'with':3,'since':1,'when':5,'.':7,'to':5,'onwards':1,'swift':1,';':1,'until':1,'ahead.':1,'we':2,'energy':1,'that':5,'very':1,'than':1,'however':2,'much':1,'great':1,'a':1,'they':1,'during':1,'come':1,'by':1,'nor':1,'ago':1,'wide':1,'immemorial':1,'last':1,'like':2,'showed':1,'of':11,'required':1,'reminding':1,'appearing':1,'so':1,'she':1,'were':1,'about':1,'the':12,'or':1},'adult':{'and':1,'eel':1,'life':1,'by':1,'.':2},'peacock':{'and':1,'for':1},'irrigation':{'of':1},'chain':{'of':2,'instincts':1,'.':1},'perch':{'when':1},'colour-change':{'bony':1,'is':2,'sometimes':1,'expresses':1,':':2,'occurs':1},'lawlessly':{'they':1},'activated':{'by':1},'crocodile':{'pipes':1,'is':2,'would':1},'avalanche':{'.':1},'skate':{'and':1,'places':1},'93':{'000':2},'witmer.':{'peter':1},'ebooks.':{'':1},'hold':{'a':1,'all':1,'that':1,'of':2,'it':1,'their':2,'in':1,'the':1},'rottenness':{'eaters':1},'methodically':{'onwards':1},'94':{'photo':1,'from':1},'efficiencies':{'supply':1},'209':{'a':1,'homing':1},'chequered':{'by':1,'but':1},'walking-fish':{'or':2},'separated.':{'perhaps':1},'downloading':{'copying':1},'gisbert':{'electricity':1},'navigable':{'kingdom':1},'choice':{'of':1},'92.9':{'1.00':1},'gloomy':{'prognostications':1,'gorilla.':1},'bustle':{'of':1},'fullest':{'ears':1},'right-handed':{'and':1},'exact':{'and':1,'intensity':1,'it':1,'limits':1},'minute':{'and':2,'signs':1,'tag--but':1,'unicellular':1,'planets':1,'in':1,'diamond-like':1,'surfaces':1,'living':1,'rays':1,'organisms':2,'measurements':1,'.':1,'particles':1,'molecules':1,'6':1,'fragments':1,'that':1,'crustaceans':3,'after':1,'but':1,'hand':1,'waves':1,'satellites':1,'atoms':1,'transparent':2,'animals':2,'atom':1,'traces':1,'or':1},'tear':{'into':1,'asunder':1,'them':1,'are':1},'leave':{'me':1,'them':1,'this':1,'well':1,'atoms':1,'their':1,'the':4,'open':1,'him':1,'creatures':1},'solved':{'four':2,'there':1,'it':1},'settle':{'these':1,'on':1,'down':3},'team':{'at':2},'depository':{'of':2,'the':1,';':1,'he':1},'speculation':{'and':1,'about':1,'.':3,'is':2,'that':1},'unpaying':{'boarders':1},'prevent':{'you':1},'thinkers':{'the':1,'since':1,'have':2},'occurrence':{'of':5,'.':1},'chimpanzee--and':{'it':1},'insignificant':{'compared':1,'one':1},'trails':{'a':1},'milligram':{'of':1},'gnawed':{'the':1},'roof':{'of':3},'depressions':{'of':1},'mind--even':{'in':1},'parachuting':{'animals':1,'.':1},'educate':{'the':1},'leaf-butterfly':{'kallima':1},'axes':{'follow':1,'of':1},'melt':{'in':1},'current':{'rang':1,'is':6,'intellectual':1,'through':1,'275':1,'in':2,'279':1,'seems':1,'exhibits':1,'.':4,'to':1,'is.':1,'which':1,'instead':1,'was':2,'therefore':1,'donation':1,'not':1,'with':1,'the':2,'of':3,'passing':1,'where':1},'remembered':{'that':4},'looking':{'is':1,'backwards':6,'at':3,'extraordinarily':1},'period--its':{'length':1},'falling':{'and':1,'on':1,'stone':2,'into':1,'body':1,'water':2,'weights':1,'between':1,'particles':1},'ground':{'a':1,'on':2,'what':1,'his':1,'again.':1,'would':1,'though':1,'is':1,'or':2,'when':1,'by':1,'pushed':1,'as':1,'flapping':1,'in':1,'has':1,'the':2,'.':5,'was':1,'generate':1,'he':1},'coccyx':{'at':1},'climbs':{'on':2,'the':2,'up':1},'honour':{'of':1},'mauer.':{'d-e.':1},'understanding':{'and':1,'of':1},'exceptions':{'the':1,'as':1,'that':2},'magnetism':{'and':1,'we':1,'gravitation':1,'is':3,'supposes':1,'.':1,'differs':1,'he':1},'nemesis':{'of':2},'yards':{'and':1,'a':1,'off':1},'address':{'specified':1},'alone':{'is':2,'.':4,'swamp':1,'the':1,'has':1,'by':2},'along':{'a':3,'copper':1,'many':1,'lines':1,'two':1,'an':1,'its':1,'at':1,'which':3,'certain':2,'the':15,'with':9,'by':2},'dwindling':{'counterpart':1,'relic':1,'of':1,'structure--the':1,'race':1,'relics':1,'structures':1,'resources':1,'must':1},'anchoring':{'structures':1},'momentous':{'event':1,'step':1,'.':1,'except':1,'that':1},'testings':{'.':1},'neville':{'extinct':1},'brilliant':{'workers':1,'young':1,'or':1,'early':1,'experiment':1,'photosphere':1,'failures':1,'conquest':1,'coloration':1,'redness':1},'studied':{'a':1,'the':1,'was':1,'by':1},'wherever':{'the':2,'there':1},'commonly':{'found':1,'accepted':1},'brazilian':{'forest':1},'accomplished':{'in':1,'if':1},'ineffective':{'way':1,'movements':1},'vitiated':{'air':1},'studies':{'of':1},'unification.':{'we':1},'tasks':{'of':2},'love':{'as':1,'.':1,'hunger':1},'prefer':{'to':1},'relations.':{'when':1},'betraying':{'its':1},'deep-water':{'marine':1},'sky':{'means--light':1,'means':1,'no':1,'.':2,'will':1,'to':1,'overhead':2,'at':1,'in':1,'probably':1,'where':1},'engrain':{'capacities':1},'working':{'from':1,'of':2,'into':1,'methodically':1,'against':1,'powerfully':1,'which':1,'or':1,'out':1},'mankind--steps':{'in':1},'formulated':{'the':2},'positive':{'and':7,'knowledge':2,'electricity':6,'particles':1,'charge':1,'in':1,'the':1,';':1},'-fish':{'embryo':1},'anatomical':{'distinctions':1,'proof':2,'genius.':1,'structure':1,'evidence':1},'vigour':{'and':1,'of':1,'.':1},'down-breaking':{'disruptive':1},'opposed':{'to':1},'films':{'of':2},'scope':{'to':1},'theoretical':{'basis':1},'ten-miles-wide':{'moons':1},'perishes':{'for':1},'periophthalmus':{'of':1,'common':2},'chapters--the':{'feeding':1},'afford':{'food':1,'a':1,'to':2},'apparent':{'strokes':1,'suddenness':1,'.':1,'motion':1,'to':1,'stroke':1,'motions':1,'exceptions':1,'creeping':1},'assimilation':{'exceeding':1},'validity':{'there':1},'minnows':{'and':2,'learned':1,'were':1},'appendix':{'alone':1,'at':1,'which':1},'everywhere':{'forming':1,'there':1,'like':1,'in':1},'virtue':{'of':5,'as':1},'blood.':{'as':1},'disparagement':{'tentative':1},'easiest':{'of':1},'petrel':{'the':1,'or':2,'is':1},'logos':{'which':1,'.':1},'modernised':{'types':1},'originally':{'a':2,'derived':2,'intelligent':1,'supposed':1},'rutherford':{'and':2,'sir':1,'246':1,'one':2,'christened':1},'imagination.':{'the':1,'organic':1},'moulted':{'which':1,'in':1},'life--water':{'that':1},'believes':{'that':1},'printing':{'august':1,'april':4,'may':1,'june':4,'september':1,'sept':1},'values':{'most--control':1},'slowness':{'.':1},'stature':{'and':1,'than':1,'human':1},'believed':{'not':1,'to':1,'by':2,'that':2},'admired':{'the':1},'short-limbed':{'but':1},'frogs':{'and':3,'a':1,'show':1,'may':1,'sometimes':1,'herald':1,'jumping':1,'have':1,'meet':1,'along':1},'bulkiest':{'structure':1},'parachute':{'of':1,';':1,'wing':1,'before':1},'locks':{'.':1},'one--the':{'old':1},'238':{'photo':2,'whereas':1},'239':{'photo':1},'unveiled':{'in':1,'.':1},'allowed':{'to':1,'aliens':1,'for':1,'her':1,'of':1},'evidently':{'light':1,'puzzled':1},'232':{'photo':2},'233':{'photo':4},'winter':{'and':4,'by':2,'in':1,'of':1,'within':1,'freeze':1,'scene':2,'whiteness':1,'plumage':2,'.':1,'are':1,'sets':1,'nor':1,'the':1,'has':1,'dress':1,';':1,'retreat':1},'venation':{'of':1},'chromatophores':{'and':1,'in':1},'foul':{'waterholes':1,'with':1},'protozoon':{'and':1,'has':1,'or':1,'.':1},'s.':{'fairbanks':1,'illustration':1},'elephant':{'and':2,'rhinoceros':1,'a':1,'.':1,'helping':1,'at':1,'they':1,'was':1},'northwards':{'for':1},'divides':{'and':1,'into':2,'is':1},'edinburgh':{'the':1},'snaps':{'secure':1},'explores':{'a':1},'explorer':{'which':1},'motive-force':{'in':1},'spot':{'and':1,'on':2,'23':1,'though':1,'at':1,'where':1},'convincingly':{'the':1},'muellerian':{'after':1},'date':{'living':1,'from':1,'for':1,'on':1,'of':2,'contact':1,'at':1,':':1},'such':{'ingenious':1,'and':1,'remarkable':1,'publications':1,'constituents':1,'is':5,'metals':1,'well-known':2,'contrasts':1,'as':72,'diverse':1,'are':1,'planets':1,'in':1,'speed':1,'birds':1,'enemies':1,'dense':1,'things':1,'phrases':1,'unity':1,'wonderfully':1,'way':1,'instruments':2,'if':1,'conditions':1,'important':1,'movement':1,'that':3,'rock':1,'apparent':1,'furnaces':1,'depths':1,'wave-motions':1,'races':1,'fishes':1,'cases':2,'intelligent':1,'active':1,'stage':1,'a':19,'dangers':1,'changes':1,'occasions':1,'damage.':1,'betelgeux':1,'cells':1,'motion':1,'thing':4,'states':1,'hard-and-fast':1,'temperatures':2,'time':1,'similar':1,'order':1},'behaviour--experimenting':{'learning':1},'truly':{'wonderful':3},'data':{'transcription':1,'for':1},'codes':{'that':1},'lids':{'to':1,';':1},'waggons':{'at':1},'sy':{'1':1,'2':1},'forestier':{'of':3},'varieties':{'of':1,'which':1,'altogether':1},'conscious':{'guile':1,'agent':1,'imitation':1},'naturae':{'meaning':1,'the':1},'st':{'.':2},'inhabiting':{'this':1,'the':2},'castings':{'and':1},'remoter':{'part':1},'so':{'chicks':1,'they':2,'among':1,'fond':1,'subtle':1,'still':1,'generous':1,'slow':1,'young':1,'late':1,'to':3,'differently':1,'rich':1,'he':1,'clouded':1,'do':2,'good':1,'far':14,'safe':1,'apt':1,'closely':1,'vast':2,'easily':1,'like':2,'keenly':1,'shaped':1,'forth':3,'large':1,'stupid':1,'she':1,'small':2,'where':1,'simple.':1,'often':1,'attenuated':1,'are':1,'helpless':1,'pronounced':1,'for':1,'restricted':1,'below':1,'does':1,';':1,'numerous':1,'common':2,'we':6,'recently':1,'inextricably':1,'completely':1,'rapid':1,'strong':1,'by':1,'momentous':1,'gained':1,'on':16,'great':3,'many':7,'sensitive':1,'rudely':1,'striking':1,'powerful':1,'marked':2,'one':1,'long':3,'quickly':1,'readily':1,'fast':1,'from':1,'there':4,'sunlight':1,'.':3,'much':15,'clever':3,'that':43,'forming':1,'minute':1,'motionless':1,'mounted':1,'inconspicuous':1,'wide':1,'arranged':1,'this':1,'up':1,'will':1,'while':1,'obvious':1,'of':1,'similar':1,'bright--the':1,'is':3,'it':8,'an':1,'effectively':1,'as':6,'in':4,'clearly':1,'relatively':1,'proceeds':1,'very':3,'hot':1,'absorbed':1,'instead':1,'firmly':1,'watery':1,'may':1,'important':1,'conspicuous':1,'a':2,'short':1,'crowded':1,'clear':1,'well':1,'near':2,'deeply':1,'species':1,'fresh':1,'the':8},'sc':{'the':1},'mud-flats':{';':1},'pulled':{'.':1,'down':1,'twice':1,'at':1,'the':3,'by':4},'outflowing':{'network':2},'unsolicited':{'donations':1},'lighter':{'and':1,'materials':2,'in':1,'atomic':2,'.':1},'differences':{'separating':1,'of':3,'in':3,'between':2},'below.':{'1.f.':1,'illustration':2,'1.c':1},'copious':{'supply':1},'course':{'and':1,'associated':1,'is':1,'it':2,'an':1,'are':1,'in':1,'confirms':1,'her':1,'unknown':1,'there':2,'been':1,'to':2,'only':1,'5':1,'easy':1,'has':1,'be':2,'we':3,'cannot':1,'not':1,'with':1,'by':1,'he':2,'a':2,'for':3,'of':24,'the':2},'experiments':{'suggested':1,'towards':1,'proved':1,'chiefly':1,'showed':1,'that':1,'of':5,'in':4,'enabled':1,'.':4,'indicate':1,'without':1,'have':1,'which':1,'usually':1,'checked':1,'with':2},'frequents':{'two':1},'insurgence':{'and':2,'of':2},'tendency':{'to':11,'that':1,'among':1,'by':1,'of':2},'solitary':{'bit':1,'or':1},'limbs':{'is':1,'to':2,'at':1,';':1,'with':1,'or':1},'derive':{'their':1,'from':1},'yawning':{'in':2},'thumb':{'and':5,'th':1},'did.':{'looking':1},'hot':{'and':2,'gaseous':1,'for':1,'gas':1,'when':1,'but':1,'.':2,'as':1,'weather':1,'earth':1,'cinder':1,'or':1,'bodies':1},'decreases':{'.':1},'attraction':{'produces':1,'of':1,'is':1,'.':1,'can':1,'between':2},'creations':{'of':1,'.':1},'dwarfs':{'.':1},'constitutes':{'matter':2,'one':2},'instantly':{'fly':1},'conveying':{'it':1},'thereby':{'buoyed':1,'escapes':1},'earth--the':{'earth-knot':1},'youth.':{'sec':1},'experiment.':{'we':1},'indigenous':{'wild':2},'records':{'of':2,'the':1,'or':1,'.':1},'year.':{'in':1},'overpowering':{'and':1,'its':1},'water-shrew.':{'freshwater':1},'sorted':{'out':2},'twilight':{'by':1,'no':1},'runners':{'that':1},'one-seventh':{'and':1},'find.':{'fresh':1},'creation.':{'the':1},'establishing':{'itself':1,'or':1,'associations.':1},'veins':{'on':1,'of':1},'instability':{'and':1},'eighty-seven--and':{'that':1},'quarter':{'of':4,'days':2},'habitat-zones':{'and':1},'limb.':{'it':1},'turtle':{'found':1,'the':1,'that':1,'which':1,'of':1},'square':{'of':1,'.':1,'miles':2,'inch':2,'our':1,'the':1},'retrieve':{'its':1,'her':1},'receipt':{'of':1,'that':1},'parachutists--':{'flying':1},'prisms':{'the':1,'are':1},'woodcraft':{'the':1},'owing':{'to':4,'in':1},'entering':{'a':1,'the':4,'into':1},'beetle':{'running':1,'which':4},'instinct--the':{'mind':1},'neighbourhood':{'of':1},'crowding':{'there':1},'river-tortoises':{'which':1},'abide':{'by':1},'collisions':{'.':1},'contained':{'good':1,'meat':1,'in':4},'protections':{'against':1},'washington.':{'illustration':1},'suggesting':{'that':2},'granites':{'while':1},'ascendant':{'and':1},'soap-bubble':{'.':2},'siege':{'are':1},'million':{'millions':1,'square':1,'million':2,'stars.':1,'volts':1,'is':1,'trillion':1,'atoms':1,'meteorites':1,'miles':3,'electrons':1,'stars':1,'in':1,'horsepower':1,'250':1,'years':9,'.':1,'times':6},'envelop':{'the':1},'possibility':{'of':12,'is':1,'that':2,'in':1},'quite':{'uninterested':1,'certain':5,'direct':1,'comfortable':1,'as':1,'clever':1,'at':1,'impossible':1,'extinct':1,'indifferent':1,'readily':1,'different':5,'emancipated':1,'artificial':1,'difficult':1,'separated':1,'independent':1,'sure':2,'possible':2,'lively.':1,'invisible':1,'apart':3,'a':2,'easily':1,'novel':1,'clear':1,'so':3,'fundamental':1,'obscure':1,'away':1},'disintegrates':{'generates':1},'complicated':{'and':2,'elements':1,'than':1,'convolutions.':1,'atoms':1,'to':1,'atom':1,'cases':1,'wave':1,'by':1},'besides':{'even':1,'all':1,'his':1,'her':1,'turtles':1,'that':1,'this':1,'monkeys--in':1,'violent':1,'sunlight':1,'.':2,'these':1,'acting':1,'pulling':1,'struggle':1,'which':1,'instinctive':1,'the':4,'perceptual':1,'those':1},'remainder':{'of':1},'seventy':{'or':1},'vivum':{'e':1},'shores':{'and':1,'going':1,'which':1,'.':1},'training':{'given':1,'they':1,'nor':1,'.':1},'possum':{'lying':1},'tree-sloths':{'for':1,'tree-shrews':1},'undisguised':{'shore-animals':1},'ostrich':{'and':1,'with':1},'wanderers':{'.':1},'disguises':{'which':1},'massive':{'bulk':1,'jaws':1,'lower':1,'face':1},'routes':{'became':1,'round':1},'learning.':{'vi':1,'vii':1,'illustration':1,'animal':1},'puny':{'infant':1},'toads--it':{'serves':1},'emotion':{'as':1,'is':1},'saving':{'the':2,'clauses.':1},'symmetry':{'of':1,'is':1,'.':1,'well':1,'must':1},'serpent':{';':1},'spoken':{'of':1,'language':1},'one':{'over':1,'atom':3,'not':1,'mile':3,'whose':1,'cut':1,'group':1,'championed':1,'except':1,'should':3,'to':2,'primordial':2,'main':1,'might':2,'resting-place':1,'digit':1,'animal':1,'big':1,'colour--the':2,'answer':1,'year.':1,'cannot':1,'half':1,'foot':1,'rotation':2,'day':4,'three-hundredth':1,'reality--the':1,'name':1,'magnet':1,'fitness':1,'served':1,'side':5,'kernel':1,'revolution':1,'telescope':1,'second':1,'martian':1,'year':1,'close':1,'thinks':2,'living':1,'for':1,'disease':1,'time.':1,'discovers':1,'above':1,'example':1,'consisting':1,'body':6,'we':1,'state':1,'million':2,'here':1,'objects':1,'illustration':1,'key':1,'put':1,'sadly':1,'by':1,'momentous':1,'extreme':1,'on':4,'substance':1,'asks':1,'of':101,'local':1,'thing':3,'s':2,'place':3,'or':1,'comes':1,'family':1,'embodiment':2,'another':16,'comprises':1,'pulls':1,'cloud':1,'from':3,'would':3,'hundred-thousandth':1,'.':7,'water-shed':1,'crab':1,'half-hour':1,'was':2,'toe':1,'direction':1,'knows':2,'form':1,'that':3,'successful':1,'thousand':2,'but':1,'another.':1,'manifestation':1,'hopes':1,'line':1,'with':3,'must':1,'kind':3,'has':1,'type':1,'as':1,'will':1,'near':1,'obvious':1,'can':6,'country':1,'piece':1,'remembers':1,'and':8,'pound':3,'stream':2,'is':8,'hardly':1,'say':1,'way':2,'at':2,'in':3,'helium':1,'globe.':1,'end':6,'parish':1,'food-plant':1,'other':1,'which':3,'inch':1,'physical':1,'week':1,'snail':1,'may':1,'after':1,'molecule':1,'hand':2,'plane':3,'such':1,'class':2,'man':2,'planet':1,'owns':1,'colour':3,'electron':1,'element':1,'more':1,'time':5,'the':1,'lined':1,'egg':1,'order':1},'spanish':{'don.':1},'open':{'pipe':1,'sea':25,'jaws':1,'waters':2,'there':1,'up':1,'one':1,'water':1,'atlantic':1,'sea.':1,'doors':1,'sea--the':1,'the':1,'gateways':1},'city':{'ut':1,'like':1},'bite':{'of':1,'at':1},'indicate':{'a':2,'the':4,'that':1,'first':1,'an':1},'2':{'and':4,'among':1,'show':1,'gradual':1,'in':1,'it':1,'chromosomes.':3,'feet':1,'tons':1,'jupiter':2,'escape':1,'paternal':1,'egg':1,'nebulae':1,'factors':1,'physiological':1,'.':11,'0':1,'3':1,'holding':1,'newly':1,'500':3,'we':2,'maternal':1,'inches':2,'respectively':1,'instinctive':1,'canals':1,'with':1,'by':1,'a':1,'represents':1,'of':3,'the':13,'changes':1},'vapoury':{'tail':1},'stuffed':{'their':1},'bits':{'.':1},'lingering':{'influence':1,'here':1},'vapours':{'and':1,'that':1,'of':1,'whirling':1,'imaginable':1,'.':1,'above':1},'on.':{'we':1,'there':1,'illustration':1,'sec':1,'in':1,'the':3,'recent':1},'viviparous':{'the':1},'gently.':{'these':1},'proving':{'everything':1,'trying':1,'itself':1},'s.c.':{'on':1},'herds':{'extended':1},'absorbs':{'most':1,'the':2,'all':1},'photographic':{'emulsions':1,'plate':11,'negative':1},'structure.':{'differences':1,'in':1},'vapour.':{'millions':1},'meteors':{'and':2,'what':1,'showing':2,':':1,'approach':1,'or':2},'third':{'and':2,'case':1,'layer':1,'eyelid':2,'form':1,'of':3,'night':2,'rings':1,'digit':1,'haunt':1,'trial':1,'printing':1,'great':1,'have':1,'atom':1,'answer':1,'interglacial':3},'depressed':{'into':1},'himself.':{'when':1},'weapons--the':{'sea-anemone':1},'siding':{'we':1},'future':{'and':1,'for':1,'reproductive':1,'of':1,'holds':1,'.':6,'access':1,'cannot':1,'let':1,'need':1,'research':1,'generations.':1},'17-1':{'2':1},'trekking':{'to':1},'college':{'of':2,'observatory.':4},'wandering':{'about':1,'amoeboid':2,'.':1},'johnstone':{'j':1},'prospect':{'for':3,'.':1},'thousandths':{'of':1},'royalties':{'.':1,'under':1},'sac':{'beneath':1},'turned':{'towards':1,'from':1,'into':5,'round':1,'to':1,'sharply':1,'rapidly':2,'the':1,'its':1},'argument':{'supposes':1,'implies':1},'alley':{'at':1},'auroral':{'displays':1},'say':{'just':1,'is':1,'some':1,'it':2,'an':1,'brain':1,'as':1,'at':2,'in':1,'our':1,'its':1,'what':2,'for':1,'sodium':1,'much':2,'began':1,'there':3,'ignorabimus.':1,'.':2,'other':1,'therefore':1,':':1,'reflex':1,'more':4,'presently.':1,'we':2,'full':1,'that':26,'mammals':1,'here':1,'unification':1,'they':3,'half':1,'by':1,'a':1,'about':1,'like':1,'of':5,'enthusiastic':1,'according':1,'without':1,'ignoramus':1,'the':9},'buried':{'and':1,'eggs':1,'his':1,'egg':1,'alive':1},'horsepower':{'.':1},'1':{'and':3,'testing':1,'it':2,'an':1,'100th':1,'drawings':1,'in':1,'before':2,'67':2,'25':1,'giant':1,'for':1,'no':1,'sun':1,'except':1,'.':10,'1':1,'to':1,'340':1,'mars':1,'progress':1,'we':1,'300':1,'dam':1,'67000':1,'but':1,'000':2,'125':2,'367':1,'drought':1,'20417':1,'with':1,'by':1,'evolution':1,'1800':1,'of':4,'35':1,'1845':1,'the':12,'two':1},'sap':{'reminding':1,'and':1,'which':1},'saw':{'and':1,'a':1,'all':1,'that':1,'may':1,'is':1,'earlier':1,'about':2,'heard':1,'combine':1,'in':2,'the':1,'has':1,'was':1},'1903.':{'illustration':1},'law.':{'if':1},'unsuitable':{'and':1,'pools':1},'downwards':{'on':1,'along':1,'at':1},'aside':{'to':1,'conventional':1,'only':1},'zoo':{'with':1,'were':1},'note':{'that':1,'of':2,'is':2,'its':1,'how':2,'the':9,'still':1,'by':1},'take':{'frogs':1,'it':1,'an':3,'as':1,'in':1,'our':2,'its':1,'what':1,'from':1,'rather':1,'long':1,'1':1,'to':2,'much':1,'400':1,'place.':1,'photographs':1,'centuries':1,'advantage':1,'between':2,'about':1,'leaps':1,'one':1,'a':6,'great':2,'light':1,'up':1,'us':1,'place':1,'five':1,'the':10,'root':2,'50':1},'fruit-fly':{'drosophila':1},'wanting':{'of':1},'powers--man':{'still':2},'butterfly':{'kallima':2,'showed':1,'which':1,'an':1},'scents.':{'the':1},'hunt':{'insects':1,'from':1},'wilson.':{'peripatus':1,'rock':1},'opposite':{'pans':1,'direction':2,'electric':1,'ways':1,'of':1,'ends':1,'side':2,'picture.':1,'directions':3,'page':1},'knew':{'to':1,'what':1,'.':1,'but':1,'less':1},'molecule':{'of':4,'is':2,'contains':1,'as':1,'every':1,'therefore':1,':':1,'with':1},'talk':{'of':1},'detect':{'and':2,'a':2,'them':1,'less':1,'this':1,'as':2,'such':1,'the':2},'printed':{'cards':1,'on':2,';':1,'and':1,'editions':1},'remarks':{'of':1},'inserted':{'nuts':1},'pages':{'for':1},'adaptability':{'of':1},'average':{'distance':1,'would':1,'level':1,'of':1,'men':1,'molecule':1,'height':1,'depth':1,'5':1,'human':1,'estimate':1,'organism':1},'drive':{'electric':1},'crowd--we':{'cannot':1},'unabated':{'to':1},'messier':{'31':2},'atlantic':{'and':1,'cod-banks':1,'some':1,'.':1,'crowds':1,'overcome':1},'salt':{'and':1,'did':1,'of':1,'lake':2,'.':1,'water':2,'projects':1},'laws':{'and':1,'of':5,'alone':1,'regulating':1,'in':1},'walking':{'and':2,'on':1,'wood':1,'powers':2,'movements':1},'pencilled':{'above.':1},'definite':{'direction':2,'constant':1,'periodic':1,'positions':1,'function--we':1,'answers':1,'possibilities':1,'entities':1,'step':1,'race':1,'figures':1,'nervous':1,'learning':2,'mammals':2,'routes':1,'position':2,'concentric':1,'type':1,'order':1,'bronze':1},'imagines':{'when':1},'friction':{'and':1,'on':1,'.':1,'when':1,'of':1},'far-reaching':{'importance':1,'influences.':1,'with':1,'discoveries':1,'consequences':2},'bright':{'star':1,'globe':1,'lines':5,'central':1,'white':1,'cloudlets':1,'image':1},'fiord':{'estuary':1},'scarce':{'as':1,'multiplying':1},'imagined':{'the':1,'entity':1},'beetles':{'and':1},'slot':{'and':1,'of':1},'colony-making':{'protozoon':1},'slow':{'and':1,'like':1,'boiling':1,'one':1,'down':2,'to':3,'as':1,'vibrations':1,'although':1,'changes':1},'representation':{'of':6,'to-day':1},'gravers':{'and':1},'fox-terrier':{'turned':1},'liberation':{'and':1},'going':{'on':17,'appearing':1,'that':1,'back':5,'one':2,'to':4,'through':1,'farther':1,'on.':8,'beyond':1,'outward':1,'concern':1},'uppermost':{'portion':1,'layer':1},'helmholtz':{'lord':1},'dispute':{'as':1,'the':1},'evolution--but':{'even':1},'hindmost':{'pair':1},'guarded':{'against':1},'tail.':{'now':1,'it':1,'but':1,'man':1},'infallibly':{'between':1},'genera':{'and':1},'eel-fare':{'includes':1},'freezing':{'.':1,'point':1},'theory--had':{'a':1},'also--protection':{'for':1},'clearest':{'realities':1},'shallow-water':{'species':1},'keenly':{'aware':1},'parasitic':{'sporozoa':1,'death':1},'toads':{'newts':1,'and':2,'jump':1,'sometimes':1},'absurdly':{'small':1},'liable':{'to':3,'such':1},'where':{'and':1,'copper':1,'words':1,'it':10,'deep':1,'an':1,'sea':1,'any':1,'dense':1,'no':1,'there':5,'its':1,'their':1,'does':3,'routine':1,'you':1,'alertness':1,'we':3,'very':1,'they':2,'alone':1,'instinctive':1,'a':3,'this':2,'these':1,'each':1,'the':24},'sake--imitation--the':{'mind':1},'vision':{'and':1,'is':3,'holds':1,'than':1,'in':1},'press.':{'comparative':1},'proof--man':{'s':1},'attenuated':{'that':1},'electrons--and':{'the':1},'reign.':{'they':1},'silurian':{'and':1,'the':1,'when':1,'period':2,'rocks':1},'up':{'and':8,'individually':1,'intelligence':2,'into':14,'it':1,'general':1,'light-waves':1,'at':1,'questions':1,'in':10,'impressions':1,'rivulets':1,'the':26,'any':1,'living':1,'what':1,'from':2,'for':2,'how':1,'.':5,'to':8,'between':1,'estuaries':1,'new':1,'energy':1,'his':1,'an':1,'substances':1,'our':2,'nonproprietary':1,'trees':1,'but':1,'such':1,'one':1,'with':6,'by':10,'a':9,'on':5,'organic':1,'these':1,'light':1,'leaves':1,'carbon':3,'so':2,'of':9,'again':2,'everything':1,'photosynthesis':1,'or':4},'distended.':{'eventually':1},'impressions':{'go':1,'of':1,'.':1},'hastened':{'the':1},'830':{'000':2},'inequalities':{'of':1,'in':1},'compounds':{'to':1,'from':1,'activated':1,'like':1,'out':1},'representatives':{'of':3,'sometimes':1,'had':1,'except':1,'.':1},'under-skin':{'or':1,'.':1},'secondaries':{'are':1},'dormitory':{'instead':1},'--which':{'have':1},'moons':{'we':1,'of':4,'four':1,'to':1,'which':2,'certain':1,'round':1},'affecting':{'it':1,'nerve-cells':1},'man.':{'a':1,'on':1,'animals':1,'pariasaurus':1,'4':1,'triceratops':1,'it':1,'deperet':1,'according':1,'1':1,'illustration':1,'such':1,'eocene':1,'man':1},'volvox':{'a':1,'69':1,'the':1,'is':1,'.':1},'fir':{'cones':1},'spectroscopy':{'is':1},'vertical':{'line':1,'bars':1},'screen':{'and':1,'we':1,'for':1,'means':1,'where':1,'is':1,'.':4,'through':1,'which':1,'producing':1,'make':1,'glowed':1},'dome':{'like':1,'.':1},'ancestors--a':{'wolf':1},'big-brain':{'type':4},'proterozoic':{'ages':1,'eras':1,'era':1},'jets':{'of':2,'or':1},'engravings.':{'factors':1},'spark':{'on':1,'this':1,'.':1,'271':1,'274':1,'consists':1,'an':1,'or':1},'well-protected':{'pupa':1},'concentrated':{'upon':2},'circumference':{'so':1,'.':1},'many':{'insects':1,'instincts':1,'years':1,'bivalves':1,'experiments':2,'facts':1,'contributions':1,'birds':4,'young':2,'forms':4,'parts':2,'anticipations':1,'reptiles':2,'inventions':1,'thousands':2,'which':1,'tenses':1,'very':1,'crustaceans':1,'portions':1,'more.':1,'far-reaching':1,'minute':1,'fossils':1,'nerve-endings':1,'countries':1,'corners':1,'miles':2,'brownish':1,'small':4,'freshwater':1,'generations':1,'people':1,'animals':9,'fish':1,'parasites':1,'individual':1,'universes':2,'hundredfold':1,'creatures':2,'oceanic':1,'for':1,'ways':1,'migrations':1,'new':1,'open-sea':1,'levels--the':1,'we':1,'were':2,'hours':1,'broken':1,'directions.':1,'yards':1,'directions':3,'about':1,'brilliant':1,'of':23,'months':2,'haunts':1,'times':3,'shore-animals':2,'tree-loving':1,'already':1,'useful':1,'annelids':1,'another':1,'fees':1,'protozoa':2,'establish':1,'millions':5,'ancient':1,'would':1,'.':1,'tropical':1,'stars':2,'dangers':1,'more':1,'acquisitions':2,'that':2,'mammals':3,'regard':1,'sciences.':1,'amphibians':1,'cases':9,'an':1,'plants':1,'prehistoric':1,'unsegmented':1,'places':1,'apples':1,'planes':1,'drops':1,'similar':2,'and':2,'likewise':1,'days':3,'have':1,'domesticated':1,'occur':1,'different':5,'things':1,'shore':1,'astronomers':4,'other':9,'doors':1,'units':1,'mysteries':1,'kinds':1,'thoroughgoing':1,'eggs':1,'swiftly':1,'problems':1,'important':1,'waves':1,'fishes':1,'types':2,'a':3,'land':1,'minutes':1,'sometimes':1,'peculiarities':1,'electrons':1,'nuclei':1},'moon.':{'illustration':1},'estimates.':{'the':1},'thickly':{'peopled':2},'s':{'chicks':1,'atmosphere':3,'skeleton':1,'sentence':1,'stinging-cells':1,'instincts':1,'sheltering':1,'brain':3,'snapping-blades':1,'hairs--an':1,'skin':2,'chicken':2,'visceral':1,'principal':1,'web':3,'anvil':1,'interesting':1,'instruction':1,'monkeys':1,'hidden':1,'real':1,'beginnings.':1,'return':1,'orbit':1,'arboreal':3,'big':1,'theory--had':1,'famous':2,'shell--there':1,'sons':2,'moods':1,'saying':1,'hands':1,'press':7,'world':1,'rotation':4,'continued':1,'day':4,'runs':1,'establishment':1,'cry':1,'solution':1,'experiments':1,'activity':1,'sake--imitation--the':1,'ceaseless':1,'mental':2,'energy':2,'mongoose':1,'notice':1,'past':1,'affiliation':1,'books':1,'mighty':1,'year':1,'laboratory':1,'indirect':1,'ascent':2,'arm':1,'shining':1,'pedigree':2,'apparatus':2,'nebula':6,'crust':4,'finger':1,'rational':1,';':2,'eggs':1,'discovery':1,'body':8,'prerogative.':1,'theory':2,'leg':1,'beak-like':1,'men':4,'behaviour':1,'magnetism':2,'compass':1,'dwindling':1,'tide-producing':1,'intense':1,'advance':2,'great':2,'derivation':1,'side':1,'croaking-sacs':1,'patagium':1,'action':1,'history':2,'frequent':1,'skill':1,'point':4,'feelings':1,'inquisitive':1,'long':2,'beak':2,'theory.':1,'story':1,'sake':1,'initial':1,'frog':1,'.':26,'dropping':1,'pedigree--man':1,'structure':1,'danger-note':1,'white':1,'store':1,'mundane':1,'eyes':2,'hard':1,'flight':1,'relationship':4,'cluck':1,'training':1,'shard':1,'bulk':1,'heat':2,'surface':19,'ear':1,'food-canal':1,'essays':1,'he':1,'pull':2,'wise':1,'skull':3,'solid':2,'gravitational':1,'bill':12,'fly-trap':1,'light':4,'propeller':1,'head.':1,'earth.':1,'ein':1,'and':1,'words:':1,'discovery.':1,'ingenuity':1,'horns':1,'escape':1,'mind':3,'head':3,'apartness':1,'dog':1,'shell':1,'at':1,'cathedral':1,'wonderful':1,'clothing':1,'laws.':1,'movements':2,'cage':1,'rays':5,'maxim:':1,'diurnal':1,'inheritance':1,'heat.':1,'forceps':1,'blood-relationship':1,'food':1,'strange':1,'animal':1,'hedgehog-like':1,'predestined':1,'civilisation':1,'composition':1,'conclusion':1,'vestigial':1,'nest':1,'philosophy':1,'reach':1,'hand':1,'ancestors':4,'mouth':1,'device':1,'does;':1,'sand-grouse':1,'descent':3,'mysteries':2,'remote':1,'expert':1,'foot':1,'undeniable':1,'age':2,'handiness.':1,'coastlines':1,'star-book':1,'mass':1,'gill-plates.':1,'the':2,'wing':4,'goals':1},'mane':{'reaching':1},'expended':{'their':1},'flipper':{'of':3},'expression':{'of':6,'is':1,'as':1,'are':1,'familiar':1,'instinctive':1,'has':1},'moon;':{'it':1},'riddle':{'that':1},'stoats':{'hares':1},'ants':{'and':5,'beneath':1,'bees':3,'are':1,'hive':1},'air-breathing':{'insects':1,'arthropods':3,'amphibians':1,'invertebrates':1},'boar':{'and':1,'below':1,'coloured':1,'were':1},'extinct':{'and':2,'reptile':2,'apes':1,'animals':2,'volcanoes':1,'fish':1,'flying':3,'leaving':1,'monsters':1,'neanderthal':1,'reptiles':1,'types--':1,'race':1,'in':1,'not':1,'vegetarian':2,'type':1,'or':1,'pterodactyls':1,'flightless':2},'twig':{'and':1,'breaks':1,'for':1},'want.':{'illustration':1},'fitful':{'gleams':2},'collides':{'with':1},'cetaceans':{'some':1},'stretch':{'of':1,'vast':1},'mounting':{'of':1},'lettering':{'to':1},'diurnal':{'tint.':1,'variation':1},'collided':{'with':1},'combined':{'to':1,'operation':1},'finger-tip':{'they':1},'reflective':{'one':1},'covering':{'and':1,'many':1,'is':1,'of':2},'recaptures':{'it':1},'day--a':{'long':1},'enable':{'their':1,'the':1,'us':4},'gist':{'of':2},'lakelets':{'of':1},'thousand':{'and':1,'or':2,'trillion':2,'of':1,'cells':2,'million':2,'together':1,'years':10,'millions':1,'miles':3,'.':1,'steep':1,'thousand':1,'generations':1,'times':6},'formed':{'a':1,'then':1,'has':1,'from':3,'float':1,'young':1,'it':1,'solids':1,'at':1,'sandstones':1,'in':2,'the':4,'.':2,'by':2},'haunt':{'forever':1,'for':1,'of':8,'some':1,'stops':1,'includes':1,'so':1,'which':1,'has':1},'photos':{':':5},'indents':{'the':1},'observe':{'these':1,'and':1,'in':1},'infusorians':{'to':1,'like':1},'diffuse':{'and':1,'gas':1},'co-ordination':{'of':1},'prominence':{'to':1,'by':1,'would':1},'intimately':{'associated':1,'bound':1},'dints':{'impressed':1,'have':1},'confidently':{'say':1},'situation':{'.':5,'for':1,'in':1},'region':{'smaller':1,'of':5,'is':1,'when':1,'to':1,'at':1,'known':1,'the':4,'called':1,'south':2},'girth':{'.':1},'concatenation':{'of':1},'birth.':{'enough':1},'regularity':{'of':1},'rock-cod':{'requires':1},'ascii':{'start':1,'or':2},'adopted.':{'the':1},'binary':{'compressed':1},'beginning.':{'in':1},'shuts':{'on':1},'preparatory':{'to':1},'perpetually':{'giving':1},'coconuts':{'is':1},'emulsions':{'can':1},'way.':{'this':1,'bearing':1},'wires':{'as':1,'are':1,'in':1},'sickness':{'.':5},'edges':{'and':1,'of':4},'advertisement':{'impressing':2},'six':{'meant':1,'feet':1,'great':1,'main':1,'inches':1,'very':1,'thousand':1,'months':1,'quite':1,'colours':1,'to':2,'miles':1,'greatly':1,'years':1,'weeks':1,'stages':2},'volcanoes':{'.':1},'tentacle':{'touches':1},'know':{'and':2,'almost':1,'indeed':1,'is':1,'it':4,'not':1,'as':2,'are':1,'in':1,'if':1,'fire':1,'what':1,'from':1,'their':1,'when':3,'gases':1,'.':3,'to':2,'outside':1,';':1,'be':1,'that':17,'very':1,'but':1,'nothing':1,'now':2,'with':1,'a':1,'also':1,'about':1,'to-day':2,'whether':3,'of':4,'no':1,'definitely':2,'far':1,'life.':1,'the':5,'nothing.':1,'something':1},'peculiarities':{'and':1,'of':5,'.':1,'say':1,'in':2,'such':1},'costs':{'and':2},'engulfing':{'and':1,'large':1,'in':1},'unimagined':{'.':1},'persistently':{'used':1,'resorted':1},'216':{'photo':2},'summer':{'and':2,'full':1,'darkness':1,'of':1,'green-flies':1,'months':1,'scene':2,'day':1,'plumage':1,'s':1,'does':1,'at':1,'weather.':1,'than':1},'followed.':{'illustration':1},'manifold':{'significance.':1,'influence':1},'213':{'photo':2},'being':{'already':1,'closely':1,'swept':2,'blown':1,'unpalatable':1,'able':1,'moved':1,'investigated.':1,'an':3,'held':1,'as':1,'set':2,'dried':2,'human':1,'nonplussed':1,'swallowed':2,'any':1,'given':1,'built':1,'to':1,'washed':2,'due':1,'continually':1,'liberated':1,'outside':1,'incessantly':1,'deposited':1,'surveyed':1,'endowed':1,'polygamous':1,'more':2,'a':1,'affected':1,'evolved':1,'that':3,'very':1,'mammals':1,'formed':1,'what':1,'driven':1,'imperfectly':1,'nourished':1,'dissipated':1,'on':1,'than':1,'regrown':1,'thrown':1,'begins':2,'devoured':1,'indivisible':1,'embryos':1,'frozen':2,'consumed':1,'utilised':1,'replaced':1,'greatly':1,'hurled':1,'each':1,'quick':1,'the':3,'left':1,'reinforced':1},'drone-fly':{'is':1},'slime':{'from':1},'rest':{'and':1,'repair':1,'assured':1,'of':5,'is':1,'belong':1,'.':3,'till':1,'through':1,'in':1},'steamer':{'and':1},'crust.':{'on':1},'potentiality':{'of':1},'aspect.':{'illustration':1},'water-basins':{'or':1},'ligula':{'or':1},'weekly':{'nature':1},'occasional':{'light':1,'flash':1,'traces':1},'tactility':{'.':2},'geological':{'clock':1,'time-table':1,'estimates.':1,'tree':1,'middle':1,'periods':1,'time':1,'past.':1},'silver':{'on':1,'mirror':1},'instrument':{'and':1,'again':1,'used':2,'for':3,'that':1,'of':3,'however':1,'to':1,'which':2,'in':1,'the':2,'has':1,'ever':1,'gets':1},'formative':{'times':1},'continuation':{'of':2},'prominently':{'whenever':1,'displaying':1},'form-resemblance.':{'illustration':1},'skies':{'.':1},'aspects':{'of':3,'matter':1,'folk':1,'.':1},'around':{'sun':1,'the':8,'its':1,'us':1,'an':2},'decomposed':{'into':1},'dart':{'to':1},'dark':{'sprawling':1,'and':1,'absorbing':1,'spots--they':1,'in':1,'silent':1,'nebula':1,'moorland':1,'spots':1,'forms':1,'to':1,'only':1,'parts':1,'stars':1,';':1,'body':1,'bands':2,'water':1,'heat':1,'lines.':1,'markings':1,'areas':1,'varieties':1,'corners':1,'region':1,'fringe':1,'lines':3,'matter':1,'of':1},'bandage':{'which':1},'vacuum':{'tube--the':1,'tube':7,'tubes':1,'.':2},'world':{'and':2,'would':1,'new.':1,'throwing':1,'is':4,'within':1,'an':1,'as':1,'are':2,'in':2,'provokes':1,'if':1,'wondered':1,'internat':1,'when':1,'.':13,'without':1,'too':1,'which':2,';':2,'was':1,'over':1,'then':1,'knows':1,'means':1,'becomes':1,'who':1,'but':2,'than':2,'like':1,'a':1,'about':1,'for':2,'of':7,'professor':1,'monkeys':3,'will':1,'s':1,'became':1,'can':2,'always':1,'biological':1,'the':2,'entered':1,'settled':1,'came':1,'once':1},'breakage':{'plane':1},'vague':{'idea':1},'dare':{'not':1,'say':1,'one':1},'sensational':{'stories':1,'estimates':1,'discoveries':1},'60':{'spotted':1,'000':2,'reproduced':1,'days':1},'fossils':{'we':1,'e.g':1,'of':1,'when':1,'but':1,'coloured':1,'.':1,'in':1,'binding':1,'many':1,'by':1},'pole':{'to':2,';':1,'of':5,'was':1,'in':1},'claw':{'it':1},'stationary':{'.':1},'clap':{'of':1},'65':{'photo':1,'reproduced':1},'satisfactory':{'and':1,'fossils':1,'or':1,'way':1},'fives':{'or':1},'wattle':{'or':1},'law--senses':{'of':1},'lobster':{'swimming':1},'all-pervading':{'similitude':2},'diving':{'in':1,'flying':1,'capacity':1,'but':1,'suit':1},'racial':{'evolution':2,'profit.':1,'ventures':1,'strains':1,'vigour':1,'change':2,'qualities':1,'process':1,'qualities--notably':1},'armoured':{'fishes':1},'thinks':{'of':1,'the':1,'that':3,'less':1},'wrongly':{'call':1,'shows':1},'dissociated':{'and':1},'dimensions':{'11':1,'this':1,'.':2,'cannot':1,'in':1,'than':1},'cavity':{'the':2},'memories':{'and':1,'of':3},'noon':{'of':1},'tree-snake':{'is':1},'nook':{'of':1},'favourite':{'answer':1},'semotilus':{'atromaculatus':2},'918':{'miles':1},'happened':{'to':2,'over':1,'later':1,'in':2,'one':1},'levels--the':{'tendency':1},'transmutation':{'of':1,'brighten':1,'would':2},'refer':{'to':3,'throughout':1},'scientific':{'glories':1,'methods':1,'habit':2,'mind':2,'imagination':1,'caution':1,'weekly':1,'instruments.':1,'ideas':6,'way':1,'description':1,'description.':1,'american.':1,'men':2,'problems':1,'hypothesis':1,'statement.':1,'spirit':1,'man':1,'acquisitions':1,'definition':1,'study':1,'american':1,'way.':1,'spectator':1,'position':1},'power':{'used':1,'from':1,'stations':1,'of':37,'stations.':1,'that':1,'to':1,'enough':1,'in':1,'or':1,'is':2},'intimate':{'physiological':1,'part':1,'partnership':3,'physiology':1},'sprung':{'from':1},'precious.':{'illustration':1},'endogamy':{'tending':1},'five.':{'if':1},'lens':{'and':2,'weighs':1,'of':1,'is':1,'two':1,'.':3,'four':1,'near':1,'however':1,'at':2,'resolved':1,';':1,'called':1},'stone':{'implements':3,'and':1,'neolithic':1,'curlews':1,'generates':1,'hunting':1,'resting':1,'of':1,'age':3,'implements--knives':1,'until':1,'to':1,'running':1,'.':1,'into':1,'living':1,'the':2,'trying':1,'its':1,'or':1,'age.':3},'origins':{'are':1},'swarms':{'of':1},'industry':{'and':1},'slender':{'stream':1},'side':{'and':5,'for':1,'tells':1,'of':19,'actions':1,'.':8,'to':9,'below':1,'so':2,'are':1,'veins':1,';':1,'must':1,'was':2,'by':1,'view':1},'practicable':{'to':1},'act':{'though':1,'of':2,'was':1,'against':1,'as':2,'together':1,'experimentally':1,'instinctively':1,'with':1},'composed--':{'one':1},'johnston':{'in':1},'--brushes':{'off':1},'puzzle-box':{'at':1},'diversely':{'adapted':1},'fundraising':{'.':1},'burning':{'and':1,'coal':1,'wood':1,'of':1},'image':{'and':1,'of':2,'.':1},'electricity.':{'what':1,'4':1},'surinam':{'toad':4},'carey':{'s':2},'mic.':{'sci.':1},'sneering':{'curl':1},'wave-movements':{'on':1},'lively':{'cheerful':1,'and':1,'commotion':1,'.':1},'wade':{'cautiously':1},'excrementitious':{'material':1},'snakes':{'are':3,'.':1},'tropical':{'shores':1,'africa':2},'repertory.':{'from':1,'according':1},'her':{'and':1,'silken':1,'family':2,'supply':1,'almost':1,'advantage.':1,'hand.':1,'mind':1,'hindmost':1,'young':1,'chin':1,'in':1,'arm':1,'web':1,'ancestors':1,'two':1,'stealthy':1,'short':1,'to':2,'tail':1,'eggs':6,'body':2,'life':1,'maternal':1,'offer':1,'nest':1,'attention':1,'back':2,'behaviour':1,'nimble':1,'mouth-parts':1,'intent':1,'beak':1,'instinctive':1,'teacher':2,'clumps':1,'a':1,'perceptions':1,'cocoon':1,'limits':1,'performances':1,'except':1,'range':1,'race':1,'teeth':1,'mouth':1,'relation':1},'bristles':{'.':1},'reflectors':{'and':1,'.':1},'symbiosis':{'.':1},'secretion':{'such':1,'of':1},'hen':{'leave':1,'there':1,'which':1},'bubble':{'would':1,'of':3,'ascends':1,'coloured':1,'as':1,'are':1,'were':1,'the':1,'is':2},'survives':{'in':1},'journ':{'.':2},'continents':{'and':4,'are':1,'.':1},'secreted':{'strange':1,'from':2,'by':1},'semnopithecus':{'entellus':1},'mammals':{'and':9,'among':1,'there':2,'besides':1,'show':2,'enjoy':1,'it':1,'as':2,'including':1,'are':3,'have':2,'in':1,'ourselves':1,'whose':1,'by':2,'from':1,'hoofed':1,'did.':1,'burrowers':1,'.':13,'to':2,'master':1,'emerged':1,';':2,'save':1,'is':1,'we':2,'repeat':1,'which':1,'may':1,'but':1,'like':9,'arose':1,'they':2,'such':4,'flowering':1,'now':1,'adaptive':1,'possess':1,'off':1,'especially':1,'e.g':1,'these':1,'always':1,'will':1,'very':1,'the':2,'furnish':1},'nitrogenous':{'waste':2,'material':1},'foreheads':{'well-marked':1},'another.':{'investigation':1,'sec':1,'besides':1,'illustration':1},'survived':{'and':1},'elimination':{'of':3},'mice':{'learn':1},'with':{'all':8,'pointing':1,'less':1,'frontispiece.':1,'over':1,'particular':1,'worms':2,'yellow':1,'far-reaching':1,'hind-legs':1,'experiments':1,'human':1,'signs':1,'alternative':1,'its':12,'colour-associations':1,'one':4,'cave-bear':1,'remarkable':1,'decomposing':1,'much':5,'young':2,'reason--lays':1,'better':1,'insects':1,'neighbours':1,'internal':1,'microscopic':1,'4':3,'disgust':1,'gravel':1,'instincts':1,'awareness':2,'alternating':2,'them':3,'his':11,'increased':1,'permission':1,'arboreal':1,'capacities':1,'longish':1,'balancing':1,'negative':1,'words':2,'instinctive':1,'silk':1,'motor':1,'progressive':1,'sense-organs':1,'ageing':1,'large':4,'this':11,'coco-nut':1,'each':1,'perceptual':1,'traces':1,'engravings':1,'mental':1,'intelligence':2,'energy':2,'hard':1,'some':6,'plumage':1,'us':1,'our':3,'instinct--the':1,'rough':1,'folk':1,'planetesimal':1,'what':3,'definite':1,'fingers':2,'worship':1,'difficulties':1,'rational':1,'numerous':2,'public':1,'scientific':1,'zest':1,'cellulose':1,'seaweeds':1,'out-flowing':1,'extraordinary':1,'compressed':1,'tartan':1,'by':1,'universals.':1,'both':1,'great':7,'freshwater':2,'distinctness':1,'many':3,'parts':1,'motion':1,'benevolence':2,'grain':1,'greatly':1,'atoms.':1,'warning':1,'or':2,'embryo':1,'copper':1,'equally':1,'there':1,'peculiar':1,'sweet':1,'powerful':1,'marked':1,'hearing':1,'sympathy':2,'unicellular':1,'another':4,'such':3,'faraday':1,'.':1,'open':1,'your':1,'fossil-bearing':1,'startling':1,'little':1,'her':3,'shells':1,'positive':1,'flying':1,'two':1,'particulars':1,'anyone':1,'their':9,'2':2,'which':17,'reptiles':1,'vapours':1,'life':1,'only':1,'that':1,'becoming':1,'apparent':1,'flinty':1,'stone':1,'amphibians':1,'it':7,'offers':1,'determination':1,'external':1,'excellent':1,'prodigious':2,'an':11,'active':2,'considerable':2,'those':2,'animals':1,'adaptations':1,'glory':1,'these':4,'instinct':2,'sea-anemones':1,'project':2,'matter':2,'paragraph':2,'temperatures':1,'wicketed':1,'concepts':1,'wild':1,'about':1,'more':6,'beliefs':1,'something':2,'and':1,'associated':1,'protrusive':1,'almost':2,'certain':3,'universal':1,'suggestions':2,'few':1,'general':4,'as':1,'breathing':1,'numbers':1,'aristotle':1,'in':6,'partner':2,'mediocre':1,'agility':1,'any':2,'currents':1,'masterly':1,'astonishing':1,'different':2,'awkward':1,'no':2,'unsuitable':1,'ideas':1,'immense':1,'pectoral':1,'food':1,'other':3,'coconuts':1,'animal':1,'ordinary':1,'enormous':1,'calendar-keeping':1,'rude':1,'opposite':1,'mentality':1,'unsurpassed':1,'most':1,'mankind':1,'moss':1,'mendel':1,'astronomy':1,'buttonholes':1,'man':2,'a':72,'short':1,'branches':1,'traps':1,'conscious':1,'others.':1,'professor':1,'incredible':1,'eddies':1,'peculiarities':1,'points':1,'electrons':2,'very':1,'the':149,'mating':1,'reserve':1},'pull':{'of':3,'acting':1,'which':1,'each':1,'the':3,'than':2},'rush':{'violently':1,'through':1,'of':2},'october':{'10':1,'3':2,'5':2},'stoneless':{'plum':1},'world-cloud':{'of':1},'universe--astronomical':{'instruments.':1},'nearest':{'planet':1,'to':5,'star':2,'stars':2,'of':1},'agree':{'rather':1,'to':7,'.':1,'with':1,'that':2},'darker':{'in':1},'gone':{'furthest':1,'far':1,'back.':1,'to':1,'through':1,'in':1,'wild':2,'further':1,'beyond':1,'by':1},'haunts--such':{'as':1},'certain':{'comets':1,'individuality':1,'abilities':1,'hormones--itself':1,'facial':1,'repertory':1,'is':2,'pre-arrangements':1,'number':1,'actions':1,'sounds':1,'internal':1,'depth':1,'from':1,'degree':2,'microbes':1,'that':15,'peculiarities':1,'parts':1,'black':1,'units':1,'ancestor':1,'lichens':1,'long-headed':1,'backgrounds':1,'we':1,'clever':1,'kinds':1,'desires':1,'substances':1,'ductless':1,'however':1,'effective':1,'atoms':1,'sensory':1,'dinosaurs':1,'chemicals':1,'words':1,'cases':3,'minerals':1,'types':2,'areas':1,'plants':1,'dark':2,'kind':1,'difficulties':1,'predisposition':1,'commands':1,'lines':2,'strange':1,'amount':7,'implied':1,'limit':1,'of':1,'fixed':1},'ak':{'99712':1},'cuttles':{'or':1},'am':{'of':1},'an':{'ovule':1,'impression':4,'atmosphere':1,'evolutionary':1,'earthworm':5,'astronomical':1,'egg-cell':1,'infant':3,'aquatic':1,'atomic':2,'intricate':2,'earth':1,'abundant':2,'imagined':1,'outer':1,'anvil':1,'interesting':13,'apple--out':1,'endeavour':1,'instrument':4,'advanced':1,'easy':2,'orange':1,'electrical':2,'adequate':1,'unprecedented':1,'equilibrium':1,'increased':2,'advantage':1,'arboreal':3,'inspiriting':1,'indubitable':1,'educative':1,'account':1,'indigenous':2,'answer':3,'unimportant':1,'historic':1,'asymmetrical':1,'aerolite.':1,'awful':1,'instinctive':2,'emergence':1,'antiquity':2,'association':1,'eye-piece':1,'old-established':1,'evolution':1,'onion':1,'organ':3,'extremely':1,'unnecessary':1,'absurdly':1,'emphatic':1,'intensification':1,'activity':1,'entirely':2,'automatic':3,'essential':3,'associative':1,'adaptation':1,'unsatisfied':1,'abbreviated':1,'old':1,'x-ray':2,'insignificant':1,'energy':2,'animalcule':1,'hour.':1,'inkling':2,'astronomer':2,'individual':5,'all-pervading':2,'exuberant':1,'ascent':1,'extinct':5,'electric':20,'index':1,'apparatus':2,'opaque':1,'open':1,'ice':1,'hereditary':1,'increase':2,'appreciative':1,'indian':1,'eight-armed':2,'economical':1,'inborn':2,'indication':1,'antler':1,'increasing':2,'eagle':1,'evolving':2,'earlier':4,'explosive':1,'aeroplane':2,'intimate':1,'ever-lengthening':1,'exudation':1,'illustration':6,'outfit':1,'egg':1,'extraordinary':2,'experimenting':1,'immature':2,'expansion':2,'arithmetical':1,'invisible':2,'entrancing':1,'exciting':2,'advance':1,'enormous':10,'instant':1,'indivisible':1,'envelope.':1,'exceptionally':1,'amount':1,'ineffective':1,'anthropoid':3,'invitation':1,'offshoot':1,'observation':1,'expression':1,'elongated':1,'untutored':1,'utterly':1,'exuberance':1,'intellectual':1,'echo':1,'active':1,'appropriate':1,'eleventh':1,'extraneous':1,'eventful':2,'elementary':1,'inorganic':3,'immensely':1,'electronic':1,'ether':4,'ancient':3,'elastic':1,'eclipse.':1,'alligator':2,'unknown':1,'indispensable':1,'outline':2,'approximate':1,'immense':7,'intermediate':1,'examination':2,'inner':2,'interest':1,'ounce':1,'egg-layer':1,'exploring':1,'extensive':1,'imperfect':2,'amoeba':1,'inclined':1,'immediate':1,'idea':1,'appreciation':1,'external':2,'impulse':2,'atom':16,'upright':1,'improved':1,'institution':1,'encyclopaedia':1,'otter':1,'abundance':1,'exception':1,'apprenticeship':2,'hour':2,'eclipse':3,'harmonious':1,'obvious':1,'empty':2,'historical':1,'emotional':1,'outflame':1,'average':2,'undercharged':1,'assemblage':1,'enforced':1,'angel':1,'almost':2,'expanding':1,'expedient':1,'ant':3,'aristotle':1,'element':2,'apparently':1,'everyday':1,'open-water':1,'angle':2,'infantile':1,'awkward':1,'alphabet':1,'eloquent':1,'american':2,'event':1,'instance':1,'epoch':1,'internal':2,'inquiry':1,'oar':1,'animal':19,'elephant':1,'inch':19,'ordinary':6,'intelligent':6,'explanation':2,'unutterably':1,'independent':1,'extended':1,'easygoing':1,'opposite':1,'actual':2,'object':3,'astounding':2,'insect':5,'important':6,'appreciable':1,'advertisement':1,'infinite':3,'alpha':1,'irretraceable':1,'advantageous':1,'older':1,'undeniable':1,'age':2,'electron':8,'innocent-looking':1,'ocean':2,'intruder.':1,'exceedingly':1,'experimental':2,'african':2,'inhabitant':1,'opportunity':2,'order':1},'as':{'peacock':1,'all':2,'hunger':1,'being':1,'when':2,'mackerel':1,'dancers':1,'soon':1,'rest':1,'symbols':2,'brain':1,'bright':1,'dog':1,'vastly':1,'go':1,'graptolites':1,'expressions':1,'fine':1,'yet':4,'before':2,'one':6,'slow':1,'thrilling':1,'greenwich':1,'fit':1,'sodium':2,'possible.':1,'deposits':1,'examples':2,'to':38,'must':1,'wood':1,'smolts':1,'molecules':1,'ours':1,'gills':1,'has':6,'noctiluca':1,'frogs':1,'good':1,'pre-dravidians.':1,'easily':1,'very':1,'big':1,'locusts':1,'sappers':1,'possible':2,'dark':1,'every':1,'nearly':1,'they':17,'instinctive':1,'now':1,'dr':1,'crabs':1,'worlds':1,'evolution':1,'fossils':1,'heat-waves':1,'cavendish':1,'gifted':1,'modern':1,'large':3,'rods.':1,'stuff':1,'mind-body':1,'relics':1,'each':1,'beasts':1,'amoebae':1,'imprints':1,'mathematical':1,'reactions':1,'set':3,'rats':1,'grouse':1,'curved':1,'radium':2,'creation':1,'some':1,'dead':1,'parasites':1,'miniatures':1,'among':1,'are':2,'specified':1,'body-mind':1,'our':2,'fear':1,'best':1,'happens':2,'established':1,'shown':9,'palaeolithic':1,'for':1,'1850':1,'fingers':1,'food':3,'may':1,'health':1,'monkeyish':1,'copper':1,'public':1,'iron--and':1,'can':1,'granites':1,'we':59,'wheat':1,'inert':1,'cauliflower':1,'nature':1,'equivalent':1,'valuable':1,'atoms':1,'water':2,'basalts':1,'members':1,'represented':1,'oxalic':1,'safer':1,'dwindling':1,'by':1,'change':1,'on':1,'great':2,'kids':1,'of':1,'taking':1,'chamberlin':1,'thinking':1,'cormorants':1,'other':1,'grilse.':1,'peripatus':1,'heavy':2,'equally':1,'there':6,'bricks':1,'explained':1,'powerful':2,'marked':1,'parachutists':1,'walt':1,'freely':1,'einstein':1,'thick':1,'obliging':1,'earthworms':1,'he':3,'described':1,'crocodiles':1,'distinct':1,'twenty':1,'cradles':1,'two':1,'long':9,'quickly':1,'their':4,'much':4,'sponges':1,'man':1,'was':1,'empty':1,'clever':1,'corresponding':1,'that':7,'leptocephali':1,'shoots':1,'mentality':1,'about':1,'amphibians':1,'glass':1,'heat':2,'regards':11,'external':1,'mounted':1,'with':1,'those':9,'inconspicuous':1,'darwin':2,'hour':1,'brusque':1,'reliable':1,'this':2,'sea-anemones':1,'lungbooks':1,'will':1,'matter':3,'projecting':1,'thin':1,'many':6,'cats':1,'primitive':2,'refractors':1,'distinguished':2,'ants':2,'something':2,'collecting':1,'stubborn':1,'bullhead':1,'defined':1,'is':11,'year':1,'it':60,'an':14,'professor':5,'well.':1,'pieces':1,'numbers':1,'aristotle':1,'in':30,'handle':1,'lambs':1,'any':1,'if':16,'cave-men':1,'sir':3,'different':1,'compared':2,'no':1,'shell-shock':1,'means':1,'uranium':1,'far':5,'internal':1,'useless':1,'pure':1,'elephant':1,'resembling':1,'you':2,'volplanes':1,'higher':1,'open-water':1,'used':1,'beauty':1,'though':1,'contrasted':1,'mutual':1,'rain':1,'most':2,'but':1,'significant':1,'such':2,'elvers':1,'commensalism':1,'probable':1,'a':95,'crystals':1,'safe':1,'pithecanthropus':1,'light':1,'clear':1,'sun-spots':1,'well':11,'grilse':1,'donkeys':1,'having':1,'beds':1,'these':2,'electrons':1,'mechanical':1,'at':1,'the':98,'drawing':1,'restored':2},'associating':{'certain':1},'at':{'distances':1,'all':21,'rest':2,'four':1,'london':1,'its':10,'20':1,'work.':2,'mauer':2,'paris':1,'those':1,'heidelberg':1,'dates':1,'seventy':1,'his':2,'washington.':1,'mathura':1,'birth':1,'half':1,'12:30':1,'least.':1,'colonising':1,'night':9,'fixed':1,'right':4,'learning':1,'some':4,'coldrum':1,'home':4,'once.':1,'sunrise':1,'3':1,'various':3,'between':1,'nine':2,'each':1,'things--that':1,'hundreds':1,'here':1,'nightfall':1,'by':3,'great':2,'last':4,'many':2,'dublin':1,'so':1,'times':1,'http:':6,'first':9,'cambridge':1,'successive':1,'one':6,'another':2,'250':2,'total':2,'from':1,'twenty':1,'three':1,'least':20,'.':1,'their':2,'2':1,'186':2,'gibraltar':1,'leisure.':1,'500':1,'flight':1,'www.gutenberg.org':2,'that':6,'about':1,'but':1,'92':1,'present':12,'this':7,'work':3,'piltdown':1,'abrupt':1,'4557':1,'1.':1,'and':1,'it':1,'an':7,'niagara':1,'in':1,'any':9,'these':3,'different':4,'no':3,'perhaps':1,'things':1,'other':3,'sobral':2,'which':3,'new':1,'ordinary':1,'enormous':1,'simplicity':1,'opposite':1,'our':1,'earlier':1,'hand':2,'most':1,'two':1,'last--that':1,'such':1,'a':43,'lower':1,'e':1,'ottawa':1,'st':1,'809':1,'sunset':1,'the':123,'drawing':1,'once':11},'fumbling':{'at':1},'walks':{'of':1,'slowly':1,'erect':1},'watched':{'and':1},'tranquil':{'world':1},'dawn':{'of':10,'breaking':1,'to':1},'uplifts':{'of':1},'collie':{'at':1},'pliohippus':{'about':1},'2001':{'the':1},'predestined':{'plan.':1},'puppy':{'came':1},'contemporaries':{'in':1},'fry.':{'sir':1,'j':1,'but':1},'indemnify':{'and':1},'vocabulary':{'so':1},'walk.':{'how':1},'terra':{'firma':3},'gifts':{'as':1},'herbs':{'and':1},'environing':{'difficulties':2},'dives--':{'--carrying':1},'waterhouse':{'hawkins':1},'partitioned':{'box':1},'tricks':{'given':1},'mask':{'their':1,'the':1},'mimic':{'the':1,'is':1},'mass':{'and':3,'condensed':1,'of':20,'is':2,'spinning':1,'333':1,'persisted':1,'in':2,'gave':2},'dislodgment':{'is':1},'original':{'ancestors':1,'form':2,'plain':1,'nebula':1,'crust':1,'moorings':1,'greek':1,'peculiarities':1,'cradle':2,'home':3,'hole':1,'first':1},'external':{'methods':1,'opening':1,'hangers-on':1,'of':1,'partnership':1,'pouch;':1,'registration':1,'gills':2,'pouch':1,'method':1},'period--the':{'twenty':1},'sci':{'.':2},'consider':{'a':1,'what':1,'that':1,'.':1,'possibilities.':1,'the':7,'man':1},'elements.':{'sec':1},'31900':{'4':1},'instincts':{'and':1,'where':1,'are':1,'but':1,'.':2},'landlocked':{'corners':1,'dwindling':1},'debris':{'and':1,'of':1},'upkeep':{'of':1},'welfare':{'of':2},'reasoning':{'that':1,'man':1,'.':1},'causes':{'and':1,'of':1,'sleeping':4,'.':1,'the':1,'an':3},'particles':{'and':2,'move':1,'as':1,'are':4,'suspended':1,'in':2,'250':1,'even':1,'.':3,'which':3,'travelling':2,'was':1,'more':1,'may':1,'upon':1,'he':1,'on':1,'of':17,'will':1,'were':2,'the':2,'or':1},'careful':{'and':1,'comparison':1,'reading':1,'calculation':1,'observers':1,'piecing':1,'experiments':1,'way':1,'education':1},'disciples':{'of':1},'hunting':{'enabling':1,'on':1,'leopards':2,'or':2,'small':1},'spirit':{'of':4,'.':2},'to':{'all':6,'consider':4,'remarkable':1,'land-snails':1,'relieve':1,'yellow':1,'four':2,'mild':1,'skate':1,'go':13,'follow':1,'discern':1,'whose':1,'calculate':2,'animal':1,'paris':1,'shrinkage':1,'send':1,'environment':4,'charge':1,'reptiles':1,'swoop':1,'vegetation.':1,'include':1,'crest':4,'shoot':1,'point':3,'arboreal':2,'dispense':2,'induce':1,'me':2,'smack':1,'every':2,'trough':1,'fall':4,'affect':2,'converge':1,'monkeys':2,'look':6,'exaggerate':1,'tear':1,'try':2,'this':19,'settle':2,'us.':1,'speculation':1,'tortoises':2,'prevent':1,'force':1,'ten':1,'discover':4,'jump':1,'surrounding':1,'pass':7,'link':1,'further':2,'changefulness':1,'folk':1,'paralyse':1,'inspire.':1,'what':5,'giving':1,'disentangle':1,'asia':1,'him.':1,'experiment':4,'new':3,'alertness':1,'elsewhere.':1,'fend':1,'berthelot':1,'slow':2,'sink':1,'making':1,'evolutionist':1,'100':1,'fifteen':1,'interpret':1,'wait':1,'dry':9,'great':4,'receive':2,'30':1,'alaska':1,'anchor':1,'credit':3,'amount':1,'social':1,'climb':1,'otters':1,'changes':1,'say--of':1,'secure':2,'complying':1,'africa':1,'replace':2,'put':3,'decrease':2,'instinct--a':1,'establish':2,'estimate':3,'manipulate':1,'everybody':1,'use':5,'proceed':1,'prove':1,'two':5,'almost':1,'live':4,'doubt':2,'call':2,'strike':3,'survive':2,'themselves':1,'evolve.':1,'tell':4,'more':4,'breathe':5,'substances':1,'expose':1,'impress':1,'about':2,'extinction.':1,'particular':2,'scale.':1,'hold':1,'effort':1,'fly':2,'account':6,'pursue':1,'science':1,'work':2,'pieces--a':1,'reproduce':1,'learn':15,'meet':5,'pick':1,'control':2,'compare':1,'type.':1,'tap':1,'give':17,'sense':1,'accept':2,'pieces':1,'high':1,'his':10,'something':2,'slip':1,'arise':2,'handle':1,'keep':4,'attract':1,'occur':2,'huge':1,'end':2,'sit':1,'provide':3,'travel':10,'1':1,'how':1,'vital':1,'hop':1,'answer':4,'over-population':1,'stir':1,'both.':1,'utilise':5,'sir':2,'lag':1,'eighty':1,'germinal':1,'moult':1,'produce':1,'lighting':1,'lay':2,'date':1,'such':2,'bloom':1,'grow':1,'man':15,'a':76,'attempt':2,'remember':1,'light':5,'spout':1,'element':2,'inquire':4,'maintain':2,'deposit':1,'allow':4,'enter':3,'order':1,'punting':1,'contraction.':1,'help':3,'move':7,'vary':1,'stability':1,'insurgence':1,'its':16,'perfect':1,'26':1,'fit':2,'fix':3,'water-weed':1,'equalise':1,'absence':1,'overcome':1,'them':6,'good':1,'return':5,'greater':1,'introduce':1,'break':3,'mention':1,'conquer':2,'half':1,'accumulate':2,'speculate':2,'realize':1,'maintaining':1,'possess':3,'subtler':1,'form.':1,'evade':2,'condense':2,'vibrations':1,'realise':5,'each':2,'cliffs':1,'side':5,'mean':3,'square':1,'retrieve':2,'mental':2,'generation':2,'recapitulate':1,'tip':2,'expect':2,'measure':3,'our':13,'happen':1,'witness':1,'clothe':1,'depress':1,'profit':2,'open':3,'abide':1,'strangers':1,'sustain':1,'adapt':1,'7':1,'impart':1,'medicine':1,'twenty-five':1,'cause':1,'red':1,'metchnikoff':1,'assist':1,'associate':2,'interpose':1,'given':1,'sneak':2,'reason':1,'base':1,'struggle':1,'ask':2,'obliteration':1,'cough':1,'generate':1,'reflect':1,'prepare':1,'language':1,'david':1,'turn':4,'place':2,'deep-sea':1,'loud':1,'think':12,'south':1,'predominate':1,'feed':3,'striking':1,'feel':3,'one':6,'another':13,'carry':4,'radiate':1,'ring':1,'fiji':1,'172':1,'millions':1,'guess':1,'their':13,'bite':1,'construct':2,'anyone':1,'indicate':2,'master':2,'king-crabs':1,'white':1,'bits':1,'listen':1,'efface':1,'nutrition':1,'hug':1,'x-rays':1,'that':11,'continuous':1,'serve':2,'direct':1,'part':2,'peck':1,'insect-visitors--began':1,'10':1,'require':1,'tree':2,'project':3,'matter':1,'fruits':2,'gigantic':1,'and':6,'exert':1,'modern':1,'say':46,'lull':1,'have':19,'accompany':1,'any':2,'eels':1,'offer':1,'isolate':1,'gravity':1,'note':1,'blushing':1,'build':5,'which':31,'destroy':2,'begin':8,'acquire':1,'electric':1,'trace':2,'wind-blown':1,'reach':7,'complexity.':1,'most':3,'detect':4,'eight':1,'glow':6,'expound':1,'seize':1,'professor':1,'gather':2,'science.':1,'drive':1,'face':3,'furnish':1,'weigh':1,'justify':2,'institutions':1,'incomplete':1,'show':14,'fifty':1,'bring':3,'determine':3,'tree.':1,'melt':1,'earth':2,'find':19,'wriggle':1,'generation.':1,'knowledge':1,'environing':1,'explain':9,'storms':1,'eat':1,'surroundings':1,'betray':1,'darwin':3,'hope':1,'do':17,'waltz':1,'hit':2,'get':17,'beat':1,'express':1,'watch':1,'bear':3,'instinctive':1,'dr':1,'him':3,'comply':1,'reveal':1,'evolution':1,'investigate':1,'release':1,'them.':1,'freshwater':1,'where':2,'respond':1,'traverse':1,'set':1,'resist':1,'see':9,'sea':3,'violet':1,'fail':1,'find.':1,'gravitation':1,'sail':1,'birds':2,'pressures':1,'various':1,'conceptual':1,'donate':2,'glasgow':1,'man.':3,'notice':8,'extend':1,'parental':1,'deliver':1,'succeed':1,'wear':2,'travellers':1,'distinguish':2,'come':3,'improve':1,'both':2,'protect':3,'last':3,'many':2,'contract':1,'laplace':1,'plants':1,'admit':2,'cylindrical':2,'lash':1,'swallow':1,'radio-activity':1,'supply':2,'smother':1,'kin-sympathy':1,'subscribe':1,'pole':2,'air-breathing':3,'250':1,'technicalities':1,'speak':5,'decline':1,'raise':2,'deep':1,'teach':1,'create':2,'three':1,'.':2,'whom':1,'much':1,'change':2,'mars':2,'waste':1,'500':1,'life':2,'describe':3,'flight':1,'amphibians':1,'assert':1,'observe':2,'understand':9,'reason.':1,'an':14,'diffuse':1,'those':6,'sound':1,'adaptations':1,'these':2,'leave':4,'twigs':1,'britain':1,'near':1,'suppose':9,'guide':2,'spawn':4,'apprehend':1,'lapland':1,'it':7,'sting':1,'itself':2,'blame.':1,'everyday':1,'capture':4,'different':1,'develop':1,'perform':1,'suggest':3,'make':23,'cross':1,'unite':1,'check':1,'them--as':1,'split':1,'copying':1,'crustaceans':1,'several':1,'dusk':1,'kelvin':1,'nest':1,'drink':1,'hang':1,'effect':1,'viewing':1,'moving':1,'experiment.':1,'patagonia':1,'expend':1,'in':1,'miss':1,'mother':1,'very':2,'the':388,'left':1,'mingle':1,'being':1,'uranium':1,'accurate':1,'obtain':1,'rest':1,'electrification':1,'select':1,'harmonise':1,'identify':1,'human':2,'colonise':2,'fearful':1,'readers':2,'conclude':1,'deposits':1,'board':1,'snap':1,'save':2,'humanity':1,'scientific':1,'take':11,'swim':1,'read':4,'big':2,'possible':1,'dart':1,'five':1,'know':8,'decipher.':1,'press':1,'immediately':1,'tick':2,'insert':1,'rotate':6,'backboned':1,'electronic':1,'hunt':1,'tons':1,'roll':1,'collect':2,'continue':2,'seashore':1,'soft':1,'herons':1,'side--a':1,'shed':1,'right':1,'deal':8,'titan':1,'some':21,'play':2,'certain':1,'deduce':1,'convey':1,'escape':1,'star':1,'scale':2,'avoid':2,'separate':1,'ether':1,'leap':1,'behave':1,'cloud':1,'quote':1,'prof':1,'warranties':1,'trout':1,'illustrate':2,'be':180,'incandescence':1,'obey':2,'reaching':1,'rock':1,'breed.':1,'utter':1,'become':7,'instinct':3,'littoral':1,'five.':1,'throw':4,'shine':1,'stone':1,'age.':1,'conceal':1,'practical':1,'her':2,'act':2,'or':3,'imitation':1,'within':1,'guard':1,'promise':1,'sow':1,'excrementitious':1,'propel':1,'acquiesce':1,'support':2,'transform':1,'sunlight':2,'start':2,'suit':1,'enregister':3,'attach':1,'manufacture':1,'north':2,'complete':2,'form':13,'educate':1,'ascend':1,'believe':6,'regard':1,'heat':2,'hear':1,'another.':2,'heap':1,'atom':4,'promote':1,'considerable':2,'donate.':1,'count':3,'folk-ways':1,'us':24,'record':1,'convince':1,'grasp':2,'demonstrate':1,'stages':2,'similar':2,'agree':1,'150':3,'cover':3,'year':1,'rubble':1,'muscular':1,'disease':1,'as':1,'exist':4,'paraguay':1,'domesticated':1,'trip':1,'fill':2,'discriminate':5,'inborn':1,'compel':1,'other':8,'5':1,'branch':2,'test':1,'you':5,'shrink':2,'picture':1,'repeat':1,'indemnify':1,'mankind':1,'living':1,'walk.':1,'drift':1,'terra':3,'overtax':1,'recognise':6,'scores':1,'astronomy':1,'land':3,'sail.':1,'cling':2,'assume':1,'age':2,'lift':2,'time':1},'tail':{'and':2,'often':1,'is':1,'it':1,'as':1,'are':1,'in':1,'if':1,'from':1,'seems':1,'two':1,'.':5,'rivals':1,'which':2,';':1,'by':1,'projects':1,'a':1,'always':1,'coiled':1,'of':2,'served':1},'postglacial':{'times.':1},'th':{'.':1},'lankester':{'to':1,'has':1,'says:':1,'between':1},'animals--birds':{'and':1},'degeneration':{'may':1},'case':{'we':2,'better.':1,'although':1,'no':1,'these':1,'of':38,'is':2,'there':1,'it':3,'.':3,'leads':1,'to':1,'that':1,'however':2,'they':1,'in':2,'known':1,'probably':1,'the':2,'with':2,'than':1},'cause.':{'section':1},'cloud-belts':{'and':1},'puzzled':{'over':1,'when':1},'discrepant':{'.':1},'floated':{'on':1},'square-jawed':{'short-limbed':1},'trillions':{'of':9},'c-f.':{'the':1},'interpreting':{'the':1,'in':1},'instinct.':{'the':1},'m.d':{'.':2},'condition':{'of':2,'the':1,'had':1,';':1,'.':1},'s.f.':{'3':1},'accompanying':{'diagram':1},'marvellous':{'still':1,'atom':1},'ageing':{'.':1},'laying':{'down':2,'aside':1},'joined':{'to':1,'them--a':1},'large':{'and':3,'telescope':1,'insects':1,'fish':2,'in':1,'colony':2,'number':6,'bath':1,'brain':1,'as':3,'planets':1,'mirror':2,'skulls':1,'size':2,'rhinoceros':1,'scale':3,'heads':1,'lungs':1,'ventral':1,'masses':1,'proportion':1,'.':2,'terminal':1,'internal':1,'red':2,'we':1,'testes':1,'degree':1,'that':1,'quantities':1,'eggs':1,'ovaries':1,'however':1,'haunt':1,'lens':4,'meteorites':1,'coil':1,'marine':2,'telescopes':1,'areas':1,'a':1,'animals':1,'eye-sockets':1,'gape':2,'ones.':1,'magnet':1,'gibbon':1,'amount':1,'amphibian':1,'of':1,'excesses':1,'ready-made':1,'section':1,'anthropoid':1},'dinosaur':{'about':1,'reptiles.':1,'stock':1},'sand':{'and':3,'of':1,'over':1,'so':1,'.':2},'swirling':{'seething':1},'three-millionth':{'of':2,'part':1},'harry':{'johnston':1},'small':{'and':2,'shark':1,'family':2,'insects':1,'ears':1,'spider':2,'one':1,'bright':1,'spiders':1,'such':1,'globes':1,'intestine':1,'patch':1,'frog-hoppers':1,'creatures':1,'web':1,'compared':1,'group':1,'pin':2,'organisms':1,'water-animals':1,'gossamer':1,'organism':1,'per':1,'.':3,'particles':3,'to':3,'individuals':1,'vocabulary--he':1,'fraction':3,'units':1,'figures':1,';':1,'molecules':1,'coal-field':1,'tortoise-shell':1,'polyps':1,'fry.':1,'ripples':1,'multiple':1,'minority':1,'degree':1,'that':2,'may':1,'mammals':3,'tides':2,'whirling':1,'but':2,'it':1,'lens':1,'moths':1,'scale':2,'fishes':2,'number':1,'importance':1,'quantity':2,'volume':1,'about':1,'animals':4,'pests':1,'bullet':1,'items':1,'batteries':1,'corona':1,'bee':1,'staff.':1,'part':2,'donations':1,'anthropoid':1,'shore-animals':2,'arboreal':1,'sea-anemone-like':2,'marble--there':1,'crab':3,'are':1},'mammal':{'and':1,'essentially':1,'sucks':1,'is':1,'when':1,'mind':1,'s':1,'as':1,'mind.':1,'in':1,'the':1,'stocks':1,'with':1},'autotomy.':{'in':1},'abbreviated':{'recapitulation':1},'quicker':{'than':1},'methodical':{'habits':1},'proof--embryological':{'proof--man':1},'197':{'diagram':1,'000':1},'196':{'the':1},'191':{'hornbill':1,'life-history':1,'avocet':1,'spoonbill':1,'puffin':1,'falcon':1},'hour.':{'these':1,'the':1},'193':{'early':1},'192':{'hind-leg':1,'photo':1},'past':{'and':5,'a':1,'all':1,'generation.':1,'in':1,'century.':1,'ages--for':1,'generation':1,'there':1,'upon':1,'it':1,'amphibians':1,'one':1,'.':3,'at':1,'which':1,'time':1,'the':1,'still':1,';':1,'persisting':1},'displays':{'its':1,'.':1},'pass':{'on':2,'gradually':1,'from':3,'vertically':1,'suddenly':1,'over':1,'amongst':1,'by':1,'to':4,'behind':1,'through':11,'between':1,'along':2,'straight':1,'before':1},'situated':{'near':1,'at':1},'17.--a':{'map':1},'richard':{'owen':1},'clock':{'we':1,'would':1,'.':1,'struck':1,'beating':1,';':1},'section':{'of':2,'later':1,'1':1,'3':2,'2':1,'through':3,'4':2,'5':1},'reproduction':{'a':1,'both':1,'from':1,'for':1,'may':1,'is':2,'.':5,'which':1},'scientists':{'confront':1},'method':{'and':1,'used':1,'that':1,'simple':1,'of':6,'is':2,'exactly':1,'.':1,'namely':1,'much':1,'are':1,'which':1,'you':1,'was':2,'by':2,'if':1},'contrast':{'this':1,'to':3,'with':1,'between':2},'revealing':{'an':2},'full':{'and':1,'on':1,'terms':2,'license':1,'inheritance':1,'of':5,'stop':1,'stop.':1,'project':7,'flood':1,'daylight':1,'individual':1,'fathoms':1,'extent':1,'refund':2,'dawn':1,'resources':1},'escaping':{'pursuit':1},'installations':{'.':1},'argonaut':{'in':1},'leaping':{'a':1,'at':2},'7.--the':{'visible':1},'hours':{'on':1,'we':1,'from':1,'afterwards':1,'immediately':1,'of':1,'after':1,'days':1,'forty':1,'early':1,'to':1,'old':1,'in':1,'it':1,'i.e':1,';':1,'.':4,'until':1,'before':2},'concluding':{'this':1},'november':{'19':2,'6':1},'transformation':{'of':5,'comes':1,'such':1},'refractors':{'and':1,'are':1},'riviera':{';':1},'introductory':{'note':1,'the':1},'compliance':{'with':2,'requirements':1,'for':1,'.':1},'247':{'photo':2},'experience':{'and':2,'or':1,'for':1,'though':1,'of':1,'no':1,'it':1,'but':1,'.':1,'to':1,'nothing':1,'which':2,'in':2,'not':1,'known':1,'with':1,'by':1},'anthropologists':{'and':1},'bulges':{';':1},'periodic':{'shrinkages':1,'the':1,'variations':1,'tax':1},'social':{'group':1,'intercourse':2,'becoming':1,'person.':1,'face':1,'environment':1,'life--of':1,'systems':1,'heritage':2,'institutions--all':1},'action':{'and':2,'on':1,'like':2,'facility':1,'not':1,'of':4,'is':1,'it':1,'.':4,'how':1,'in':1,'following':1,';':1,'by':1},'matter--but':{'no':1},'slope':{'to':1,'from':2,'of':1},'struggle':{'all':1,'through':1,'for':21,'against':2,'out':1},'followed':{'on':1,'rapidly':1,'that':1,'with':1,'in':1,'some':1,'up':1,'without':1,'year':1,'from':1,'the':2,'was':1,'by':2,'roentgen':1},'moorland':{'.':1},'vii':{'the':1,'.':2},'aeschylus':{'gave':1},'hard-and-fast':{'boundary':1,'lines':1},'beheld':{'in':1},'pulls':{'the':2,'every':1},'substance.':{'it':1},'coercion':{'and':1},'nerve-centres':{'keep':1},'eddington':{'even':1,'of':1,'professor':1,'tells':1},'granular':{'appearance':1},'attendance':{'on':1,'fertilises':1},'magnitude--and':{'these':1},'educability.':{'young':1},'petroleum':{'ten':1},'6':{'1914.':1,'and':1,'great':1,'inches':1,'then':1,'.':5,'1919':1,'tadpole':1,'other':1,'the':2},'evolve.':{'viii':1},'more':{'limited':1,'developed':1,'accurate':2,'dynamic':1,'purely':1,'distant':1,'abundant':1,'rapid':4,'rapidly':2,'knowledge':1,'fit':2,'interesting':3,'complex':4,'passive':1,'to':3,'willing':1,'convoluted':1,'portentous':1,'inconspicuous':1,'familiar':1,'courage':1,'nearly':1,'trouble':1,'advanced':1,'debatable':1,'generalised':1,'masters':1,'like':3,'oxygen':1,'marvellous':1,'fully':1,'radiant':1,'loosely':1,'prolonged':1,'possibilities':1,'economically':1,'intelligence':2,'energy':1,'direct':2,'likely':2,'intelligible.':1,'besides.':1,'advantageous':1,'sail':1,'uniform':1,';':2,'numerous':3,'advantageously':1,'we':1,'explosive':1,'intimate':1,'importance':1,'masterful':1,'free':3,'atoms':2,'curved':1,'complicated':5,'besides':4,'flowering':1,'intelligent':1,'intense':1,'promiseful':1,'chapter':1,'about':3,'of':5,'thickly':1,'sensitive':3,'smoke':1,'adapted':1,'or':14,'frequent':1,'and':10,'primitive':2,'powerful':2,'marked':1,'highly':2,'quickly':2,'readily':3,'startling':1,'ancient':1,'illumined':1,'erect':1,'.':4,'wonderful':2,'resolute':1,'dome-like':1,'vigorous':1,'complete':2,'successful':1,'continuous':1,'mentality':1,'conspicuously':1,'but':1,'strenuous':4,'upright':1,'natural':1,'general':1,'than':64,'must':1,'parts':1,'romantic':1,'instructive':1,'grey':1,'discriminating':1,'matter':1,'actively':1,'promising':2,'drops':1,'ascetic':1,'varied.':1,'conjectural':1,'certain':1,'it':1,'comfortable':1,'in':1,'controlled':4,'convenient':1,'emancipated':1,'eloquent':2,'till':1,'vital':2,'gateways':1,'which':1,'so':1,'smell':1,'difficult':3,'clear-cut':1,'felt':1,'convincing':1,'alert':1,'important':3,'blood':1,'nutritive':1,'freely':1,'remote':1,'for':1,'effective':1,'mobile':1,'light':1,'definitely':1,'electrons':3,'wide-awake':1,'the':2,'marsupials':1},'door':{'and':1,'is':1,'two':1,'.':1},'testes':{'.':1},'substances':{'such':1,'or':1,'like':1,'give':1,'this':1,'disintegrate':1,'near':1,'but':1,'coloured':1,'as':1,'therefore':1,'permeating':1,'which':2,'in':1,'become':1,'the':1,'has':1,';':2,'are':5},'inquisitiveness':{'a':1,'and':1},'company':{'as':1,'with':1},'berridge.':{'shoebill':1,'woolly':1,'young':1,'surinam':1,'an':1,'common':1,'harpy-eagle':1,'the':3},'one-sided':{'as':1},'tested':{'for':1,'.':1},'foundations':{'of':4},'stampings':{'.':1},'keeping':{'this':1,'the':3,'his':1},'fatal':{'as':1,'.':1},'science':{'and':1,'lenard':1,'liquefies':1,'vol':3,'is':8,'it':1,'an':1,'produced':1,'as':1,'in':1,'should':1,'for':1,'introduction':1,'.':4,'to':1,'which':1,'surpasses':1,'has':3,'was':1,'naturally':1,'we':1,'after':1,'that':1,'who':1,'but':1,'tries':1,'were':1,'arrived':1,'encourages':1,'must':1,'a':1,'on':1,'this':1,'ever':2,'reads':1,'so':1,'of':5,'the':2,'makes':1},'centrifugal':{'force':1},'agoing.':{'illustration':2},'indicating':{'the':1,'that':1},'evolved':{'a':1,'and':2,'we':1,'from':5,'all':1,'but':1,'one':1,'reptiles':1,'amphibians':1,'hand':1,'in':2,'.':2,'or':1},'learn':{'and':2,'all':1,'more':2,'that':4,'.':1,'to':7,'its':2,'how':3,'the':2,'an':1,'with':1,'by':2,'quite':1,'if':1},'knocked':{'it':1},'lamp-shell':{'lingulella':1,'ligula':1},'male':{'and':2,'parent':1,'with':1,'of':3,'fish':2,'who':2,'or':1,'sea-horse':1,'mounts':1,'s':2,'helps':1,'kurtus':1,';':1,'has':3,'makes':1,'side':1},'plants--romance':{'of':1},'beautiful':{'and':2,'stone':1,'spectacles':1,'zoological':1,'is':2,'object':1,'one':1,'flint-shelled':1,'experiments':4,'green':1,'are':1,'sight':1,'pink-flush':1,'cradle':1,'brine-shrimp':1,'robe':1,'red':1,'opalina':1},'stated':{'that':1},'cosmic':{'dust':2,'rubbish':1},'wave.':{'illustration':1},'brain-mind':{'we':1},'suggestions':{'may':1,'of':2,'have':1},'accept':{'a':1,'the':1,'all':1},'states':{'and':2,'do':1,'we':1,'copyright':1,'of':2,'who':1,'.':3,'to':1,'without':2,'swims':1,'the':1,'where':1,'check':1},'obliquely':{'on':1},'sense':{'separated':1,'a':1,'and':2,'still':1,'of':19,'except':1,'but':1,'one':1,'born':1,'which':1,'in':1,'it':2,'such':1,'the':1,'.':2},'plan.':{'in':1},'dress':{'is':3,'it':1,'that':1},'struck.':{'there':1},'salts':{'of':3,'but':2,'.':2,'to':1,'as':1,'using':1},'axis':{'cylinder':1,'that':1,'of':3,'is':1,'but':1,'.':2,'to':1,'as':1,'at':1,'in':4,'once':3},'huge':{'electric':4,'paw':1,'family.':1,'agglomerations':1,'increase':1,'carcase':1,'crocodilian':1,'cavern':1,'three-horned':1,'extinct':2,'sieve':1,'electronic':1,'infantile':1},'respective':{'bodies':1},'instruments.':{'ii':1,'the':1},'imminent':{'destruction':1},'emancipated':{'more':1,'from':1,'.':1},'fruition':{'of':1},'gannets':{'and':1},'oligocene':{'the':1,'times':1,'period':1,'n':1},'glowing':{'metal':1,'into':1,'gas':1,'gases':4,'coal':1,'mass':2,'in':1,'hydrogen':4,'with':1},'cling':{'to':1,'on':1,'together':3,'firmly':1},'relinquished':{'the':1},'creature':{'and':2,'being':1,'is':3,'fond':1,'as':2,'standing':1,'from':1,'.':4,'to':2,'too':1,'expresses':1,'save':1,'reproduced':1,'eminently':1,'that':2,'with':3,'has':2,'like':1,'retreated':1,'whether':1,'of':2,'sometimes':1,'s':2,'the':1,'profits':1},'rungs':{'of':2},'plant':{'and':2,'we':1,'would':1,'may':1,'of':1,'about':1,'called':2,'as':1,'preparing':1,'or':1},'salt.':{'this':1},'lanky':{'legs':1},'intended':{'to':2},'thickened':{'skin':1},'perrin':{'the':1,'jean':1},'plane':{'of':6,'is':1,'namely':1,'.':1,'near':1,'in':1,'the':1},'waves':{'and':4,'longer':1,'give':1,'is':1,'whatever':1,'see':1,'are':5,'in':4,'279':1,'still':1,'ether':1,'from':1,'breaking':1,'.':9,'1':1,'sparkle':1,'only':1,'too':1,'which':5,';':1,'cause':1,'sent':1,'we':1,'used':1,'that':1,'our':1,'enter':1,'like':1,'five':1,'they':3,'must':1,'carried':1,'are--measuring':1,'light':1,'culminating':1,'transmitted':2,'can':1,'of':11,'the':4,'its':1,'or':1},'mendel':{'.':1},'acquisitions':{'gradually':1,'that':1,'of':3,'as':1,'in':1,'the':2},'resemble':{'a':2,'the':1},'boarders':{'those':1},'register':{'themselves':1,'the':2},'tentacles':{'and':1,'around':1,'some':1,'it':1,'can':1,'radiate':1,'round':1,'minute':1,'are':1},'cases.':{'using':1,'the':1},'fundamental':{'substance':1,'to':1,'nature':1,'importance':1,'instruments':1,'food-supply':1,'bodily':1,'entities--matter':1,'entities':2,'unity':1,'way':2,'existences':2,'facts':1,'impressions':1,'realities':1,'matter':1},'triassic.':{'comparatively':1},'grasshoppers':{'orthoptera':1},'replied':{'is':1},'passages':{'and':1},'barnard':{'yerkes':2},'self-destructively':{'would':1},'incessantly':{'bombarded':1},'reminded':{'that':1,'in':1},'trade':{'from':1},'attitude':{'and':1,'of':1,'as':2,'there':1},'paper':{'on':1,'nautilus':3,'bait':1,'exactly':1,'packet':1,'.':1,'were':1,'in':1,'edition.':1,'lying':1},'signs':{'and':1,'of':1,'printed':1},'looks.':{'illustration':1},'its':{'precise':1,'summer':1,'walking':1,'remarkable':1,'disturbances':1,'constituents':1,'beak':1,'mission':1,'years':1,'four':1,'brain':1,'shape':1,'disc':1,'existence.':1,'victim':2,'skin':2,'existence':1,'partisans':1,'previous':1,'completion':1,'particles':2,'limbs':2,'different-lengthed':1,'outer':1,'thumb':1,'anvil':2,'striking':1,'possessors':1,'young':3,'environment':4,'surroundings':2,'tail':2,'concavity':1,'microscopic':1,'molecules':1,'tail.':1,'gyges':1,'gills':2,'main':1,'position--it':1,'first':1,'giants':1,'breathing':1,'victims':2,'cloud-belts':1,'reptilian':1,'means':1,'far':1,'big':2,'oceans':1,'mouth':2,'young.':1,'germ-cells':1,'encircling':1,'emerald':1,'rotation':1,'far-reaching':1,'wings':4,'retreat':1,'lineage':1,'evolution':1,'name':1,'course':2,'bearings':1,'solution':1,'possibilities':1,'race':2,'activity':1,'soft':1,'lesson.':1,'exquisite':1,'ears':1,'upper':2,'habitat':1,'appearance':1,'energy':3,'fully-formed':1,'back':1,'collaterals':1,'prolonged':1,'opposite':1,'legacy':1,'bare':1,'measurement':1,'home':1,'functioning':1,'mother':3,'best':3,'mottled':1,'cilia':1,'leaf':1,'probable':1,'borrowed':1,'endowment':1,'self-effacement':1,'intimate':1,'definite':2,'frond-like':1,'dormitory':1,'venom':1,'new':1,'peg':1,'hind-legs':2,'speed':1,'body':7,'core':1,'toes':1,'business':1,'leg':1,'strata':1,'atoms':3,'extraordinary':2,'magnetism':1,'salient':1,'formation':1,'egg-cocoons':1,'trunk':1,'early':1,'path':2,'canals':1,'whiteness':1,'evolution.':1,'colours':1,'enormous':1,'shaggy':1,'brilliant':1,'many':2,'leaves':1,'parts':4,'greater':1,'counterpart':1,'wave-length':1,'pattern':1,'nucleus':1,'tongue':2,'whole':2,'relatives.':1,'origin':1,'diameter':1,'primitive':1,'own':18,'heart':1,'marginal':1,'coming':1,'habitual':1,'primary':3,'race.':1,'height':1,'utilisation':1,'date':1,'eggs':2,'brain.':1,'formidable':1,'owner':2,'table':1,'mere':1,'size':3,'wings.':1,'strong':2,'eye':1,'temperature':2,'width':1,'tremendous':1,'own.':1,'two':1,'spiral':1,'long':2,'plains':1,'secret':1,'wonderful':1,'prey':1,'pool':1,'way':5,'typical':1,'diving-bell':1,'legs':1,'voracity':1,'501':1,'interests':1,'mountains':1,'head':1,'stomach':1,'fiery':1,'high-pitched':1,'wits':1,'successful':1,'feathers':1,'great':1,'validity':1,'climax.':1,'neighbour':2,'heat':3,'cranial':1,'tentative':1,'constituent':1,'hole':1,'highest':1,'effort':1,'present':3,'kind':1,'lifetime':1,'skull':2,'characteristic':1,'straight':1,'bill':1,'attached':1,'gravitational':2,'father':1,'nine':1,'vitality.':1,'growing':1,'distribution':2,'millennia':1,'history':1,'predecessor':1,'climax':4,'influence':1,'faintness':1,'surface':7,'general':1,'return':1,'partner':1,'comparative':1,'sharp':1,'mouth.':1,'dress':1,'own--a':1,'swim-bladder':2,'huge':1,'ancestors':1,'stolidity':1,'winter':2,'paw':2,'flight':2,'air-dome':1,'centre.':1,'bell-like':1,'shoulders':1,'forests':1,'reality':1,'arboreal':1,'relatives':1,'strange':1,'sentiments':1,'special':1,'influences':1,'talons':1,'estuaries':1,'mammoth':1,'ordinary':1,'axis':13,'composition':2,'development':1,'immediate':1,'electric':1,'beginnings':1,'centre':4,'neck.':1,'nest':2,'teeth':1,'reach':1,'surface--before':1,'substitute':1,'companion':1,'gill-cavity':1,'dimensions':1,'journey':3,'moving':1,'colouring':1,'saucer-shaped':1,'share':1,'movements':2,'capacity':1,'burrow':2,'structure':1,'eyes':1,'so-called':1,'short':1,'branches':2,'gullet':1,'surprising':1,'revelations':1,'light':3,'colour':5,'starting-point':1,'life':2,'persistent':1,'benefactress':1,'tale':1,'inhabitants':1,'edge':1,'mass':2,'greatest':1,'broad':1,'volunteers':1,'path.':1,'original':3,'immensity':1,'function.':1},'roots':{'and':1,'to':2,'of':2},'imaginings':{'of':1},'rapidly':{'and':4,'on':2,'we':1,'towards':1,'altering':1,'revolving':1,'between':1,'round':1,'to':1,'in':1,'changing':1,'revolved':1,'alter':1},'shifts':{'the':1,'for':4},'man-ape':{'and':1,'to':1},'coarser':{'vibrations':1},'conjugation':{'of':1},'bell-animalcules':{'a':1},'adepts':{'at':1,'in':1},'isaac':{'newton':5},'travelling':{'and':2,'rapidly':1,'faster':1,'at':5,'the':1,'with':1,'round':2},'pinions':{'.':1},'atom--that':{'what':1},'formosa':{'those':1},'tentatively':{'just':1,'sets':1},'lowell':{'evolution':1,'made':2,'who':1,'to':1,'mars':1,'observatory.':1},'entire':{'shell':2,'uselessness':1,'system':1,'absence':1,'cessation':1,'belt':1},'secondarily':{'wingless.':1},'agitated':{'and':2,'communicate':1,';':1,'electrons':1},'saltatory':{'display':1},'iridescent':{'colours':1},'weeds':{'in':1},'speculate':{'where':1,'that':1},'laboratory.':{'a':1,'an':1},'sea-urchins':{'sea-lilies':1,'and':1,'we':1},'cambrian':{'and':1,'period':5,'correspond':1,'to':1,'reached':1,'the':1},'likeness':{'to':2},'fowlers':{'and':1},'all.':{'sec':1},'loosely':{'connected':1,'.':1},'20417.txt':{'or':1},'piping':{'cry':1},'nautiloids':{'and':1,'to':1,'began':1},'found':{'the':2,'is':1,'it':1,'an':1,'at':2,'in':22,'close':1,'next':1,'its':1,'elsewhere':1,'for':1,'their':1,'there':1,'long':1,'well-formed':1,'to':4,'out':1,'vigorous':1,'around':1,'in:':1,'that':11,'far':1,'gliding':1,'however':1,'but':1,'hundreds':1,'most':1,'everywhere':1,'not':1,'along':1,'quite':1,'by':2,'he':1,'a':5,'on':3,'practically':1,'no':1,'up':1,'.':2,'eighty-seven--and':1,'e.g':1},'energetically':{'rub':1,'through':1},'physiologically':{'expensive':1,'best':2,'.':1},'reactions':{'and':2,'to':1,'.':2,'which':1,'between':2},'england':{'and':1,'.':1},'oyster-catcher':{'and':1},'resolute':{'.':1},'fewer':{'and':1,'mistakes':1},'measurement':{'.':1},'blues':{'and':1,'are':1},'niger':{'120':1,'is':1},'really':{'a':1,'radiating':1,'taking':1,'move':1,'had':1,'occurred':1,'two':1,'excessively':1,'tell':1,'are':2,'travelling':1,'gigantic':1,'important':1},'try':{'to':4,'walking':1},'neanderthal':{'and':2,'men':4,'race':2,'ravine':1,'species':2,'man':10},'psychology':{'and':1,'that':1},'sea-meadows':{'and':1,'of':1,'as':1,'to':1},'boxed-in':{'energy':1},'research':{'on':1,'.':2,'as':1,'justified':1,'has':1,'shows':1,'must':1},'misses':{'the':1},'reward.':{'the':1},'kelvin':{'and':2,'who':1,'56':1,'one':1,'s':1,'lord':1},'denoted':{'by':1},'climatic':{'conditions':2},'occurs':{'even':1,'on':2,'about':2,'from':1,'is':1,'in':1,'with':1},'chapelle-aux-saints':{'175':1,'the':1},'belief':{'is':1,'that':2,'in':2},'risen':{'three':1},'drifting':{'past':1,'life':2},'porcelain':{'are':1},'qualify':{'the':1},'gravelly':{'bed':1},'imagine':{'them':1,'that':2,'could':1,'some':1,'how':2,'the':1},'stomach':{'and':1,'to':1},'rises':{'a':1,'to':5,'and':2,'why':1,'.':2},'occur.':{'illustration':1},'producers':{'using':1,'or':1},'albatross':{'and':1,':':2},'reared':{'themselves':1},'retained':{'in':1},'english':{'serial':1,'character':1,'disciples':1},'w':{'.':30},'expedient':{'by':1,'.':1},'mangrove-trees':{'or':1,'.':1},'exhibited':{'by':1,'in':1},'delicate':{'embryo':1,'body':1,'shell':2,'larva':1,'ctenophores':1,'experiment':1,'build':1,'films':1},'impart':{'violent':1},'reversing':{'layer':2},'slipped':{'on':1,'over':1,'from':1},'thereafter':{'perhaps':1},'mimetic':{'resemblance':1},'number':{'and':2,'on':1,'develop':1,'being':1,'of':42,'is':3,'one':1,'she':1,'which':1,'mr':1,'not':1,'.':2},'slipper':{'animalcule':3},'animals--beginnings':{'of':2},'annelids':{'related':1},'star-clouds':{'will':1},'differ':{'considerably':1,'from':1,'chiefly':1,'rather':1,'as':1,'very':1,'only':1,'greatly':1,'in':3},'heads':{'and':1,'the':1,'selected':1,'breaking':1,'it':1},'world...':{'.':1},'introduction':{'of':2,'3':1,'there':1,'every':1},'cradles':{'for':1},'calculations':{'based':1,'show':1},'essays':{'on':1},'molecular':{'motion.':1,'reality':1,'motion':1,'motions.':1,'motions':2,'disintegration':1,'movement':1},'elaboration':{'known':1},'relationship':{'and':1,'with':6,'between':1},'immediate':{'access':2,'surroundings':1,'precursors':2,'cradle':1,'circle':1},'appreciation':{'of':5},'self-mutilation':{'or':1},'zeppelin':{'or':1},'licensed':{'works':1},'calendar-keeping':{'and':1},'modes':{'of':6},'diffusion':{'or':1},'ungrateful':{'to':1},'observatory':{'greenwich.':6,'of':2,'victoria':2,'near':1,'fig':1,'such':1,'the':1,'or':1,'at':1},'vocal':{'and':1,'organs':2,'cords':2,'powers':1},'determined':{'beyond':1,'by':1},'fishermen':{'whom':1},'hot.':{'crossing':1},'algol':{'is':2,'has':1},'remembers':{'that':1},'streamed':{'night':1},'possibilities.':{'illustration':1},'well-developed':{'forehead':1,'head':1,'luminous':1,'form':1},'colour-resemblance':{'was':1},'vitally':{'interlinked':1,'important':1},'germ-cells--the':{'ovum':1},'reorganisation':{'which':1},'cleverness':{'.':1,'it':1,'in':1},'odd':{'cells':1,'which':1},'fashion.':{'finally':1},'internat':{'.':1},'commotion':{'is':1},'silvery':{'jacket':1,'air-bubble--air':1,'smolts':1,'halo':1},'also':{'among':1,'rang':1,'because':1,'followed':1,'unpalatable':1,'land-snails':1,'contribute.':1,'in':5,'it':1,'marked':1,'one':1,'mild':1,'are':1,'pass':1,'seen':1,'visible.':1,'handicapped':1,'opened':1,'for':3,'belong':1,'able':1,'due':1,'anatomical':1,'to':3,'implied':1,'aerates':1,'burrow.':1,'caused':2,'has':1,'more':1,'breathe':1,'be':6,'noteworthy.':1,'towards':1,'that':1,'very':3,'offered':1,'formed':1,'serve':1,'cheaper':1,'react':1,'produce':1,'rudimentary':1,'govern':1,'known':1,'necessary':1,'the':8,'proceed':1,'a':3,'on':1,'arranged':1,'driving':1,'showed':1,'receive':1,'of':3,'drop':1,'will':1,'defective':1,'became':1,'involved':1,'found':1,'enacted':1,'changes':1,'experimental':1,'something':1},'internal':{'surfaces':4,'partnership':1,'furnishings':1,'revenue':1,'tides':1,'adjustments':1,'as':1,'surface':1,'parasites':1,'source':1,'heat':3,'secretions':1,'game':2,'atomic':1,'secretion':1,'experimenting':1,'gills':1,'structure':2,'unpaying':1},'centrosomes':{'one':1},'seized':{'the':1,'by':2},'play':{'a':2,'among':1,'we':1,'for':1,'of':3,'is':2,'an':2},'index':{'of':1},'swiftly':{'gliding':1,'electrons':1},'nasal':{'bones':1},'complexity.':{'corpuscles':1},'virus':{'or':1},'plan':{'.':1},'accepting':{'unsolicited':1,'it':1},'colliding':{'and':1,'of':1},'head-end':{'remains':1},'demand':{'a':2,'which':1},'galway':{'that':1},'whalebone':{'whales':2,'plates':2},'lessons':{'both':1,'for':1,'of':1,'began':1,'had':1,'learned':1},'long-headed':{'square-jawed':1},'sometimes':{'work':1,'almost':1,'hard':1,'marked':1,'one':1,'niggardly':1,'as':1,'manages':1,'at':1,'have':1,'seen':1,'sought':1,'slumped':1,'happens':2,'to':4,'leading':1,'make':1,'there':1,'justifies':1,'few':1,'only':1,'much':1,'helps':1,'replaced':1,'several':1,'thousands':1,'difficult':1,'swim':1,'alongside':1,'far':1,'however':1,'but':1,'sooner':1,'they':1,'competitive':1,'an':1,'a':2,'many':1,'no':1,'constitutional':1,'used':2,'deposit':1,'found':1,'the':4},'cover':{'the':2,'itself':1,'in':1,'an':1},'firma':{'and':2,'also':1},'artistic':{'race':2,'drawings':1,'sense':1},'donkeys':{'.':1},'attacking':{'a':2},'hydatina--has':{'nine':1},'far-flung':{'fire-mists':1},'golf':{'ball':2},'hoar-frost':{'or':1},'gold':{'constituted':1,'leaf':2,'is':2,'.':1,'will':1,'to':1,'in':1,'has':1,'into':1},'evaporation':{'and':1},'agassiz':{'once':1},'fatal.':{'it':1},'pill-like':{'ball':1},'hinkins':{'son.':2},'impact':{'of':2},'ape-man':{'reconstructed':1,'to':1,'as':2,'and':1},'food-signal':{'.':1},'spineless':{'cactus':1},'writes':{':':1,'so':1},'fauna--the':{'two':1},'failed':{'.':1},'life--of':{'which':1},'factor':{'which':1,'that':1},'indifference':{'to':1,'that':1},'armour':{'of':1,'or':1},'giants':{'and':2,'over':1},'noctiluca':{'whose':1,'which':1},'sand-pit':{'at':2,'must':1},'dependent':{'on':6},'liquid':{'and':1,'we':1,'when':1,'air':3,'can':1,'cling':1,';':1,'the':1,'.':3,'or':2},'adventurers':{'all':1},'flowing':{'of':1,'through':1,'out':2},'sunny':{'side':1,'bank':1},'clavius':{'the':1},'oceans.':{'they':1},'closely':{'comparable':2,'investigated':1,'corresponding':1,'resemble':1,'interwoven':1,'wrapped':2,'to':2,'resembling':1,'similar':2},'compass':{'and':1,'there':1,'possible':1},'man-of-war':{'there':1,'119':1},'4230':{'2':1},'enemy':{'home.':1},'devoured':{'by':1,'.':1},'avocet':{'s':2},'progressive':{'evolution':1,'mammals':1,'conquest':2,'mammals.':1,'.':1,'simian':1},'paddling':{'with':1,'in':1},'body.':{'this':1,'what':2,'illustration':1,'if':1},'sojourn':{'.':1},'surrendering':{'the':1},'croatia':{'and':1},'liver-fluke':{'of':1},'obscure':{'the':1,'but':2},'river':{'and':2,'heads':1,'.':3,'in':1,'the':1,'or':2},'approaching':{'the':1},'bulky':{'fuel':1},'body':{'and':14,'equally':1,'up':1,'acquired':1,'is':14,'thus':1,'one':1,'as':3,'at':1,'during':2,'in':1,'into':1,'if':1,'again':1,'containing':1,'or':2,'from':2,'possible.':1,'that':2,'decreases':1,'.':15,'to':6,'which':3,'engulfing':1,'before':1,'was':1,'until':1,'shows':1,'locate':1,'do':1,'though':1,'may':2,'becomes':1,'breaks':1,'of':11,'but':4,'were':1,'such':1,'with':2,'by':3,'sways':1,'on':1,'has':2,'always':2,'might':2,'could':2,'say':1,'worth':1,'will':1,'so':3,'overcharged':1,'keeps':1,'far':1,'the':1,'clearness':1,'called':1,'elongated':1,'are':2},'delicately':{'and':2,'built':2},'set':{'off':1,'encoding':1,'of':5,'up':4,'free':3,'electrons':1,'in':6,'forth':8,'apart':1},'ferments':{'.':1},'temperatures.':{'but':1},'enabled':{'to':3,'physicists':1,'us':1},'vertebrates':{'are':1,'or':1,'arose':1,'except':1},'sex':{'another':1,'for':1,'often':1},'see':{'among':1,'right':1,'reference':1,'is':1,'in':7,'it':1,'billions':1,'at':2,'signs':1,'our':1,'.':1,'theoretically':1,'if':1,'again':1,'what':5,'for':1,'explain':1,'that':12,'when':1,'next':1,'how':3,'much':1,'fig':1,'evidences':1,'sections':1,'into':1,'life':1,'means':1,'edge-on':1,'photograph':1,'diagram':1,'them':1,'violet.':1,'now':1,'a':8,'on':2,'evolution':1,'this':2,'later':1,'us':1,'whether':1,'paragraph':2,'so':1,'these':1,'the':7},'sec':{'.':77},'migration':{'and':1,';':1,'or':1,'up':1,'in':2},'sea':{'and':15,'cambridge':1,'salt':1,'is':2,'it':1,'117':1,'including':1,'are':3,'in':3,'.':13,'by':1,'stood':1,'for':2,'pelagic':1,'there':2,'shore':1,'should':1,'to':3,'2':1,'too':1,'has':1,'was':1,'we':1,'that':1,'very':1,'but':2,'others':1,'128':1,'rises':1,'desert':1,'a':2,'especially':1,'of':2,'as':2,'while':1,'gathers':1,'does':1,'usually':1,'the':9,'where':1,'or':2},'aberdeen':{'with':1},'outward':{'behaviour':1,'from':1,'by':1},'shower':{'of':3},'eminently':{'educable.':1,'educable':1},'foraminifer':{'polystomella':2},'taming':{'of':1},'jewels.':{'there':1},'dilutes':{'as':1},'exudation':{'of':1},'endure':{'the':1},'europe':{'a':1,'from':2,'for':1,'.':2,'so':1,'have':1,'were':1,'such':1,'slopes':1,'was':2,'or':1},'jaws.':{'power':1},'eustachian':{'tube':2},'incident':{'is':1},'mingling':{'of':1,'with':1},'things--that':{'fits':1},'energy--may':{'appear':1},'prospects':{'of':1},'lingulella':{'of':1},'improved':{'nervous':1,'habits':1,'by':1},'barely':{'separated':1},'harpy':{'occurs':1},'possible.':{'the':3,'for':1,'illustration':1},'connection':{'with':12,'however':1,'between':2},'amoeba':{'pelomyxa':1,'is':1,'61':1,'greatly':1,'overtakes':1,'pursues':1},'lash':{'large':1,'or':1},'everything.':{'sheer':1},'whole':{'prospect':1,'solar':1,'follows':1,'series':1,'is':1,'creation':1,'it':3,'earth':6,'floating':1,'civilisation':1,'declined':1,'physical':1,'stretch':1,'integrative':1,'to':1,'of':4,'world.':1,'body':1,'we':1,'universe.':1,'originated':1,'sufficient':1,'material':2,'but':1,'grilse':1,'somewhat':1,'world':3,'structure':1,'simpler':1,'a':1,'progressive':1,'bubble':1,'thing':1,'truth':1,'universe':3,'the':1,'extent':1,'or':1,'history':2},'1919':{'to':1,':':1,'.':1,'one':1},'loaf':{'taken':1},'volcanic':{'material':1,'ash':1,'gases':1,'activity':1},'bell':{'be':1,'becomes':1,'is':1,'however':1,'at':1,'which':1,'the':1,'its':1},'etre':{'of':1},'seems':{'a':1,'little':1,'transitional':1,'that':8,'almost':1,'certain':1,'clear':1,'no':2,'possible':1,'an':1,'to':19,'so':1,'at':1,'permissible':1,'of':1,'not':1,'impossible':1,'highly':1,'far':1},'acted':{'on':1},'corresponds':{'to':5,'with':1},'race.':{'the':1},'hollow':{'caves':1,'flattened':1},'unicellular':{'and':1,'protozoa':1,'plants':1,'algae':2},'agents':{'and':1},'adaptation':{'of':2,'to':5,'.':1},'church':{'pictures':1,'is':1,'there':1},'sees':{'and':1},'reflective--which':{'is':1},'belt':{'of':1,'the':1},'moon--the':{'mountains':1,'earth':1},'publishing':{'co':2},'originators':{'of':3},'lizards':{'and':2,'paddling':1,'the':1,'turtles':1},'acceptance':{'.':1},'clay.':{'the':1},'intricacies':{'of':1},'extravagant':{'in':1},'scions':{'of':1},'extreme':{'changes':1,'is':2,'end':1,'cold--an':1,'rarity':1},'firm':{'of':1,'fulcrum':1,'basis':1},'resting':{'on':2,'or':1,'during':1},'pliocene':{'and':1,'that':1,'period':1,'.':1,'as':1,'were':1,'before':1,'n':1,'or':1,'times':1},'squirrel':{'and':2,'making':1,'is':2,'with':1},'high-pitched':{'voice':1},'fire':{'a':1,'on':1,'and':1,'for':2,'is':1,'but':1,'as':1,'which':1,';':2,'until':1},'amphibians':{'and':4,'frogs':1,'some':1,'known':1,'as':1,'before':1,'sprang':2,'fed':1,'from':1,'for':1,'had':1,'.':4,'which':1,'was':1,'we':1,'towards':1,'led':1,'that':1,'burrowing':1,'altogether':1,'fishes':1,'with':3,'by':1,'retained':1,'implied':1,'were':1,'called':1},'fritz':{'mueller':1},'races':{'brethren':1,'and':1,'to-day':1,'of':6,'than':1,'met':1,'as':1,'--which':1,'go':1,'the':1,'or':2,'must':1},'representative':{'and':1,'of':6,'fauna':1,'illustrations':1,'--from':1},'formless':{'gaseous':1},'sixes':{'fives':1},'handling':{'organ':1},'uncertain':{'.':2,'some':1,'but':1,'ground':1},'7700':{'0':1},'reliable':{'a':1,'calculations':1},'admire':{'in':1},'receive':{'specific':1,'a':1,'the':3,'from':1,'them':1},'formats':{'will':1,'readable':1},'amniota':{'in':1},'projecting':{'filaments':1,'upper':1,'wire':1},'robin':{'redbreast':1},'secluded':{'retreat.':1},'pound':{'of':5,'to':1},'jettisons':{'the':1},'agitation':{'of':1},'moth':{'emerges':1,'emerging':1,'e.g':1,'is':1,'should':1,'76':1,'are':1,'the':1,'has':2,'settled':1,'automatically':1},'von':{'indetal':1},'owen':{'said':1},'binding':{'the':1},'level.':{'yet':1},'36':{'seconds':1,'photo':1},'feather-wing':{'a':1},'cerebrum':{'the':1},'owes':{'much':1},'beautifully':{'worked':1,'modified':2},'vanish':{'.':1},'acquires':{'a':1},'greenwich.':{'comet':1,'the':1,'fig':3,'typical':1},'processes--':{'1':1},'cyclostomes':{'such':1},'shorten':{'and':1},'beune':{'throughout':1,'179':1},'shorter':{'and':4,'the':1,'in':1,'period--its':1,'waves':3},'read':{'partly':1,'that':2,'these':1,'it':1,'this':1,'understand':1,'the':3,'by':1},'pecking':{'scratching':1},'serum':{'of':1},'survey':{'of':4,'the':1},'specimen':{'of':3},'knitting':{'needle':1},'snail':{'chopped':1,'and':2,'is':1,'s':2},'comprehensive':{'articles':1},'blue-greens':{'harmonise':1},'alert':{'very':1,';':1,'than':1},'viewing':{'displaying':1},'levels':{'.':2,'in':1},'leaps':{'violently':1,'along':1,'from':2,'through':1},'necessity':{'and':1,'has':1,'for':2},'mussel':{'cannot':1,'.':2},'recent':{'observation':1,'advances':2,'study':1,'eclipse':1,'discovery':1,'british':1,'times':3,'discoveries':3,';':1,'years':5,'research':2,'achievement':1,'view':1},'race-continuing':{'adaptations':1},'expend':{'this':1,'considerable':1},'inches.':{'i':1,'illustration':1},'food-plant':{'to':1,'in':1},'concrete':{'suggestions':1,'mental':1},'regulating':{'and':1,'charities':1},'qualities--notably':{'health':1},'ltd.':{'a':1,'electric':1,'this':1,'professor':1,'charles':1,'an':1,'rotating':1,'the':3},'crayfish':{'and':1},'body-building':{'by':1},'woodward':{'s':1},'abbreviation':{'the':1},'hercules':{'a':1,'108':1,'37':1},'spinners':{'let':1},'plant-like':{'animal':2},'tribe.':{'keen':1},'readers':{'who':1,'wishing':1},'recommended':{'to':1},'making.':{'but':1},'resemblances':{'to':1},'causing':{'an':1},'parents':{'and':2,'bring':1,'thrusting':2,'in':1},'types--':{'lost':1},'physics--the':{'wonders':1},'sojourning':{'for':1},'surprised':{'by':1},'putnam':{'s':2},'provisional.':{'illustration':1},'clutches':{'.':1},'victims':{'such':1,'or':1},'demands':{'.':1,'general':1},'couple':{'of':1},'wives':{'are':1},'stockholm.':{'a':1,'wing':1},'suffering':{'from':1},'sea-lettuce':{'or':1},'shading':{'off':1},'emergence':{'of':11},'projects':{'freely':1,'from':1},'heightened':{'.':1},'sorting':{'out':2},'imposed':{'by':1},'dislodged':{'sea-anemone':1},'hue.':{'there':1},'aridity':{'set':1,'led':1},'sulphite':{'screen':1},'communications':{'in':1},'well-poised':{'head':1},'continue':{'consistently':1,'on':1,'its':2,'to':5},'spiny':{'ant-eaters':1},'exquisitely':{'beautiful':1},'tribes':{'of':1},'horsetails':{'which':1},'disorder':{'and':1,'of':1},'interbreeding':{'of':1,'.':1},'irresistibly':{'suggests':1},'methods':{'and':1,'we':1,'used':1,'like':1,'that':1,'of':10,'is':1,'it':1,'.':3,'to':1,'have':1,'really':1},'spring':{'and':2,'wheat':2,'of':1,'tides':2,'tide':2,'flower-perfumed':1,'out':1},'leptocephali':{'a':1},'obscure.':{'seasonal':1,'when':1,'illustration':1,'hunger':1},'mighty':{'theory':1,'swarms':1,'globe':1,'dead':1,'swarm':1,'flame':1,'animal':1,'shadow':1},'sight':{'and':2,'this':1,'of':1,'who':1,'.':2,'in':2,'not':1,'hearing':1,'more':2},'steam-engine':{'.':1},'curious':{'about':1,'organ':1,'sideways':2,'is':1,'blood-containing':1,'thing':1},'battalion':{'of':1},'committing':{'ourselves':1},'gill-clefts--':{'a':1},'stamens':{'kneads':1,'holding':1},'measurements':{'1':1,'at':1,'which':1,'.':1},'behave':{'as':2,'like':1},'newcomb':{'popular':1,'is':1,'the':1},'dating':{'from':1},'lowell.':{'the':1},'answers.':{'the':1},'inclination':{'to':1},'be':{'invariable':1,'splitting':1,'founded':1,'sunk':1,'spaced':1,'reshufflings':1,'poorly':1,'compact':1,'to':2,'fatal':1,'separated.':1,'brown':1,'counted.':2,'radio-active':1,'exact':1,'transformed.':1,'illustrated':1,'perceived':2,'dealt':4,'small':1,'ultra-violet':1,'noted':4,'ten':1,'invaded':1,'dried':1,'picked':2,'further':1,'estimated':1,'expressive':1,'even':2,'giving':1,'beaten':1,'liberated':1,'prejudicially':1,'learned':2,'told':2,'met':1,'active':1,'implicit':1,'obtained':1,'great':1,'broken':4,'involved':1,'accomplished':1,'periodic':1,'settled':1,'composed':1,'named':1,'followed':2,'explained':3,'visible':4,'readily':2,'fed':1,'working':1,'positive':1,'wiped':1,'two':2,'therefore':1,'taken':4,'more':6,'inclined':1,'suffused':1,'known':1,'producing':1,'modified':1,'evolved':1,'following':1,'cited':1,'something':1,'allowed':1,'terrestrial':1,'influenced':1,'white-hot.':1,'unavailable.':1,'six':1,'1':1,'located':1,'called--it':1,'fostered':1,'undergoing':1,'reconciled':1,'earlier':1,'wrong':1,'understanded':1,'waves':1,'a':27,'overtaken':1,'light':1,'rather':1,'so':2,'pulled':1,'counted':2,'over':1,'interpreted':1,'produced':2,'still':2,'negotiated':1,'actually':1,'better':1,'permanent':1,'overcome':1,'affected':1,'easily':2,'indivisible.':1,'always':1,'identified':1,'applied':1,'found':11,'physiologically':1,'suspended':1,'investigated':1,'our':2,'avoided':1,'borne':1,'shown':3,'washed':1,'hastily':1,'content':2,'laid':1,'believed.':1,'given':1,'completely':1,'put':3,'universally':1,'enormous':1,'created':4,'blown':1,'omitted':2,'one':4,'done':2,'adopted':1,'directly':1,'impossible':2,'earthworms':1,'little':2,'approximately':1,'too':7,'final':1,'discovered':2,'that':11,'released':1,'somewhat':1,'eliminated':2,'convinced':1,'ungrateful':1,'frankly':1,'splendidly':1,'determined':1,'supposed':1,'17-1':1,'and':1,'lightly':1,'well':1,'confessed':1,'turned':2,'buried':1,'seen':22,'clearly':2,'built':1,'thoroughly':1,'able':5,'lit':1,'absorbed':1,'green':1,'sure':2,'clearer':1,'paid':1,'said':19,'nothing':1,'measured':2,'considered':4,'calculated':1,'sometimes':1,'inferred':1,'looked':1,'accounted':2,'left':3,'shot':1,'supported':1,'fifty':1,'rotating':1,'carefully':1,'enormously':1,'slow':2,'based':1,'going':1,'judged':2,'credulous':1,'employed':1,'guarded':1,'exceptional':1,'between':2,'liable':1,'nibbled':1,'delicately':1,'set':1,'swept':1,'seas':1,'observed':2,'luminous':2,'best':1,'subject':1,'invoked':1,'halved':1,'enough':1,'unable':1,'allotted':1,'drawn':3,'profitable':1,'we':1,'renamed.':1,'however':2,'clues':1,'improved':1,'many':1,'called':14,'plants':1,'conquered':1,'adapted':1,'asked':3,'otherwise':1,'regulated':1,'deflected':1,'associated':4,'unearthed':1,'destroyed':2,'described':6,'three':2,'quickly':1,'recognised':2,'expected':1,'copied':1,'life':3,'robbed':1,'sufficient':1,'gas':1,'worked':1,'present':1,'inconspicuous':1,'sound':1,'abandoned':2,'freely':2,'almost':1,'violently':1,'thus':1,'helped':1,'examined':2,'in':8,'reminded':1,'linked':1,'stimulated':2,'patient':1,'split':2,'agitated':1,'several':3,'difficult':1,'used':5,'upon':1,'compared':2,'arrived':1,'prophesied':1,'circumvented':1,'kept':1,'older':1,'changes':1,'constitutional':1,'thought':3,'very':11,'the':11,'realised':1,'departed':1,'less':1,'stored':1,'handed':1,'useful':4,'recapitulated':1,'rapid':1,'regarded':7,'lured':1,'transformed':2,'easy':1,'engulfed':1,'increased':1,'read':1,'dissected':1,'required.':1,'dark':1,'accepted':2,'advanced':1,'necessary':1,'like':4,'admitted':5,'either':1,'translated':3,'simply':1,'reduced':1,'right':1,'often':1,'exposed':1,'some':2,'understood':2,'curious':1,'dissociated':1,'gradually':1,'expressing':1,'eating':1,'bold':1,'remembered':4,'analysed':1,'precious.':1,'accompanied':1,'about':2,'cautious':1,'carried':1,'getting':1,'entailed':1,'of':6,'discussed':2,'urged':1,'avoided.':1,'within':1,'bound':2,'due':1,'.':4,'mere':1,'indispensable':1,'there':1,'noticed':3,'much':2,'infected':1,':':1,'forming':1,'satisfactorily':1,'removed':1,'true':4,'made':11,'arranged':1,'embedded':1,'placed':3,'below':1,'converted':2,'mature':1,'pumped':1,'clear':1,'darker':1,'proud':1,'proved':1,'moved':1,'slowing':1,'an':5,'as':5,'at':2,'constructed':1,'effected':1,'beyond':1,'inborn':1,'no':15,'discerned':1,'when':1,'dimmed':1,'other':1,'transported':1,'included':1,'fastened':1,'utilised':2,'doubted':1,'far':1},'paloloworm':{'of':1},'obscures':{'them':1},'agreement':{'and':2,'disclaim':1,'by':1,'for':2,'shall':2,'amongst':1,'.':3,'will':1,'you':3,'the':1,'with':1,'violates':1,'nor':1,'before':1},'departures':{'among':1,'from':2,'of':2,'or':2,'behaviour-variations':1,'they':1,'in':2,'occur':1},'1919.':{'taken':1},'method.':{'illustration':1},'tidal':{'action':1,'energy':1,'river':1,'theory':1,'waves':1},'-273':{'deg':1},'by':{'saying':1,'all':4,'endeavour':2,'less':1,'being':3,'gradual':1,'both':1,'seizing':1,'worms':1,'rest':1,'rotating':1,'experiments':1,'animals':1,'ice':1,'human':1,'disadvantageous':1,'glue-like':1,'budding':3,'abundant':1,'its':4,'pterodactyls':1,'homology':2,'limbs':1,'dividing':2,'consistently':1,'dubois':1,'glowing':1,'passage':2,'coaxing':1,'insects':2,'other':2,'reptiles':1,'helmholtz':1,'hideous':1,'meadows':1,'it.':1,'division':1,'them':1,'someone':1,'influences':1,'means':18,'food':1,'overflows':1,'dr.':1,'permission':20,'cutting':1,'friction':1,'prof':5,'instinctive':1,'dr':4,'day':4,'association':1,'viscid':2,'moist':1,'name':1,'profound':1,'h':1,'bay':1,'involution':1,'surrendering':1,'vibrations':2,'ductless':1,'bats':1,'mr':3,'automatic':1,'legions':1,'liberating':1,'immigrants':1,'ferments':1,'burying':1,'intelligence':1,'radium':1,'some':7,'rivers':1,'crows':1,'full':1,'sight':1,'defences':1,'our':5,'civilisation':1,'tracheate':1,'intercrossing':1,'even':1,'what':2,'still':1,'superposing':1,'ejecting':2,'driving':1,'deliberate':1,'memories':1,'circulating':1,'representatives':1,'artificial':1,'birds':2,'e-mail':1,'acting':1,'experiment':2,'various':3,'vascular':1,'out-side':1,'new':1,'falling':2,'reading':2,'numerous':2,'u.s':1,'contrast':1,'columbus':1,'blowing':1,'scientific':1,'cellulose':1,'nature':2,'men':2,'water':1,'pressure':1,'experimenting':2,'threads':1,'others':3,'holding':1,'hiding':1,'comparison':1,'great':1,'accident':1,'your':1,'g':1,'freely':1,'ribs':1,'larger':1,'lichens':1,'experience':8,'plunging':1,'periodic':1,'radiation':1,'social':1,'passing':3,'changes':1,'frequent':1,'this':3,'discharging':1,'volcanic':1,'gas-bubbles':1,'burning':1,'striking':1,'suddenly':1,'churning':1,'powerful':1,'one':2,'spinning':1,'very':1,'air-breathing':1,'incandescent':1,'motor':1,'such':3,'collisions':1,'shortening':1,'revolutionising':1,'relapses':1,'squirting':1,'considering':1,'accumulating':1,'to':1,'taking':1,'people':1,'two':3,'.':1,'their':6,'cooling':1,'physicists':1,'calculations':1,'which':13,'dalton':1,'themselves':1,'variational':1,'reflex':1,'more':1,'introducing':1,'endeavour.':1,'that':2,'fire':1,'frost':1,'amphibians':1,'jellyfishes':1,'heat':2,'carrying':1,'blood.':1,'domestication.':1,'careful':1,'travelling':1,'those':1,'plants':2,'keeping':1,'migrants':1,'applying':1,'understanding.':1,'contracting':1,'solid':1,'thousands':1,'severe':1,'air-tubes':1,'air':2,'gills':2,'many':6,'growing':1,'making':2,'providing':1,'laplace':1,'clock-work':1,'imitation':1,'and':4,'firing':1,'roentgen.':1,'biologists':1,'almost':1,'j':19,'it':1,'an':6,'collision':1,'pressing':1,'grazing':1,'numbers':1,'planets':1,'sense':1,'anything':1,'any':2,'increased':1,'terrestrial':1,'sir':2,'different':2,'beginning.':1,'no':1,'studying':1,'tucking':1,'sending':1,'uranium':1,'ideas':4,'astronomers':1,'brian':2,'mr.':1,'strange':1,'geographical':1,'peoples':1,'over-population':1,'absorbing':1,'smell':2,'continuous':1,'accidental':1,'students':1,'amphibians.':1,'hand':1,'watching':1,'chance':3,'gravitation':1,'moving':1,'kin':1,'coercion':1,'successive':2,'fishes':1,'changing':1,'causing':1,'inconceivable':1,'moons':1,'man':4,'a':57,'night':3,'using':4,'fully':1,'pithecanthropus':1,'professor':7,'circumventing':1,'itself':3,'hungry':1,'sudden':1,'these':1,'peculiarities':1,'big-brained':1,'far':1,'fresh':1,'the':161,'starting':1,'drawing':1,'contingents':1},'analysing':{'light':4,'portion':1},'evolved--destined':{'in':1},'anything':{'and':1,'for':1,'was':1,'wot':1,'into':1,'else':1,'the':1,'with':1},'modernity':{'in':1},'nautilus':{'a':1,'nautilus':1,'pompilius':1,'is':1,'it':1,'186':3,'argonauta':2,'the':1,'hardly':1,'or':1,'are':1},'ear-bones':{'of':1},'deserves':{'to':1},'hatched':{'larvae':1,'salmon':1,'.':1,'bird':2,'in':1,';':1,'the':1},'repair':{';':1,'change':1},'into':{'flippers':2,'gold':1,'being':1,'ocean-troughs':1,'existence':1,'its':10,'masses':1,'lake':1,'forms':1,'internal':1,'combination-boxes':1,'sound':1,'his':1,'very':2,'dark':1,'boxes':1,'every':2,'shreds.':1,'this':2,'glass-eels':1,'activity':2,'freshwater':1,'unit-bodies':1,'reactions':1,'smaller':1,'radium':1,'some':2,'zones':1,'our':1,'canada':1,'organisms':1,'space':4,'definite':1,'safety':1,'new':2,'fragments':1,'red':1,'power':1,'water':1,'active':2,'simpler':1,'about':1,'many':1,'mutually':1,'connection':1,'one':4,'puzzle-boxes':1,'another':1,'thick':1,'little':1,'man--the':1,'distinct':1,'two':11,'their':3,'stars':1,'white':1,'energy':2,'empty':1,'continents':1,'account.':1,'heat':1,'races':1,'pieces':1,'plants':1,'these':1,'work':1,'britain':1,'this.':1,'matter':1,'gigantic':1,'something':3,'gas.':1,'it':5,'deep':1,'an':3,'as':1,'itself':1,'eras':1,'close':2,'mountain':1,'different':1,'things':1,'unity':1,'vital':1,'electrical':1,'which':2,'emphatic':1,'independent':1,'effect':1,'waves':1,'dust':1,'such':1,'extremely':1,'man':1,'a':24,'varieties':1,'electrons':1,'the':45},'encasements':{'with':1},'appropriate':{'action':1,'trigger-pulling':1,'trigger':1,'conditions':1,'one':1},'chalk-forming':{'animals':3,'foraminifera':1},'primarily':{'restricted':1},'repaid':{'when':1},'harnessed':{'electricity':1},'claspers':{'and':1},'spending':{'our':1},'gases':{'on':1,'from':1,'exposed':1,'of':1,'is':2,'in':1,'.':3,'spread':1,'can':1,'which':1,'between':1,'with':1,'into':1},'thirdly':{'every':1,'when':1},'double-armed':{'spiral':1},'burrow.':{'evolution':1},'suit':{'and':2,'of':2,'various':1},':':{'seasonal':1,'summer':1,'all':1,'skeleton':1,'photo':80,'magnetic':1,'rotating':2,'rischgitz':6,'disintegration':1,'its':1,'before':1,'death':1,'baron':1,'royal':8,'hermit-crab':1,'to':1,'only':1,'fig':11,'stephen':2,'darwin':1,'dead-leaf':1,'protective':2,'wave':1,'early':1,'falcon':1,'silk':1,'minute':1,'james':7,'cagcombe':2,'vortex':1,'h':6,'side-view':1,'greenland':1,'life-history':1,'national':2,'spoonbill':1,'yerkes':3,'astrophysical':2,'jupiter':1,'are':1,'leadbeater.':2,'conjectures':1,'what':2,'paintings':1,'ten-armed':1,'new':10,'discovery':2,'volvox':1,'variability':1,'we':3,'full':1,'reproduced':11,'underwood':2,'harvard':4,'ernest':2,'by':1,'suggested':1,'c':2,'improved':1,'g':6,'o':2,'whence':1,'pictorial':1,'hence':1,'origin':1,'pelican':1,'elliot':1,'surinam':1,'lafayette.':1,'proterospongia':1,'throughout':1,'from':13,'there':1,'imperial':4,'storm':1,'inclined':1,'flinty':1,'albatross':1,'photos':2,'true':1,'photograph':3,'avocet':1,'f':2,'this':1,'science':1,'mount':8,'j':24,'will':1,'w':22,'reproduction':1,'gambier':6,'making':1,'male':1,'laplace':1,'http:':1,'and':1,'nautilus':1,'is':1,'modern':1,'thus':1,'it':2,'surface':1,'an':5,'arrangements':1,'niagara':1,'british':12,'in':1,'woodpecker':1,'ascii':1,'if':1,'dying':1,'january':1,'six':1,'when':1,'puffin':1,'1':4,'how':2,'rischgitz.':2,'lafayette':1,'elliott':3,'lick':4,'hornbill':1,'electric':1,'okapi':1,'after':6,'diagram':5,'genealogical':1,'restoration':2,'such':1,'inconceivable':1,'man':1,'a':28,'natural':2,'for':2,'whenever':1,'light':1,'professor':3,'daily':2,'electrons':1,'english':1,'the':38,'egg':1,'wing':1},'opens':{'and':1,'many':1,'with':1,'up':1},'considerably':{'in':1,'less':1},'excavating':{'a':2},'elsewhere':{'as':1,'.':1,'in':1,'e.g':1},'inches':{'high':1,'square':2,'off':1,'of':1,'away':2,'long':5,'one':1,'shorter':1,'to':1,'below':1,'long.':1,'in':7,';':1,'per':1},'vicissitudes.':{'the':1},'slums':{'in':1},'moon--meteors':{'and':1},'archaic':{'mammals':1,'animal':1},'link':{'lives':1},'pacific':{'and':1,'golden':1,'west':1,'oceans':1,'oceans.':1,'ocean':1,'in':1},'legs.':{'illustration':1},'atom':{'and':5,'is':7,'within':1,'it':1,'as':2,'itself':1,'are':1,'in':2,'passes':1,'amounts':1,'there':1,'.':6,'to':6,'which':1,';':2,':':1,'was':3,'energy':1,'gives':1,'known':2,'such':1,'by':1,'a':1,'of':17,'can':1,'were':1,'the':4,'or':1},'coldest':{'places':1},'line':{'represents':1,'or':1,'from':1,'that':1,'of':21,'is':2,'capable':1,'but':1,'.':2,'to':1,'can':1,'altogether':1,'seen':1,'the':1,'gave':1,'with':2,'between':1,'across':1,'at':1},'considerable':{'and':1,'force':1,'mental':1,'evidence':1,'periods':1,'.':1,'strength':1,'uniformity':1,'heights':1,'dispersion':1,'results.':1,'degree':1,'loss':1,'fascination':1,'part':1,'effort':2,'distance':3,'amount':2,'magnitude':2,'time':2,'aid':1,'changes':1,'quantity':2},'posted':{'on':1,'with':3,'at':1},'open.':{'but':1},'ut':{'84116':1},'spectroscope':{'and':3,'reveals':1,'we':3,'enables':1,'splits':1,'for':1,'49':1,'any':1,'is':5,'in':1,'it':1,'an':1,'will':3,';':2,'can':1,'which':1,'sorts':2,'the':2,'.':3,'by':1,'shows':1},'burrows':{'circulating':1},'moths.':{'illustration':1},'us':{'and':6,'consider':2,'plainly':1,'feel':1,'is':2,'others':1,'phenomena':1,'back':2,'see':2,'through':1,'something':1,'directly':1,'in':2,'pulls':1,'precisely':1,'its':1,'select':1,'even':1,'better':1,'by':2,'for':2,'how':2,'inquire':1,'there':1,'when':1,'except':1,'.':11,'particles':1,'to':19,'take':2,';':1,'across':1,'picture':1,'return':2,'little.':1,'that':7,'very':2,'some':1,'stop':1,'bear':1,'indulge':1,'not':1,'with':3,'than':2,'a':8,'on':1,'about':1,'to-day':1,'remember':1,'this':1,'many':1,'as':2,'keep':1,'try':1,'turn':1,'so':1,'of':2,'the':3,'once':1,'say':2,'at':2},'paired':{'fins':1},'ball.':{'illustration':1},'mature':{'sperm-cell':1,'egg-cell':1,'animal':1,'.':1},'laplace':{'10':1,'s':3,'one':1,'spoke':1,'to':1},'side.':{'--i':1,'--1':1},'storing':{'fishes':2,'up':1},'genial':{'climatic':1},'aerial':{'and':1,'but':1,'journeys':2},'protrusive':{'lips':1,'face':2},'creature.':{'there':1,'sec':1},'defined':{'is':1,'primitive':1},'likewise':{'a':2,'have--there':1,'evolution':1,'react':1,'connected':1,'crumbs':1,'were':1,'simpler':1},'influence':{'and':2,'on':1,'of':5,'well':1,'retreats':1,'will':1,'in':1,'the':1,'or':1,'must':1},'surpassing':{'themselves':1},'char':{'that':1},'duration':{'of':2},'diverse':{'forms':2,'territory':1,'description':1,'angles':1,'results':1},'nautical':{'almanac':2},'pontobdella':{'an':1},'living.':{'some':1,'parental':1},'element.':{'two':1},'intrepid':{'explorers':1},'puzzling':{'and':1,'phenomenon':1},'tuft':{'as':1},'fixing':{'itself':1},'uranium':{'and':1,'then':1,'x.':1,'for':1,'would':1,'may':1,'should':1,'itself':1,'salt':1,'.':3,'spontaneously':1,'are':1,'in':1,'has':1,'changes':1,'by':1,'he':1},'preventing':{'their':1,'the':1},'close-packed':{'refractive':1},'conceptions':{'of':1},'points':{'one':1,'we':1,'that':1,'clearly':1,'of':4,'away':1,'back':1,'should':1,'to':2,'in':1,'forward':1,'.':1,'or':2,'out':3},'sails':{'for':1},'revision':{'.':1},'elements':{'a':1,'on':2,'commands':1,'for':1,'oxygen':1,'that':1,'may':1,'sun':1,'into':1,'in':2,'about':1,'.':2,'to':1,'as':2,'are':4,'have':1,'each':1,'it':1,'such':1},'small-brained':{'archaic':1},'energetic':{'particles':1,'men':1,'electrons':1,'actions':1},'beginnings':{'of':4,'.':1,'on':1},'sal-ammoniac':{'but':1},'faintly':{'lit':1,'visible':2},'bibliographies':{'appended':1},'habits--the':{'truly':1},'sides':{'and':1,'of':7,'nor':1,'to':1},'ago':{'and':2,'is':2,'in':3,'it':2,'as':1,'at':1,'178':1,'174':1,'for':1,'regarded':1,'when':3,'.':10,'to':1,'that':1,'may':1,'illustration':1,'they':1,'others':1,'with':1,'a':1,'showed':1,'the':4,'or':1,'are':1},'furthest':{'in':1},'land':{'and':3,'ran':1,'is':2,'surface':1,'skimming':1,'at':2,'have':1,'.':11,'bridges':1,'tending':1,'to':1,'there':1,'had':3,'actually':1,'also':1,'5':1,'between':1,'has':3,'was':2,'over':1,'meant':1,'but':1,'by':1,'continued':1,'than':2,'plants':1,'flora':1,'animals':10,'should':2,'animals--the':1,'leaving':1,'implied':1,'many':2},'sail.':{'the':1},'reasoned':{'discourse':2},'marble--there':{'are':1},'rescued':{'triumphantly':1},'diffraction':{'grating':2},'walked':{'about':1,'through':1},'cryptozoic':{'or':1},'opposing':{'the':1},'came':{'a':2,'about':6,'from':3,'barking':1,'into':1,'to':11,'slowly':1,'in':1,'first':1,'before':1},'harks':{'back':1},'fresh':{'waters--the':1,'racial':1,'contacts':1,'starts':1,'waters':2,'air':1,'water':7,'invention':1,'gulps':1,'offshoot':1,'supplies':1,'experiments':1,'expression':1,'or':2},'having':{'a':4,'little':1,'implies':1,'no':1,'comparatively':1,'somehow':1,'to':1,'only':1,'entangled':1,'planets':1,'not':1,'learned':1,'the':2},'placentals--show':{'a':1},'repeopled':{'by':1},'hampton':{'court':3},'code':{'of':1},'partial':{'counts':1,'eclipse':1,'or':1},'rubbish':{'is':1},'illustrates':{'very':1,'the':3,'part':1,'evolution':1},'scooped':{'the':1,'out':1},'knotted':{'spiral':1},'results':{'a':1,'what':1,'which':1,'of':6,'in':1,'.':2,'to':1,'are':2,'have':1,'were':1,'affecting':1,'the':2},'existing':{'lizards':1},'illustrated':{'and':1,'on':1,'when':1,'its':1,'in':1,'the':1,'by':3},'stops':{'struggling':1,'with':1,'its':1},'broader':{'palates':1},'dainty':{'and':1},'seemed':{'then':1,'for':1,'no':1,'almost':1,'to':2,'so':1},'tearing':{'small':2,'away':1},'club-mosses':{'and':1},'iii':{'adaptations':1,'.':2},'concerned':{'chiefly':1,'is':1,'here':1,'simply':1,';':1,'with':1},'hunger':{'and':2,'is':2,'in':1},'rufous':{'brown':1},'young':{'and':2,'emerge':1,'mound-birds':1,'reeds':1,'cheetahs':2,'water-bird':1,'fish':1,'woodpeckers':1,'orang':1,'foxes':1,'one':2,'crocodile':2,'as':1,'ducklings':1,'at':1,'in':2,'earth':1,'herring':1,'birds':5,'creatures':2,'eels':4,'described':1,'for':1,'liberated':1,'perhaps':1,'bittern':2,'frog':1,'.':4,'crocodiles':1,'fishes.':1,'fry':1,'bird':1,'elver':1,'then':1,'life':1,'thrush':1,'form':1,'that':1,'mammals':1,'ones':17,'twined':1,'text-book':1,'man':1,'a':1,'about':1,'animals':1,'turtles':1,'e.g':1,'this':1,'science':1,'frog-hopper':1,'toads':1,'moorhen':1,'plovers':1,'can':2,'mammal':1,'the':1,'stages':1,'are':3},'send':{'donations':1,'it':1,'out':2},'universes--':{'island-universes':1},'citing':{'these':1},'outwards':{'from':1,'for':1},'resources':{'and':1,'of':2,'upon':1,'are':1,'more':1},'inference.':{'on':1},'matter--other':{'new':1},'garden':{'on':1},'continues':{'to':3,'the':1,'sitting':1},'waters.':{'the':1},'mouth-parts':{'the':1,'.':1},'mixing':{'colours':4,'with':1,'in':1},'continued':{'and':1,'elevation':1,'conquest':1,'.':1,'to':3,'through':1,'in':1,'the':1,'over':1},'minerals':{'the':1,'.':1},'squids':{'various':1},'archaeopteryx':{'jurassic':1,'after':1,'.':1,'91':1,'the':1,'was':1},'earth-knot':{'of':1},'back-teeth':{'were':1},'anxious':{'warning':1},'race':{'because':1,'is':1,'depends':1,'well-defined':1,'owes':1,'if':1,'living':2,'would':2,'since':1,'.':9,'to':2,'which':1,'between':1,'was':1,'lived':1,'that':1,'after':2,'but':1,'includes':2,'they':1,'now':1,'by':1,'possess':1,'a':1,'of':3,'as':1,'without':2,'through':1,'or':3,'say':1},'trypanosome':{'which':2,'that':1},'others--the':{'placentals--show':1},'trypanosoma':{'gambiense':2},'mediterranean':{'region':1,'or':1,'for':1},'wavy-to':{'curly-haired':1},'unprofitable':{'for':1},'imply':{'enormous':1,'an':1,'ether':1,'it':1},'burrower':{'which':1},'munitions':{'which':1},'primeval':{'supporting':1,'coherence':1,'vegetation':1,'amphibians':1,'stuff':2},'make.':{'the':1},'that.':{'now':1},'apparatus':{'and':1,'for':3,'being':1,'of':1,'to':1,'which':1,'fine':1,'by':1},'waning':{'of':2,'remain':1},'expressed':{'by':1,'is':1,'.':1,'itself':1,'in':1,'along':1,'the':1},'hereditary':{'and':1,'enregistration':1,'obligations':1,'items':1,'pre-arrangements':1,'qualities':1,'capacity':1,'or':1,'enemies':1},'consistently':{'the':1,'presenting':1,'offer':1},'vapours--the':{'reversing':1},'indestructible':{'and':1,'it':1},'expresses':{'emotion':1,'the':1,'itself':2,'his':1,'its':1},'guinea-pigs':{'we':1},'bird':{'flies':1,'multiplying':1,'into':1,'dived':1,'it':1,'migration':1,'in':3,'feeding':2,'had':1,'sails':1,'.':5,'to':2,'without':1,'has':3,'was':2,'shows':1,'then':1,'we':1,'showing':2,'but':1,'with':1,'than':1,'about':1,'mimicry':2,'archaeopteryx':2,'of':6,'looked':1,'s':8,'allied':1,'the':1,'or':2,'hesperornis':2},'thin':{'dry':1,'atmosphere':1,'gas':1,'gases':1,'as':1,'sheets':1,'coatings':1,'out':1},'scenery':{'on':1,'effects':1,'if':1},'advantageously':{'sensitive':1},'scepticism':{'at':1},'led':{'eventually':3,'.':1,'to':7,'our':1,'was':1,'by':1},'license.':{'1.e.6':1},'convergences':{'and':1},'leg':{'to':1,'is':2,'but':1,'.':1,'broken':1,'in':1,'across':1},'respectively':{'.':1},'gathered':{'five':1,'together':1,'obviously':1},'dressed':{'but':1},'let':{'go':1,'the':2,'themselves':1,'them':2,'us':20},'octave':{'of':1},'consideration':{'of':2,'that':1},'invented':{'to':1,'cannot':1,'by':1,'something':1},'fifteen':{'thousand':1,'or':1,'miles':1,'in':1,'minutes':2,'feet--the':1},'physiology':{'and':2,'of':1,'would':1,'.':1},'darwinism':{'and':1},'substratum':{'on':1,'was':1,'.':1},'great':{'restriction':1,'evolutionary':2,'deliberateness':1,'effect.':1,'friction':1,'swooping':1,'philosopher':1,'skill':1,'speed':2,'projection':1,'resemblance':1,'patches':1,'density':1,'distances;':1,'auk':1,'storms':1,'improvement':1,'source':1,'collections':1,'majority':5,'division':2,'advantage':2,'advances':1,'oceans':1,'theme.':1,'coal-fields':1,'school':1,'clouds':1,'gift':1,'naturalist':1,'investigator':1,'aridity':1,'rocks':1,'excellence':1,'red':1,'truth':1,'waterfalls':1,'biological':1,'river':2,'italian':1,'dexterity':1,'wariness':1,'thinkers':1,'telescope':1,'deal':4,'series':1,'globe':1,'yerkes':1,'astronomer':1,'individual':1,'measure':1,'racial':1,'factors':1,'cerebral':1,'nebula':4,'southward':1,'ice':4,'abysses':4,'increase':1,'importance':4,'leap':2,'difficulties':3,'safety':1,'steps':8,'contrast':2,'claws':2,'beetling':1,'scientific':1,'power':1,'educability':1,'french':2,'difficulty':1,'reason':1,'extent':1,'congestion':1,'cities':1,'orb':1,'change':1,'advance':1,'search':1,'piece':1,'cavities':1,'pressure':1,'many':1,'step':5,'range':1,'comet':2,'canopy':1,'changes':1,'tongues':1,'groups':1,'unrest.':1,'height':1,'channels':1,'improvements':1,'doctrine':1,'illumination':1,'ridge':1,'service':2,'outbreaks':1,'depths.':1,'question':1,'nebular':1,'.':3,'swarm':1,'secret':2,'development':1,'interest':5,'brazilian':1,'length':1,'100-inch':1,'war':2,'fire-mists':1,'gaseous':1,'fiery':1,'quantities':1,'whirling':2,'it':1,'bulk':1,'part':3,'gain':1,'wheatfields':1,'abundance':1,'divisions':1,'fold':1,'deeps':2,'plain':1,'strides':1,'official':1,'value':1,'excitement':1,'sun-spot':2,'freedom':1,'refractors':1,'and':2,'tracts':1,'discovery.':1,'comet--the':1,'modern':1,'influence':1,'haunt':1,'haunts':1,'cluster':1,'as':4,'reptiles.':1,'glaciation':1,'numbers':1,'in':1,'diversity':2,'cleverness':1,'continents':1,'pink':1,'compared':1,'club-moss':1,'variety':3,'things':1,'forests':1,'flood':1,'electrical':1,'significance':1,'intelligence':1,'physical':1,'scarlet':2,'staying':1,'ball':1,'volumes':1,'disadvantages':1,'invasions':1,'gallery':1,'spot':1,'claw':1,'falls':1,'depths':2,'leaps':1,'invasion':2,'bustard.':1,'types':1,'acquisitions':2,'zooelogical':1,'accumulations':1,'complexity':1,'races':1,'mass':1,'fundamental':1,'velocity':1,'laboratories':1,'salt':1},'engage':{'the':1},'credits':{'every':1},'technical':{'section':1,'improvements':1},'involved':{'astronomers':1,'a':2,'this':1,'in':3},'resulting':{'from':1,'spectrum':1},'opinion':{'seems':1,'as':1,'now':1,'says':1,'about':1},'residents':{'in':2},'amphibians;':{'but':1},'pleistocene':{'perhaps':3,'period':2,'while':1,'era':1,'or':1,'before':1},'involves':{'a':1,'much':1,'hard':1,'nutritive':1},'holmes':{'kept':1,'writes':1,'poked':1},'chains':{'bind':1,'is':1,'or':1,'which':1},'halfpenny':{'it':1},'complying':{'with':3},'333':{'432':1},'mariners':{'before':1},'it--whatever':{'that':1},'hedgehog-like':{'test':1},'tools':{';':1},'fit.':{'at':1},'standing':{'stones':1,'on':1,'out':1,'with':1,'before':1},'bloweth':{'where':1},'recalling':{'even':1,'the':1},'whipping':{'in':1},'self-luminous':{'.':1},'next':{'set':1,'generation':1,'period':1,'grade':1,'stroke.':1,'year':1,'tooth':1,'to':2,'few':1,';':1,'article.':1,'notice':1,'that':1,'moult':1,'chapter.':1,'atom':1,'great':1,'room':1,'morning':1,'offshoot':1,'the':1,'page':1},'eleven':{'years':1},'doubt':{'and':1,'about':1,'for':1,'that':20,'whether':1,'many':1,'there':1,'some':1,'it':1,'as':7,'at':1,'the':1,'by':1},'animal.':{'illustration':1},'doubling':{'of':1},'midday':{'work':1},'pencil':{'on':1,'upon':1},'occurred':{'about':1,'without':1,'in':1,'the':1,'along':1,'more':1},'bodily':{'and':4,'life':2,'frame':2,'immortality':1,'attributes':1,'along':1},'carrying':{'a':1,'them':3,'her':2,'an':1,'the':1,'its':2},'extinction.':{'the':1},'baby':{'reveals':1,'orang':2,'had':1,'orang-utan':2,'chimpanzees':2,'learning':1},'balls':{'on':1},'animals':{'show':2,'abundant':1,'had':1,'should':1,'to':5,'overcome':1,'take':1,'division':1,'breathing':1,'showing':1,'cannot':1,'not':2,'monkeys':1,'like':6,'where':1,'enjoy':1,'illustrating':1,'often':1,'191':1,'began--a':1,'namely':1,'sec':1,'are':12,'living':5,'hide':1,'lead':1,'below':1,'tend':2,';':2,'we':2,'were':4,'however':1,'illustration':1,'sink':1,'put':1,'come':2,'on':2,'began.':1,'e.g':2,'of':7,'allied':1,'or':5,'secure':1,'physophora':2,'61':1,'1872':1,'protozoa':1,'illustrate':1,'from':2,'would':2,'there':4,'.':14,'live':2,'themselves':1,'was':1,'that':3,'but':1,'with':2,'must':2,'made':1,'these':1,'say':1,'remain':1,'learn':1,'called':1,'and':16,'do':1,'likewise':2,'is':6,'it':2,'as':1,'have':19,'in':5,'radiolarians':1,'thoroughly':1,'began':1,'burrow':1,'globigerinid':1,'which':7,'many':1,'important':1,'such':5,'man':1,'a':2,'lower':1,'especially':1,'together':2,'without':1,'the':5,'left':1},'retreated':{'northwards':1,'within':1},'this':{'freak':1,'impression':1,'selection':1,'phenomenon':1,'being':1,'when':1,'sporting':1,'leads':1,'distant':1,'consists':1,'earth':1,'oldest':1,'reasoning':1,'tendency':1,'seemed':1,'colony-making':1,'certainly':1,'outer':2,'advance--the':1,'work.':3,'common':1,'sheaf':1,'state':3,'instrument':2,'magnetic':1,'does':2,'has':5,'might':2,'over':1,'happened':1,'kingdom':1,'then':1,'good':1,'greater':1,'advantage':1,'means':5,'very':1,'period':5,'early':2,'hermon':1,'diary':1,'probably':1,'not':1,'world':2,';':1,'vapour':1,'organ':1,'progressive':1,'did':1,'pinch':1,'pillar':1,'dinosaur':1,'stuff':1,'she':1,'reasonable':1,'succession':1,'small':1,'ultra-violet':1,'movement':2,'page':1,'view':3,'system':1,'the':6,'namely':1,'picture':2,'colossal':1,'garment':1,'globe':1,'notochord':1,'persistent':1,'relative':1,'second':1,'owing':1,'result':1,'mirror':1,'ruse':1,'belief':1,'blue':1,'project':3,'still':1,'for':1,'waning':1,'distinctive':1,'away':1,'thickness':1,'case':8,'time.':1,'race':1,'vascular':1,'new':2,'falling':1,'before':1,'method':2,'law':1,'discovery':2,'body':1,'variability':1,'wheat':1,'theory':9,'fish':1,'creature--far':1,'applies':2,'agreement':16,'possibility':1,'like':1,'extraordinary':1,'surely':1,'web':1,'marquis':1,'vigorous':1,'path':1,'estimate':2,'respect':2,'by':1,'change':2,'stage':1,'chapter':1,'on':1,'great':3,'substance':1,'license':2,'argument':1,'of':2,'motion':3,'quaint':1,'range':1,'regular':1,'lively':1,'pictorial':1,'argue':1,'makes':2,'or':1,'inference':1,'family':1,'point':9,'simple':3,'image':1,'within':2,'colony':1,'number':1,'incessant':2,'will':2,'fiery':1,'raises':1,'littoral':1,'inorganic':1,'drawing':2,'electronic':3,'attendant':1,'sympathetic':1,'little':1,'ancient':1,'lens':2,'would':2,'attraction':1,'important':1,'outline':5,'question':3,'spiral':1,'.':2,'immense':1,'wonderful':2,'low':1,'statement':1,'ocean':1,'mysterious':1,'australian':1,'scheme':1,'was':15,'energy':7,'minor':1,'gives':1,'sort':2,'direction':1,'partly':1,'way':11,'that':4,'explanation':1,'continuous':1,'gas':1,'took':1,'but':1,'haunt':1,'implied':1,'instrument.':1,'reason.':1,'particular':1,'implies':3,'rivalry':1,'white':2,'must':2,'steel':1,'pull':3,'kind':5,'made':1,'conception':1,'conviction':1,'characteristic':1,'work':11,'sifting':1,'air':1,'planet':1,'below':1,'paragraph':1,'fertilisation':1,'can':3,'cannot':1,'were':2,'merely':1,'property':1,'x-ray':2,'distance':6,'and':3,'layer':2,'constant':1,'resemblance':1,'century':1,'process':1,'molecular':1,'is':63,'modern':1,'turned':1,'it':5,'swarm':1,'an':1,'sample':1,'cluster':1,'as':1,'ether':1,'at':2,'file':2,'sense':3,'relic':1,'mysteriously':1,'apparently':1,'internal':1,'film':1,'absolute':1,'again':2,'law.':1,'moves':1,'twofold':1,'woodpecker':1,'age-old':1,':':2,'eloquent':1,'radiation':1,'thorough':1,'any':1,'note':1,'field':1,'strange':2,'inquiry':1,'ante-natal':1,'answer':1,'subject':1,'shows':1,'conclusion':1,'tension':1,'neolithic':1,'book':3,'living':1,'may':7,'ebook':6,'to':3,'diagram':2,'scale':2,'nucleus':1,'purpose':2,'position':1,'discharge':1,'bodily':1,'opportunity':1,'wonder-world':1,'a':1,'in':2,'amoeboid':1,'observation':1,'imply':1,'light':1,'voice':1,'shift.':1,'dog':1,'obviously':1,'points':1,'principle':1,'time':2,'velocity':1,'effect':2,'egg':1,'order':1,'fact':4},'cuvier':{'1769-1832':2},'pour':{'from':1},'reproduce':{'it.':1,'tell':1},'publications':{'as':1},'of':{'dissolution':1,'comparatively':1,'four':4,'straws':1,'chameleons':1,'electricity':18,'ceylon':1,'out-breeding':2,'lord':1,'arboreal':4,'pigment':2,'thinopus':1,'every':2,'radio-active':3,'vastly':1,'monkeys':5,'kataleptic':1,'unrelated':1,'relics':3,'venus':5,'clothes':1,'force':2,'senescence':1,'infancy':1,'direct':1,'surrounding':1,'second':1,'microscopists':1,'even':1,'change.':1,'organisms':2,'thunder':1,'nature.':2,'asia':1,'children':2,'change;':1,'salt-accumulation':1,'fossil':1,'new':6,'increasing':3,'ever':2,'men':7,'unexhausted':1,'atoms':25,'anthropology':1,'100':1,'cardboard':1,'dry':2,'luther':1,'light.':3,'smoke':1,'changes':1,'golden':1,'feelings':1,'patience':1,'negative':5,'civilisation.':1,'telegraph':1,'thorndike':1,'musk':2,'x-rays--the':1,'glass':3,'continual':3,'things.':1,'93':1,'92':1,'work':3,'mammalian':1,'parachuting--a':1,'mr':1,'radiance':2,'india':1,'corroborating':1,'present-day':2,'absolute':1,'reptiles--snakes':1,'nuts':1,'damages.':1,'how':2,'messrs':1,'ordinary':1,'after':1,'vicious':1,'long-continued':1,'parallel':1,'types':1,'effective':1,'carbonic':1,'order':1,'wind':1,'over':7,'crumbs':1,'symmetry':2,'bodies--evolution':2,'better':2,'them':36,'widely':1,'penetration':2,'molecules.':1,'pinkish':1,'silver':1,'oxygen':7,'brightness':1,'each':10,'telescope':2,'spider':2,'parasites':1,'armour--the':1,'hive-bees':1,'forty':1,'particles':3,'heavenly':1,'millions':6,'stamping':1,'turning':1,'monkeys--activity':1,'eternal':1,'strata':3,'free':2,'sensory':1,'struggle':1,'mastering':1,'calcareous':1,'detecting':3,'monkey':2,'enormous':2,'perhaps.':1,'cosmic':1,'days':1,'hearing':4,'another':3,'scissors':1,'thick':1,'electronic':4,'mercury':2,'ten':2,'pelagic':1,'legs':3,'dogs':1,'hydatina--has':1,'project':8,'matter':67,'torpedo-net.':1,'iron':10,'feeling':3,'oxygen-capture':1,'mind':10,'spectrum':1,'controversy.':1,'oxygen-combustion':1,'relatively':1,'affairs':3,'snow':3,'metallic':1,'chitin':2,'australia--all':1,'knowledge--the':1,'blue':1,'anatomy':1,'drought':2,'nutritive':3,'observation':1,'fitter':1,'professor':4,'metal':1,'swamps':1,'dover':1,'pollen':1,'hunger':1,'insects':8,'nerve-cells':3,'counteractive':1,'lessons':1,'latent':1,'sugar':1,'structure.':1,'fluid':1,'energy--what':2,'tuberculosis':1,'saturn':2,'dr':1,'to-day--the':1,'fields':1,'shape':1,'progress.':2,'architecture':2,'freshwater':1,'steam':3,'head-brains':1,'radium':15,'testing':1,'combustion':2,'rings':1,'artificial':1,'paternal':1,'luminescent':1,'finger':1,'caves':1,'profitable':1,'nature':18,'were':2,'wear':1,'carbon':1,'flowering':3,'caledonia':1,'out-flowing':1,'climate':3,'air--a':1,'distinction':1,'inquisitive':1,'tons':2,'250':1,'merchantibility':1,'three':2,'quickly':1,'much':4,'sponges':1,'parents':1,'life':50,'in-breeding':2,'chili':1,'air':8,'horse-power':1,'zoologists':1,'balance':1,'amphibians--the':1,'remembering':1,'seven':1,'is':1,'it':16,'brake':1,'in':1,'comparative':1,'things':5,'daughter-units':1,'damages':1,'colonies':1,'capacities':1,'typhoid':1,'rain':1,'hand':1,'kin':1,'patagonia':1,'turtle-backs':1,'opportunity':1,'butter':1,'engrained':1,'neptune':1,'contact':1,'greatest':1,'the':1665,'kinship':1,'deep-red':1,'indigo':2,'newton':2,'disguise':3,'human':9,'life-preserving':1,'yet':1,'evolution.':5,'vibration':1,'leibnitz':1,'alchemy':1,'transformed':1,'innocent':1,'humanity':1,'survival':1,'possible':3,'it--for':1,'desire':1,'melting':2,'insurgence':1,'plants--romance':1,'haunts--such':1,'homing':1,'people':1,'dead':2,'deflection':1,'jupiter':5,'escape':1,'animate':4,'proceeding':1,'ice':1,'everything':1,'conquering':2,'man--body':1,'palatable':1,'losing':1,'self-preserving':1,'primitive':4,'successive':3,'obtaining':2,'intellectual':1,'bats':2,'palaeozoic':1,'support':2,'flying':2,'jealousy':1,'sunlight':2,'grasping':1,'head':2,'forming':4,'becoming':3,'heat':14,'solar':1,'crystal':1,'meteorites.':1,'temper':1,'paragraphs':1,'muscular':1,'evidence':2,'prayer':1,'physical':1,'discriminate':1,'lungs':1,'inborn':1,'no':4,'font-de-gaume':2,'reality':1,'tin':1,'holding':1,'smell':5,'white-hot':2,'clear-cut':1,'diet':1,'rising':1,'authorities':1,'to-day':15,'potato':1,'time':10,'serious':1,'remarkable':2,'colour-change':2,'varying':1,'computation':1,'skin':7,'passage':1,'reptiles':6,'protective':3,'exact':1,'feeble':1,'minute':5,'level':1,'magnet':1,'coincidences':1,'excellence':1,'slouching':1,'backboneless':2,'speculation':1,'perceptual':2,'tortoises':1,'thinkers':1,'radium.':1,'mind--even':1,'bacteria':1,'water-plants':1,'constitution':1,'uniform':2,'wave-motion':1,'falling':1,'flame.':1,'tibet':1,'hairs':1,'mauer.':1,'water':19,'meteorites':3,'magnetism':1,'galileo':1,'change':4,'box':1,'brilliant':1,'smoke-like':1,'exploitation':1,'sex--beginning':2,'ineffective':1,'locomotion':2,'useful':2,'relations.':1,'illumination':1,'sympathetic':1,'working':2,'positive':8,'uncritical':1,'france':3,'prey':2,'assimilation':1,'cases':2,'capturing':2,'haddington':1,'avoiding':1,'nature--on':1,'inveterate':1,'stature':1,'following':1,'making':4,'warm-bloodedness':1,'breeds':1,'spy':1,'development--that':1,'238':1,'mankind--steps':1,'hydrogen':9,'rays':3,'winter':1,'condensation.':1,'species':4,'vital':3,'huge':2,'may':1,'mankind':3,'such':9,'man':52,'natural':6,'neck':1,'liquid':1,'st':1,'lagoon':1,'years':25,'course':35,'experiments':1,'cold':3,'still':3,'birds':13,'limbs':1,'apes':3,'forms':1,'physics--research':1,'ours':3,'fire-mist':1,'years--but':1,'tails':1,'half':1,'twilight':1,'name':1,'times':4,'creation.':1,'establishing':2,'rock':1,'square':1,'elephants':1,'receipt':2,'prisms':2,'woodcraft':1,'catching':1,'entering':1,'wheat--changes':1,'living':17,'space':10,'these--which':1,'looking':3,'receiving':1,'picture-logic':1,'california':1,'marine':1,'advance':2,'sparrows':1,'language':1,'tree-sloths':1,'british':1,'motion':6,'thing':1,'deep-sea':1,'learning.':1,'adventure':4,'surviving':1,'coming':1,'one':18,'gases':1,'them--':1,'field-voles':1,'rome':1,'size':2,'little':5,'man--the':1,'anyone':2,'cooling':1,'2':1,'alfred':1,'white':1,'exploring':1,'that':14,'centipedes':1,'flowers':1,'eohippus':1,'12':1,'meteors':5,'third':1,'sailing':1,'three-spined':2,'trekking':1,'cards':1,'gigantic':3,'wandering':1,'and':3,'gathering':1,'chlorophyll':1,'psychical':1,'any':20,'1903.':1,'bavaria':1,'coal':3,'efficient':1,'physiologists':1,'equipment':1,'potential':1,'hydrogen--which':1,'invertebrate':1,'printed':1,'men--conspicuous':1,'america':2,'greyish':1,'dragon-flies':1,'average':1,'later':1,'science.':2,'wing':1,'salt':2,'precise':2,'far-reaching':1,'bright':2,'uranus':1,'slow':2,'only':1,'wood':1,'flood.':1,'awareness':1,'masking':1,'space.':1,'nearly':3,'lighter':3,'primates':2,'aluminum':1,'miles':13,'girdles':1,'vision':4,'famine':1,'weapons--the':1,'registering':1,'ways':2,'definite':2,'colours':2,'man.':7,'crookes':1,'vertical':1,'parental':10,'style':1,'dome':1,'rapidly':1,'cities':1,'vaporous':1,'many':15,'contract':1,'disappointment':1,'equatorials':1,'expression':2,'radio-activity':3,'bricks':1,'colony':1,'ants':2,'60':1,'air-breathing':2,'straws.':1,'learning':3,'67':1,'extinct':2,'technicalities':1,'one-celled':2,'mars':10,'reflex':2,'500':2,'observers':1,'external':1,'attentive':1,'diffuse':1,'those':9,'sound':1,'specialised':1,'these':71,'danger.':1,'life.':5,'mound':1,'trackless':1,'sudden':1,'ferns':1,'rock-cod':1,'helium':2,'everyday':1,'movements':1,'different':15,'lava':1,'shifts':2,'speech':1,'intermediary':1,'noble':1,'oil':6,'arctic':2,'insects.':1,'persons':1,'fruit':2,'delicate':1,'waves.':1,'implements':1,'fixing':1,'bodies':2,'summer':1,'being':8,'slime':1,'actions':1,'violent':3,'touch':1,'water-basins':1,'death':3,'thinking':4,'rose':1,'geological':1,'clay.':1,'4':3,'grip':1,'around':1,'larva':1,'crustaceans':1,'dark':3,'quickness':1,'using':1,'meaning':1,'acute':1,'fossils':2,'heat-waves':1,'heredity':2,'lightning':1,'donations':1,'coal--a':1,'chronology':1,'racial':3,'ascent':2,'self-effacement':1,'semotilus':2,'critical':1,'expressing':1,'transmutation':2,'measuring':1,'iron-forming':1,'wheat':2,'scientific':3,'uneasy':1,'sixty':2,'stone':2,'beavers':1,'chamberlin':2,'mutually':1,'corals':1,'or':3,'cambridge':2,'goethe':1,'communication':3,'electricity.':1,'wave-movements':1,'your':1,'mental':2,'her':8,'camouflaging':1,'dispersion':1,'low':1,'stars':16,'energy':35,'continents':1,'wits':1,'mammals':9,'water-vapour':1,'practically':1,'grass':1,'taste':2,'certain':5,'deep':1,'general':2,'as':1,'lichen':1,'associating':1,'planets':1,'retiring':1,'meteorites--pieces':1,'deviation':1,'separate':1,'teeth':2,'fresh':1,'rainbow-colour':1,'building':3,'condensation':2,'remote':1,'bilateral':1,'dislodgment':1,'starting':1,'all':34,'suns':1,'worms':2,'seals':1,'zinc':4,'reasoning':1,'careful':1,'red-hot':2,'meteorites--a':1,'wyoming':1,'postglacial':1,'devonian':1,'very':6,'combustible':1,'fat':1,'coloured':2,'trillions':5,'interpreting':2,'instinct.':1,'condition':1,'elusiveness.':1,'prolonged':2,'large':4,'dinosaur':1,'sand':2,'small':10,'mount':2,'rats':1,'methodical':1,'past':2,'invention':2,'1904-5':1,'further':1,'creatures':2,'babylonia':1,'what':25,'sun':1,'emotions':1,'thickness':1,'public':1,'movement':7,'condensed':1,'escaping':1,'malaria':1,'answers':1,'behaviour':14,'1843':1,'compliance':2,'experimenting':3,'miniature':2,'social':2,'action':2,'matter--but':1,'sticking':1,'family':3,'transit':1,'africa':1,'inorganic':2,'eye':1,'discriminative':1,'distinct':1,'petroleum':1,'two':7,'comparing':1,'promoting':2,'minor':1,'more':5,'horses':2,'substances':2,'chimpanzee':2,'particular':2,'stampings':1,'weathering':1,'science':29,'nine':1,'spontaneous':1,'beautiful':1,'messages':1,'stinging':3,'niagara':3,'sharp':1,'flint':1,'offspring':2,'terrestrial':6,'viviparity':1,'glowing':7,'civilisation':2,'germinal':1,'blood':1,'waves':10,'prospecting':1,'a':310,'life-forms':1,'pithecanthropus':8,'sun-spots':2,'renewing':1,'shore':1,'tentacles':2,'cases.':1,'perception':2,'healthfulness':1,'music.':1,'egg':2,'playing':2,'paper':3,'existence':1,'its':73,'club-mosses':1,'25':2,'26':1,'20':1,'solving':1,'gentleness.':1,'late':1,'microscopic':3,'it.':1,'good':2,'food':13,'compound':1,'association':4,'instructions':1,'mystery':1,'exquisite':1,'predatory':1,'heavy':1,'england':2,'restless':2,'nitrogenous':1,'fish':1,'hard':1,'energy.':1,'trilobites--jointed-footed':1,'neanderthal':3,'research':1,'nautiloids':2,'safety':3,'7':1,'celebes':1,'meteoric':2,'rejuvenescence':1,'bass':1,'extraordinary':2,'reason':2,'rainbow-tinted':1,'metamorphosis':1,'computers':1,'round':1,'copper':4,'limestone':1,'mimetic':1,'soapy':1,'star-clouds':1,'earthworms':1,'horse':3,'temperature':6,'twenty':2,'186':4,'gibraltar':1,'einstein.':1,'molecular':1,'aristocracy':1,'relationship':1,'1919':1,'1918':1,'part':1,'half-made':1,'sheer':2,'dissection--or':1,'egg-cells':2,'messrs.':1,'ages':7,'germ-cells--the':1,'atoms--the':2,'flaming':2,'scotland':2,'moist':1,'labour':6,'useless':2,'sea-perches':1,'eggs':7,'most':5,'achievement':1,'branching':1,'galway':1,'evolution--factors':1,'mobile':1,'seething':1,'electrons':32,'physics':6,'lying':2,'stones':1,'hoar-frost':1,'gold':6,'disturbances':2,'to-day.':1,'hereditary':3,'fine':1,'giant':2,'securing':1,'mauer':1,'nervous':2,'fishes--the':1,'less':1,'gills':1,'darwin':3,'his':27,'trees':2,'germ-cells':2,'rest':1,'instinctive':5,'silk':4,'stone.':1,'birds.':1,'common':2,'activity':2,'experiments;':1,'body':4,'art':1,'intelligence':12,'sex':1,'individual':5,'aberdeen':1,'practice':1,'gravitation':3,'pictures':2,'classes':1,'various':8,'conditions':1,'europe':3,'responses':1,'craters':1,'invisible':1,'both':2,'attainment':1,'foreign':1,'tactility':1,'amoeba':2,'experimental':1,'distress':1,'supply':1,'simple':3,'whatever':2,'whelk':2,'unicellular':1,'incandescent':1,'zeta':2,'decline':1,'damp':1,'brick':1,'meeting':1,'treatment':1,'modern':20,'flight':11,'fire':3,'gas':8,'amphibians':8,'reason.':1,'magnetised':1,'plants':4,'opportunity.':1,'solid':4,'straight':1,'ape-like':1,'lenard':1,'moth':1,'itself':2,'currents':1,'saline':1,'communal':1,'trial':2,'pecking':1,'yucca':1,'higher':5,'development':3,'brooding':1,'moving':4,'birch':1,'recent':5,'lower':2,'luminescence':1,'sight.':1,'chickens':1,'concrete':1,'body-building':1,'pigeons':2,'matter.':4,'space;':1,'atomic':1,'matter;':1,'praying':1,'letting':1,'cut':1,'internal':5,'deliberately':1,'heidelberg':3,'chess':1,'australia':7,'reptilian':1,'showing':1,'stockholm.':2,'life--a':1,'wings':1,'insect':1,'ponds':1,'individuals':1,'mathematical':2,'methods':1,'spring':1,'creation':4,'some':25,'yolk':3,'sight':3,'curious':1,'sieves':1,'pitchblende':2,'civilization':1,'300':2,'lakes':1,'tidal':2,'starlings':1,'intense':1,'analysing':1,'feigning':1,'prothyl':1,'modernity':1,'deepish':1,'chaps.':1,'naturalists':1,'chalk-forming':2,'deep-violet':1,'statistics':1,'placing':1,'long':3,'mimicry':2,'mountains':1,'inches':1,'adjusting':1,'frost':1,'fisheries':1,'atom':1,'energy--traceable':1,'migrating':1,'considerable':2,'hair':1,'skull':2,'characteristic':2,'spectroscope':1,'sifting':3,'us':3,'similar':2,'non-living':1,'flow':1,'sepia':1,'warning':2,'dragging':1,'whirligig':2,'tentative':1,'heat.':1,'endurance':1,'uranium':3,'occasional':1,'explaining':3,'elements':2,'energetic':1,'problems':1,'astronomy.':1,'allowing':1,'fishes':11,'cuttlefish':1,'structure':3,'temperament':1,'land':4,'reasoned':2,'age':1,'attaining':2,'conjugal':1,'ready-made':1,'knotted':1,'existing':1,'disintegration':1,'rufous':1,'young':2,'stable':1,'indicating':1,'breathing':1,'matter--other':1,'moribund':1,'putting':3,'intelligence--of':1,'minerals':1,'race':1,'smaller':1,'gripping':1,'rivers':2,'fermenting':1,'unavailable':1,'opaque':1,'giving':2,'slight':1,'habituation':1,'atoms--different':1,'experiment':1,'bird':1,'scenery':1,'let':2,'fifteen':1,'physiology':1,'extreme':1,'great':21,'evolution--the':1,'amphibians.':1,'haunts':1,'leaving':1,'evading':2,'stars--the':3,'opinion':2,'marmosets':1,'it--whatever':1,'tools':1,'cloud':2,'lime':2,'use':2,'from':4,'doubt':1,'contentment':1,'crab':1,'oily':1,'visibility':2,'bodily':1,'opposing':1,'animals':21,'this':81,'us.':1,'crickets':1,'reeds':2,'calculation':1,'high':3,'birnam':1,'something':4,'water.':3,'sir':7,'counting':1,'six':2,'animal':17,'hormones':2,'intelligent':4,'tension':1,'maternal':1,'them--simple':1,'sugar-bird':1,'primers':1,'tethering':1,'light':49,'lines':1,'predacious':1,'evolutionary':1,'unpalatable':1,'130':1,'agricultural':1,'ease.':1,'burning':1,'la':2,'water-weed':2,'surgeons':1,'vibration.':1,'labor':1,'instruments':1,'derivative':1,'greater':1,'material':2,'billiard':1,'rotation':2,'day':1,'worlds':2,'profound':2,'slipping':1,'truth':2,'pools':1,'lung':1,'evolution--how':1,'doing':3,'cultivated':2,'whitish':1,'books':2,'separating':2,'our':53,'sexual':1,'special':2,'gossamer':4,'time.':1,'exporting':1,'red':7,'lizzie':2,'electricity--electric':1,'mares':1,'organic':4,'behaviour.':2,'south':1,'disembodied':2,'activity.':1,'quality':2,'ancient':5,'nebulae':3,'all--the':1,'their':48,'nebular':1,'time--man':1,'mankind--notably':1,'hearing.':1,'inner':1,'x-rays':9,'negro':1,'manipulation':1,'branches':1,'july':2,'shrapnel':1,'isolation':1,'reproduction':1,'negatively':1,'steep':1,'poisons':1,'apparently':1,'food-supply':1,'gravity':2,'which':46,'unsettled':1,'soap':2,'vegetation':4,'digestive':2,'cracking':1,'preliminary':2,'sally':1,'dorsal':1,'volunteers':1,'disease':1,'mechanical':3,'mother-of-pearl':1,'fact':2,'atmosphere':1,'charles':1,'woolly':1,'seaweed':3,'utter':1,'fear':1,'trying':1,'knowledge':4,'millennia':1,'surroundings':1,'spontaneity':1,'molecules':3,'emitting':1,'thousands':6,'means':1,'perfection':2,'words':2,'crabs':1,'evolution':46,'brain':1,'numerous':1,'amphibia':1,'light--is':1,'view':8,'multiplying':3,'elusiveness':2,'powder':1,'violet':2,'humane':1,'wire':2,'genius':1,'mind.':3,'identification':1,'routine':1,'progress':2,'open-sea':2,'joy':1,'agencies':1,'pilgrims':1,'equal':2,'migration.':1,'passing':3,'preparedness':1,'stars--to':1,'sea-worms':1,'tremendous':1,'armadillos':1,'immense':1,'waste':1,'phosphorescent':1,'antlers':1,'sex--emotions':1,'environment.':1,'tactics--self-effacement':1,'an':58,'volunteer':1,'economised':1,'asexual':1,'air-tubes':1,'britain':1,'wild':2,'almost':1,'surface':1,'zoophytes':1,'perhaps':1,'forceps':1,'ante-natal':3,'habitats':1,'locomotion.':1,'neolithic':2,'lichen;':1,'cubic':1,'clouds--some':1,'colouring':1,'dust':4,'britain.':1,'whale':2,'poultry':1,'colour':8,'nebulous':2,'thought':3,'position':4,'flesh':1,'domestic':1,'radium--the':1,'sea-dust':2,'skill':2,'rapid':2,'battery':1,'slits':1,'government':1,'utah':1,'mistake.':1,'facial':1,'backboned':2,'perpetual':1,'electrons.':4,'works':1,'soft':2,'inexperienced':1,'replacement':3,'feelers.':1,'phenomena':2,'gossamer.':1,'ideals':2,'homo':1,'kinds':2,'peter':1,'recognition':1,'lead':1,'cabbages':1,'ether':3,'mutation':1,'reaching':1,'cellulose':1,'stellar':2,'pressure':2,'enregistering':1,'instinct':4,'about':8,'rare':1,'getting':5,'mendelism':1,'biscuit':1,'sea-horse':1,'swimming':1,'warranty':1,'reptile':1,'washington':1,'promise':1,'registration':2,'protozoa':2,'properties--ready':1,'mississippi':1,'spiral':2,'invisibility':5,'fundy':1,'north':2,'interest':3,'surgeons.':1,'hundreds':2,'shark-like':1,'marquis':2,'cells':3,'variations':1,'graphite':1,'penetrating':1,'rabbits':2,'universal':1,'reptiles.':1,'periods':1,'ink':1,'crystals':2,'agriculture':1,'40':1,'other':7,'branch':1,'disposing':1,'star':1,'tides':4,'astronomy':5,'coloration':1,'association--why':1,'15-20':1,'liver':1},'newts':{'and':1},'scatter':{'over':1,'them':1},'weaker':{'stocks':1},'bent':{'out':2},'reeds':{';':1,'the':1,'are':1,'143':1},'process':{'and':2,'by':1,'like':1,'for':1,'may':1,'of':22,'is':2,'had':1,'.':3,'does':2,'went':1,'has':2,'was':1,'the':1,'advanced':1},'lock':{'that':1},'slim':{'contracting':1},'purposes':{'of':1,'which':1,'.':1},'pieces':{'and':1,'because':1,'of':11,'is':1,'.':1,';':1},'high':{'and':2,'rounded':2,'authority':1,'rate':1,'frequency':1,'something':1,'speed':2,'forehead':1,'temperature':1,'there':1,'.':3,'chemical':1,';':2,'mountains':2,'degree':1,'water':5,'foreheads':1,'perfection':1,'places':1,'level':3,'grounds':1,'at':1},'slip':{'down':1,'into':1},'class.':{'a':1},'educational':{'corporation':1},'sand-grouse':{'into':1},'mutually':{'beneficial':4},'destroying':{'sheep':1},'cycads':{'and':1,'our':1,'which':1},'astronomers':{'rely':1,'regard':1,'calculate':1,'wondered':1,'that':1,'of':1,'believe':4,'who':2,'prefer':1,'we':1,'however':1,'to':2,'now':1,'have':4,'in':1,'hold':1,'.':1,'think':6},'pair':{'of':5},'animal':{'and':6,'settles':1,'often':1,'family':1,'intelligence':1,'is':10,'it':1,'accumulates':1,'one':1,'as':2,'in':2,'frequents':1,'plankton.':1,'life--story':1,'well':1,'will':1,'enters':1,'from':1,'world...':1,'world--even':1,'ways':1,'heat.':1,'except':1,'.':3,'to':2,'or':3,'which':1,'youth.':1,';':1,'has':3,'divides':1,'more':1,'kingdom':4,'play':1,'complete':1,'may':4,'about':1,'but':1,'aware':1,'behaviour':6,'heat':1,'races':1,'lives':2,'tended':1,'somewhat':1,'instinct':2,'world':1,'with':2,'population':3,'a':3,'evolution':1,'microbes':1,'of':4,'could':1,'depending':1,'life':8,'behaviour.':4,'like':6,'remains':1,'s':3,'can':1,'man':1,'trypanosome':1,'the':1,'makes':2,'called':2},'hormones':{'has':1,'or':2,'which':1},'mysteries':{'of':1,'the':1,'which':1,'.':1},'palates':{'than':1},'establishment':{'of':13},'paler':{'type':1},'yellowish':{'then':1,'tinge':1},'stow':{'them':1},'await':{'an':1},'tied':{'on':1},'purpose.':{'1.f.5':1},'permanent':{'inhabitants':1,'caterpillar':1,'as':1,'future':1,'markings':1,'in':1,'residents':2},'lines.':{'these':1,'in':1},'men--primitive':{'men--races':1},'fits':{'the':1},'cabbage':{'found':1},'hawk':{'moth':1},'solidarity':{'with':1},'varied':{'from':3,'face':1,'electrical':1,'at':1,'in':1,'stock':1},'ingersoll':{'s':2},'voracity':{'.':1},'prawns':{'and':2},'element':{'from':1,'giving':2,'is':3,'after':1,'uranium':1,'.':3,'as':1,'going':2,'can':1,'in':7,'known':1,';':1,'into':1},'allow':{'them':1,'for':1,'disclaimers':1,'chemical':1,'part':1,'the':3,';':1},'okapi':{'and':2,'is':1,'was':1},'alloy':{'that':1},'food-canals':{'to':1},'volunteers':{'and':4,'associated':1,'with':1},'moulton.':{'according':1},'counted':{'the':1,'by':1,'for':1,'.':1},'archimedes':{'.':1},'thigh':{'on':1},'produces':{'a':2,'the':2,'only':1,'tides':2,'its':1},'frontispiece.':{'illustration':1},'phalanger':{'flying':1},'peck':{'their':1,'without':1},'move':{'on':1,'about':4,'towards':1,'up':1,'to':1,'through':1,'at':1,'in':1,'the':1,'with':1,'across':1},'produced':{'a':1,'on':2,'and':1,'by':13,'in':2},'nerve-cord':{'.':1},'existence.':{'when':1,'5':1,'if':1},'triassic':{'blue':1,'reptile':2,'for':1,'mammals':1,'when':1,'period':2,'era':1,'attained':1,'precede':1},'perfect':{'weather':1,'.':1},'saturn':{'and':1,'886.0':1,'is':3,'next':1,'itself':1,'uranus':1,'in':1,'november':1,'revolve':1},'broiling':{'heat':1},'progeny':{'from':1},'surgeons':{'of':1},'equalise':{'temperatures.':1},'coral-reefs':{'where':1,'are':1},'hermit-crab':{'and':3,'which':1,'stock.':1,'fixes':1,'s':1,'passed':1,'with':2},'meantime':{'with':1},'degrees':{'a':1,'from':1,'of':2,'.':1,'below':1,'centigrade':1},'spoiling':{'the':1},'instruments':{'and':2,'multiplied':1,'great':1,'used':1,'would':1,'for':1,'have':1,'of':2,'.':2,'as':1,'cannot':1,'sec':1,'are':2,'which':1,'or':1,'can':1},'tubeful':{'of':1},'derivative':{'works':3},'forest':{'and':1,'life':1,'to':1,'tract':2,'.':2,'primeval.':1,'in':1,'was':1},'rill.':{'no':1},'piecing':{'together':1},'existences':{'such':1,'which':1},'outlined':{'it':1,'.':1},'innermost':{'region':1},'ship':{'and':1,'when':1,'without':1,'through':1,'.':1},'billiard':{'table':1,'balls':1},'snake':{'to':1,'dasypeltis':1,'with':2,'pushes':1},'rotation':{'on':1,'increased':1,'caused':1,'it':1,'.':3,'of':6,'than':1},'cage':{'professor':1,'in':1},'realize':{'the':1},'intelligent':{'and':2,'control':1,'use':1,'interest':1,'they':1,'efficiency':1,'educability':1,'way':1,'attention':1,'beings':1,'actions':2,'behaviour':4,'appreciation':2,'insect':1,'student-citizen':1,'learning':1,'activity':1,'device':1,'learning.':1,'creatures':1},'traced':{'on':1,'back':1,'its':1},'concave':{'and':1},'sufficiently':{'close':1,'generous':1,'shallow':1,'hard':1,'low':1},'vibrations':{'and':1,'of':1,'in':2,'constituting':1,'must':1},'truth':{'that':1,'of':1,'though':1,'but':1,'they':1,'in':4},'invertebrates':{'and':1},'persia':{'turkestan':1},'accompanied':{'by':2},'beneath':{'shines':1,'the':8},'stock':{'separated':1,'and':3,'of':4,'spreading':1,'took':1,'marked':1,'.':5,'to':2,'as':1,'common':1,'in':1,';':1,'has':1,'was':1,'the':4},'traces':{'of':4,'are':1,'which':1,'in':1},'enigmatic':{'objects':1},'profile':{'view':4},'salps':{'related':1},'beginner':{'s':1},'doing':{'clever':1,'damage.':1,'things':1,'work':1,'when':1,'.':1,'this':1,'apparently':1},'sidelight':{'on':1},'society':{'society':1,'the':1,'made':1},'frequency':{'of':2,';':1},'static':{'to':1},'irritation':{'may':1},'agriculture':{';':2},'wander':{'separately':1},'witness':{'a':1,'an':1},'fundamentally':{'instinctive':1},'colour-varieties':{'there':1,'which':1},'knickerbocker':{'press':1},'bad':{'debts.':1,'business':1},'venom':{'on':1},'dominated':{'by':1},'adaptive':{'to':1,'radiation.':1,'device--more':1},'architecture':{'though':2},'harvest-mouse':{'constructing':1},'shut':{'our':1,'to':1,'their':1},'thrush':{'seized':1,'s':3,'managed':1,'at':2,'which':1},'perish':{'if':1},'incalculable':{'and':1,'abundance':1,'millions':1},'decay.':{'sec':1},'body-cavity':{'fluid':1},'surely':{'a':1,'follows':1,'is':1,'have':1,'the':1,'difficult':1},'steering':{'.':1},'shortest':{'waves':2,'.':1},'things.':{'lord':1,'reliable':1,'contrast':1},'apprehend.':{'the':1},'pursuits.':{'everything':1},'could':{'just':1,'be':20,'it':2,'resist':1,'see':2,'skate':1,'exist':1,'at':1,'have':1,'measure':1,'extract':1,'use':1,'make':2,'actually':1,'survive':1,'then':1,'we':1,'run':1,'form':1,'stop':1,'discover':1,'possibly':2,'produce':2,'not':8,'believe':1,'fly':2,'photograph':2,'boast':1,'keep':1,'harness':1,'support':1},'tube-feet':{'are':1},'david':{'fife':2},'length':{'and':1,'about':1,'may':1,'of':14,'is':1,'.':6,'as':1,'7':1,'were':1,';':1,'has':1},'removing':{'any':1},'stimulate':{'organs':1},'gamekeeper':{'but':1},'granules.':{'from':1},'respond':{'to':1,'when':1},'blown':{'by':1,'to':1,'into':1,'away':2,'back':1},'scene':{'of':1,'showing':1,'with':1,'in':6},'earth':{'and':21,'receives':1,'often':1,'escapes':1,'revolves':1,'is':13,'within':1,'rotated':1,'it':4,'slowing':3,'down':1,'as':2,'259':1,'are':2,'in':4,'yet':1,'before':1,'even':1,'passes':1,'from':4,'for':3,'to':4,'giving':1,'began':1,'there':3,'when':3,'except':1,'.':36,'how':1,'does':1,'take':1,'which':5,'mars':1,'passing':2,';':3,'must':1,'was':3,'naturally':1,'circles':1,'became':1,'we':3,'turning':1,'passed':1,'that':1,'may':1,'completed':1,'were':3,'but':2,'92.9':1,'although':2,'included':1,'during':2,'on':2,'with':3,'by':1,'he':1,'a':1,'rotating':1,'has':2,'to-day':2,'would':3,'14':1,'always':1,'did':3,'of':2,'no':1,'itself':2,'against':1,'will':3,'s':24,'owing':1,'so':1,'had':2,'intercepts':1,'the':6,'pulled':1,'or':2,'turns':1,'at':3},'owner':{'and':1,'would':1,'of':3,'.':1,'s':1,'any':1},'blows':{'its':1},'scent':{'a':1,'of':1,'no':1},'interest.':{'as':1},'buoyed':{'up':1},'two.':{'illustration':1,'but':1},'light--visible':{'and':1},'fascinating':{'study':1,'tantalising':1,'spectacle':2},'behaves':{'so':1,'in':1},'system':{'and':7,'comets':1,'is':2,'as':2,'sec':1,'are':3,'in':2,'would':1,'once':1,'there':1,'.':11,'to':1,'revolving':1,'has':1,'was':2,'then':1,'we':1,'full':1,'ranged':1,'formed':1,'but':2,'with':1,'by':1,'must':1,'for':1,'of':9,'will':1,'the':5,'mean':1,'at':1},'sea-lilies':{'crustaceans':1,'water-fleas':1},'world--even':{'the':1},'opossum':{'carrying':2},'time--man':{'s':1},'king-crabs':{'.':1},'travelled':{'far':1,'at':1},'egg-layer':{'in':1},'thick.':{'the':1,'we':1},'interests':{'it':1},'accompany':{'actual':1},'stars':{'and':5,'comets':1,'enormously':1,'show':1,'being':1,'is':1,'within':1,'visible':1,'as':1,'sec':1,'are':13,'have':1,'in':4,'whose':1,'tending':1,'appear':1,'stretch':1,'circulating':1,'.':13,'to':1,'varies':1,'does':1,'which':6,'going':1,'themselves':1,'has':3,'across':1,'can':1,'we':3,'form':1,'that':1,'forming':1,'let':1,'with':1,';':2,'a':1,'pull':1,':':2,'like':1,'of':1,'into':1,'will':1,'thin':1,'were':2,'the':4,'planet':1,'or':3,'at':1},'quarry':{'.':1},'depressing':{'energy':1},'stimulation--giving':{'off':1},'prominent.':{'the':1,'5':1},'steel':{'we':1,'civilisation':1},'quietness':{'of':1},'migrating':{'of':1,'from':1},'poulton':{'s':1},'extraordinarily':{'efficient':1,'mammal-like':1,'like':2,'gaunt':1},'wicketed':{'sides':1},'negatively':{'electrified.':1,'charged':1},'steep':{'and':1,'mountain':1,'ladder':2,'cliff':1},'torrent':{'.':1},'undercharged':{'body':1},'ingenious':{'methods':2},'platypus':{'of':3},'partnership':{'commensalism':1,'is':2,'with':3,'between':2},'poisons':{'including':1,'which':1,'.':1},'gently':{'through':1,'with':1},'gentle':{'reactions':1},'affinities':{'both':1,'to':1},'clearly':{'necessary':1,'that':1,'defined':1,'of':1,'showing':1,'marked':1,'or':1,'seen':1,'visible':1,'in':2,'drawn':1,'worked':1,'outlined':1},'viewed':{'copied':1,'or':1},'food-debris':{'millennium':1},'depict':{'quite':1},'studying':{'head':1,'the':2},'possibility.':{'it':1},'mechanism':{'of':1},'decomposing':{'animal':1},'ashore':{'.':1},'photosphere':{'that':2,'there':2,'but':1,'.':2,'surrounding':1,'as':1,';':1,'beneath':1,'shows':1},'scooping':{'in':2,'out':1},'sirius':{'the':1,'8.7':1},'persistence':{'of':1},'accuracy':{'when':1,'than':1,'.':1},'worldwide':{'task':1},'brazil':{'18':1},'regard':{'them':1,'these':1,'it':1,'to':15,'as':1,'the':3},'shaped':{'as':2,'like':1,'something':1,'in':1},'seed-box':{'but':1,'.':1},'device':{'whereby':1,'for':1,'this':1,'of':1,'is':1,'to':1},'so-called':{'flying':1,'abdominal':1,'grouse':1,'chameleon':1,'sargasso':1,'rings':1,'electro-magnetic':1,'rays':1,'anvil':1},'river-mussels':{'yielded':1},'predacious':{'creatures':1},'tramps':{'the':1},'bred':{'to':1},'stronger':{'and':1,'.':1,'should':1},'curiously':{'enough':1,'wasplike':1},'face':{'a':2,'tentatively':1,'set':1,'certain':1,'is':1,'illustration':1,'.':1,'to':4,'allowing':1,'directly':1,'of':4,'166':1,'with':1,'region':2},'perceiving':{'moving':1},'kipling':{'s':1},'mechanical':{'skill':1,'energy':5,'apparatus':2,'means':1},'wounded':{'in':2},'brer':{'rabbit--who':1},'fact':{'a':1,'about':5,'led':1,'for':1,'that':35,'remains':1,'of':8,'is':16,'less':1,'means.':1,'.':2,'to':1,'so':1,'too':1,'which':1,'in':1,'emphasized':1,'was':1,'the':1},'atmosphere':{'and':4,'heavy':1,'all':1,'from':1,'of':3,'is':1,'it':1,'but':1,'.':4,'will':2,'without':1,'envelops':1,'catch':1,'absorbs':1,'the':1,'rises':1,'was':1,'or':1,'nor':1},'best-defined':{'period':1},'nest-building':{'and':1,'in':1},'woolly':{'rhinoceros':2,'opossum':2,'caterpillars':1},'bring':{'me':1,'about':3,'modern':1,'down':3,'their':1,'forth':2},'14.--the':{'moon':1},'evolutionary':{'prospect':3,'process':1,'results':1,'spiral':1,'tack':1,'steps':1,'significance':1,'method':1,'change':1},'manchester':{'used':1,'chemist':1},'lloyd':{'morgan':4},'rough':{'surfaces':1,'awns':1},'principal':{'of':1,'office':1},'trying':{'time':1,'to':7,'first':1,'it':1,'one':1},'championed':{'evolutionism':1},'jaw':{'and':1,'from':1,'of':3,'belong':1,'seems':1,'but':1,'which':1,'the':1},'jar':{'and':1,'the':1},'should':{'it':2,'see':3,'expect':2,'have':7,'go':1,'find':1,'differ':1,'there':1,'also':2,'naturally':1,'be':19,'get':2,'they':1,'not':4,'fly':1,'remember':1,'gather':1,'say':2,'experience':1,'greatly':1,'think':1,'at':1},'buttons':{'on':1,'occasionally':1},'unpalatable':{'mimicked':1,'insects':1,'things':1,'.':2,'sponge':1,'caterpillars':1,'or':1},'planted':{'in':1},'molecules':{'is':1,'deep':1,'as':1,'are':2,'have':2,'in':2,'250':1,'travel':1,'.':4,'thick.':1,'cling':1,'into':1,'then':1,'which':2,'form':1,'that':1,'cannot':1,'let':1,'by':1,'of':16,'large':1,'small':1,'at':1},'volts':{'.':1},'hope':{'to':1,'that':4,'.':1},'meant':{'a':2,'even':1,'for':1,'many':1,'to':3,'much':2,'utilising':1,'entering':1,'in':1,'the':3,'total':1,'transcending':1,'by':3,'more':1},'handle':{'there':1,'off':1,'than':1,'in':1},'means':{'over':1,'an':3,'in':1,'any':1,'power.':1,'for':3,'no':1,'.':1,'much':1,'girdling':1,'more':1,'we':1,'that':15,'half':1,'losing':1,'a':5,'mastery':1,'of':30,'foresight':1,'were':1,'making':1,'the':5,'first':1},'intellectually':{'.':1},'prohibition':{'against':1},'fronds':{'are':1},'a.c.':{'.':1},'h':{'the':1,';':1,'.':43},'molecule.':{'single':1},'taxes':{'on':1,'.':1},'summon':{'it':1},'hemispheres':{'and':1,'destined':1},'are.':{'for':1},'coco-nut':{'fibre':1,'shell':1,'palm':1},'stuff':{'from':2,'which':1,'into':1,'.':1,'they':1,';':1,'began':1,'out':1},'bayliss':{'has':1},'inter-relation':{'established':1},'memory-image':{'of':1},'tap.':{'watch':1},'strengthened':{'when':1},'frame':{'the':2},'shreds':{'as':1},'packet':{'containing':1,'no':1,'turned':1,'though':1},'elusiveness':{'there':1,'so':1},'bolivia.':{'illustration':1},'5.--diagram':{'showing':1},'once.':{'in':1},'carboniferous':{'blue':1,'flora':1,'forests':1,'period':4,'epoch':1,'eras':1,'were':1,'the':2,'.':1,'era':1},'frog-hoppers':{'while':1},'packed':{'with':1,'together':1},'ascends.':{'illustration':1},'wire':{'or':1,'that':1,'is':1,'an':1,'to':1,'so':1,'they':2,'between':1,'leaves':1,'the':2,'its':1},'growths':{'on':1},'jurassic':{'archaeopteryx':1,'is':1,'period':2,'yellow':1,'era':1,'which':1},'nuclear':{'bodies':1},'migrations':{'were':1,'are':1,'have':1,'occurred':1},'germ-cell':{'just':1},'quickest':{'to':1},'white-hot':{'metal':2,'hydrogen':1,'iron':1,'.':1},'membrane':{'and':1},'open-sea':{'or':1,'animals':4,'cetaceans':1,'crustaceans':1,'young':1,'knife-blade-like':1,'prawns':1,'bacteria':1},'self-preservative':{'fashion':1},'email':{'contact':1,'newsletter':1,'business':1},'ends':{'and':2,'on':1,'of':2,'marked':1,'lizzie':1},'explosive':{'manifesting':1,'life':1,'rush':1,'by':1},'trilobite':{'90':1,'trilobites':1,'in':1},'ancestry--are':{'branches':1},'seaweeds':{'and':2,'among':1,'are':1,'which':1,'growing':1,'the':1},'ignorance':{'of':1,'preyed':1},'wave-motions':{'of':1,'are':1,'can':1},'wingless':{'insects':1,'larval':1,'creatures':1},'hoatzin':{'inhabits':2},'reappears':{'in':1},'restrictions':{'whatsoever':2},'drum':{'to':2},'migration.':{'looking':1},'figures':{'to':1,'we':1,'with':1,'are':3,'.':1},'cinder':{'.':1},'humanoid':{'to':2,'precursors':1,'stock':4},'adjusted':{'on':2,'coloration':1,'in':1},'co':{'.':2},'conflagration':{'had':1,'that':1},'conclude':{'our':1,'that':1},'ca':{'the':1},'mid-rib':{'and':2},'vibration.':{'no':1},'sea-worms':{';':1},'cv':{'the':1},'hawkins':{'from':1},'palm-bones':{'and':1,'the':1,'cmc':1},'8.7':{'procyon':1},'trigger-pulling':{'.':1},'dazzling':{'light':1},'body-cells.':{'it':1},'poured':{'a':1,'on':1},'looting':{'and':1},'duckweed':{'usually':1},'feather':{'as':1,'which':1},'waste':{'matter':2,'energy':1,'to':1,'heat':1,'products':1,'its':1},'descent.':{'retrospect':1},'c.':{'punnett':1},'coherence':{'of':2},'mammals.':{'the':1,'now':1,'what':1,'cretaceous':1},'tycho':{'upper':1},'neighbour':{'succeed':1,'.':1},'accident':{';':1,'.':1},'forests.':{'the':1},'domestication.':{'instinctive':1},'expounded':{'with':1},'spain':{'this':1,'showing':2,'179':1,'show':1},'gradual':{'building':1,'unfolding':1,'evolution':1,'establishment':1,'alterations':1,'sifting':1,'increase':2,'migration':1,'emancipation':1,'shading':1,'assortment':1,'ascent':1,'emergence':1,'change':2},'nerve-fibre':{'branches':1,'ends':1,'s.f.':1,'from':1,'or':1},'triggers':{'of':1},'reminiscence':{'as':1},'lung-fishes':{'or':1,'that':1},'lichen':{'and':1,'where':1},'pictures':{'guesses':1,'for':1,'that':1,'of':1,'.':2,'they':1,'the':1},'deductible':{'to':1},'discoveries':{'made':2,'which':2,'that':1,'of':4,'.':1,'have':2,'in':2},'spectrum--should':{'be':1},'salmo':{'all':1},'omne':{'vivum':1},'vm':{';':1},'adventures':{'at':1},'excessively':{'small':1,'minute':3},'raison':{'d':1},'jenner':{'weir':1},'carbohydrates':{'e.g':1},'of.':{'a':1},'fashioning':{'of':1,'beautifully':1},'spends':{'the':1},'romance':{'of':5,'to':1},'concealed':{'among':1,'beneath':1},'colony.':{'within':1},'estuaries':{'and':3,'while':1,'are':1,'penetrated':1},'outbreak':{'must':1},'nebulae.':{'some':1,'illustration':1,'in':1},'unimaginable':{'energy':1},'lichen;':{'one':1},'mud-skipper':{'periophthalmus':3},'emotionally':{'excited':1},'dusk':{'of':1,'is':1,'does':1},'wisest':{'not':1},'upon':{'it.':1,'a':3,'them':1,'another':1,'marquis':1,'insects':1,'men':1,'request':1,'it':3,'one':1,'water':1,'and':1,'as':1,'itself':1,'they':1,'the':26,'an':1,'its':3,'by':2},'v.':{'experiential':1},'infinite':{'temporal':1,'space':2,'in':1,'number':1,'time':1},'britain.':{'iv':1},'identity':{'of':1},'transformation--the':{'heat':1},'genus':{'eoanthropus':1,'oncorhynchus':1,'which':1},'off':{'and':1,'the':19,'into':1,'as':2,'at':2,'another':1,'in':4,'throughout':1,'fine':1,'again':1,'rays':1,'from':8,'intruders':2,'.':3,'other':1,'crowds':1,'neolithic':1,'his':1,'intruding':1,'half':1,'such':1,'by':3,'a':4,'on':1,'natural':1,'this':1,'of':1,'electrons':1,'gigantic':1},'mention':{'briefly':1,'the':1,'one':1},'tinge':{'is':1,'.':1},'colour':{'and':9,'almost':1,'is':1,'as':1,'in':1,'affects':1,'that':1,'.':6,'also':1,'does':1,'permanently':1,'disclosed':1,'which':1,'has':1,'seen.':1,'gives':1,'be':2,'corresponding':2,'means':1,'becoming':1,'with':1,'a':1,'being':1,'yellow-brown':1,'of':8,'depends':1,'the':1,'changes':2},'polyp':{'about':1},'directly.':{'some':1},'patterns':{'.':1},'cutting':{'down':1,'off':1,'at':1},'ear-passage':{'to':1,'into':1},'drawing':{'a':1,'shows.':1,'planetesimals':1,'food':1,'flying':1,'their':2,'by':4,'shows':2},'asymmetrical':{'flat-fish':1},'reefs':{'that':1},'negligence':{'strict':1},'flesh':{'and':2,'exposed':1,'of':1,'but':1,'are':1,'or':1,'available.':1},'moments':{'at':1},'gulls':{'pick':1},'flywheel':{'a':1,'and':1,'would':1,'.':2,'or':1,'if':1},'sea-dust':{'and':1,'always':1,'which':1,'.':1},'rooms':{'but':1},'predicts':{'the':1},'years':{'and':3,'required':1,'ago--a':1,'acquired':1,'life':1,'comprised':1,'1921':1,'as':1,'are':1,'in':4,'old':2,'yet':1,'before':4,'mercury':1,'invented':1,'would':1,'till':1,'with':1,'there':1,'.':13,'to':7,';':2,'must':1,'we':1,'ago.':3,'may':2,'after':1,'reached':1,'but':2,'it':1,'sink':1,'during':1,'elapsed':1,'dr':1,'he':1,'ago':28,'for':1,'these':1,'of':4,'work':1,'dealt':1,'the':4,'or':1},'paul':{'s':1},'glue':{'probably':1},'web':{'on':1,'of':2,'is':3,'site':4,'page':1,'which':1,'has':1,'pages':1},'generous':{'to':1,'lines':1,'if':1},'bibliography':{'elmhirst':1,'the':2,'darwin':1,'arrhenius':1},'lanugo':{'which':1},'apple--out':{'of':1},'transparent':{'layers':1,'all':1,'coating':1,'arrow-worm':1,'early':2,'azure':1,'open-sea':1},'ichthyosaurs':{'plesiosaurs':1},'combine':{'and':1,'to':1},'wet':{'cloth':1,'all':1,'weather':1,'moss':1},'5':{'and':1,'what':1,'has':1,'ft':1,'limbless':1,'1909':2,'mind':1,'per':1,'.':8,'feet':2,'matter':1,'000':5,'5':1,'in':1,'the':1,'mimicry':1,'500':1,'shows':1},'practise':{'self-effacement':1,'parental':1},'increased':{'power':1,'freedom':1,'its':1,'liberation':1,'masterliness':1,'difficulties':1,'at':1,'in':1,'our':1,'the':2,'still':1,'by':1,'production':1},'government':{'or':1},'biologists':{'have':1,'that':1},'new--a':{'restless':1},'smithsonian':{'report':10},'mathura':{'on':1},'increases':{'our':1,'.':1,'in':1},'five':{'digits':1,'hundred':3,'minutes':1,'of':1,'million':1,'times':3,'feet':1,'to':1,'straws':1,'she':2,'in':1,'--and':1,'vertebrae':1,'years':1,'.':1,'or':3,'millions':1},'belgium':{'the':1},'tick':{'a':1,'for':1,'one':1},'descendant':{'of':2},'backboned':{'race':1,'animals':9,'animals.':1},'onion':{'round':1},'258':{'the':1,'electrons':1},'parasite':{'and':1,'to':1,'from':1,'like':1},'glass-eels':{'about':1},'two-thousandths':{'of':1},'ductless':{'glands':2},'nerves':{'and':1,'of':1,'which':1,'.':1},'inexperienced':{'enemies':1},'replacement':{'of':1,'copy':2,'or':3},'gaining':{'a':1,'strength':2},'indications':{'even':1},'habitat':{'and':1,'penetrate':1,'or':1},'underwent':{'great':1,'an':1},'gossamer.':{'on':1},'daylight':{'.':1},'choosing':{'times':1},'paving-stones':{'green':1},'restlessness.':{'they':1},'transport':{'as':1},'avoid':{'a':1,'the':2,'reading':1},'dago':{'dagoes':1},'mars.':{'but':1},'does':{'we':1,'no':1,'this':4,'energy':1,'comparatively':1,'it':2,'but':1,'.':3,'much':1,'so':4,'at':2,'cannot':1,'in':1,'not':35,'the':1,'its':1},'passion':{'plunged':1},'cylindrical.':{'5':1},'mammoth.':{'the':1},'biology':{'of':1,'in':1},'blowing':{'upon':1},'predispositions':{'to':1,'of':1},'selecting':{'individual':1,'out':1},'tenability':{'of':1},'performances.':{'a':1},'pressure':{'and':2,'would':1,'inside':1,'so':1,'in':2,'the':2,'etc.':1,'currents':1},'enregistering':{'these':1,'the':1,'within':1},'century.':{'during':1,'illustration':2},'abdominal':{'ribs':1},'germination':{'and':1},'r':{'and':1,'.':14},'cribb.':{'boiling':1,'transformation':1},'hiding':{'them':1},'gained':{'most':1,'racial':1,'considerable':1,'proof':1},'mammoths':{'.':1},'asks':{'at':1,'why':1,'that':1},'seeds':{'and':1,'because':1,'for':1,'of':3,'.':1,'can':1,'become':1,'themselves':1,'with':1},'bounded':{'by':1},'swimming':{'and':2,'gently.':1,'experience':1,'ostrich':1,'persons':1,'near':1,'in':5,'diving':1,'across':1},'letters':{'of':2,'in':1},'elephants.':{'the':1},'hermit-crabs':{'hide':1,'place':1,'it':1,'have':1},'lung':{'and':1,'the':1,'.':1},'tiny':{'knob':1,'bags':1,'freshwater':1,'rill.':1,'irregular':1,'shift':1,'molecules':1,'fragments':1,'drops':1,'whirlpool':1},'cultivated':{'plants':6,'the':1,'wheat':1,'ear.':1,'in':1},'protozoa':{'and':2,'to-day':1,'which':1,'is':1,'should':1,'to':1,'as':1,'are':1,'sponges':1,'in':2,'animals':1,':':1,'like':1},'offices.':{'sec':1},'swimmers':{'and':2,'include':1,'nekton':1},'charities':{'and':1},'mere':{'density':1,'molluscs':1,'bulk':1,'visible':1,'cooling':1,'specks':1,'position':1,'association':1},'parentage':{'of':2},'67000':{'inch':1},'larvae':{'hanging':1,'or':1,'which':3,'in':1},'slow-worm':{'is':1},'half-monkeys':{'or':1},'larval':{'state':1,'stages':2,'salmon':1,'period':1,'stage':1},'spots':{'and':1,'on':2,'like':1,'of':1,'or':1,'increase':1,'are':1,'which':1,'the':2,'where':1,';':1,'must':1},'scanty':{'remains':2,'and':1,'fossil':1,'plankton':1},'recognised':{'and':1,'for':1,'as':1,'in':2,'moreover':1,'by':2},'hundred-millionth':{'of':1},'place.':{'illustration':1,'one':1},'specimens':{'of':1,'in':1,'were':1},'naturally':{'prolific':1,'give':1,'trails':1,'finds':1,'expect':1,'came':1,'appears':1,'opens':1,'he':1},'function':{'of':1,'in':1},'funnel':{'through':1},'cosmopolitan':{'in':1},'surgeons.':{'every':1},'washerwoman':{'and':1},'construction':{'underwent':1,'from':1,'of':2},'convergence':{'the':1},'basin':{'of':1},'contraction.':{'uranium':1},'count':{'them':1,'the':1,'for':3},'marquis':{'wheat':4,'.':1},'evident':{'in':1},'shrunk':{'by':1},'gravitational':{'pull':2,'influence':2,'theory':1,'attraction':2},'official':{'project':1,'observatory':1,'version':1,'page':1},'smooth':{'continuance':1,'carapaces':1,'formation':1,'atoms':1},'triumphant':{'flight':1},'excitement':{'though':1,'.':1},'placed':{'a':1,'on':3,'them':2,'for':1,'exactly':1,'an':1,'to':1,'at':1,'in':2},'frugivorous':{'stock':1},'convince':{'us':1},'monument':{'of':1},'problem':{'no':1,'of':10,'could':1,'.':2,'as':1,'surely':1,'the':1,'is':2},'profusion':{'.':1},'bearing':{'protrusible':1,'on':1,'batteries':1,'this':1,'the':1},'irish':{'elk':1},'ferocious.':{'embryological':1},'recognize':{'water':1},'nearness':{'to':1,'of':2},'rubble':{'innumerable':1},'faintness':{'.':1},'slowing':{'down':8,'down--the':1},'arms.':{'this':1},'beach.':{'but':1},'leptocephalus.':{'2':1},'aristotle':{'observed':1,'s':1,'or':1},'ink':{'in':1},'www.gutenberg.org':{'this':1,'title':1,'you':1,'2':1,'1.e.2':1},'effected':{'a':2,'within':1,'by':3,'in':1},'planting':{'it':1},'expensiveness':{'of':1},'readjustments':{'of':1},'radiolarians':{'and':1,'of':1,'with':1},'variety':{'and':1,'of':16,'is':1,'after':1,'surpassed':1,'.':2,'has':1,'with':1},'tenth':{'printing':1},'eastern':{'baltic':1},'forests':{'and':2,'a':1,'from':1,'which':1,'that':1,'of':4,'there':1,'.':1,'roamed':1,'in':1,'the':2,'he':1},'slumbers':{'in':1},'reach.':{'animal':1},'details':{'of':2,'is':1,'revealed':1},'behold':{'a':1},'thickness--a':{'sea':1},'outlines':{'of':1,'at':1,'spectroscopy':1},'repeat':{'all':1,'gives':1,'that':1},'again.':{'moreover':1,'illustration':2,'that':1},'in:':{'http:':1},'tides':{'and':3,'we':1,'which':2,'than':1,'of':1,'had':1,'it':1,'but':1,'.':6,'will':1,'to':1,'ranked':1,'are':4,'have':1,'act':1,'at':1,';':1,':':1,'the':1,'290':1,'must':1},'casque':{'is':1},'subtlest':{'of':1},'again:':{'the':1},'in.':{'with':1},'13.--saturn':{'november':1},'ideals':{'which':1,'in':2},'shattering':{'itself':1},'veil':{'of':1},'coloration':{'and':1,':':2,'is':1,'when':1,'serves':1,'coloured':1,'will':1,'the':1,'.':1,'or':3},'exposure':{'to':1,'of':1},'draperies':{'gliding':1},'bivalve':{'mollusc':1,'shell.':1},'lasted':{'beyond':1,'or':1,'for':1},'rule':{'and':1,'feed':1,'we':1,'that':1,'is':1,'two':1,'exist':1,'in':1,';':1,'out':1},'eddies':{'of':1,'rising':1},'pitt':{'offered':1},'gardens':{'in':1},'practicability':{'of':1},'three-toed':{'horse':2},'surrounding':{'stimuli.':1,'space':2,'colour':1,'flesh':1,'them--are':1,'sky--this':1,'world':1,'the':2,'gravel':1,'conditions':1,'ether':1,'bodies':1},'magnetic':{'force':1,'storm':1,'circuits':1,'phenomena':1,'sense':1,'storms':2,'effect':1,'deflection':2,'field':7,'circuit':2,'field--which':1,'action':1},'saves':{'their':1},'desirable':{'for':1},'rapid':{'and':3,'abbreviation':1,'precisely':1,'often':1,'power':1,'striking':1,'colour-change':3,'series':1,'that':2,'passage':1,'motion':1,'as':1,'way':1,'waves--the':1,'elimination':1,'succession':1,'changes':1,'than':1,'change':1,'movement':1},'nursery':{'for':1},'controversial':{'stage':1},'crete':{'greece':1},'oldest':{'known':3,'of':1,'rocks':1,'stars':1,'egyptian':1},'worked':{'flints':1,'up':1,'itself':1,'steadily':1,'the':1,'by':1,'out.':1,'out':8},'1915.':{'a':1,'magnetic':1,'electrons':1,'geological':1},'ceases':{'to':1,'.':1},'physiological':{'life':1,'expensiveness':1,'point':1,'equilibrium':1,'partnership':1,'evidence':1,'characters.':1,'inequilibrium':1,'action':2,'difference':2,'types':1,'proof':1},'ventral':{'lungs':2,'scales':1},'centrosome':{'introduced':1},'neighbours':{'of':1,'.':1},'microscopist':{'named':1},'mckready':{'a':1},'diverted':{'into':1},'worth':{'remembering':1,'dwelling':1,'having':1,'.':1},'alternating':{'current':1,'occurrence':1,'yellow':2},'them--which':{'give':1},'aurora':{'borealis':4,'is':1},'waters--the':{'dry':1},'impinged':{'on':1},'coal-measures':{'the':2,'were':1},'alevins':{'which':1},'slowed':{'down--sometimes':1},'exaggerate':{'the':1},'pinch':{'of':2},'cmc':{';':1},'globule':{'about':1},'nondescript':{'not':1},'jungle-fowl':{'of':1},'290':{'photo':1,'the':1},'291':{'photo':1},'dwindled':{'away':1,'vestiges':1},'speck':{'of':2,'against':1},'tree-kangaroos':{'tree-sloths':1},'labyrinthodonts':{'some':1},'surmounting':{'the':1},'overlying--the':{'photosphere':1},'seas.':{'perhaps':1,'evolution':1,'like':1,'recent':1},'microscopists':{'and':1},'------':{'------':2,'866400':1,'2163':1},'others.':{'1.d':1},'them--are':{'of':1},'alsatian':{'wolf-dog':2},'neap':{'tides':1},'580':{'000':1},'calcium':{'vapour':1},'gatepost':{'208':1,'the':1},'lizard':{'which':2,'is':1,'they':1,'chlamydosaurus':1,'draco':1,'called':1},'consequent':{'changes':1,'aridity':1},'lampreys':{'petromyzon':2},'glands':{'notably':1,'such':1,'of':1,'on':1},'salt-accumulation':{'is':1},'reconstruction':{'of':2,'by':2},'toll':{'to':1},'suppose':{'for':1,'that':8,'it':1,'at':1,'each':1,'the':2},'consisting':{'of':2},'told':{'edited':1,'in':1,'author':1,'us':1,'that':1},'crunch':{'with':1},'machine.':{'a':1},'simultaneously':{'.':1},'sinks':{'down':1,'again':1,'and':1,'into':1},'lithosphere':{'is':1},'human':{'and':1,'embryo':7,'development.':1,'ingenuity':1,'being':2,'sense':1,'mind':2,'society':1,'beings':2,'thought.':2,'in':3,'knowledge.':1,'use':1,'eye':2,'ovum':1,'remains':2,'.':1,'tail':1,'civilisation.':1,'progress':5,'type':1,'body':3,'progress.':1,'kind':1,'gestures':1,'races':1,'blood':3,'characters':1,'ear':2,'mind.':1,'evolution':1,'branches':1,'evolution--factors':1,'skull':4,'brain':4,'was':2,'ascent.':1,'face':1,'race':3,'limit':1,'qualities':1,'teeth':1,'life.':1,'institutions':1},'kindred':{'and':1,'on':1,'animals':1,'especially':1,'.':1},'residual':{'gases':1},'out-flowing':{'lobes':1,'processes':1},'protection':{'for':1,'of':2,'possessed':1,'.':1,'also--protection':1,'implied':1,'every':1,'before':1},'pursuit':{'and':1},'ploughed':{'field':1},'promiseful':{'life':1},'obtained':{'our':1,'by':1,'would':1,'.':1},'aerial.':{'the':1},'daughter':{'colonies':1},'items':{'and':1,'among':1,'are':1,'tend':1},'frog-hopper':{'becomes':1,'makes':1},'anchor':{'.':1},'smoke':{'a':1,'no':1,'in':1,'that':1},'browsing':{'by':1},'bettered':{'surroundings':1},'otters':{'and':1,'it':1,'foxes':1},'glittering':{'points':1},'diameter':{'and':1,'for':1,'of':7,'is':2,'there':1,'number':1,'.':4,'lifts':1,'are':1,';':2,'one':1,'whereas':1},'secure':{'a':1,'and':1,'that':1,'survival':1,'evidence.':1,'position':1,'the':4,'floating':1},'discontinuous':{'variation':1},'-cell':{'with':2},'highly':{'probable':8,'endowed':1,'interesting':1,'magnified.':1,'developed':3,'probably':1,'intelligent':1,'specialized':2,'perfected':1},'lafayette.':{'the':1},'opportunities':{'to':1,'animals':1,'for':1,'.':1},'glance':{'at':1},'total':{'loss':1,'or':1,'of':2,'energy':1,'number':1,'thickness':2,'amount':1,'solar':2,'emancipation':1,'length':1,'age':1,'as':1,'quantity':1},'experimentation':{'in':1},'plot':{'at':1},'answers-back':{'that':1},'alligator':{'yawning':2},'grounds':{'of':1,'.':1},'negative':{'and':1,'electricity':10,'electricity.':1,'taken':1,'pole':2,'are':1,'units':1,'the':1},'reid.':{'sir':1,'common':1},'crocodilian':{'various':1},'mightiest':{'elevators':1},'knoll':{'and':1},'girdling':{'the':2},'thorndike':{'s':1,'says':1,'hits':1,'is':1},'recuperate':{'by':1},'separated':{'from':2,'freshwater':1,'off':4,'by':1,'.':2},'traceable':{'back':1},'ascribe':{'it':1},'aware':{'of':7,'that':1},'separates':{'the':1,'monkeys':1,'it':1},'continual':{'sinking':1,'motion':1,'motion.':1,'occurrence':1},'allies':{';':1,'in':1},'dando.':{'orang-utan':1,'young':1,'chimpanzee':1},'society.':{'professor':2},'twenty-one':{'miles--in':1},'antenna-bearing':{'segmented':1},'crest':{'to':4,'.':1,'so':1,'or':1,'of':1},'books.':{'each':1},'work':{'and':7,'associated':2,'is':6,'within':1,'as':1,'in':8,'any':1,'electronically':2,'out':2,';':2,'from':1,'recorded':1,'.':10,'to':2,'offers':1,'which':1,'under':1,'you':2,'if':1,'badly':1,'that':1,'may':1,'with':1,'by':1,'on':3,'b':1,'of':6,'well':2,'against':1,'without':2,'can':1,'the':3,'or':8},'eclipse':{'may':2,'of':7},'worm':{'invasion':1,'the':1,'on':1,'.':1},'worn':{'down':1,'and':1},'theories':{'may':1,'of':5,'to':1,'have':1,'dispense':1,'put':1},'mammalian':{'heart':1,'evolution':1,'mother':1,'golden':1},'eighteen':{'to':1},'era':{'and':2,'what':1,'there':1,'miocene':1,'jurassic':1,'of':2,'silurian':1,'when':1,'corresponds':1,'.':6,'in':3,'after':1},'transparency':{'or':1},'already':{'a':2,'existed':1,'we':1,'learnt':1,'likened':1,'spoken':1,'use':1,'dead':1,'and':1,'known':1,'been':1,'have':1,'mentioned':1,'seen':1,'the':1,'referred':2,'at':1},'ascetic':{'non-growing':1},'radiance':{'from':2},'indicated':{'to':1,'by':3,'in':1},'cited':{'as':1},'india':{'146':1,'and':1,'into':1,'it':1,'malay':1,'persia':1,'.':1},'indicates':{'a':3,'the':2},'fanciful':{'imaginings':1},'present-day':{'and':1,'forms':1,'animals':1,'science':1,'theories':1,'survivors':1,'mud-fishes':1},'immemorial.':{'in':1},'aerated':{'and':1},'handiness.':{'the':1},'inhabitants':{'of':2,'is':1},'finger-post':{'on':1},'crumbs':{'from':3},'egyptian':{'tombs':1},'nuts':{'these':1,'it':1,'193':1,'for':1},'makes':{'a':4,'and':1,'for.':1,'for':1,'no':2,'this':1,'adjusting':1,'some':1,'it':5,'us':1,'an':1,'against':1,'the':9,'tree-stems':1,'its':3,'more':1},'far':{'and':1,'less':1,'over':3,'back':1,'as':9,'at':1,'in':1,'south.':1,'beyond':1,'out':1,'given':1,'end':1,'for':1,'away':2,'since':1,'exceeding':1,'been':1,'.':2,'behind':1,'too':4,'above':2,'surpasses':1,'east':3,'more':5,'north':3,'greater':1,'that':1,'from':6,'transcending':1,'advanced':1,'on':1,'off':1,'ahead':1,'up':2,'below':2,'swing':1,'the':3,'south':1},'aerates':{'the':1,'them':1},'ordinary':{'fish':1,'tissues':1,'flower-vase':1,'single':1,'questions':1,'education':1,'tadpoles':1,'temperature':1,'chemical':1,'way':2,'mammals':1,'conditions':1,'protozoon':1,'life':2,'star':1,'wheats':1,'big':1,'routine':1,'pressure':1,'routine--not':1,'bony':1,'cells':2,'standards':1,'matter':3,'familiar':1,'mammal':1,'acceptation':1},'beach':{'which':1,'.':1},'gamble':{'writes':1,'continues':1},'discoveries.':{'already':1},'guanin':{'.':1},'fever':{'and':1},'transforming':{'the':1},'ladder':{'of':3},'after':{'and':1,'all':2,'they':3,'generation':1,'some':1,'it':1,'an':1,'satisfaction':1,'itself':1,'well-being':1,'lull':2,'another':7,'our':1,'repeated':1,'its':2,'what':1,'death':1,'fuller':1,'her':1,'cache':1,'hour':1,'by':1,'their':2,'millennium':1,'which':1,'marsh':2,'sojourning':1,'he':2,'head':1,'his':2,'branch':1,'undergoing':1,'that':2,'max':2,'william':2,'fritz':1,'five':1,'nearly':1,'birth':2,'new':1,'fifteen':1,'themselves':1,'man':1,'a':10,'spawning':2,'exposing':1,'being':1,'this':1,'floods':1,'professor':2,'prolonged':1,'element':1,'planet':1,'race':1,'t':2,'mr':1,'the':14,'marsh.':2,'wandering':1,'age':2,'lloyd':1},'movable':{'tongue':1,'.':1},'customs':{'point':1},'lay':{'their':2,'eggs':1,'there':1,'them':1,'emphasis':1},'outbursts':{'of':2,'have':1},'maxim:':{'it':1},'law':{'of':3,'.':1,'in':1,'but':1,'that':1},'meaningful':{'situation':1},'nipped':{'in':1},'elusive':{'and':1,'.':1},'cools':{'to':1},'appreciate':{'water':1,'a':1,'the':1},'greek':{'helios':1,'logos':1,'word':1,'tortoise':1,'eagle':1,'alphabet':1,'philosophers':1,'meaning':1,'thinkers':1},'verb':{'to':1},'green':{'chlorophyll':1,'yellow':1,'in':3,'plants.':1,'blue':2,'flagellates--the':1,'surroundings':1,'variety':1,'tree-snake':1,'frog':1,'hydra':2,'herbage':1,'plants':2,'ball':1,'seaweeds':1,'pigment':2,'ones':1,'phase':1,'box':1,'on':1,'grains':1,'of':1,'leaves':2,'lizard':1,'alga':1,'or':2},'parish':{'to':1},'coral-snake':{'can':1},'order':{'and':2,'than':1,'that':1,'diverging':2,'of':12,'is':1,'.':1,'to':4,'in':1,'the':1,'monkeys':1},'sandstones':{'and':2,'mudstones':1},'office':{'is':2},'borealis':{'the':1,'is':1,'would':1,'coloured':1},'satisfied':{'with':1},'pascal':{'s':1},'ancients':{'seem':1,'were':1},'japan':{'to':1},'bubbles':{'which':1},'breeding-place':{'represents':1,'corresponds':1},'yellow-crowned':{'penguin':2},'sheaf':{'of':2},'production':{'of':3,'as':1,'promotion':1},'precipitate':{'when':1,'which':1,'.':2},'split':{'so':1,'off':1,'up':5,'longitudinally.':1},'then':{'there':5,'rubs':1,'they':2,'able':1,'is':3,'violet':1,'it':8,'are':2,'have':2,'another--to':1,'consists':1,'follow':1,'intact':1,'find':1,'waited':1,'for':1,'may':1,'since':2,'uranium':1,'to':4,'another':1,'has':1,'sent':1,'supposed':1,'be':3,'we':3,'partly':1,'that':2,'our':1,'pecked':1,'took':1,'drew':1,'sprinkle':1,'imperfectly':1,'visits':1,'although':1,'endure':1,'dives--':1,'diminish':1,'unless':1,'he':2,'illustration':1,'perceived':1,'necessary':1,'succeeded':1,'wafts':1,'follows':1,'inhabiting':1,'departs':2,'a':2,'so':1,'red':1,'the':7,'round':1,'comes':1,'arose':1},'them':{'and':9,'the':3,'penetrating':1,'on':2,'insulators':1,'stream':1,'show':2,'is':2,'fall':1,'an':1,'down':1,'against':1,'as':3,'116':1,'including':1,'are':7,'have':4,'in':9,'protecting':1,'32':1,'before':2,'even':1,'sir':1,'he':1,'astronomy':1,'from':2,'would':1,'no':1,'perhaps':1,'deeply':1,'away':1,'there':1,'when':2,'off':1,'.':19,'up':2,'to':8,'call':1,'which':1,'black':1,';':2,'sluggish.':1,'was':1,'until':1,'more':1,'weigh':2,'that':2,'may':1,'after':1,'bipeds--we':1,'illustration':1,'were':1,'jumping':1,'if':1,'know':1,'they':1,'coming':1,'such':1,'now':1,'with':2,'by':2,'apart':1,'a':2,'both':1,'about':1,'give':1,'for':2,'indifferent.':1,'face':1,'always':1,'into':1,'but':1,'namely':1,'together':1,'grows':1,'though':1,'electrically':1,'conquer':1,'gigantic':1,'requires':1},'affected':{'by':4},'babies':{'born':1},'fragment':{'of':2},'locusts':{'and':1,';':1},'safe':{'and':1,'among':1,'both':1,'situations':1,'to':5,'as':1,'cradle':2,'in':2},'fabre.':{'a':1,'the':1},'young.':{'our':1,'the':1,'sec':1},'band':{'of':1,'across':1},'giraffe':{'the':1,'s':1,'coloured':1},'reconverted':{'in':1},'sack':{'of':1},'they':{'represent':2,'all':2,'show':4,'move':1,'soon':1,'go':2,'find':1,'seemed':1,'derive':1,'also':3,'swam':2,'had':5,'send':1,'actually':1,'only':1,'persist':1,'practise':1,'happened':1,'grip':1,'eventually':1,'return':1,'get':2,'propelled':1,'cannot':3,'please.':1,'affect':1,'now':1,'possess':3,'perceived':1,'showed':1,'called':1,'did':3,'die':2,'seldom':1,'hunt':1,'settle':1,'found':2,'require':1,'enjoy':1,'successively':1,'often':1,'began':3,'resist':1,'imply':1,'decided':1,'are':130,'pass':4,'differ':2,'what':1,'said':1,'stood':1,'appear':2,'served':1,'tend':1,'attracted':1,'experiment':1,'radiated':1,'got':1,'learned':1,'ever':1,'correct':1,'can':13,'crunch':1,'obey':1,'never':1,'analysed':1,'disappeared':2,'were':27,'succeed':1,'let':1,'sink':1,'become':3,'put':2,'wanted':1,'come':1,'tenant':1,'receive':1,'could':4,'keep':1,'turn':1,'range':1,'act':2,'usually':1,'think':1,'feed':3,'emerge':1,'secure':1,'render':1,'point':1,'walk':1,'fast':1,'sow':1,'beheld':1,'reached':1,'illustrate':3,'use':1,'would':9,'create':1,'breed':1,'vibrate':1,'mark':1,'swarm':1,'call':1,'too':2,'then':1,'strike':1,'inflate':1,'tell':1,'therefore':1,'manufacture':1,'enable':1,'form':4,'fall':1,'corresponded':1,'must':5,'count':1,'account':1,'include':1,'look':3,'consist':2,'wish':1,'mount':1,'originate':1,'see':1,'will':5,'remain':1,'supposed':1,'learn':1,'meet':1,'emit':1,'and':1,'sometimes':2,'proved':1,'do':9,'likewise':1,'escape':2,'say':1,'have':33,'need':3,'seem':4,'made':6,'cool':1,'occur':1,'fill':1,'lie':1,'squat':1,'migrated':1,'built':1,'deserve':1,'travel':2,'generally':1,'extracted':1,'split':1,'test':1,'roll':1,'begin':2,'may':12,'absorb':1,'knew':1,'reach':5,'gradually':2,'reflect':1,'produce':2,'develop':1,'grow':1,'died':1,'varied':1,'cause':3,'give':4,'remember':1,'resemble':2,'nevertheless':1,'register':1,'appreciate':1,'correspond':1,'walked':1,'directly':1,'justify':1,'make':3,'came':1,'left':1},'molecules.':{'there':1,'illustration':1},'lifelong':{'study':1,'external':1},'bank':{'and':3,'or':1,'.':1},'bread':{'of':1},'1.00':{'7918':1},'rocky':{'shore-pool':1,'peninsula':1,'slopes':1},'oxygen':{'and':1,'available':1,'form':2,'of':1,'.':3,'to':1,'dissolved':1,'at':1,'which':1,'in':1,'taken':1,'than':1},'respiration.':{'illustration':1},'reasonably':{'that':1,'interpreted':1},'classified':{'.':1},'backgrounds':{'such':1},'l':{'bearing':1,'.':3},'rocks':{'and':4,'on':1,'since':1,'like':1,'may':1,'of':1,'is':2,'there':1,'according':1,'but':1,'.':1,'to':1,'were':1,'so':1,'are':1,'have':1,'which':1},'--':{'fig':1,'moon':1},'reasonable':{'objection':1,'to':1,'compass':1,'fee':1,'view':1},'heaved':{'off':1},'feeds':{'on':1,'are':1,'.':1},'associative':{'cell':1,'or':2,'learning.':1},'lifted':{'into':1,'off':1},'shows.':{'sec':1},'voyages':{'discovering':1},'prawn':{'hippolyte':1,'s':1,'takes':1,'.':1},'12.--jupiter':{'showing':1},'webbed':{'fingers':1},'pigments':{'enable':1,'compounded':1},'network':{'of':4},'forty':{'seconds':1,'inches.':1,'minutes':1,'inches':1},'fellows':{'can':1},'strangers':{'it':1},'vulgalis':{'1':1},'moisture':{'and':1,'heat':1,'about':1,'in':1},'medicine':{'but':1},'forth':{'and':1,'on':1,'.':1,'their':1,'in':8,';':1,'its':2,'the':1},'swamped':{'by':1},'disputed':{'whether':1,'and':1,'that':1},'nowadays':{'called':1,'an':1},'built.':{'illustration':1},'tops':{'of':1},'monkeys--activity':{'both':1,'for':1},'sunning':{'her':2},'admits':{'of':1},'forcibly':{'ejected':1},'detecting':{'a':2,'this':1,'the':1,'by':1,'its':1},'nebulae':{'and':1,'we':1,'from':1,'like':1,'would':1,'may':1,'is':1,'there':1,'it':1,'.':1,'as':1,'promise':1,'fig':1,'besides':1,'such':1,'are':5},'rarity':{'of':3},'created':{'to':1,'from':2,'or':2,'nor':1,'in':1},'appendages':{'and':1,'the':1},'shunted':{'.':1},'creates':{'a':1},'baltic':{'to':1,'.':1,'must':1},'clouding':{'after':1},'18.--a':{'diagram':1},'render':{'the':1},'synonymous':{'with':1},'another':{'remarkable':1,'feature':1,'aspect':1,'cuts':1,'glimpse':1,'source':1,'factor':1,'save':1,'very':1,'specimen':1,'they':1,'sowing':1,'lost':1,'solution':1,'truth':1,'works':1,'side':3,'fascinating':1,'series':1,'mighty':1,'are':1,'flower':1,'plays':1,'for':1,'though':1,'expressed':1,'experiment':1,'new':1,';':1,'method':2,'note--that':1,'fourteen':1,'on':1,'of':2,'distinguished':2,'thing':1,'s':1,'tack':1,'place':2,'consequence':1,'or':1,'inducing':1,'ring':1,'quality':1,'from':2,'one--of':1,'there':2,'.':10,'way':6,'was':1,'that':1,'four-toed':1,'but':1,'part':4,'solar':1,'with':1,'flightless':2,'kind':2,'has':1,'word':1,'example':2,'acquisition':2,'and':8,'is':1,'modern':1,'it':1,'deep':1,'high':1,'as':1,'in':2,'turn':1,'possibility.':1,'till':2,'amoeba':1,'star':3,'trundles':1,'molecule':1,'effect':1,'offshoot':1,'important':1,'interval':1,'portion':1,'time':2,'the':1,'having':1,'lying':1},'twig-like':{'angle':1},'thick':{'for':1,'as':1,'but':1,'.':1,'enough':1,'treacly':1,'in':1,'mist':1,'or':1,'vapours':1},'tangle':{'of':1},'electronic':{'constitution':1,'cyclones':1,'work':11,'works.':1,'activity':1,'works':15},'illustrate':{'a':1,'evolution':1,'natural':1,'we':1,'.':1,'the':6},'power.':{'the':1},'approximately':{'and':1,'equally':1,'22':1,'calculated':1,'twenty-seven':1,'to':3,'278':1},'youthfulness':{'a':1},'colossal':{'expenditure':1,'family':1,'reservoir':1},'accretion':{'may':1,'of':1},'compromise':{'is':1},'observations':{'bearing':1,'showing':1,'he':1,'furnish':1,'of':1},'inflate':{'their':1},'john':{'and':1,'dalton':1,'the':1,'murray':3,'dewey':1},'dogs':{'are':1,'do':1,'for':1,'have':1,'elephants':1},'kiwi':{'another':2},'intestine':{'with':1},'happily':{'included':1},'diversified':{'ooze':1},'rejected':{';':1},'nurse-frog':{'alytes':1},'scorpions':{'and':2},'cereal':{'.':2},'corresponded':{'to':1},'flightless':{'and':1,'toothed':2,'bird':2,'wings':1},'greater.':{'and':1},'guile':{'illustration':1},'magnet':{'and':1,'a':1,'is':4,'there':1,'.':4,'to':1,'62':1,'279':1,'the':2,'282':1,'lifting':1},'air.':{'the':1,'iv':1},'preformed':{'weak':1,'bandage':1},'damage.':{'1.f.3':1,'it':1},'unmistakably':{'to':1},'iron':{'and':2,'copper':2,'last.':1,'an':1,'are':1,'in':1,'further':1,'blue':1,'for':1,'behaves':1,'should':1,'to':1,'which':1,'you':1,'has':1,'until':1,'filings':2,'but':1,'would':1,'age':1,'will':1,'or':2,'attracting':1},'tackled':{'a':1},'contrasted':{'with':3},'powers':{'156':1,'of':1,'is':1,'.':1,'note':1,'hitherto':1},'encumbered':{'with':1,'by':1},'regulus':{'98.8':1},'respecting':{'the':1},'lull':{'and':2,'organic':1,'calls':1,'to':1,'s':1,'describes':1,'the':1,'r':1,'points':1},'vigorous':{'and':2,'palaeolithic':1,'as':1,'but':1,'race--many':1,'race':1,'animal':1,'the':1},'contents':{'introduction':1,'is':1},'forced':{'to':1,'the':1,'molten':1},'strength':{'and':1,'enormous':1,'prompted':1,'unabated':1,'of':1,'able':1,'to':1,'in':1,'the':1},'prehensile':{'suckers':1,'tail':2},'convenient':{'to':1,'unit':1},'latter':{'will':1,'is':2,'there':1,'we':1,'part':2},'half-brutish':{'prehistoric':1},'little.':{'illustration':1},'foam-bells':{'on':1},'subjects':{'with':1},'forces':{'of':7,'animals':1},'transmit':{'vibrations.':1},'swims':{'on':1,'about':1,'right':1,'well':1,'actively':1,'in':1,'with':1},'explanation':{'even':1,'we':1,'that':1,'of':3,'what':1,'.':1,'to':1,'offers':1,'once':1},'circles':{'without':1,'round':3},'benefactress':{'while':1},'ebook':{'outline':2,'for':1,'of':2,'is':2,'complying':1,'20417':1,'or':2},'anatomy':{'physiology':1,'.':1},'extending':{'below':1},'echoes':{'of':1},'phase':{'amid':1,'adapted':1,'of':1},'nutritive':{'reproductive':1,'chains':3,'material':2,'yolk':1,'sea-dust':1,'contributions':1},'grave':{'difficulties':1,'error':1},'nostrils':{'very':1,'on':1},'calculated':{'and':1,'to':1,'that':3,'using':1,'.':1},'inferred':{'from':3},'swamp':{'and':2,'our':1,'.':1},'accounted':{'for':3,'for--may':1},'deeply':{'saturating':1,'being':1,'into':4,'here':1,'buried':1,'with':1},'eel.':{'illustration':1},'notion':{'of':3},'fitted':{'a':1,'to':1},'reserve':{'.':1},'spectroscopic':{'point':1},'eminent':{'astronomers':3,'physicists':1},'sea-anemone':{'a':1,'may':1,'is':2,'gripped':1,'s':1,'72':1,'which':1,'sixty':1,'with':1,'can':1},'subtle':{'processes':1,'that':1,'inter-relations':2,'chemical':1,'cleaver':1,'inter-relations--the':1},'enjoyed':{'about':1},'sharks':{'the':1},'resemblance':{'142':1,'to':7,'being':1,'of':1,'is':2,'in':2,'camouflage':1,'lies':1,'so':1,'between':3,';':1,'hawk':1,'tells':1},'vaporised':{'by':1},'guidance':{'of':1},'appended':{'to':1},'entities--matter':{'ether':1},'geologist':{'utilises':1,'is':1},'deepest':{'sense.':1},'clefts':{'openings':1,'are':1},'pursuing':{'food':1,'what':1},'adequate':{'idea':1,'for':1,'lasting':1},'dynamo--magnetism--ether':{'and':1},'position--it':{'is':1},'fathoms':{'and':1,'though':1,'it':1,'five':1,'have':1,'so':1,';':1},'predecessor':{'.':1},'do':{'and':2,'nothing':2,'in':3,'.':5,'copyright':1,'when':2,'actually':1,'stories':1,'we':7,'that':1,'very':2,'they':2,'not':56,'with':9,'man':1,'occur.':1,'keeping':1,'practically':1,'this':4,'still.':1,'so':2,'the':2,'or':1,'otherwise':1},'leisure':{'to':1,'time--wherein':1,';':1},'yielded':{'to':1,'two':1},'space--ether':{'pervades':1},'watson':{'showed':1},'haunted':{'the':1},'roundabout':{'road':1},'conservator':{'of':1},'vividly':{'what':1,'interprets':1},'du':{'temps':1},'dr':{'.':18},'runs':{'through':1,'totteringly':1,'so':1,'for':1,'in':1},'tantalising':{'dream':1},'sky.':{'the':1},'web-footed':{'bird':1},'irregularities':{'of':1},'iron--and':{'is':1},'rung':{'on':1,'or':1},'voice--surely':{'one':1},'analytical':{'work':1},'freshwater':{'animals':5,'snail':1,'basins':2,'mammals':1,'fish':1,'polyp':1,'mussels.':1,'but':1,'.':1,'hydra':2,'race':1,'floods':1,'mussel':2},'steam':{'and':2,'or':2,'which':1},'captures':{'its':1},'venatici':{'is':1},'observer':{'the':1,'through':1},'condensed':{'and':2,'matter':1,'the':1,'to':1,'in':1},'observed':{'that':4,'phenomena':2,'had':1,'however':1,'one':1,'through':1,'in':1,'the':1,'.':1,'with':1,'by':1,'more':1},'tree-sloth':{'of':1},'arthropods':{'and':1,'such':1,'like':1,'which':1},'donations.':{'to':1},'torrents':{'of':1},'cattle':{';':1,'the':1},'miserable':{'specimen':1},'disappear.':{'illustration':1},'draws':{'for':1},'1917.':{'a':1,'this':1,'glass':1},'away':{'and':2,'the':3,'into':2,'back':1,'an':2,'down':1,'in':5,'from':10,'beneath':1,'when':2,'.':8,'chewing':1,'under':1,'is':1,'trillions':1,'altogether':1,'immediately':1,'by':3,'e.g':1,'many':1,'leaving':1,'entirely':1,'or':3},'sites':{'of':1},'unable':{'to':3},'drawn':{'on':2,'across':1,'into':3,'approximately':3,'.':1,'to':1,'in':4,'engraved':2,'by':2,'out':1},'previous':{'chapter':4,'energy':1,'experience':1,'one--the':1,'article':1,'line':1,'page':1,'day--a':1},'encounters':{'occur':1},'hatching.':{'reflex':1},'co.':{'harpy-eagle':1,'penguins':1},'circle--which':{'means':1},'we':{'forget':1,'soon':1,'discovered':1,'not':1,'go':3,'follow':1,'find':18,'discern':1,'had':2,'should':18,'to':2,'include':1,'might':3,'hope':2,'then':2,'get':18,'read':1,'watch':2,'cannot':29,'know':50,'presume':1,'mentioned.':1,'judge':1,'now':6,'dare':2,'arrange':1,'easily':1,'ever':1,'conceive':1,'leave':1,'continue':1,'lose':1,'found':2,'hasten':1,'mean':6,'often':1,'ascend':1,'briefly':1,'see':36,'are':47,'pass':2,'fail':1,'penetrated':1,'will':5,'detect':1,'confess':1,'may':41,'state':1,'learned':1,'approach':1,'exercise':1,'refer':1,'notice':1,'knew':1,'learn':1,'ascribed':1,'here':1,'imagine':1,'put':2,'come':3,'obtained':1,'received':1,'study':2,'owe':6,'agree':1,'turn':4,'usually':2,'think':6,'already':1,'can':39,'feel':1,'lengthen':1,'actually':1,'miss':2,'speak':6,'stare':1,'use':3,'described':1,'spoke':1,'would':3,'next':1,'start':1,'live':1,'call':26,'breathe':1,'wish':1,'understand':2,'gain':1,'believe':4,'must':42,'count':1,'look':4,'recall':1,'handle.':1,'aim':1,'suppose':1,'ought':1,'were':3,'could':13,'expect':1,'control':1,'compare':1,'have':124,'do':24,'almost':1,'describe':1,'moved':1,'consider':4,'say':6,'want':1,'need':4,'seem':3,'saw':13,'thought':1,'no':1,'belong':1,'take':4,'behold':1,'picture':1,'draw':2,'repeat':1,'connect':1,'utilise':1,'shall':23,'confined':1,'stop':1,'await':1,'reach':4,'reflect':2,'admire':1,'lay':1,'recognise':1,'remember':1,'emphasise':1,'reproduce':1,'allow':2,'hear':1},'rudimentary':{'gills':1},'terms':{'imposed':1,'of':21,'will':1,'experimenting':1,'from':1,'than':1},'discussion.':{'some':1},'wm':{'.':1},'bipeds--we':{'must':1},'enters':{'a':1,'the':3},'travellers':{'which':1},'clues':{'which':1,'in':1},'caledonia':{'which':1},'stricter':{'sense':1},'linkage':{'of':1,'between':1},'kitchen':{'.':1},'received':{'opinion':1,'the':4,'from':1,'written':1,'less':1},'climate':{'and':4,'a':1,'calls':1,'for':1,'of':2,'is':1,'became':1,'has':2},'pelomyxa':{'sometimes':1},'cox':{'arrangement':1},'ill':{'all':1,'suited':1},'nordics':{'afghans':1},'germinates':{'after':1},'cod':{'feeding':1,'family':1},'receives':{'a':1,'160':1},'unsunned':{'.':1},'disappears':{'before':1,'from':2,'in':1},'collecting':{'into':1,'centre':1,'centres':1},'tough':{'living':1},'soap':{'made':1,'bubble':4,'which':1},'ganymede':{'a':1},'engulfs':{'its':1,'it':1},'tons':{'on':2,'.':1,'in':1,'to':1,'of':6},'866400':{'--':1},'eventful':{'life-history':1,'thing':1,'day':1,'retention':1},'merchantibility':{'or':1},'speak':{'of':12,'the':1,'picturesquely':1,'unpacked':1,'got':1},'broadening':{'still':1},'sperm-cells.':{'the':1},'engines':{'.':1},'flexible':{'mounting':1},'thrice':{'the':1},'leech':{'called':1},'spermatozoon':{'has':1,'fertilises':1,'or':1},'repelled':{'by':1},'families':{'genera':1,'like':2},'innocent':{'seaweed':1,'creatures':1},'plebeian':{'crab-apple':1},'attacked':{'by':1,'however':1},'concerning':{'life':1,'tax':1,'the':1},'overtax':{'the':1},'millionth':{'of':2},'coherent':{'vane':1,'.':1},'them--a':{'common':1},'elvers':{'come':1,'snuggle':1,'.':1},'applied':{'to':7,'the':2,'however':1},'has':{'migrated':1,'enormously':1,'just':1,'developed':1,'over':1,'discovered':2,'ceased':2,'its':10,'captured':2,'certainly':1,'much':2,'torn':1,'had':3,'laid':1,'destroyed':1,'to':14,'only':2,'suffered':1,'guided':1,'happened':1,'meant':2,'his':1,'far':1,'attained.':1,'begun.':1,'five':1,'got':1,'not':8,'sorted':1,'now':3,'continued':1,'learned':2,'four':2,'annihilated':1,'lost':2,'always':2,'solved':1,'mastered':1,'become':14,'cooled':1,'declared':1,'often':3,'ten':1,'some':1,'somehow':1,'calculated':1,'gnawed':1,'begun':1,'led':2,'penetrated':2,'even':1,'shown':3,'said':2,'for':1,'frond-like':1,'yet':1,'written':2,'various':1,'moons':1,'probably':1,';':2,'ever':3,'claws':1,'attended':1,'recently':2,'risen':1,'however':1,'disappeared':1,'broken':1,'found':2,'put':1,'dissipated':1,'come':5,'thrown':2,'received':1,'great':1,'mingled':1,'language':1,'of':3,'changed':3,'conquered':2,'consequently':1,'raised':1,'already':1,'followed':1,'slipped':2,'instruments':1,'transit':1,'two':3,'brought':2,'agreed':1,'been':136,'reached':2,'precisely':1,'spawned':1,'given':5,'from':1,'fallen':1,'harnessed':1,'remained':1,'three':1,'long':1,'screened':1,'2':1,'wonderfully':1,'therefore':1,'passed':1,'taken':5,'slowly':1,'entered':2,'.':1,'more':2,'suggested':1,'himself':1,'thus':1,'completed':1,'occurred':1,'but':1,'known':1,'worked':1,'gills':1,'arisen':1,'carried':1,'made':3,'this':1,'shrunk':1,'moulted':1,'nine':1,'many':1,'tackled':1,'called':1,'gone':5,'proved':1,'played':1,'almost':4,'likewise':1,'turned':1,'an':4,'helped':1,'in':3,'affinities':1,'occupied':1,'shown.':1,'grown':1,'influenced':1,'built':1,'no':3,'divided':3,'also':1,'absorbed':1,'adapted':1,'degenerated':1,'effected':1,'added':2,'gradually':1,'eight':1,'plenty':1,'a':20,'succeeded':3,'endeavoured':1,'moved':1,'upset':1,'implied':2,'so':3,'very':1,'the':8,'realised':1,'left':1},'conviction':{'the':1,'that':1},'comprehension.':{'illustration':1},'air':{'and':4,'all':1,'there':3,'just':2,'is':6,'reaches':1,'as':1,'through':1,'at':3,'in':3,'from':1,'acts':2,'when':1,'.':13,'to':1,'which':3,'6':1,';':2,'has':4,'was':1,'into':1,'be':1,'we':1,'over':1,'goes':1,'on':1,'but':1,'underneath':1,'262':1,'struggle':1,'waves':1,'with':2,'by':3,'must':1,'a':3,'water':5,'of':1,'35':1,'loses':1,'will':1,'the':2,'or':1},'aim':{'of':2,'at':1},'voluminous':{';':1},'abrupt':{'and':1},'applies':{'also':1,'the':1,'whatever':1,'to':3},'aid':{'of':1,'.':1},'voice':{'we':1,'rose':1,'is':1,'broadened':1,'due':1,'but':1,'.':1,'became':1,'expresses':1,'the':1,'was':2,'becoming':1},'amphibians--the':{'reptilian':1},'cavern':{'of':3,'the':2,'179':1},'cylinder':{'of':1},'plover':{'has':1,'from':1},'have':{'planetary':2,'followed.':1,'quoted':1,'migrated':1,'scattered':1,'discovered':4,'sunk':2,'mentioned':2,'its':1,'just':9,'regarded':1,'had':2,'to':14,'only':4,'spread':2,'meant':2,'then':1,'good':1,'returned':1,'very':3,'furnaces':1,'words':1,'shared':1,'not':12,'now':1,'illustrated':3,'failed':1,'lost':1,'ceased':1,'always':1,'traced':1,'prolonged':1,'watched':1,'mastered':1,'dealt':1,'served':1,'cooled':3,'dwindled':1,'tenanted':1,'often':1,'burst':1,'acquired':1,'some':2,'direct':1,'identified':1,'carefully':1,'taught':2,'safeguarded':1,'further':1,'living':1,'shown':4,'said':9,'discovered--pulling':1,'missed':1,'apparatus':1,'definite':1,'behind':1,'won':1,'emerged':1,'moons':1,'rotted':1,'got':4,'learned':1,'ever':1,'told':1,'we':1,'full':1,'originated':1,'peculiarly':1,'sprung':1,'here':1,'reason':2,'will':1,'found':7,'put':3,'proceeded':1,'come':4,'gained':2,'on':2,'great':1,'reared':1,'journeyed':1,'of':4,'changed':1,'greatly':1,'conquered':1,'fallen':1,'already':5,'gone':3,'appeared':1,'delighted':1,'visible':1,'maintained':1,'another':2,'reached':1,'risen.':1,'given':2,'described':1,'become':8,'exposed':1,'three':1,'been':88,'their':7,'recognised':1,'combined':1,'passed':1,'resulted':1,'travelled':1,'closed':1,'thrown':1,'from':1,'lived':2,'lungs':1,'both':1,'moved':1,'differences':1,'occurred':1,'but':1,'taken':2,'heat':1,'races':1,'protections':1,'known':1,'probably':1,'worked':1,'removed':1,'entered':3,'arisen':4,'partially':1,'made':6,'succeeded':2,'this':1,'neap':1,'considered':1,'evolved':2,'many':2,'more':1,'called':1,'at':1,'admired':1,'seven':1,'chlorophyll':1,'proved':4,'remained':2,'is':1,'thus':1,'an':3,'astonished':1,'heard':2,'as':1,'something':1,'planets':1,'in':9,'seen':18,'apparently':1,'any':1,'grown':1,'varied':2,'inborn':1,'no':14,'rather':1,'lit':1,'also':2,'stimulated':1,'read':1,'several':1,'used':1,'what':2,'most':1,'discredited':1,'plenty':1,'nothing':1,'such':1,'yielded':1,'revealed':1,'a':25,'profited':1,'scarcely':1,'to-day':3,'bilateral':2,'stupendous':1,'nevertheless':1,'thought':1,'implied':1,'so':1,'lamented':1,'mechanical':1,'the':5,'counted':1,'bodies':1,'left':2},'crowning':{'instance':1,'examples':1,'advantage':1},'exceptionally':{'smooth':1},'sting':{'the':1,'which':1,'.':1},'trilobites':{'crustaceans':1,'illustration':1,'were':1},'brake':{'on':1,'.':1},'blame.':{'after':1},'comparative':{'anatomy':1,'distances':1,'nearness':1,'psychology':1,'sizes':3},'undulatory':{'movement':1},'brilliantly':{'luminous':1},'m.c.':{'.':1},'descent':{'of':6,'that':1,'from':1,'to':1},'conclusions.':{'the':1},'patent':{'and':1},'demonstration':{'of':1},'centre.':{'as':1},'punctuation':{'of':1},'varies':{'as':1,'.':1,'greatly':1,'periodically':1},'parasitism':{'it':1},'diplodocus':{'as':1},'sheltered':{'may':1,'life':1},'accumulating':{'a':1,'and':1,'age':1,'.':1},'monarch':{'of':1},'lithium':{'three':1},'crevices':{'among':1},'wheel':{'be':1,'rapidly':1,'that':1,'when':1,'is':1,'turned':1,'will':1,'as':3,'animalcule':1,'was':1},'independent':{'methods--one':1,'of':1,'orbits':1,'stellar':1,'lives':1,'existence':1},'86500':{'9':1},'hang':{'on':1},'evil':{'associations':1},'hand':{'feed':1,'and':8,'holds':1,'is':1,'some':1,'gregariousness':1,'as':2,'in':2,'miss':1,'from':1,'there':1,'when':3,'.':1,'till':1,';':1,'was':2,'thus':1,'it':1,'with':1,'made':1,'of':8,'sometimes':1,'so':1,'the':2,'where':1},'kinnaman':{'taught':1},'patagonia':{'there':1,'.':1},'nip':{';':1},'centred':{'in':1},'kept':{'lizzie':1,'from':2,'by':1,'for':1},'whereby':{'new':1,'the':1,'distinctively':1,'energy':1},'likes--and':{'the':1},'engrained':{'instinctive':1,'enregistered.':1},'wisps':{'of':1},'contact':{'information':1,'sy':2,'links':1,'information:':1,'.':1,'the':1,'with':2},'elongated':{'and':1,'palm-bones':1,'mobile':1,'outermost':3,'oval':1,'bodies':1},'furneaux':{'life':1},'centres':{'of':7,'drawing':1},'the':{'limited':1,'practicability':1,'psycho-analyst':1,'magnetic':5,'comparatively':1,'dynamic':1,'four':3,'chameleons':1,'aegir':4,'controversial':1,'oldest':6,'muzzle':1,'brackish':1,'physiological':3,'similarity':2,'sunlit':1,'fine-grained':1,'thinnest':2,'under':3,'humerus':1,'risk':5,'arboreal':5,'aurora':5,'oceans':1,'pigment':1,'smack':1,'coal-measures':1,'gratification':1,'east.':1,'fingers.':1,'conception':2,'bringing':1,'monkeys':2,'vast':9,'internally':1,'prize':1,'parrot':1,'present.':1,'correct':1,'danger-signal':1,'succession':2,'jumna':1,'jungle-fowl':1,'breast-bone':3,'cave-lion':1,'achievements':2,'force':3,'monotonous':1,'faintest':1,'excited':1,'feathers':6,'seas.':2,'nail':2,'surrounding':9,'second':18,'street':2,'infiltration':1,'inanimate':1,'blue':6,'change.':1,'unborn':3,'beaten':1,'consequent':1,'rest.':1,'reconstruction':2,'chromosphere':4,'new':21,'net':1,'protozoon':1,'surface--the':1,'evolving':1,'lithosphere':1,'men':6,'residual':1,'atoms':26,'seven-weeks-old':1,'protection':2,'ploughed':1,'aid':1,'active':4,'evolutionist':2,'cardboard':1,'contraction':2,'dry':19,'connaissance':1,'surface-atoms':1,'frog-hopper':1,'light.':1,'credit':3,'changes':5,'skull-cap':3,'diameter':3,'stray':1,'straw':1,'highly':1,'skull-walls':1,'visible':2,'medium':5,'total':6,'unit':2,'answers-back':1,'remainder':1,'arms':6,'dog-toothed':1,'mightiest':1,'calm':1,'water-spider':2,'type':2,'pistil':1,'females':3,'lungs':1,'wary':1,'horsetail':1,'whirling':1,'glass':6,'warm':2,'adult':3,'continual':1,'organic':1,'midst':1,'circumstances':1,'abundance':3,'word':10,'mimickers':4,'accomplishment':1,'eclipse':1,'worm':3,'roof':3,'theories':2,'mammalian':1,'era':2,'appendage':1,'animal.':1,'clock-work':1,'mud-fishes':1,'phrase':7,'alternating':1,'allantois':2,'serpent':1,'climax':3,'shore.':1,'powerfulness':1,'caution':1,'oil-sheet':1,'present-day':4,'advancing':3,'absolute':2,'end':22,'thing':2,'song':1,'nuts':2,'very':19,'hot':1,'significance':3,'answer':9,'ordinary':12,'ancestor':1,'massive':2,'poker':4,'rise':2,'minority':1,'mouths':2,'ptarmigan':2,'abdomen':1,'diagram':9,'dinosaurs':1,'wrong':2,'pearl-bearing':1,'vase':1,'domed':2,'types':1,'amoeboid':1,'leplay':1,'third':11,'spout':1,'headquarters':1,'greek':7,'green':8,'ultimate':4,'things':1,'sun.':13,'order':9,'wind':9,'blind':1,'interpretation':3,'alternation':1,'sheltering':1,'orang':7,'underside':1,'fore-limbs':4,'thesis':1,'ancients':2,'spontaneous':2,'famille':1,'breeding-place':2,'fit':1,'crew':1,'better':2,'woolly-haired':1,'production':3,'hidden':1,'gateways':1,'sea-water':3,'swim-bladder':1,'combination':2,'tree-stems':1,'young.':1,'revelations':1,'giraffe':1,'effects':2,'monarch':1,'stars;':1,'bank':2,'bread':1,'shadows':1,'dingo':2,'rocks':9,'good':4,'fertilised':8,'victory':1,'arrow':2,'side':4,'associative':1,'telescope.':1,'development':10,'telescope':10,'series':2,'principles':3,'solution':4,'contracting':1,'wave-lengths':1,'laboratory':3,'dawn':9,'ring':2,'pigments':1,'gibbon':5,'quality':5,'ice-sheets':1,'method':9,'reader':6,'heavenly':2,'revolving':1,'newly':4,'size':25,'langur':1,'foundation':12,'perception':1,'carcass':1,'wave-length.':1,'eternal':1,'strata':1,'free':4,'standard':1,'sensory':3,'skin.':1,'ancient':6,'formation':5,'struggle':15,'estimate':1,'heat':11,'ultra-violet':1,'publication':1,'enormous':5,'grasses':1,'days':1,'adjustment':1,'baltic':2,'purpose':2,'arrows':1,'wasp':2,'unlit':1,'peculiarity':1,'scissors':1,'thick':1,'ditch':2,'electronic':2,'mercury':1,'pelagic':1,'top':11,'neck':4,'heights':1,'legs':2,'genesis':1,'vapoury':1,'kiwi':2,'fiery':1,'instreaming':1,'fibrous':1,'diversified':1,'sciences.':1,'bell.':1,'floor.':1,'wisdom':1,'nurse-frog':1,'glumes':1,'somewhat':2,'evil':1,'peculiar':2,'flightless':1,'distance':13,'yerkes':7,'tree':2,'atom.':1,'final':5,'project':31,'matter':7,'flame':1,'historical':2,'shore-waters':1,'feeling':1,'acquisition':1,'groaning':1,'pliocene':5,'mind':18,'spectrum':9,'raw':4,'seed':1,'manner':1,'nervures':1,'rock-pool':1,'relatively':8,'strength':1,'prehensile':1,'thoroughly':1,'latter':7,'potentialities':1,'snow':3,'sound':3,'toothed':1,'subjects':1,'doors':2,'beta-rays':1,'shallow':2,'permian':8,'multicellular':1,'king-crab':1,'centres':1,'changefulness':1,'vermiform':2,'mouth':10,'letter':2,'echoes':1,'coil':4,'nutritive':1,'refractor':2,'ultramicroscope':1,'photosphere.':1,'episode':1,'professor':1,'metal':3,'dog':5,'orderly':1,'points':2,'principle':5,'sun':188,'nineteenth':8,'notion':2,'marvel':1,'pollen':1,'spikelets':1,'insects':2,'sea-anemone':4,'attempts':1,'subtle':1,'availability':1,'lessons':1,'ear.':1,'resemblance':5,'quaint':2,'pleistocene':2,'sentence':1,'geologist':2,'fifty-foot':2,'rich':1,'gods':1,'population':3,'plate':4,'mixture':2,'above':11,'fluid':2,'foremost':1,'bat':3,'covering':1,'bay':1,'discs':1,'contrast':2,'freshwater':6,'ears':1,'lettering':1,'observer':1,'habit':5,'radium':4,'outgoing':1,'zones':1,'tree-sloth':1,'full':14,'radius':1,'result':15,'disturbing':1,'rarity':2,'best':4,'subject':4,'pebbles':1,'capacity':2,'palaeolithic':2,'rings':1,'artificial':1,'paternal':1,'mud':7,'score':2,'toad':3,'simplest':9,'approach':1,'hatching.':1,'discovery':23,'terms':12,'nature':23,'confusion':1,'weak':1,'physicist':5,'sand-crab':1,'lurching':1,'larynx':1,'aquarium':1,'extent':2,'carbon':1,'flowering':1,'debt':1,'well-lighted':1,'kitchen':1,'tyranny':3,'behaviour':16,'climate':3,'outcome':13,'sperm-producer':1,'triggers':1,'earth.':7,'heating':1,'feathering':1,'cod':2,'distinction':2,'genus':1,'fore-leg':2,'repertory':1,'discolorations':1,'inquisitive':1,'purling':1,'path':5,'grazing':1,'sperm-cells.':1,'basis':3,'union':3,'three':6,'tiny':3,'trigger':6,'interest':1,'fry':2,'exactness':1,'spermatozoon':3,'life':7,'beach.':1,'deeper':2,'plebeian':1,'eastern':1,'abyssal':1,'conifers':1,'millionth':2,'mazy':1,'child':6,'elvers':1,'centrosome':1,'ether.':1,'exception':1,'adaptations':1,'air':39,'aim':1,'neat':1,'fainter':1,'property':1,'study':6,'natives':1,'seven':3,'crowning':1,'equator':5,'photographer.':1,'player':1,'comparative':3,'undulatory':1,'mouse':1,'descent':2,'belle':1,'punctuation':1,'daughter-units':2,'siamang':1,'complex':1,'peopling':3,'belly':1,'reptilian':2,'vegetable':1,'snow-line':1,'several':1,'european':2,'wheel':7,'independent':1,'georgics':1,'milky':13,'tops':1,'rain':1,'hand':9,'characters':1,'tune':1,'tassel':3,'stimuli':1,'ocean':5,'materials':1,'greatest':13,'arrow-worms':1,'claims':1,'marsupials':1,'musical':1,'left':5,'sea-skimmers':1,'just':1,'planetesimals':1,'vaporisation':1,'sporting':1,'mending':1,'disguise':2,'neanderthalers':1,'human':25,'facts':15,'yes':1,'emergence':7,'previous':3,'thyroid':3,'terrific':1,'hills':2,'infinitely':1,'old-fashioned':1,'royal':1,'salmon--forming':1,'evidences':3,'thickening':1,'long-lost':1,'board':1,'gaboon':2,'east':1,'eocene':2,'laying':1,'elevation':1,'advances':1,'survival':1,'sussex':1,'vulture':1,'possible':3,'forester':1,'photosphere':9,'birth':2,'partridge':1,'shadow':2,'rough-and-tumble':1,'shoulder':1,'war.':2,'insurgent':1,'precise':3,'sand-hoppers':2,'autumn.':1,'x-rays.':1,'enregistered':2,'mosquito':2,'night':1,'amoebae':1,'portuguese':2,'right':12,'old':13,'people':2,'crown':2,'dead':1,'clawed':1,'winds':1,'inorganic':2,'rill':1,'intellect':1,'orchid':1,'dense':1,'rhine':1,'bottom':6,'ear':7,'opposite':5,'fox':2,'distrust':1,'ice':3,'flounder':2,'loins':1,'tertiary':1,'seals.':1,'colour-cells':2,'beating':2,'monkey-ape-man':1,'palatable':1,'energy':36,'illustration':5,'cork':1,'shifting':1,'capacious':1,'flinty-shelled':1,'blackest':1,'properties':2,'chapter':1,'skin-twitching':1,'limitation':1,'boiling':1,'cloudlets':1,'ribs':1,'o':1,'wave-length':1,'horizon':1,'herring-gull':1,'efforts':1,'ores':1,'lamprey':1,'primitive':3,'cloud-screen.':1,'dilemma':1,'variations':1,'scantier':1,'peppered':1,'son':1,'contrasts':1,'bricks.':1,'doctrine':1,'spores':1,'palaeozoic':4,'indispensable':1,'flying':9,'sunlight':7,'class':2,'conservation':1,'physicists':2,'fraction':1,'dorsal':1,'war':4,'lowest':5,'head':8,'marten':1,'form':10,'fully-formed':1,'becoming':1,'differences':2,'peninsula':1,'quiet-flowing':1,'same.':1,'solar':35,'minuteness':2,'true':5,'otter':3,'continuance':3,'reproductive':2,'ancestral':1,'bounds':1,'centipede':1,'economic':1,'bird-dropping':1,'egg-eating':1,'palm':1,'cosmos':1,'stages':1,'temper':1,'passenger':1,'juvenile':2,'strengthening':1,'hotter':1,'heidelberg':4,'seeds--and':1,'mirror':2,'palm;':1,'evidence':2,'candle':1,'ship':3,'physical':4,'mediterranean':3,'solicitation':1,'inborn':3,'floor':8,'font-de-gaume':2,'negatively-electrified':1,'tip':4,'reality':3,'successful':2,'nestling':1,'setting':2,'papers':1,'superfluous':1,'robber-crab':5,'picture':7,'ordovician':2,'palms':1,'teats':1,'braking':1,'diet':1,'genealogical':2,'irs.':1,'dullest':1,'discharge':2,'thorax':1,'immemorial':1,'stamens':2,'bullet':2,'daily':1,'collared':1,'gorilla':4,'reception':1,'time':19,'skull-cap.':1,'serious':1,'nuclei':1,'tigris':1,'breadth':1,'irrigation':1,'concept':1,'chain':1,'limbless':1,'colour-change':1,'varying':3,'brownian':4,'focus':1,'hind-legs':2,'nerve-cord.':1,'skin':14,'jointed-footed':1,'primeval':4,'retention':1,'layers':2,'inverse':1,'essentials':1,'father':5,'passage':4,'environment':4,'unpleasant':1,'reptiles':2,'walking-fish':2,'ulna':1,'division':1,'protective':2,'month.':1,'advantage':2,'rotifer--we':1,'liability':1,'aesop':3,'first-known':1,'nesting':1,'exact':2,'minute':3,'cool':1,'dim':1,'level':4,'sedimentary':3,'gum':1,'magnet':4,'crustacean':1,'backboneless':2,'speculation':1,'accumulation':1,'upper':23,'work':19,'occurrence':3,'findings':1,'full-grown':2,'piltdown':5,'hair.':1,'trent':4,'bacteria':2,'spectral':1,'leaf-butterfly':1,'constitution':4,'assistance':1,'axes':1,'stomach.':1,'current':6,'supporting':2,'coccyx':1,'honour':1,'hairs':3,'evolution-idea':4,'anvil.':1,'whiteness':1,'water':49,'guise':1,'cave-bear':1,'twentieth':1,'address':1,'dwindling':2,'teacher':1,'change':5,'pearly':8,'brilliant':1,'shift':2,'dublin':1,'trial':2,'stomachs':1,'suggestion':3,'weird':1,'copper.':1,'mimicked':4,'elect':1,'seashore':8,'littoral':2,'cuttlefishes':3,'working':2,'sake':1,'positive':2,'anatomical':2,'prey':2,'flaunting':1,'negroes':1,'australian':6,'angels':1,'fish-eating':1,'diurnal':1,'water-ouzel':1,'apparent':3,'malay':1,'minnows':2,'appendix':1,'virtue':1,'cases':1,'easiest':1,'opossums':2,'sum-total':1,'sea-anemones':2,'cat':1,'hardest':2,'jetsam':1,'mortality':1,'following':6,'making':7,'fauna':6,'coral':3,'stimulating':1,'streak':1,'heart':6,'portals':1,'wrist-bones':1,'reflector':2,'figure':5,'frogs':1,'bulkiest':1,'stroke':1,'chin':1,'octopus.':1,'rays':15,'requirements':1,'winter':5,'comb-bearers':1,'inheritance':1,'dispositions':1,'means':4,'species':3,'chemical':6,'vital':5,'candle.':1,'fourth':4,'elephant':4,'dominance':1,'economy':1,'burrowing':1,'southern':3,'date':2,'behaviour--experimenting':1,'man':6,'branches':10,'outline':9,'liquid':4,'unimportant':1,'corona':3,'darkened':1,'african':2,'basket':1,'bolometer':1,'outflowing':2,'shield':1,'gradual':6,'pointed':1,'years':1,'brain':23,'experiments':6,'statements':1,'cold':4,'insurgence':2,'birds':3,'tendency':5,'nucleus.':2,'solitary':1,'limbs':1,'ice-fields':2,'thumb':5,'rhizopods':2,'interesting':3,'presence':4,'flesh-and-blood':1,'aquitania':1,'attraction':1,'creations':1,'spacious':1,'main':28,'meridian':2,'bird.':1,'evolution':45,'records':3,'archaeozoic':1,'tails':1,'water-shrew.':1,'not':1,'widespread':1,'halo':1,'term':2,'name':4,'seaweed-growing':1,'advent':1,'gill-slits':1,'careless':1,'jellyfish':2,'rock':9,'turtle':2,'sugary':2,'square':3,'reeds':1,'torch':1,'treacherous':3,'challenger':1,'fires':1,'year':6,'monitors':1,'neighbourhood':1,'living':18,'factors':6,'amnion':2,'greeks':3,'increase':2,'miles':1,'ladder':1,'overflowing':1,'ascendant':1,'theory':14,'soap-bubble':1,'divergence':3,'possibility':12,'quite':1,'quart':2,'intruding':1,'advantages':2,'sunlight.':1,'fuller':1,'obligation':1,'marine':2,'inevitable':1,'card':2,'care':1,'advance':2,'language':1,'selections':1,'transition':5,'british':5,'ostrich':1,'motion':2,'disguises':1,'place':8,'invalidity':1,'deep-sea':4,'close-set':1,'star':6,'frequent':2,'first':71,'origin':14,'one':21,'long':15,'conifer':1,'message':6,'open':29,'millions':3,'sheep':3,'little':5,'law':3,'silent':1,'spiral.':1,'bite':1,'callous':1,'plastic':1,'stimulation':1,'plains':2,'cooling':2,'2':1,'pockets.':1,'moisture':1,'white':11,'lingering':1,'vapours':1,'gravelly':1,'eyes':8,'way':18,'starfish':1,'brains':2,'canine':1,'seat':3,'photographic':9,'splendid':1,'pterodactyls':2,'cracks':1,'effective':1,'three-spined':1,'crowded':1,'coco-palm':1,'future':11,'fertilisation':1,'cards':2,'gigantic':1,'mariner':1,'photosynthesis':1,'sublime':3,'coconut':1,'rooks':1,'spectroscope:':1,'ant':3,'spectroscope.':1,'lens-shaped':2,'buried':1,'maximum':1,'zoo':1,'snout':2,'sciences':1,'potential':1,'fracture':1,'online':2,'interior':7,'performance':2,'jungle':5,'closer':1,'sure':1,'chromosomes':1,'normal':4,'azores':1,'indelible':2,'price':1,'molecule':1,'falls':2,'visitors':1,'beta':5,'successive':5,'pair':1,'thigh-bone':1,'average':7,'freshwaters':9,'hungry':1,'bustard':1,'tooth':1,'idea.':1,'quiescent':2,'salt':1,'laws':4,'detective':1,'walking':1,'discoverer':1,'merit':1,'gill-cover.':1,'bright':3,'threshold':1,'line':7,'ground':23,'slot':2,'nemesis':2,'ratio':2,'gulf':1,'germ-cell':1,'treasure':1,'proportion':2,'only':13,'down-breaking':1,'black':5,'uppermost':1,'down-rushing':1,'lighted':1,'supra-renal':2,'bittern':1,'freezing':1,'midriff':1,'truly':1,'duckmole':4,'remoter':1,'mud-flats':1,'negative':4,'lighter':2,'primates':4,'clearest':1,'pollen-nucleus':1,'fanciful':1,'parasitic':1,'morning':2,'naked':2,'penguins':1,'sea--the':2,'london':1,'pituitary':1,'vision':1,'kernel':1,'oven':1,'seas':6,'lancelets':1,'silurian':4,'stars--or':1,'relative':4,'1921':1,'stigma':1,'concentric':1,'wonder':2,'ways':5,'subsequent':1,'sites':1,'under-skin':2,'colours':4,'outside':4,'chimpanzees':1,'moons':2,'man.':2,'volvox':1,'notice':1,'parent':10,'eye':20,'screen':7,'rapidly':1,'big-brain':4,'sea.':5,'proterozoic':1,'article':2,'cities':1,'dates':1,'successes':1,'many':1,'region':2,'sodium':1,'quiet':1,'altamira':4,'man-ape':2,'flipper':3,'wheels':1,'expression':4,'surface.':2,'moon;':1,'generalisation':1,'brightly':1,'color':1,'colony':3,'period':7,'spinthariscope':1,'learning':1,'boar':1,'constant':1,'pod':1,'skeletons':2,'sun-spots':1,'fitful':2,'late':5,'west':3,'shortening':2,'combined':1,'reflex':1,'exhaustion':1,'fiftieth':1,'direction':9,'gist':2,'circumference':2,'haunt':1,'sea-horses':1,'external':3,'infusorians':1,'careful':2,'spirit':2,'robber':1,'case':37,'breast.':1,'caucasians':1,'developing':4,'co-ordination':1,'mount':4,'prominence':1,'dints':1,'situation':2,'margin':3,'moon.':1,'coolest':2,'characteristics':2,'nautical':2,'middle':5,'regularity':1,'sudden':3,'tse-tse':1,'eras':1,'unsounded':1,'beaver':5,'jackdaw':1,'floating':6,'movements':9,'rungs':2,'helmet':1,'different':8,'alphabet':1,'same':99,'eggs--up':1,'food':10,'inquiry':2,'agitated':1,'grain':1,'status':1,'oyster-catcher':1,'oil':1,'vestigial':2,'arctic':1,'director':1,'running':1,'edges':5,'delicate':3,'equatorials':1,'changing':2,'perennial':1,'constitutional':1,'severe':2,'frontispiece':1,'bottle':1,'model':1,'otherwise':1,'bodies':1,'overcrowding':2,'summer':3,'money':1,'armour':1,'egg-cell':1,'rest':6,'down-drifting':1,'rule.':1,'potentiality':1,'differentiation':1,'speed':16,'captured':1,'death':2,'widest':3,'hint':1,'bricks':3,'golden':1,'geological':6,'meteorite':1,'hind':2,'dovecot':1,'heavier':3,'skies':1,'real':2,'bitterling':3,'spectacular':1,'rules':1,'outermost':1,'non-digitate':1,'tissues':2,'early':13,'water-measurers':1,'vacuum':1,'cavern':3,'world':46,'part':7,'left-hand':3,'sensational':1,'fossils':2,'oxygen':3,'exquisitely':1,'velocities':1,'multifarious':1,'sieves':1,'benefit':1,'downward':1,'sharp':1,'twelve':1,'night-light':1,'exposed':1,'splash':1,'cathode':1,'pacific':2,'astronomer':6,'duration':1,'pasture':1,'racial':1,'ascent':6,'extinct':3,'gross':1,'calculating':1,'prolific':2,'intricacy':1,'memories':2,'tube':11,'moon':76,'pioneer':3,'critical':2,'lunar':2,'particles':12,'others--the':1,'welcome':1,'wheat':2,'buckling':1,'power':16,'sixth':2,'nails':1,'stereotyped':2,'substratum':1,'broken':1,'alps':1,'resurrection':1,'comparison':1,'stone':1,'ear-trumpet':2,'central':9,'piety':1,'insect':9,'shrimp':1,'addition':1,'wolf':3,'act':3,'pre-human':1,'amber':1,'freeing':1,'lands':2,'fertile':2,'sea-grass':1,'burning':1,'instruments':1,'spreading':1,'surinam':1,'spinal':4,'sneering':1,'rising':1,'elementary':1,'mark':1,'shrinking':2,'shells':1,'bristles':1,'literal':1,'dispersion':1,'strict':3,'world--weighs':1,'low':1,'stars':39,'house':2,'macaques':1,'hen':1,'bubble':4,'fish':6,'continents':3,'mammals':4,'prawn':1,'manipulative':2,'strenuous':1,'elimination':1,'parasites':2,'hottest':1,'land.':1,'wild.':1,'pull':1,'largest':9,'circulation':2,'stoneless':1,'multiplicity':1,'electroscope':1,'nearest':7,'pre-cambrian':1,'grasp':1,'shell.':1,'grass':3,'mimicked.':1,'moles':2,'vedda':1,'dangerous':1,'sinking':1,'lingula':1,'deep':10,'general':23,'imagination':3,'sun--measuring':1,'at':1,'planets':19,'cathedral':1,'corresponding':3,'film':3,'tedious':1,'beds':2,'inflated':1,'shore-haunt':6,'field':4,'prism':3,'polar':8,'vocabulary':1,'bacillus':1,'shelter':2,'planet.':1,'carnegie':2,'important':5,'nucleus':12,'marshes':1,'environing':1,'queensland':1,'sun--a':1,'pool':3,'network':1,'building':1,'condensation':2,'remote':1,'difficulties':7,'mimic':2,'tree-tops':1,'ovary':1,'starting':1,'original':13,'pheasant':1,'skeleton':2,'founder':1,'peacock':1,'lack':1,'muscle-fibres':1,'milt':1,'month':9,'light-waves':1,'upkeep':1,'welfare':2,'plodding':1,'causes':1,'synthetic':2,'stored-up':1,'number':14,'remarkable':2,'inexhaustible':2,'former':1,'tail':10,'boiling-point':1,'friction':1,'safety':3,'presentation':1,'activities':1,'turnips':1,'worse':1,'devonian':8,'chameleon':2,'far':9,'coloured':5,'worm.':1,'psychologist':1,'verb':1,'fan':1,'sandstones':1,'fall':3,'difference':2,'forking':1,'accompanying':1,'stimulus':2,'ceaseless':1,'list':1,'applicable':1,'caucasian':1,'large':9,'sand':1,'three-millionth':3,'small':11,'mammal':6,'locomotive':2,'trumpeting':1,'still':2,'fringing':1,'cannonade':1,'197':1,'reins':2,'past':16,'intricate':1,'rate':10,'invention':1,'double-slide':2,'creatures':1,'lung-fishes':1,'swampy':1,'darkness':2,'consumers':1,'clock':3,'deeply':1,'crust':2,'emotions':1,'thickness':3,'public':3,'multitude':1,'movement':2,'creature.':1,'toes':1,'malaria':2,'martians':1,'compilation':1,'loose':3,'component':1,'answers':3,'hours':1,'threads':2,'trunk':1,'directions':1,'strong':2,'transformation':2,'search':2,'teeth':5,'difficulty':1,'riviera':1,'experimenting':3,'unproved':1,'amount':3,'social':3,'action':4,'slope':2,'narrow':2,'elongated':2,'cataract':1,'tides.':1,'family':1,'spawning':3,'utilisation':2,'chalk':1,'globes':2,'vertebrae':2,'extinction':1,'herring':1,'life-histories':2,'taker':1,'eye--we':1,'two':30,'almost':4,'cultivation':1,'soil':3,'mysterious':4,'jurassic.':1,'ovules':2,'minor':1,'more':18,'scotia':1,'door':2,'substances':1,'text.':3,'emission':1,'chimpanzee':5,'instrumental':1,'stick':3,'particular':9,'foundations':1,'straight-haired':1,'weathering':3,'presumed':1,'fleece':1,'primate':2,'science':3,'centrifugal':1,'moisture-laden':1,'lung-fish':1,'lamp-shell':2,'male':18,'radiations':1,'history':14,'beautiful':6,'shark':1,'nautilus':1,'brown':8,'wave.':1,'brain-mind':1,'autumn':2,'sphere':1,'sense':10,'pond':3,'dress':1,'offspring':2,'salts':3,'axis':1,'terrestrial':4,'huge':3,'upbuilding':1,'starting-point':2,'breaking':1,'milk':1,'oligocene':2,'everyday':2,'glowing':2,'friction.':1,'sacred':1,'freezing-point':3,'daughter-cells':1,'creature':17,'simplicity':1,'plant':5,'salt.':1,'paloloworm':1,'trial-and-error':1,'triumphs':2,'plane':1,'pupae':1,'adventure':1,'polynesian':1,'waves':20,'invasion':4,'inconceivable':1,'a':1,'short':4,'dispersion--that':1,'coat':1,'spectra':1,'buns':1,'coal':1,'shore':34,'tentacles':2,'fundamental':8,'egg':4,'triassic.':1,'bustle':1,'pans':1,'infant':1,'earthworm':3,'help':1,'copper':1,'winged':1,'much-disputed':1,'mission':1,'cross':2,'attitude':1,'scientist':1,'lanugo':1,'existence':5,'kinetic':1,'visceral':1,'roots':2,'thirtieth':2,'arteries':1,'thrilling':1,'systema':1,'tickings':1,'lateral':1,'conjugation':1,'actually':2,'bell-animalcules':1,'absence':4,'parts':4,'microscopic':4,'founders':1,'mammal--instinctive':1,'partitions':1,'sheaves':1,'lowell':1,'evening':1,'reappearance':1,'motley':1,'males':2,'primary':5,'framework':2,'walls':5,'iridescent':1,'foot':2,'linking':1,'adventurous':1,'association':2,'cambrian':8,'mystery':2,'slipper':3,'mathematician':3,'ashes':1,'positions':1,'neanderthalers--the':1,'cavendish':1,'physiologically':1,'heavy':3,'reactions':1,'mental':4,'weight':1,'wall-like':1,'colder':1,'hare':3,'notochord':3,'ripple':1,'balance':3,'event':1,'croaking':2,'really':1,'mottled':1,'neanderthal':12,'pigeon':3,'abysses':3,'nautiloids':1,'fountain':1,'dying':1,'issue':1,'prominences':1,'meteoric':1,'foreground':1,'belief':1,'protruding':1,'story':19,'extraordinary':4,'reason':8,'base':6,'brightest':1,'members':7,'heads':2,'earliest':7,'beginning':39,'revolutionary':1,'producers':2,'albatross':1,'american':1,'fruit':1,'circuit':2,'expedient':1,'mangrove-trees':2,'solidly':1,'knots':2,'flood':1,'reversing':1,'moorhen':2,'probability':5,'radical':1,'bullies':1,'song-thrush':2,'antiquity':2,'well-known':3,'dust':2,'scots':1,'warty':3,'soapy':1,'earthworms':2,'idea':10,'horse':10,'tadpoles':2,'temperature':16,'introduction':2,'leading':1,'light-gatherer':1,'least':5,'assumption':1,'statement':2,'scheme':1,'danger-call':1,'muscles':3,'storm':2,'glow':1,'tides--another':1,'immediate':3,'basal':1,'treasures':1,'parr':1,'rifle':1,'prodigious':1,'selenium-cell':1,'modes':1,'kind':5,'observatory':1,'tunic':1,'kindly':1,'parent--little':1,'double':2,'vocal':1,'recording':1,'contrary':1,'risks':5,'egg-cells':1,'head.':1,'playing':3,'anthropoid':10,'stickleback':3,'outstanding':1,'heaviest':3,'ages':8,'well-developed':1,'colour-resemblance':1,'elaboration':1,'egg.':3,'hare--with':1,'organs':1,'gathering':1,'mountain':5,'dancing':3,'speculative':1,'cave':1,'peculiarities':1,'majority':3,'internal':4,'lip':1,'useless':1,'day.':1,'play':3,'electric':13,'capillaries':1,'eggs':21,'measures':1,'salmon':17,'depths':5,'most':67,'alpha':2,'extremely':2,'approved':1,'head-end':1,'equatorial':2,'whalebone':1,'prolongation':2,'clear':1,'instrument':6,'transmissibility':1,'seething':1,'electrons':15,'artistic':1,'velocity':5,'notch':1,'organism':6,'stones':5,'far-flung':1,'open-minded.':1,'gold':1,'fins':1,'wayside':1,'relation':2,'heavens':18,'fine':7,'find':1,'impact':2,'giant':1,'copyright':6,'spineless':1,'nervous':1,'earth-moon':1,'experiment':3,'quadrupedal':1,'circle':1,'indifference':1,'cromagnards':1,'hip':1,'dominant':1,'gains':3,'permission':2,'adventurers':1,'sunny':1,'shore-pools':3,'germ-cells':6,'earth--as':1,'actions':1,'compass':1,'journey.':1,'eye-piece':3,'chick':1,'sleeve':1,'body.':1,'alteration':1,'underlying':1,'common':9,'liver-fluke':1,'river':6,'californian':1,'rhodesian':4,'bars':1,'estuaries':1,'intelligence':3,'touch':2,'individual':15,'migration':1,'long-fingered':1,'walking-stick':1,'close':1,'precursors':1,'arm':3,'spirited':1,'probable':1,'distinctive':1,'taming':1,'smallest':8,'various':13,'conditions':7,'aeons':1,'supposed':1,'beetling':3,'iron':5,'unconscious':2,'web':1,'sole':2,'jaws.':1,'craters':1,'spectroscopic':1,'eustachian':2,'incident':1,'invisible':7,'inertia':1,'colonisation':1,'prospects':1,'last':16,'reverse':1,'distinctively':1,'annual':1,'harpy':1,'sensitive':1,'connection':2,'amoeba':1,'picture.':1,'earth--an':1,'cloud-like':1,'whole':42,'experimental':1,'sloth':1,'point':6,'simple':7,'others':1,'proton':1,'newborn':2,'unicellular':1,'puzzle-boxes':1,'incandescent':1,'unsuccessful':1,'lamprey--a':1,'startling':1,'moon--the':1,'java':8,'miocene':3,'originators':2,'crocodiles':1,'damp':1,'vertebrate':1,'intricacies':1,'secret':6,'maintenance':1,'widening':1,'yolk-laden':1,'empty':4,'modern':25,'flight':1,'squirrel':2,'fire':2,'gas':2,'amphibians':4,'gap':1,'races':1,'formless':1,'indivisible':1,'plants':5,'top--the':1,'solid':5,'straight':1,'bill':1,'routes':1,'pace':1,'error':1,'robin':1,'underground':2,'fore-limb':3,'century':1,'moth':2,'obstacle':2,'cerebrum':1,'simian':3,'atom--the':1,'currents':1,'twofold':1,'forewing':1,'undersides':1,'beune':2,'shorter':1,'stimulated':1,'shad':1,'ray':3,'yucca':6,'composition':2,'higher':14,'unwary':1,'used':1,'optic':1,'u.s.':1,'moving':6,'user':1,'dark':9,'lower':16,'older':1,'spectrum.':1,'people.':1,'consistence':1,'obviously':1,'person':4,'edge':5,'meridian.':1,'scouring':1,'distances':4,'endeavour':1,'migratory':1,'matter.':1,'isolated':1,'shape':7,'atomic':2,'questions':1,'useful':2,'praying':2,'continent':2,'spinners':1,'profitable':3,'superficial':1,'conclusions':1,'scales':3,'humanoid':3,'source':8,'parents':3,'remaining':3,'silken':2,'overhanging':1,'forces':6,'big':11,'sensatory':1,'game':1,'necessary':1,'bit':1,'earth--making':2,'wings':11,'vapour':1,'ponds':1,'photosphere--the':1,'tail.':2,'neanderthaler':1,'shapes':1,'bootlace':1,'well-poised':1,'individuals':1,'popular':3,'disorder':1,'essential':9,'gibbon.':1,'methods':3,'course':24,'spring':3,'last.':1,'back':15,'yolk':1,'diamond.':1,'martian':1,'mighty':1,'sight':1,'steam-engine':1,'curious':1,'gradually':1,'scale':6,'microbes':1,'flux':1,'fifty-millionth':1,'bushy-tailed':1,'pounding':1,'comet':5,'egg-shell':2,'scaly':1,'life-history':3,'object':3,'universe.':3,'protrusible':1,'nasal':1,'agreement':1,'forming':1,'stem':1,'step':1,'more-pork':1,'race--there':1,'nerves':1,'tidal':1,'intense':1,'analysing':1,'web-wing':1,'tortuous':1,'ear-bones':1,'range':2,'gamma':1,'conquest':5,'appropriate':2,'chalk-forming':2,'deep-violet':1,'question':12,'gases':1,'frog':4,'mimicry':2,'mountains':4,'glamour':1,'moon--meteors':1,'atlantic':5,'legs.':1,'atom':27,'adults':1,'coldest':1,'crane':2,'dull':1,'drifters':1,'skull':5,'characteristic':2,'spectroscope':32,'sifting':4,'stalking':1,'planet':17,'exploration':1,'mature':1,'diameter.':1,'sea-urchin':1,'x-ray':1,'non-living':1,'aerial':1,'protrusive':1,'flow':5,'paving-stones':1,'influence':2,'entrance':3,'metals':1,'char':1,'problem.':1,'single':1,'diving':1,'kidney':1,'cotton':1,'rainbow':4,'intrepid':1,'puzzling':1,'prerogative':1,'uranium':2,'occasional':1,'reputation':1,'electrical':1,'amphibian':2,'milk-glands':1,'elements':4,'small-brained':1,'energetic':1,'beginnings':3,'crouching':1,'backbone':8,'problems':1,'lens':2,'meaning':9,'restoration':7,'fruit-fly':1,'fishes':8,'stoppages':1,'sides':4,'structure':8,'land':7,'age':8,'orbit':2,'unhatched':2,'big-brained':2,'once':3,'hampton':2,'saying':1,'results':9,'mantle':2,'aristocrat':1,'conservative':1,'disintegration':2,'magnifying':1,'depletion':1,'young':42,'arid':2,'cradle':5,'blaze':1,'masculine':2,'coco-palms':1,'details':2,'gravel':1,'little-brain':5,'stupefying':1,'breathing':2,'club-moss':1,'wave':1,'electron':19,'entire':7,'archaeopteryx':2,'stiff':1,'fur':1,'button':1,'anxious':1,'race':10,'verdict':1,'sedentary':3,'poles.':1,'blood-fluid':1,'elk':1,'smaller':5,'booty':1,'lightest':3,'procession':3,'euphrates':1,'rivers':9,'noise':1,'munitions':1,'sifting-out':1,'makers':1,'scientific':9,'south':10,'zest':1,'opaque':1,'waning':1,'paddle':1,'hereditary':1,'ape-man':1,'indian':3,'poles':4,'flowing':1,'bird':18,'body':50,'hypothesis':3,'degree':3,'leg':4,'kangaroo':1,'outlying':1,'youngest':2,'growing':1,'river.':1,'boot.':1,'separation':2,'frilled':1,'consideration':1,'physiology':1,'little-brained':1,'extreme':1,'stellar':4,'great':80,'northern':1,'wandering':1,'larger':5,'haunts':3,'resulting':1,'mussel':1,'guidance':1,'apple':1,'danger':1,'round-mouths':1,'wit':3,'motor':5,'oval':2,'precursor':1,'singing':1,'ape':2,'nest':13,'use':9,'fee':2,'adaptation':2,'stream':8,'remains':9,'cretaceous':3,'next':14,'few':1,'contractile':1,'crab':9,'vehicle':2,'eagles':1,'doubling':1,'simpler':2,'mammoth':2,'sort':1,'grandest':3,'clever':1,'inclined':4,'rarest':1,'bodily':2,'rabbit':1,'baby':1,'gambian':2,'harvest':2,'sea-floor':2,'animals':11,'embryos':5,'lapse':1,'recession':1,'obvious':1,'thin':1,'closing':3,'interlinked':1,'proof':1,'control':3,'weaker':1,'corpuscular':1,'process':10,'purposes':1,'pieces':1,'high':5,'electro-magnet':1,'non-radiant':1,'water.':1,'bones':2,'wonderful':7,'voice':8,'class.':1,'united':13,'varied':2,'defective':1,'shasta':1,'nearness':2,'arrangement':4,'cycads':1,'need':2,'seeds':4,'forest':7,'animal':43,'hormones':1,'mysteries':1,'intelligent':2,'stock':1,'cave-men':1,'maternal':1,'yolk-sac':1,'gill-clefts':1,'waters':7,'thunderstorm':2,'collection':2,'tack':1,'wrist':2,'trees':7,'multiplication':4,'venation':1,'famous':2,'snail':3,'light':39,'lines':6,'interrupted':1,'element':3,'chief':9,'okapi':2,'alloy':1,'locomotor':2,'mud-minnows':1,'immensity':1,'longest':7,'spider':8,'evolutionary':4,'thigh':1,'unpalatable':1,'minnow':1,'egg-laying':1,'nerve-cord':1,'earth':193,'triassic':6,'polished':1,'brittle':1,'bunch':1,'industries':1,'1':2,'outer':7,'exclusion':1,'positively-electrified':1,'coral-reefs':2,'hermit-crab':7,'meantime':1,'beginning--whatever':1,'permanent':1,'duckweed':1,'molten':1,'world.':2,'image':1,'originator':2,'epoch-making':1,'junction':1,'future.':1,'orthodox':1,'dam':1,'material':9,'innermost':1,'cock-paidle':1,'phagocytes':1,'snake':1,'hands':2,'front':6,'rotation':5,'cage':1,'day':15,'articles':1,'crumb-of-bread':1,'mastery':2,'establishment':9,'university':2,'sky.':1,'concave':1,'blazing':1,'vibrations':1,'trap':1,'truth':1,'pools':3,'cocoon':1,'paler':1,'traces':1,'erratic':1,'female':12,'tension':1,'scanty':3,'globe':6,'cultivated':1,'mollusc':1,'frequency':1,'sands':2,'irregularities':1,'special':1,'ebooks':1,'suctorial':2,'cerebral':1,'knickerbocker':1,'inch':1,'gossamer':1,'protoplasm':1,'cross-fertilisation':1,'oriental':1,'pendent':1,'adaptive':1,'cause':2,'red':9,'harvest-mouse':1,'thrush':6,'spot':2,'withering':1,'activity':3,'incalculable':1,'body-cavity':1,'usual':7,'qui':1,'primus':1,'sitting':1,'shortest':3,'young--a':1,'allies':1,'g':1,'route':1,'area':4,'times':2,'length':9,'keel':1,'modernising':1,'barriers':1,'empire.':1,'gamekeeper':1,'embryo':6,'finest':3,'baleen':1,'powerful':1,'scene':2,'bonnet':1,'improvements':1,'placental':1,'owner':4,'scent':1,'two.':1,'salient':1,'monkey':2,'system':4,'ripples':1,'nebular':8,'accretion':1,'caterpillars':2,'under-water':1,'nut':2,'inner':7,'shell':12,'x-rays':8,'explanation':4,'secretion':1,'natural':12,'waist':1,'plumage':1,'photograph':5,'glow-worm':1,'quietness':1,'isolation':1,'well-established':1,'discriminating':1,'heavens.':1,'dynamo':3,'stricter':1,'steep':2,'spurs':1,'ingenious':1,'imaginative':2,'sea':46,'lightly':1,'wood-cock':1,'partnership':1,'poisons':1,'variable':2,'mongolian':1,'throat':1,'apparently':2,'bark':1,'seed-box':2,'complete':3,'pollen-tubes':1,'eye-hole':1,'outward':1,'pectoral':1,'ungirt':1,'tree-frogs':1,'centre':8,'digestive':1,'eight':2,'roadside':1,'flat-fish':1,'emancipation':2,'cleverest':2,'food-canals':1,'profoundest':1,'ancestors':5,'so-called':6,'inexorable':1,'consequences':2,'deccan':1,'ovum-producer':1,'face':3,'animal--perhaps':1,'mechanical':1,'occasion':3,'fact':31,'impression':4,'atmosphere':9,'selection':1,'best-defined':1,'chances':1,'text':4,'woolly':1,'pinhead':1,'sabre-toothed':1,'seaweed':3,'rough':1,'darkest':1,'photograph.':1,'principal':1,'water-vapour':2,'knowledge':1,'jaw':4,'mid-europe':1,'jar':1,'surroundings':3,'insectivores':1,'molecules':17,'inherited':1,'b':1,'local':1,'hope':2,'photographs':2,'handle':2,'exceptional':1,'familiar':2,'background':3,'words':2,'striped':1,'emmer':1,'areas':1,'processes':1,'belts':1,'numerous':4,'cells':1,'taxes':1,'insectivorous':1,'coco-nut':1,'stuff':3,'inter-relation':1,'limpet':1,'making.':1,'embryonic':1,'generations':1,'view':4,'spotted':1,'interstices':1,'universe--the':2,'packet':1,'distantly':1,'intensity':3,'legacy':1,'cenozoic':3,'violet':1,'cleverer':2,'luminous':2,'carboniferous':13,'humblest':2,'nebulae':1,'wire':5,'pedigree':1,'jurassic':5,'pattern':1,'nebula':5,'genius':1,'state':5,'quickest':1,'carapace':2,'hebrides':1,'routine':3,'progress':3,'open-sea':2,'kidneys':3,'attention':3,'explosive':1,'ability':1,'rotating':1,'importance':4,'hurrying':1,'seaweeds':2,'kea':2,'efficiency':1,'wingless':1,'hoatzin':2,'acquisitions':2,'key':3,'eyes.':1,'precious':2,'swift':1,'problem':14,'sediments':1,'limits':5,'cranial':1,'minds':2,'pulp':1,'figures':1,'sexes':2,'plankton':1,'chest':2,'conflagration':1,'wall':2,'wavy-to':1,'mid-rib':2,'animalcule':1,'table':1,'zinc':4,'provinces':1,'palm-bones':1,'tremendous':1,'discrimination':2,'trademark':3,'dazzling':1,'immense':4,'reindeer':2,'squatting':1,'slowly':1,'curtain':1,'feather':1,'waste':1,'senses':3,'controlled':1,'received':1,'coherence':1,'sub-aquatic':1,'bulk':1,'environment.':1,'angler':3,'food-canal':5,'present':15,'associated':1,'crowds':1,'appearance':5,'will':1,'country':1,'wild':8,'discoveries':2,'supply':2,'comets':1,'spectrum--should':1,'food-debris':1,'streams':2,'chaotic':1,'blood':20,'bumbling':1,'surface':50,'raison':1,'bugbear':1,'greater':1,'watchful':1,'jaws':1,'pit':1,'carbohydrates':1,'richness':1,'radiation':2,'forceps':2,'fashioning':1,'romance':5,'strange':1,'exuberance':1,'flower':2,'geographical':1,'ante-natal':2,'well-grown':1,'firmament':1,'neolithic':3,'ball':1,'dusk':2,'appearances':2,'effect':6,'experimenter':1,'colouring':1,'student':2,'fierce':2,'frequently':1,'whale':3,'wonder-world':1,'colour':12,'banded':1,'larvae':1,'ear-passage':2,'english':2,'position':1,'wreckage':1,'drawing':1,'latest':2,'reefs':1,'enormously':4,'flesh':2,'wren':1,'faunal':1,'domestic':1,'flywheel':2,'satellites':1,'ermine':2,'stored':1,'distant':3,'inturned':1,'cuckoo-spit':2,'protecting':1,'glue':1,'wrens--to':1,'grappling':1,'rapid':2,'ovum':3,'work.':1,'antarctic':2,'bell':5,'sky':7,'deposits':2,'transparent':3,'reasons':3,'wet':2,'usage':1,'ought':1,'characteristically':1,'meteor':1,'fate':2,'disappearance':1,'biologists':1,'smithsonian':10,'originative':1,'prominent':2,'loss':1,'backboned':1,'like':11,'success':1,'safest':1,'parasite':2,'colonising':1,'leaves':2,'works':2,'soft':4,'radiant':1,'heel':2,'wonders':3,'glare':2,'ages--evolution':1,'thymus':1,'phenomena':4,'mosquitoes':1,'eventfulness':1,'growth':3,'warmer':1,'past.':1,'proper':2,'trammels':1,'employment':1,'mother':12,'recognition':1,'possibilities':1,'leaf':6,'broad':4,'separate':1,'ether':27,'tadpole':3,'magnitude':2,'board.':1,'fruition':1,'biology':1,'scapula':1,'butterfish':1,'decline':1,'tenability':1,'paper':4,'pressure':3,'host':5,'instinct':2,'germination':1,'brain-box':1,'dredge':1,'transformations':1,'actual':8,'extension':2,'electron--the':1,'universe':37,'certainty':1,'preen':1,'andes':1,'carrier':1,'dominion':1,'rock-record':1,'flattened':1,'tongue':3,'contending':1,'letters':1,'fresh':2,'primal':1,'chemists':1,'wearisome':1,'promise':1,'erect':3,'times.':1,'registration':1,'protozoa':3,'swimmers':1,'mere':4,'endeavours':1,'parentage':1,'sticklebacks':2,'additional':2,'zoologist':1,'slow-worm':1,'museum':2,'larval':3,'spiral':3,'spots':4,'continental':1,'much':4,'invisibility':1,'cell.':1,'biggest':2,'maze':1,'breeding':4,'mouth.':3,'function':1,'funnel':1,'north':11,'gait':1,'repeated':1,'construction':1,'highest':8,'bug':1,'bud':1,'eel':2,'tactics':2,'cohesion':1,'places':2,'volplaning':1,'gravitational':3,'official':2,'smooth':1,'triumphant':1,'poker.':1,'record':1,'projecting':1,'lynx':2,'static':1,'distribution':1,'piece':4,'stirring':1,'supreme':1,'mesozoic':7,'universal':5,'penny':2,'whelk':2,'persistent':1,'water-vole':1,'ten-millionth':1,'elaborate':1,'tide.':1,'education':1,'domesticated':1,'atom--that':1,'mutual':2,'variety':4,'deadly':1,'fore-arm':3,'forests':2,'other':65,'boom':1,'branch':3,'mass':8,'wing':5,'chemist':1,'conclusion':6,'sunshine':2,'kinds':1,'tides':17,'variation':1,'enlargement':2,'astronomy':1,'exposure':1,'ranks':2,'space':1,'pigment-cells':1,'rule':4,'forest.':1,'eighties.':1,'inset':1,'half-second':1,'meteoritic':1,'sun--the':2},'marsupials':{'insectivorous':1,'on':1,'where':1},'musical':{'genius':2},'kinship':{'would':1},'deep-red':{'light':1,'waves':1},'unified':{'by':1},'macaque':{'second':1,'genus':1},'indigo':{'and':1,'to':1,'salicylic':1,'for':1,'in':1},'kale':{'and':1},'quoted':{'tells':1},'photo':{'press':1,':':164,'press.':1},'newton':{'because':1,'for':4,'except':1,'s':1,'taught':1,'worked':1,'was':1},'wasps':{'exhibit':1,';':1,'are':1,'.':1},'cap.':{'illustration':1},'thanks':{'to':2},'victim':{'to':1,'unawares.':1,'.':1},'upturned':{'side':1},'triticum':{'hermonis':1},'electronically':{'the':1,'in':1},'thyroid':{'and':1,'the':1,'.':1},'fearful':{'crime':1},'hills':{'and':2,'the':1},'evidences':{'perhaps':1,'of':5},'passive':{'the':1,'drifters':1,'in':1},'alchemy':{'but':1},'belongs':{'to':1,'was':1,'illustrates':1},'transformed':{'for':1,'descendants':1,'into':2,'directly':1,'guise':1,'by':1,'descendant':1},'board':{'a':1,'nail':1,'ship':1,'with':1,'in':1},'marginal':{'tentacles':1},'industrious':{'but':1},'openings':{'from':1},'photographed':{'from':1,'in':2},'boxed':{'in':1},'them--as':{'a':1},'required.':{'it':1},'caps':{'may':1,'on':1},'it--for':{'several':1},'fusion':{'of':3},'god.':{'nevertheless':1},'argonauta':{'an':2},'cape':{'colony':1},'rough-and-tumble':{'conditions':2},'retreat':{'but':1,'.':1},'hairless':{'whale':1},'utilisation':{'of':2,'was':1},'insurgent':{'nature':1},'cooler':{'vapours--the':1,'than':1,'they':1},'lapsed':{'intelligence':1},'sand-hoppers':{'and':1,'when':1},'evidence.':{'experiments':1},'homing':{'pigeons':1,'pigeon':2},'night':{'and':5,'means':1,'of':1,'is':2,'between':1,'when':2,'algol':1,'.':3,'to':2,'year':1,'the':1,'with':1,'or':1},'security':{'not':1,'that':1},'amoebae':{'and':2,'in':1},'cooled':{'down':2,'and':1,'so':1,'at':1},'dentition':{'but':2},'webb':{'celestial':1},'portuguese':{'man-of-war':2,'men-of-war':1},'bricks.':{'in':1},'lashes':{'or':1},'sends':{'to':1,'on':1},'3030':{'0':1},'1909':{'showing':1,'23':1},'fully-formed':{'creature.':1,'eel.':1,'young':1},'odours':{'a':1},'minnow--the':{'mind':1},'lashed':{'cells':1},'waves--which':{'are':1},'vertebrae':{'forming':1,'of':1,'as':1,'which':1,'.':2},'rill':{'of':1},'orchid':{'perched':1},'signifying':{'particular':1},'asking':{'the':1,'an':1},'lassoes':{'on':1},'month.':{'surprising':1},'colour-cells':{'chromatophores':1,'in':1},'beating':{'seconds':1,'heart':1,'of':1},'columbus':{'voyages':1,'.':1},'states.':{'1.e':1},'view':{'and':2,'that':6,'of':17,'is':3,'primary':1,'.':1,'will':1,'their':1,'maintained':1,'does':1,'which':1,'instinctive':1},'confer':{'upon':1},'illustration':{'24':1,'and':2,'144':2,':':233,'20':1,'that':1,'may':1,'158':1,'showing':2,'indicates':1,'74':1,'168':1,'of':10,'252':1,'280':1,'92':1,'172':1,'is':3,'shows':3},'constructive':{'chemical':1,'possibilities':1},'--these':{'also':1},'six.':{'beyond':1,'it':1},'peer':{'of':1},'taker':{'of':1},'post':{'shows':1},'properties':{'and':1,'of':1,'utterly':1,'attributed':1},'takes':{'stones':1,'on':1,'in':1,'up':1,'approximately':2,'air':1,'to':4,'place':1,'a':3,'time':2,'fresh':1,'the':1,'place.':1,'its':1,'at':1},'chaff':{'separated':1},'theirs':{'certainly':1},'coral':{'and':1,'islands':2,'built':2,'have':1},'months':{'and':1,'within':1,'old':2,'of':3,'after':1,'in':2,'from':1,'the':1,'before':1,'more':1},'constituting':{'that':1},'gentler':{'hills':1},'self-preserving':{'and':1},'horizon':{'the':1},'octopus':{'attacking':2},'serviss':{'curiosities':1},'considerations':{'there':1},'dilemma':{'of':1},'scantier':{'light':1},'pays':{'an':1},'crittur':{'on':1},'float':{'idly':1,'apart':1},'bound':{'to':3,'into':1,'up':1,'by':3},'gearing':{'it':1},'loin':{'and':1},'capped':{'with':1},'magnified.':{'is':1,'the':2,'illustration':1},'formidable':{'forelegs':1,'teeth.':1},'palaeozoic':{'the':1,'nine':1,'mesozoic':1,'era':4},'tint.':{'thus':1},'strangely':{'limited':1,'regular':1},'fight':{'but':1},'conservation':{'of':1},'way':{'and':6,'rooks':1,'specially':1,'remarkable':1,'acquired':1,'into':1,'we':5,'see':1,'through':2,'are':1,'in':10,'offshore.':1,'herring-gulls':1,'from':3,'for':2,'how':1,'there':1,'.':14,'note':1,'to':7,'which':4,'14':1,'out':1,'was':1,'over':1,'gave':1,'round.':1,'begins':1,'comparable':1,'arises':1,'aspects':2,'extend':1,'that':3,'ancestral.':1,'however':1,'but':1,'it':1,'never':1,'along':1,'with':4,'by':1,'he':1,'a':1,'like':1,'of':24,'as':2,'so':1,'back':1,'each':1,'the':7},'wax':{'from':1},'editions':{'will':2,'all':1,'means':1},'dorsal':{'vertebrae':2},'was':{'all':1,'just':2,'less':2,'caused':1,'able':1,'satisfied':1,'discovered':8,'astonished':2,'taken--the':1,'stored':1,'through':1,'still':2,'nearer':1,'certainly':1,'vigorously':1,'also':3,'thinking':1,'much':1,'regarded':1,'exercising':1,'actually':1,'to':3,'finally':1,'spread':1,'bridged':1,'hidden':1,'foster-parent':1,'sent':1,'brown':1,'watching':1,'prevented':2,'replaced':1,'possible':1,'possibly':1,'five':1,'altogether':1,'not':16,'during':2,'associated':2,'now':2,'continued':2,'killed':1,'forty-five':1,'wont':1,'rotating':2,'like':2,'shaped':2,'heaved':1,'joined':1,'twice':1,'found':6,'entirely':1,'spotted':1,'the':49,'set':2,'often':1,'hinted':1,'achieved':1,'absolutely':2,'hard':1,'some':1,'somehow':1,'dead':1,'observed':1,'born':1,'semi-tropical':1,'taught':1,'enhanced':1,'further':1,'extended':1,'perfected':1,'out':1,'established':1,'ultimately':1,'said':1,'imported':1,'placed':2,'unable':1,'probably':8,'neither':1,'ever':1,'filled':1,'freed':1,'condensed':1,'felt':2,'never':2,'quite':1,'by':3,'following':1,'protection':1,'practically':1,'sixty':1,'drawn':1,'joule':1,'promptly':1,'beginning':1,'implicit':1,'suggested':1,'on':1,'about':2,'grist':1,'created':1,'of':1,'barely':1,'later':1,'accomplished':1,'conveyed':1,'unknown':1,'asked':1,'first':1,'composed':1,'raised':1,'already':1,'followed':1,'merely':1,'marked':2,'one':5,'brought':2,'soaring':1,'because':1,'done':1,'cultivated':1,'elementary':1,'proved':2,'noticed':3,'repopulation':1,'doubtless':2,'once':5,'given':3,'invented':2,'from':1,'twenty':1,'due':2,'long':1,'quickly':1,'going':1,'punished':1,'too':4,'taken':2,'formed':1,'laboriously':1,'until':1,'opposed':1,'only':3,'that':4,'happily':1,'mind':2,'offered':1,'continuous':1,'but':2,'direct':1,'repeated':1,'part':2,'known':3,'trying':1,'true':1,'travelling':1,'he':2,'applied':2,'made':4,'this':1,'crossed':1,'originally':3,'immaterial':1,'premature':1,'sometimes':1,'cast':1,'near':1,'accustomed':1,'believed':1,'making':1,'called':2,'at':3,'150':1,'discovered.':1,'constant':1,'then':2,'almost':1,'thus':1,'it':2,'slowing':1,'an':5,'something':1,'in':9,'distinguishable':1,'any':3,'constructed':1,'effected':1,'dimly':1,'no':7,'perhaps':2,'when':1,'isolated':1,'evidently':1,'shorter':1,'.':2,'ordinary':1,'first--began':1,'fairly':1,'used':1,'tried':1,'emotionally':1,'living':1,'conceived':1,'upon':1,'most':2,'moving':1,'destined':2,'propagated':1,'aware':1,'subsequently':1,'a':40,'off':1,'happening':1,'largely':1,'broadened':1,'stronger':1,'or':1,'exceedingly':1,'implied':1,'so':4,'persistently':2,'very':4,'underrated':1,'swimming':1,'sounded':1,'refused':1,'repeopled':1},'war':{'would':1,'mr':1,'museum.':4,'note':1,'to':1,'in':1,'was':1,'254':1},'lowest':{'mammals':1,'pleistocene':1,'there':1,'.':1,'tide':1,'human':1,'arm':1,'first':1},'gaseous':{'state':1,'nebula':3,'nebulae':2,'ring':1,'.':1},'wheatfields':{'were':1},'afresh':{'and':1,'to':1},'fish-eater':{';':1},'becoming':{'longer.':1,'a':2,'longer':1,'suddenly':1,'of':1,'stereotyped':1,'.':2,'almost':1,'complicated':1,'either':1,'in':2,'linking':1,'adapted':1,'more':1},'converse':{'process--a':1},'peninsula':{'of':1,'it':1},'mysterious':{'phases':1,'rays':3,'force':1,'sailing':1,'universe':1,'as':1,'manifestations':2,'forces':1,'cold':1},'quiet-flowing':{'stretches':1},'needles':{'and':1,';':1},'same.':{'a':1},'astonished':{'to':2,'euclid':1},'true':{'flier':2,'is':1,'sense':2,'multicellular':1,'as':2,'in':4,'even':1,'to':1,'ventral':2,'nature':2,'when':1,'.':4,'also':1,'water-spider':1,'circle':1,'bird.':1,'we':1,'flight':1,'that':6,'men':1,'but':1,'fishes':1,'lids':1,'of':6,'mimicry.':1,'the':1,'or':1},'absent':{'of':1,'from':1},'edition.':{'most':1},'reproductive':{'and':1,'cells':1,'organs':3},'ancestral':{'forms':2,'home':1,'stocks':1},'maximum':{'abundance':1,'as':1,'sparseness':1,'in':1,'disclaimer':1},'arc-lamp':{'is':1},'generosity':{'which':1},'emotional':{'art':1,'halo':1},'emit':{'light':2,'but':1},'hotter':{'and':1,'than':1,'.':2,'at':1,'the':1,'until':1},'frederick':{'matter':1,'soddy':1},'muscular':{'appendages':1,'arrangements':1,'system':1},'evidence':{'for':2,'e.g':1,'of':12,'is':1,'there':1,'1':1,'to':1,'that':3,'are':1,'in':2,'suggesting':1,'the':1,';':1},'guessed':{'at':1},'juice.':{'illustration':1},'promised':{'land':2},'prayer':{';':1},'20':{'of':1,'000':1,'reproduced':1,'ounces':1},'life--story':{'of':1},'archive':{'foundation':12,'foundation.':1},'physical':{'and':2,'strength':1,'laboratory.':2,'constitution':1,'basis':1,'universe':1,'environment':1,'renaissance':1,'peculiarities':1,'medium':2,'fact':1,'type':1,'laboratory':1,'conditions':1,'change':1},'curiosities':{'of':1},'dimly':{'guessed':1,'unveiled':1,'aware':1},'dying':{'a':1,'--the':1,'suns':2,'of':1,'sec':1,'sun':1},'40-inch':{'refracting':2,'refractor':2},'reality':{'even':1,'of':3,'one':1,'by':1,'.':3},'pickering':{'thinks':1,'another':1},'holding':{'a':2,'firm':1,'them':2,'her':1,'on':1,'up':1,'fast':3,'their':1},'test':{'the':1,'variations':1,'what':1},'shrink':{'amazingly':1,'into':1,'by':1,'in':1},'robber-crab':{'birgus':2,'as':1,'with':1,'which':2,'for':1},'ordovician':{'the':1,'period':3},'brothers':{'may':1,'.':1},'welcome':{'realisation':1},'convincing':{'impression':1,'enough':1,'quality':1,'though':1},'anatomist':{'sir':1},'walton':{'the':1},'scores':{'of':3},'dissipation':{'of':1},'ours.':{'sec':1},'promise.':{'each':1},'kelts':{'after':1},'interval':{'of':1},'together':{'and':5,'as':5,'result':1,'in':4,'again':2,'by':3,'make':1,'.':3,'to':2,'you':1,'ever':1,'do':1,'again.':1,'but':1,'they':1,'with':2,';':1,'a':3,'of':1,'loosely':1,'so':3,'the':1},'brocklehurst.':{'a':2,'the':2},'beds':{'of':5,'which':1,'were':1},'reception':{'that':1},'sporozoa':{'like':1},'marinus':{'120':1,'which':1},'tigris':{'and':1},'concept':{'and':1,'of':1,'man':1},'impulse':{'to':2,'or':2},'phosphorescence':{'.':1},'aptitudes--power':{'of':1},'dance':{'but':1},'fulcrum':{'for':1},'brownian':{'movement':5},'contingencies--the':{'risk':1},'dalton':{'who':1,'.':1},'tenable':{'now.':1},'layers':{'that':2,'of':4,'into':1,'envelop':1,'.':1,'below':1},'certainly':{'they':1,'scanty':1,'serve':1,'due':1,'been':1,'one':2,'deserves':1,'is--but':1,'not':1,'white':1,'an':1,'was':1,'tells':1},'zone':{'on':1,'there':1,'was':1,'between':1},'shrinkage':{'of':2,'.':1},'hump':{'would':1},'flash':{'from':1,'across':1,'lasts':1},'absorbing':{'dry':1,'matter':1,'some':1},'fog':{'as':1},'permanently':{'like':1},'rhythm':{'which':1},'division':{'of':7,'or':2},'protective':{'resemblance':9,'significance--called':1,'capacity':1,'coloration':6},'sockets':{'along':1},'diminish':{'to':1},'particles.':{'the':1,'they':1},'liability':{'to':2,'costs':1,'breach':1},'aesop':{'prawn':3},'corals.':{'the':1},'mendelism':{'and':1},'trouble':{'than':1},'maternal':{'chromosomes.':1,'call':1,'virtue':1,'care.':1,'origin.':1,'affection':1,'care':1},'brows':{'and':1},'feeble':{'and':1,'current':1,'life':1},'rotating':{'on':1,'about':1,'quicker':1,'faster':2,'very':1,'flywheel':2,'disc':4,'earth':1,'immensely':1,'with':1,'round':3},'perceived':{'the':1,'.':2,'what':1,'either':1},'respiratory':{'system':1,'surface':1},'scandinavia':{'showing':2,'138':1,'141':1},'presented':{'alternately':1,'them':1,'simultaneously':1},'altering':{'the':1},'turns':{'on':2,'always':1,'upon':1,'to':1,'the':1,'round':1},'gun':{'that':1},'gum':{'is':1},'ox':{'and':1},'p':{'.':10},'means--resides':{'in':1},'revolutionised':{'physics':1},'gut':{'is':1,'which':1},'sloths':{'and':1},'woven':{'somehow':1},'upper':{'side.':1,'atmosphere':1,'eyelid':1,'fish':1,'pliocene':1,'reaches':3,'corner':1,'arm':1,'or':2,'pleistocene':2,'cretaceous':1,'regions':1,'parts':2,'lip':3,';':1,'hand':1,'diagram':1,'part':2,'surface':4,'cambrian':1,'photograph':1,'air':1,'side':1},'revolution':{'of':1,'diameter':1,'in':3},'full-grown':{'fish':1,'salmon':1,'shore-crab':1,'individual':1,'the':1,'creature':1},'penetrates':{'the':1},'spoonbill':{'s':2},'d':{'etre':1,'.':1},'niggardly':{'for':1},'affiliation':{'to':1,'with':1},'semi-tropical':{'for':1},'cost':{'and':2,'fee':1,'when':1,'but':1},'change-provoking':{'cross-fertilisation.':1},'helpless':{'that':1},'penetrated':{'further':1,'into':3},'cargo':{'that':1},'appear':{'and':1,'a':1,'it':1,'.':1,'to':9,'as':1,'much':1,'denser':1,'prominently':1,'white':1},'assistance':{'they':1},'burrowers':{'and':1,'like':1},'uniform':{'and':2,'set':1,'temperature':9,'teeth':1},'wave-motion':{'in':1},'eight-armed':{'cuttlefish':2},'illustrations':{'facing':1,'of':2,'all':1,'are':1,'among':1},'shared':{'the':1,'with':1,'equally':1,'by':1},'flame.':{'perhaps':1},'sea-cucumbers':{'lamp-shells':1},'institutions--all':{'must':1},'alertness':{'and':1,'of':1,'along':1,'is':1},'safety.':{'we':1},'supporting':{'and':1,'axis':3},'anvil.':{'as':1},'whiteness':{'may':1,'makes':1,'.':1},'disclaim':{'all':1},'suckers':{'which':1},'sieve':{'incalculable':1},'teacher':{'and':1,'always':1,'the':1,'between':1},'change':{'whose':1,'by':1,'abundant':1,'from':1,'of':9,'into':1,'in':6,'but':1,'.':2,'produced':1,'till':1,'every':1,'they':1,'reorganisation':1,'need':1,'the':1,':':1,'its':2,';':2,'is':1},'sending':{'a':1,'out':1},'illustration.':{'such':1},'flames':{'are':1,'rose':1,'from':1,'peeping':1,'of':1},'impatiently':{'postulated':1},'precursor':{'of':1},'twenty-seven':{'of':1},'vibrating':{'or':1},'trial':{'and':5,'of':1,'the':1,'was':1},'pictorial':{'diagram':1,'representation':3},'usually':{'about':1,'formed':1,'in':3,'longer':1,'produces':1,'very':1,'regarded':2,'work':1,'credited':1,'back':1,'rank':1,'less':1,'multiplies':1,'coming':1,'got':1,'given':1,'disappears':1,'creep':1,'mean':1},'locomotion':{'and':1,'becomes':1,'it':1,'192':1,'which':2,'the':1},'432':{'times':1},'inference':{'we':1,'when':1,'but':1,'.':1,'reason':1,'in':1,'not':1,'or':1},'saunders':{'with':1,'hit':1,'so':1},'stimulus.':{'2':1},'keenness':{'of':1},'sign':{'of':2},'marked':{'a':1,'on':1,'superficial':1,'off':2,'and':1,'d.p.':1,'h':1,'differences':1,'up':1,'vm':1,'by':8,'rotting':1,'fusion':1,'5':1,'in':3,'the':2,'changes':1,'than':1,'as':1},'outfly':{'a':1},'italians':{'punics':1},'seashore':{'and':2,'animals':1,'into':1,'.':1,'sponge':1,'to':1,'through':1,'struggle':1,'in':1,'birds':1},'comets--millions':{'of':1},'capacious':{'and':1,'mouth':1},'illumination':{'is':1,'or':1,'would':1},'rarely':{'seen':1,'over':1,'hinted':1,'dying':1},'pressure--2-1':{'2':1},'stingy':{'for':1},'cuttlefishes':{'which':1,'are':1,'have':1,'in':1,'the':1,'where':1,'by':1},'terminal':{'chamber':1},'breed.':{'there':1},'stereoscopic':{'vision':1},'primrose':{'among':1},'prove':{'to':1,'the':3,'his':1,'that':2},'time-table':{'the':1},'territories':{'of':1},'live':{'a':1,'on':4,'equally':1,'for':1,'independent':1,'far':1,'is':1,'there':2,'among':1,'much':1,'in':5,'the':1,'comfortably':1},'spontaneity':{'on':1},'wonderfully':{'supplemented':1,'rapid':1,'complete':1,'energetic':1},'bluffing':{'on':1},'1.e.8.':{'1.b':1},'angels':{'crowned':1},'entrance':{'and':1,'to':2},'water-ouzel':{'or':1},'cluck':{'when':1},'regrowing':{'them':2},'envelope':{'immediately':1,'or':1,'stops':1,'of':1},'planarian':{'worms':1},'clue':{'to':2},'grilse':{'and':1,'stage':1},'envelops':{'our':1,'the':1},'clumps':{'of':1},'duck-ponds':{'or':1},'migrants':{'from':1},'haddington':{'of':1},'nature--on':{'which':1},'theory--spiral':{'nebulae--the':1},'wolf-dog':{'226':1,'an':1},'cat':{'a':1,'could':1,'has':1,'or':2},'hardest':{'solid':1,'steel':1},'gathers':{'on':1,'more':1},'can':{'control':1,'now':2,'think':1,'divide':1,'be':63,'almost':1,'move':1,'notice':1,'sting':2,'replenish':1,'outfly':1,'say':5,'harness':1,'exist':1,'expect':1,'have':1,'re-utilise':1,'go':1,'dissolve':1,'to-day':1,'discern':1,'glimpse':1,'detect':2,'from':1,'calculate':1,'no':1,'always':1,'transfer':1,'make':4,'offer':1,'help':1,'only':5,'continually':1,'also':2,'live':1,'call':2,'therefore':1,'transmit':1,'survive':5,'hardly':4,'tell':3,'hope':1,'take':2,'breathe':1,'do':4,'we':1,'trace':1,'get':2,'afford':1,'never':1,'use':1,'discover':1,'observe':1,'unfurl':1,'recognise':1,'imagine':4,'distinguish':1,'affect':1,'copy':1,'fly':1,'reveal':1,'extend':1,'in':2,'apprehend.':1,'receive':1,'ever':1,'conceive':1,'work':1,'well':1,'see':4,'retain':1,'grind':1,'credit':1,'remain':1,'succeed':1,'form':1,'confidently':1,'easily':4,'become':1,'weigh':1,'the':1,'assign':1,'travel':1},'thirty-five':{'seconds':1,'minutes':1},'metamorphosis':{'the':1,'.':1},'stimulating':{'and':1,'conditions':1,'change':1},'http:':{'www.pgdp.net':2,'www.pglaf.org.':1,'www.gutenberg.org':2,'gutenberg.org':1,'pglaf.org':4},'heart':{'a':1,'for':1,'of':5,'there':1,'it':1,'.':1,'true':1,'or':1},'pauses':{'in':1},'expanding':{'during':1,'fan':1},'apartness':{'there':1,'from':1},'heard':{'not':1,'of':2,'the':1,'felt':1,'than':1},'chin':{'and':1,'process':1,'.':3},'clothing':{'and':1,'with':1},'occur':{'and':2,'only':1,'also':1,'near':1,'in':4,':':1},'candle;':{'the':1},'infantile':{'call':1,'mortality':3},'dispositions':{'of':1},'discussion':{'of':1,'there':1},'starch':{'and':1,'molecule':1,'.':1},'sandstone':{'was':1,'or':1},'condensation.':{'spiral':1},'offspring':{'and':1,'for':1,'of':1,'is':2,'.':2,'mate':1,'at':1},'nowhere':{'do':1},'despair':{'returned':1},'candle.':{'it':1},'actual':{'photographs':1,'distance':1,'solution...':1,'constitution':1,'temperature':2,'centre':1,'photograph':1,'entity':1,'direct':1,'observations':1,'historical':1,'mechanical':1,'precipitate':1,'dimensions':1},'future.':{'4':1},'familiar':{'case':1,'hum':1,'is':1,'in':2,'type':1,'with':3,'example':1,'fact':1},'over-population':{'and':1,'in':1},'brine-shrimp':{'artemia':1},'dominance':{'of':1},'economy':{'of':2},'gonads':{'only':1},'product':{'which':1},'burrowing':{'mammals':1,'reptiles':1,'parrot':1,'amphibians':1,'birds':1},'southern':{'europe':1,'india':1,'asia':1,'hemisphere':1,'representative':1,'sea':2},'unobtrusive':{'appearance':1},'disgusted':{'next':1},'significance.':{'it':1,'they':1},'produce':{'a':3,'what':1,'very':1,'light':1,'tides':1,'seeds':1,'in':1,'our':1,'the':2,'helium':1},'flourish':{'sometimes':1,'alongside':1},'mentality':{'and':1,'cannot':1,'.':1},'lifting':{'scrap':1,'handling':1},'upbuilding':{'constructive':1},'visitors':{'and':2,'.':1,'are':1,'have':1,'threw':1},'remember':{'how':1,'the':3,'that':3,'sally':1,'their':1},'whenever':{'the':2,'there':1,'any':1},'corona':{'of':2,'is':1,'stretching':1,'which':1,'that':1},'rather':{'a':1,'we':1,'ferocious.':1,'grouselike':1,'longer':1,'that':1,'humdrum':1,'more':2,'than':9,'to':1,'far-fetched':1,'excitedly':1,'in':4,'paltry':1,'eventful':1,'nondescript':1,'simpler':1,'with':1,'the':1,'trout-like':1,'like':1},'conquests':{'of':1},'punting':{'when':1,'sculling':1},'typical':{'plants':1,'spectra':1,'craters':1,'districts':1,'expression':1,'assemblage':1},'no.':{'bred':1},'serving':{'as':1,'the':1},'iii.':{'trial-and-error':1},'indeed':{'what':2,'climate':1,'made':1,'beyond':1,'that':1,'many':1,'no':1,'we':1,'unsurpassable':1,'will':1,'.':1,'safety':1,'they':1,'always':1,'our':1,'the':1,'believe':1,'if':1},'beak':{'and':1,'is':1,'.':1,'under':1},'well-illumined':{'seaweed-growing':1},'playful':{'such':1,'creature':1},'brain':{'and':9,'weighs':1,'is':7,'as':2,'are':1,'should':1,'from':2,'.':2,'does':3,'which':4,'instead':1,';':2,'has':1,'was':2,'shows':1,'development':2,'than':1,'receiving':1,'of':3,'could':1,'inferred':1,'cast':1},'stile':{'which':1},'hairs--an':{'alga':1},'nitrogen':{'of':1},'cold':{'and':1,'on':2,'poker':1,'outer':1,'for':2,'light':1,'.':1,'water':1,'to':1,'weather':1,'iron':2,'of':3,'dark':1,'absorbs':1,'luminosity':1,'yet':1,'came':1},'still':{'and':1,'atmosphere':1,'smaller':3,'being':2,'progressing.':1,'some':1,'it':1,'probing':1,'say':1,'exist':1,'farther':1,'in':3,'further':3,'nearer':1,'bears':2,'unknown':1,'.':3,'shorter':3,'to':1,'going':1,'goes':1,'persist':1,'molten':1,'was':1,'unstereotyped':1,'more':3,'we':1,'himself':1,'very':3,'continuing':1,'plays--the':1,'but':1,'particular':1,'not':1,'with':1,'the':2,'possess':1,'a':1,'made':1,'uncertain':1,'flourished':1,'room':1,'at':1,'tower':1,'feeling':1,'soft':1,'are':1},'birds':{'and':23,'feed':1,'because':1,'often':1,'show':1,'being':1,'is':3,'191':1,'it':1,'as':2,'are':4,'sight':1,'in':1,'carry':1,'seem':1,'its':1,'little':1,'squat':1,'for':1,'how':1,'make':2,'there':1,'.':2,'to':1,'find':1,';':1,'was':1,'evolved':2,'reaching':1,'may':1,'pick':1,'illustration':1,'like':7,'bolt':1,'such':1,'than':1,'must':1,'a':1,'that':4,'of':2,'turn':1,'have':2,'learn':1,'the':1,'where':1,'came':1},'statuettes':{'representing':1},'nucleus.':{'the':1,'illustration':1},'culmination':{'of':1},'tending':{'on':1,'toward':1,'to':3},'curly':{'greens':1},'rhizopods':{'such':1,'with':1},'willow':{'fertile':1,'grouse':2},'forms':{'and':6,'e.g.':1,'almost':1,'over':1,'it':2,'are':1,'arise':1,'kinetic':1,'again':1,'from':2,'.':2,'which':1,'tends':1,';':1,'we':1,'may':1,'daughter-buds':1,'a':7,'like':2,'of':22,'possessed':1,'so':1,'the':1,'or':1},'immortality':{'of':1},'suffocate':{'.':1},'spacious':{'bountiful':1,'cranial':1},'physics--research':{'and':1},'bird.':{'experiments':1,'illustration':2},'pruned':{'off':1},'speeding':{'toward':1},'inter-relations':{'such':1,'.':2,'where':1,'between':1,'simpler':1},'introduce':{'domesticated':1,'us':1,'an':1},'archaeozoic':{'and':1,'ages':1},'tails':{'of':1,'can':1,'.':1},'half':{'a':7,'old':1,'that':1,'of':3,'days':1,'an':3,'hours':2,'to':1,'tons':1,'miles':1,'mile':1,'the':4,'years':1,'out':1},'not':{'represent':1,'all':4,'clog':1,'help':1,'limited':2,'being':1,'indeed':2,'armour':1,'fall':1,'held':1,'through':1,'go':2,'follow':3,'yet':5,'also':1,'convinced':1,'less':5,'young':1,'mathematically':1,'to':11,'only':16,'stand':1,'touched':1,'easy':1,'attained':1,'include':1,'then':2,'unfitting':1,'closed':1,'knock':1,'very':9,'void':1,'material':2,'stop':1,'possible':2,'possibly':1,'open.':1,'know':13,'altogether':1,'accumulate':1,'affect':2,'one':2,'discuss':1,'easily':3,'practise':1,'necessary':1,'like':1,'tear':1,'fully':2,'try':1,'pursue':1,'feel':1,'stopped':1,'always':3,'small':1,'become':1,'entirely':1,'fixed':1,'mean':1,'exceed':1,'related':1,'certain':1,'know.':1,'likely':1,'sure':1,'exist.':2,'functioning':1,'packed':1,'even':3,'appear':2,'for':2,'uniform':1,'liberated':1,'radiated':1,'suggesting':1,'got':2,'be':20,'we':1,'disputed':1,'intelligent.':1,'cellulose':1,'however':1,'hundreds':1,'met':1,'necessarily':3,'attend':1,'backed':1,'quite':4,'come':1,'by':5,'momentous':1,'wait':1,'suggested':1,'on':2,'essentially':1,'indivisible':2,'many':1,'emit':1,'amount':1,'sweat':1,'permit':2,'undergo':1,'think':1,'burning':1,'gone':1,'previously':1,'requiring':1,'merely':2,'bound':1,'highly':1,'visible':1,'been':3,'carry':1,'impossible':1,'want.':1,'readily':3,'given':1,'wanted':1,'from':1,'droop':1,'prove':2,'assumed':1,'there':1,'self-luminous':1,'citing':1,'long':1,'throw':1,'cooling':1,'change':1,'strong':1,'suit':1,'show':2,'survive':1,'themselves':1,'molecular':1,'depreciate':1,'too':1,'a':16,'solicit':2,'received':1,'with':2,'ascribe':1,'but':1,'taken':1,'understand':1,'dwell':1,'catch':1,'copy':1,'true':1,'save':1,'unlike':1,'solid':1,'require':3,'imply':1,'will':1,'greatly':1,'how':1,'of':2,'more':6,'agree':3,'say':1,'and':1,'claim':1,'troublesome':1,'fit.':1,'give':1,'judge':1,'salmo':1,'arise':1,'share':1,'it':1,'an':3,'involve':1,'as':4,'exist':1,'at':2,'have':5,'in':5,'seen':1,'seem':4,'occupied':1,'any':2,'instinctively':1,'terrestrial':1,'conspicuous':1,'want':1,'perhaps':1,'sprawl.':1,'travel':1,'get':1,'able':1,'till':2,'interested':1,'take':2,'cling':1,'contain':1,'wanting':1,'shirk':1,'difficult':1,'used':1,'intended':1,'see':1,'dive':1,'after':1,'charge':2,'produce':2,'moving':1,'uncommon':1,'recognise':1,'revolve':1,'unlink':1,'nipped':1,'known':2,'pure-bred':1,'lead':3,'surprising':3,'clear':1,'lose':1,'flow':1,'asked':1,'without':1,'so':10,'allow':1,'far':1,'hear':1,'the':16,'make':3,'talk':1,'nearly':3},'ritchie':{'a':1,'s':1,'well':1},'courtship':{'or':1},'now':{'and':4,'studying.':1,'who':1,'exists':1,'be':2,'is':4,'successfully':1,'it':6,'an':2,'observed':1,'known':4,'as':1,'at':1,'a':1,'in':2,'our':1,'disappear':1,'if':1,'extinct--taking':1,'what':3,'based':1,'just':1,'to':3,'much':1,'there':3,'able':1,'send':1,'.':2,'extinct.':1,'that':1,'recognised':1,'pretty':1,'mars':1,'taken':1,'announce':1,'occurs':1,'crookes':1,'do':1,'we':4,'used':1,'complete':1,'slight':1,'evolving':1,'lights':1,'regard':1,'but':1,'permanent':1,'moving':1,'know':4,'accompanied':1,'represented':1,'one':1,'between':1,'unavailable':1,'concentrated':1,'high':1,'made':1,'this':5,'going':2,'other':1,'these':1,'suppose':1,'can':1,'believed':2,'let':2,'the':9,'assume':1,'called':1},'provision':{'of':1},'left--to':{'snap':1},'nor':{'do':1,'certainty':1,'like':1,'would':1,'hibernates':1,'very':1,'indeed':1,'is':1,'knew':1,'surface':1,'destroyed':1,'to':1,'explain':1,'does':1,'in':3,'of':2,'has':1,'any':1},'nos':{'.':2},'lineage':{'for':1},'it--a':{'natural':1,'mind':1},'sea-butterflies':{'on':1},'seaweed-growing':{'shelf':2,'area':1},'drop':{'of':2,'inwards':1,'out':1},'form.':{'it':1},'cagcombe':{'co.':2},'intrigued':{'at':1},'bursts':{'through':1},'luminosity':{'a':1,'indefinitely':1,'we':1,'due':1},'cusps':{'on':1},'entirely':{'different':3,'marine.':1,'dependent':1,'absent;':1,'random':1,'fluid':1,'unsolved.':1,'electrical':1,'in':1,'new':1,'dissipated':1,'with':1,'out':1},'cliffs':{'of':1,'there':1},'last':{'and':1,'twelve':1,'ten':1,'century':1,'is':1,'haunt':1,'indefinitely.':1,'questions':1,'one':1,'for':1,'twenty':1,'doubt':1,'it':1,'glacial':1,'has':1,'two.':1,'hit':1,'period':1,'arose':3,'dwindling':1,'with':1,'great':2,'chamber':1},'side-view':{'of':5},'domain':{'and':1,'to':1,'does':1,'in':3,'print':1,'works':1,'ebooks':1},'fired':{'it':1},'advantage.':{'perhaps':1},'green-flies':{'which':1},'sugars':{'and':1},'dagoes':{'he':1},'challenger':{'expedition':1},'fires':{'of':1},'year':{'and':4,'old':1,'grouse':1,'this':1,'energy':1,'there':1,'but':1,'one':2,'to':1,'out':2,'are':1,'they':1,'in':3,'followed':1,'the':1,'.':4,'encased':1,'before':1},'happen':{'as':1,'when':1,'if':1},'avoided':{'the':1},'monitors':{'are':1},'wheat--changes':{'in':1},'shown':{'a':1,'and':1,'faint':1,'that':7,'also':1,'there':1,'an':1,'to':1,'greatly':1,'at':2,'opposite':1,'in':11,'the':1,'.':1,'arno':1,'clearly':1,'remaining':1},'rude':{'stone':1},'space':{'and':5,'on':1,'that':1,'with':1,'straight':1,'in':2,'it':1,'can':1,'.':8,'yet':1,'are':1,'above':1,'between':1,'at':1,'during':1,'the':1,'shows':1,'where':1,'by':1,'is':3,'circular':1},'amnion':{'and':1,'which':1},'furthermore':{'there':1,'they':1},'inconceivably':{'small':3,'distant':1,'greater':1},'equatorially':{';':1},'hastily':{'referred':1},'increase':{'to':1,'rather':1,'of':6,'their':1,'in':3,'our':1},'kingdom.':{'on':1,'j':1},'rational':{'device':1,'conduct':3},'receiving':{'no':1,'stimuli':1,'tidings':1,'olfactory':1,'it':1,'contributions':1},'shows':{'a':3,'the':17,'great':1,'that':6,'any':1,'many':1,'some':1,'two':1,'an':1,'how':1,'definitely':1,'certain':1,'affinities':1,'clearly':1,'positively':1},'inevitably':{'lead':1},'e.':{'rutherford':1},'eighty-eight':{'of':1},'glass--the':{'stopper':1},'divergence':{'arboreal':1,'of':3},'animals.':{'the':1,'senses':1,'sec':1},'quart':{'.':2},'intruding':{'fishes':1,'bacteria':1,'parasites':1},'directions.':{'this':1,'so':1},'advantages':{'being':1,'of':1,'.':1},'taxed':{'no':1},'animals;':{'of':1,'it':1},'marine':{'animals':3,'family':1,'organisms':1,'lampreys':2,'fish':4,'but':1,'.':1,'leech':1},'inevitable':{'stoppage':1,'processes':1},'card':{'says':1,'tea':1,'is':1,'donations.':1,'in':1,'prof':1,'was':1},'care':{'and':3,'on':1,'associated':2,'in':1,'mammals':1,'is':1,'there':1,'it':1,'.':3,'as':2,'so':1,'which':1,'of':2,'exhibited':1},'vestige':{'and':1,'of':3,'in':1},'reflect':{'the':4,'that':2},'rearrangements':{';':1},'fixed':{'paths':1,'angle':1,'like':1,'for':1,'faith':1,'to':1,'distances':1,'limits':1,'vegetation--a':1,'in':3,'stage':1},'stage.':{'the':1},'selections':{'made':1},'transition':{'to':2,'.':1,'from':2,'which':1,'stage':1},'british':{'columbia.':2,'nightjar':1,'starfish':2,'guiana':2,'salterns':1,'museum':14,'coasts':1,'sailor':1,'average':1,'association':2},'invitation':{'to':1},'lighting':{'on':2},'domed':{'and':1,'web':1,'cranial':1,'than':1},'hesperornis':{'100':1,'after':1},'suffice':{'to':1,'of':1},'sprawling':{'blotch':1},'flying':{'and':2,'phalanger':1,'fish':2,'dragons':5,'past':1,'debris':1,'bats':1,'in':1,'birds':2,'frog':2,'reptiles':1,'under':1,'bird':1,'dragons--the':1,'squirrel':2,'crouching':1,'mammals':1,'jumps':1,'tree-toad':1,'fishes':2,'squirrels':1,'creatures.':2,'dragon':4,'matter':1,'lizard':1,'reptiles.':1,'lemurs':1,'phalangers':2,'round':1},'striking':{'and':1,'confirmation':1,'resemblance':2,'novelties':1,'of':1,'is':1,'illustration':1,'.':1,'instances':1,'as':1,'fact':1,'devices':1,'are':2,'feature.':1,'the':3,'difference':1,'coloration':1,'proof':1},'omitted':{'the':2},'comprised':{'only':1,'in':1},'brain.':{'the':1},'directly':{'and':1,'towards':1,'into':1,'important':1,'between':3,'pitted':1,'the':1,'or':3,'apart':1},'comprises':{'a':1,'the':1},'impossible':{'even':1,'on':1,'we':2,'because':1,'for':1,'but':1,'.':3,'to':7,'in':1},'ring':{'and':2,'a':1,'getting':1,'of':3,'into':1,'up':1,'.':1,'which':1},'drove':{'our':1},'size':{'and':6,'is':1,'it':1,'shape':1,'are':1,'in':1,'compared':1,'from':1,'possible.':1,'except':1,'.':4,'only':1,'has':1,'though':1,'after':1,'but':1,'101':1,'with':2,'covering':1,'of':22,'as':2,'mass':1,'the':1},'sheep':{'horses':1,'contrasted':1,'.':3,'in':1,'tearing':1,'or':1},'cerebration':{'at':1},'sheer':{'dexterity':2,'intelligence.':1,'quickness':1},'air-sacs':{'in':1},'checked':{'in':1},'silent':{'laboratories':1,'monotonous':1},'apple.':{'of':1},'caught':{'and':2,'a':1,'its':1,'on':1},'breed':{'.':1},'callous':{'rough-and-tumble':1},'longitudinally.':{'the':1},'wing-span':{'of':1},'flint':{'and':1,'implements':1,'implement.':1},'joseph':{'evolution':1},'melanocetus':{'indicus':1,'murrayi':1},'friend':{'the':1,'or':1},'nutrition':{'and':1},'x.':{'this':1},'rock-dove':{'just':1},'mostly':{'confined':1,'on':1,'caught':1,'white':1,'in':1},'that':{'all':14,'spiders':1,'go':2,'causes':1,'physiological':1,'suits':2,'to':2,'reptiles':1,'under':1,'degeneration':1,'case':1,'coloured':1,'every':10,'fall':1,'affect':1,'monkeys':1,'minute':1,'did':2,'herbert':1,'small':1,'round':1,'full-grown':1,'crop':1,'further':1,'creatures':1,'even':4,'pale-white':1,'apparatus':1,'assisted':1,'asia':2,'goes':2,'new':1,'body':1,'sinks':1,'climbs':3,'here':1,'atoms':1,'along':1,'change':1,'convert':1,'substance':2,'ichneumon':1,'wherever':1,'experience':1,'electricity':1,'locomotion':1,'makes':2,'followed':1,'trained':1,'bloweth':1,'from':1,'would':2,'prove':2,'remains':2,'live':3,'therefore':1,'mysterious':1,'substances':1,'marks':1,'particular':1,'90':1,'93':1,'must':1,'account':1,'animals':4,'this':20,'science':2,'piltdown':1,'can':5,'meet':1,'indicated':1,'frogs':2,'allowed':1,'high':1,'arise':1,'evidently':1,'viviparity':1,'end':1,'damage':1,'seeds':2,'movements':1,'intelligent':1,'swayed':1,'may':3,'after':3,'curiosity':1,'man':16,'a':32,'light':6,'sun-spots':1,'life':2,'green':1,'unsteady':1,'over':1,'produced':1,'experiments':1,'during':1,'carnivores':1,'existence':1,'rewarded':2,'birds':5,'before':1,'group':1,'forms':1,'vast':1,'covered':2,'might':3,'pays.':1,'evolution':6,'they':70,'not':1,'each':2,'went':3,'energy':4,'constitute':1,'our':8,'out':1,'living':3,'percepts':1,'flowed':1,'supports':1,'given':1,'put':1,'could':3,'length':1,'throws':1,'already':2,'number':1,'one':4,'long':1,'size':1,'little':1,'toy':1,'leading':1,'system':1,'hangs':1,'their':6,'gives':1,'eyes':1,'that':1,'took':1,'part':1,'flowers':1,'distance':4,'kind':1,'require':1,'tree':1,'matter':1,'were':2,'enables':1,'and':1,'ages':1,'have':11,'wallowed':1,'any':1,'-':1,'ideas':1,'cropped':1,'build':2,'which':7,'mammals':2,'play':1,'unless':1,'though':1,'object':1,'what':1,'falls':2,'most':2,'letter':1,'device':1,'extremely':1,'manifested':1,'gather':1,'steady':1,'electrons':2,'came':1,'gold':1,'insects':1,'means--resides':1,'only':2,'molecules':2,'8':1,'inhabit':1,'he':8,'local':1,'meant':1,'his':2,'sense':1,'skims':1,'means':1,'nearly':1,'instinctive':1,'dr':1,'runs':1,'she':2,'contain':1,'where':1,'aspect':1,'intelligence':1,'radium':2,'depends':2,'individual':2,'are':7,'tender':1,'definite':1,'its':2,'halves':1,'outside':1,'various':1,'between':3,'neither':1,'we':42,'nature':1,'originated':1,'multiplies':1,'come':2,'both':4,'many':6,'s':1,'figures':1,'expended':1,'comes':1,'otherwise':1,'among':2,'point':1,'whatever':1,'height':1,'regulated':1,'ether':1,'.':2,'interest':1,'mars':1,'empty':1,'direction':1,'flight':1,'amphibians':1,'engage':1,'lives':2,'sound':1,'these':12,'will':2,'while':8,'intercepts':1,'discoveries':1,'century':1,'light.':1,'is':51,'it':73,'experts':1,'in':27,'if':11,'different':1,'develop':1,'make':4,'grows':1,'neolithic':1,'used':1,'moment':1,'necessity':1,'supposing':1,'recent':1,'dark':1,'no':5,'sound-waves':1,'the':305,'bodies':1,'left':2,'just':2,'when':13,'distant':1,'questions':1,'speed':1,'death':1,'field':1,'had':6,'has':13,'gave':1,'increased':1,'early':2,'elapses':1,'like':1,'often':1,'ascend':1,'lingers':1,'happens':1,'provided':1,'leaf':1,'for':3,'does':2,'although':2,'instinct':2,'littoral':1,'by':2,'on':3,'about':1,'central':1,'of':52,'wave-length':1,'primitive':1,'within':1,'promise':1,'spores':1,'sticklebacks':1,'her':1,'there':47,'gases':1,'was':8,'opens':1,'form':1,'some':15,'amongst':1,'atom':1,'remote':1,'with':1,'partially':1,'made':1,'flit':1,'variations':1,'planet':1,'below':1,'attaches':1,'universal':1,'body-making':1,'deep':1,'an':6,'as':7,'exist':1,'at':7,'walks':1,'again':1,'variety':1,'uranium':1,'slumbers':1,'other':1,'you':4,'star':1,'visits':1,'develops':1,'fishes':2,'implies':1,'lead':1,'age':1,'depth':1,'time':1,'once':2},'brains':{'a':1,'and':2,'about':1,'from':1,'of':2,'is':1,'.':1,'occupying':1,'more':1},'kangaroo-like':{'fashion':1},'bees.':{'sheer':1},'eliminated':{'while':1,'in':1},'flowers':{'and':5,'yet':1,'in':1},'than':{'all':2,'uranium':1,'fifty':1,'light-waves':2,'birds':1,'before':1,'25':1,'to':5,'self-fertilisation':1,'ours':1,'seen.':1,'evolution--but':1,'very':1,'five':1,'occasional':1,'they':4,'half':1,'one':3,'55':1,'twice':1,'she':1,'science':1,'seventeen':1,'violet-light':1,'are':1,'our':1,'parachuting':1,'what':1,'its':1,'across':1,'we':3,'full':1,'300':1,'men':1,'efficiency':1,'others':2,'might':1,'100':2,'by':2,'anything':1,'of':1,'himself.':1,'34':1,'bricks':1,'two':4,'decrease':1,'learning':1,'one-millionth':1,'reflective--which':1,'from':1,'her':1,'twenty':1,'support':1,'there':1,'three':3,'cats':1,'500':1,'life':1,'that':7,'understand':1,'with':1,'those':4,'women':1,'sound':1,'non-existence':1,'thirty':1,'this':3,'plain':1,'replaced':1,'many':1,'my':1,'collecting':1,'seven':1,'guesses':1,'is':9,'radial':1,'it':3,'an':7,'as':1,'itself':1,'three-chambered.':1,'at':1,'fumbling':1,'in':15,'any':4,'tentative':1,'when':2,'regions':1,'arboreal':1,'another':1,'142':1,'eighty':2,'variation':1,'eight':1,'a':23,'elusive':1,'counterbalances':1,'-200':1,'the':52},'rugged':{'.':1},'artificer':{'fashioning':1},'accordance':{'with':3},'three-spined':{'and':1,'stickleback':2},'shunting':{'waggons':1},'dawn.':{'in':1},'apples':{'and':1},'fruits':{'and':1,'the':1,'191':1},'accessed':{'displayed':1},'photosynthesis':{'carbon':1,'that':1,'.':1,'i.e':1},'sublime':{'process':2,'device':1,'indifference':1,'movement':1},'dipnoan':{'which':1},'troublesome':{'as':1},'chlorophyll':{';':1,'that':1,'or':2,'which':1,'in':1},'angel':{'in':1},'remained':{'naked':1,'flat':1,'unchanged':1,'plastic--a':1,'at':1},'caterpillars.':{'of':1},'interpretation':{'of':6,'is':1},'lens-shaped':{'middle':1,'portion':1,'formation':1,'system':1},'anger':{'and':1},'wallowed':{'in':1},'recover':{'itself':1},'slab':{'of':1},'lumps':{'of':1},'erectus.':{'3':1},'overcoming':{'the':1},'shark':{'and':1,'his':1},'snout':{'the':1,'was':1,'region':1},'equipment':{'is':1,'including':1,'especially':1,'.':2},'mr.':{'waterhouse':1},'repeatedly':{'pruned':1,'changed':1,'shot':1,'against':1},'online':{'distributed':2,'at':3,'payments':1},'mediterraneans':{'semites':1},'hornbill':{'s':2},'begin':{'to':10,'with':6,'at':1,'afresh':1},'price':{'essence':1,'paid':1},'evaporate':{'altogether':1},'ultramicroscope':{'have':1},'men--conspicuous':{'amongst':1},'america':{'and':3,'a':1,'introductory':1,'africa':1,'.':2,'the':2,'by':1,'is':1},'greyish':{'jelly':1,'zone':1},'forever':{'unseen':1},'music.':{'illustration':1},'dream':{'that':1,'.':1},'freshwaters':{'and':1,'afforded':1,'form':1,'is':1,'.':2,'including':1,'4':1,'the':1},'steady':{'flow':1,'rhythmical':1,'renewal':1},'tooth':{'and':3,'is':1,'catches':1},'sunset':{'mean':1},'hurled':{'against':1,'out':1},'pattern':{'to':1,'is':1,'of':1,'.':1},'dust--that':{'it':1},'honour.':{'what':1},'discoverer':{'of':2},'fifty':{'thousandths':1,'eggs':1,'years':3,'feet':1,'miles':4,'fathoms':1},'discovered':{'and':3,'a':2,'about':1,'or':1,'star':1,'that':2,'it':1,'whatever':1,'an':1,'near':1,'until':1,'then':1,'in':12,'new':2,'the':4,'.':5,'by':2},'227':{'photo':1,'from':1},'226':{'photo':1},'fifth':{'printing':1},'crashing':{'along':1},'gnaw':{'the':1,'through':1},'ratio':{'of':1,'for':2,'to':1},'darwinism.':{'iii':1},'title':{':':1},'proportion':{'shown':1,'that':1,'of':1,'to':2,'as':1,'at':1},'jolt':{'that':1},'only':{'and':1,'exposed':1,'certain':1,'is':1,'coming':1,'competition':1,'one':13,'beginning':1,'as':3,'animals':1,'are':1,'planets':1,'in':4,'globes':1,'happen':1,'large':1,'differ':1,'from':2,'for':2,'shifts':1,'twenty':1,'make':1,'though':1,'when':2,'two':1,'been':1,'inferred':1,'to':6,'that':3,'without':1,'extravagant':1,'4':1,'way':1,'gradually':1,'mean':1,'profiting':1,'infer':1,'plants':1,'return':1,'206':1,'pours':1,'liberated':1,'apparent':1,'dimly':1,'but':1,'possible':2,'approaches':1,'a':28,'waves':1,'method.':1,'during':2,'shadow':1,'an':3,'with':1,'by':3,'minute':1,'fly':1,'on':1,'about':1,'luminescence':1,'backboned':1,'working':1,'thirty':1,'be':1,'of':4,'supporting':1,'required':2,'half':1,'different':1,'travels':1,'matter':1,'maintain':1,'were':1,'found':1,'the':5,'say':1,'or':1,'meaning':1,'once':4},'self-forgetful':{'and':1},'essence':{'of':1},'thompson':{'silvanus':1},'orthoptera':{'have':1},'220':{'the':1},'seen.':{'the':1,'illustration':1},'continuance':{'of':5},'shepherding':{';':1},'15.--mars':{'1':1},'warm-blooded':{'.':1,'creature':1},'cannot':{'and':1,'all':1,'give':2,'indeed':1,'in':1,'discover':1,'replace':1,'go':3,'see':1,'expect':1,'have':2,'enumerate':1,'fail':1,'follow':1,'even':1,'guess':1,'make':1,'continue':2,'survive':1,'tell':1,'swim':1,'be':26,'shut':1,'dispense':1,'however':1,'here':1,'possibly':1,'succeed':1,'put':1,'now':1,'come':1,'positively':2,'of':1,'conceive':1,'say':4,'evade':1,'think':2,'leave':2,'settle':1,'avoid':2,'travel':1},'genealogy':{'which':1},'appreciatively':{'in':1},'exactitude':{'and':1},'seldom':{'coincides':1,'spends':1,'if':1},'girdled':{'about':1},'baits':{'of':1},'prevents':{'bleeding':1},'sea--the':{'fresh':1,'shallow':1,'open':1,'deep':1},'girdles':{'of':1},'pituitary':{'and':1},'burst':{'into':2},'physically':{'far':1},'lancelets':{'and':1},'famine':{'or':1},'namely':{'portions':1,'that':1,'air':1,'in':1,'the':6,'sexual':1,'experimental':1},'actively':{'and':1,'hunts':1,'from':1},'sticklebacks.':{'after':1},'successive':{'ages--the':1,'series':1,'rings':1,'strata':2,'steps':1,'periods':1,'sets':1,'stages':1,'conquests':1,'incarnations':2},'sport':{'and':1,'for':1},'key--a':{'way':1},'concern':{'the':1,'for':1},'sprawl.':{'they':1},'justifies':{'itself':1},'colours':{'and':4,'then':1,'from':2,'which':2,'apart':1,'sometimes':1,'correspond':1,'.':11,'observed':1,'will':2,'are':1,'produced':1,'in':1,'alone':1,'283':1,'coloured':1,'with':1,'the':2,'red':1,'gives':1},'3':{'and':4,'below.':1,'1908':2,'educational':1,'rapid':1,'from':1,'hillock':1,'.':11,'3':1,'4':1,'we':1,'inches':1,'000':1,'letter':1,'variable':1,'now':1,'with':1,'by':1,'man':1,'evolution':1,'i':1,'of':2,'making':1,'the':11,'minutes':1,'drawing':1},'between':{'stones':1,'summer':1,'ten':1,'intelligence':1,'modern':1,'mind':1,'worms':1,'one':1,'tide':1,'our':1,'its':1,'tide-marks':1,'different':1,'flowers':2,'two':5,'physiology':1,'certain':1,'raising':1,'stars':1,'mars':1,'red':2,'a':3,'them':5,'that':1,'atoms':1,'it':1,'members':1,'shadow':1,'water-weeds':1,'fifteen':1,'day':1,'minute':1,'man':3,'plants':2,'loss':1,'one-seventh':1,'this':2,'hungry':1,'us':4,'these':3,'those':1,'common':2,'mother':2,'the':32,'male':1},'kneads':{'it':1},'justified':{'his':1,'by':1},'whipped':{'egg':1},'notice':{'what':1,'that':5,'this':1,'of':2,'is':2,'in':5,'how':1,'therefore':1,'another':1,'certain':1,'the':6,':':1,';':1,'indicating':1},'article':{'on':2,'is':1,'dealing':1},'profitless':{'stimuli':1},'stages':{'still':1,'e.g':1,'of':5,'when':1,'it':1,'through':1,'at':1,'which':1,'in':9,':':1,'until':1},'strides':{'associated':1},'cycad':{'flora':1},'systema':{'naturae':2},'altamira':{'cave':4},'enabling':{'the':1},'sparseness':{'in':1},'comet':{'and':1,'october':1,'for':1,'that':1,'september':1,'of':1,'is':1,'s':1,'.':1,'fig.':1,'approaches':1,'the':1,'dashes':1},'wheels':{'go':1},'already.':{'among':1},'comes':{'a':3,'and':1,'about':1,'from':1,'into':1,'within':2,'back':1,'.':1,'to':3,'through':1,'directly':1,'close':1,'the':1,'out':2},'mites':{'many':1},'passenger':{'pigeon':1},'jeans':{'says':1},'juvenile':{'stages':2},'learning':{'a':1,'by':7,'from':1,'intelligently.':1,'to':5,'thinking':1,'tricks':1,'there':1,'but':1,'.':1,'trial':1,'at':1,'the':1,'or':1},'moreover':{'even':1,'climate':1,'that':3,'meteorites':1,'there':2,'their':1,'as':2,'every':1,'they':1,'the':2,'if':1},'actually':{'standing':1,'do':2,'fly.':1,'longer':1,'dividing':1,'consort':1,'settled':1,'caught':1,'observed':2,'implied':1,'lives':1,'stuffed':1,'in':1,'observing':1},'sun-spots':{'appear':1,'that':1,'is':2,'rise':1,'it':1,'.':1,'are':1,'where':1},'oliver':{'lodge':2,'electrons':1},'cares':{'.':1},'mimicry--the':{'subject':1},'markedly':{'contrasted':1,'from':1,'in':1},'jerks':{'a':1,'itself':1,'its':1},'punished':{'by':1},'rotting':{'or':1,'.':1},'dangers':{'.':1,'e.g':1},'exhaustion':{'of':1},'gill-breathing':{'and':1},'angles--that':{'is':1},'observers':{'who':1,'that':1},'stephen':{'cribb.':2},'textbook':{'organic':1},'rubs':{'it':1},'stems':{'of':1,'gave':1},'suspected':{'that':1,'.':1},'water-animals':{'.':1},'realities':{'in':1,'.':1},'prehistoric':{'skulls':1,'brothers':1,'human':2,'metallurgists':1},'developing':{'organs':1,'eggs':1,'egg':1,'human':1},'these':{'flaming':1,'partial':1,'planetesimals':1,'magnetic':1,'forests':1,'four':1,'not':1,'motions':1,'facts':2,'tropisms':1,'its':1,'before':2,'layers':1,'middlemen':1,'giant':1,'daughter-buds':1,'infinitely':1,'quaint':2,'greeks':1,'masses':1,'show':1,'young':1,'forms':2,'to':1,'twig-insects':1,'spirals':1,'clusters':1,'include':1,'moorhens':1,'rodents':1,'exalted':2,'questions':2,'dark':1,'gloomy':1,'effects':2,'words':2,'radio-active':1,'instinctive':1,'fragments':2,'vast':1,'vapour':1,'shallow-water':1,'variable':1,'sources':1,'large':1,'small':1,'works':1,'embryonic':1,'mean':1,'methods':1,'are':16,'instances':1,'concern':1,'gill-slits':1,'three':4,'palaeolithic':1,'organisms':1,'self-effacing':1,'shallow':1,'particles':4,'various':2,'moons':1,'open-sea':1,'illustrate':1,'encounters':1,'red':2,'mercury':1,'we':1,'men':1,'agencies':1,'atoms':2,'wingless':1,'threads':1,'represented':1,'tidal':1,'craters':1,'great':1,'last':1,'flames':1,'brilliant':1,'could':1,'haunts':1,'strange':2,'extremes':1,'streams':1,'dents':1,'efforts':1,'wonders':1,'considerations':1,'reasons':1,'instruments':3,'marvels':1,'spiral':2,'invisible':1,'gases':1,'protozoa':1,'ether':1,'technically':1,'ring-formations':1,'little':2,'ancient':1,'from':1,'entities':1,'outbreaks':1,'there':4,'two':9,'spots':1,'.':1,'stuck':1,'observations':1,'fiery':1,'reflex':1,'manufacture':1,'enable':1,'vigorous':1,'stars':2,'form':1,'that':1,'formed':1,'minute':1,'cases':1,'sleeping':1,'with':2,'must':1,'portions':1,'was':1,'cells':1,'variations':1,'will':1,'regions':1,'replaced':1,'thin':1,'were':4,'coral':1,'and':1,'seven':2,'planets':1,'is':3,'it':1,'days':1,'pieces':1,'have':5,'in':2,'need':1,'x-rays':1,'pages.':1,'paths':1,'rays':2,'requirements':1,'inborn':2,'perhaps':1,'things':3,'cave':1,'struggles':1,'astronomers':1,'sciences':1,'amazing':1,'other':1,'details':1,'which':1,'papers':1,'units':1,'green':2,'several':2,'higher':1,'play':1,'elements':1,'vestigial':2,'may':1,'long':1,'eight':1,'delicate':1,'half-brutish':1,'waves':3,'fishes':2,'types':2,'so-called':1,'enregistrations':1,'spectra':1,'lines':3,'lasted':1,'substances':2,'chemical':3,'points':2,'electrons':7,'bodies':1,'allow':1,'tentatives':1,'the':2,'molluscs':1},'danger.':{'illustration':1},'handicapped':{'by':1},'biped':{'and':1,'202':1,'when':1},'care.':{'but':1,'illustration':1},'coolest':{'and':1,'places':1},'ein':{'or':1},'ocean-basins.':{'beginnings':1},'soil':{'of':1,'the':3,'by':1,'.':1},'startling':{'results.':1,'in':1,'effect':1,'rapidity':1,'.':1},'100th':{'of':1},'eras':{'marked':1,'.':2,'eighteen':1,'passed':1,'in':1,'with':1},'beaver':{'will':1,'not':1,'the':2,'shore-frequenting':1,'220':1},'property':{'infringement':1,'of':4,'trademark':1,'common':1,'which':1},'helium':{'and':1,'from':1,'could':1,'gas':1,'by':1},'thrills':{'the':1},'generously':{'.':1},'cromagnon':{'man':2},'develop':{'and':2,'into':2,'without':1,'inside':1,'in':2},'inquire':{'how':3,'into':1,'however':1,'what':2},'intelligently':{'appreciate':1,'.':1},'epoch':{'now':1,'in':1},'inquiry':{'into':1,'was':1,'is':2,'called':1},'streams':{'and':1,'of':4,'.':1,'bring':2,'in':1,'encounter':1,'out':1},'gorging':{'itself':1},'noble':{'giants.':1,'qualities':2,'in':1},'investigated':{'to':1,'.':1},'centuries':{'astronomers':1,'to':2,'unavailable':1},'arctic':{'plants':1,'fox':2,'foxes':1,'ocean':1,'forms':1,'terns':1},'foam':{'beneath':1,'it':1},'unconvincing':{'.':1},'fruit':{'to':1,'it':1,'but':1,'.':1},'attributes':{'as':1},'solicitation':{'requirements':1},'passing':{'on':1,'from':2,'two':1,'quickly':1,'down':1,'to':1,'through':5,'stars':1,'in':1,'an':1,'cloud':1,'before':1},'traps':{'and':1},'framework':{'of':1,'in':1},'charges':{'and':1,'of':3,'within':1,'carried':1,'.':1},'constitutional':{'sometimes':1,'changes':1,'rhythm':1},'breezy':{'morning':1},'severe':{'processes':1,'winter':2,'for':1,'interglacial':1,'in':1,'cold':2,'conditions':1},'luminous':{'body':1,'and':1,'interpretation':1,'body.':1,'envelope':1,'after':1,'spot':1,'.':1,'to':1,'cloud-like':1,';':1,'organs':1,'the':1,'fact':1},'laboratories':{'of':2},'charged':{'particles':1,'with':1,'nucleus':1},'heaps':{'them':1},'three-chambered':{'heart':2},'last.':{'the':1,'there':1},'aeration':{'is':1},'transmitting':{'waves':1},'cromagnards':{'probably':1,'in':1,'.':1},'dancers':{'in':1},'valuable':{'food-plant':1,'practically':1},'electrification':{'like':1},'accumulate':{'on':1,'any':1,'.':1},'rule.':{'getting':1},'ounces':{';':1,'at':1},'touch':{'of':3,'the':1,'is':1,'came':1,'.':1},'speed':{'a':1,'we':2,'that':1,'of':15,'is':1,'though':1,'given':1,'.':3,'to':1,'as':1,'increases':1,'which':1,'in':1,'has':1,'with':1,'or':2,'round':1},'death':{'and':2,'a':2,'of':3,'is':3,'there':2,'when':1,'but':1,'.':3,'as':1,'sec':1,'are':1,'208':1,'the':1,'should':1,'similar':1,'becoming':1},'legitimately':{'inquire':1},'thinking':{'about':1,'of':3,'is':1,'.':2,';':1,'feeling':2},'darkness--an':{'eternal':1},'starlings':{'in':1},'improvement':{'where':1,'e.g':1},'journey.':{'we':1},'treatment':{'and':1,'of':1},'versa':{'some':1},'dovecot':{'to':1},'struck':{'only':1,'in':1},'real':{'wealth':1,'nature':2,'food':1,'men':1,'seeds':1,'sense':1,'progress':1},'spectacular':{'display':2,'element':1},'larva':{'about':1,'e.g':1,'called':1,'transparent':1,'that':1},'rules':{'is':1,'set':1},'outermost':{'finger':3,'moons':1},'stung':{'by':1},'epoch-making':{'step':1,'experimental':1},'discontinue':{'all':1},'absorptive':{'wall':1},'early':{'embryo':1,'summer':1,'atmosphere':1,'instruments':1,'pliocene':2,'chapters':1,'years':1,'triassic':1,'in':1,'stage.':1,'instrument':1,'reptiles':1,'ripening':1,'stage':2,'vegetation':1,'life-history':2,'neolithic':1,'waters':1,'men':1,'community':1,'man':1,'stone':2,'forking':1,'days':2,'youth':1,'greek':1,'victorian':1,'offshoot':2,'or':1},'quickness':{'of':1,'correlated':1,'.':1},'broader.':{'other':1},'decipher.':{'another':1},'using':{'a':2,'up.':1,'them':1,'and':1,'these':1,'or':1,'their':2,'electricity':1,'the':3,'any':1},'lady':{'came':1},'ruled':{'by':1},'inevitableness':{'of':1},'learnedly':{'called':1},'heat-waves':{'and':1,'.':1},'nerve-endings':{'on':1},'pounds':{'and':3,'of':4,'.':1},'smell':{'and':1,'less':1,'of':1,'that':1,'.':1,'in':2,'detecting':1,'or':1},'velocities':{'and':1,'with':1,'from':1},'streamers':{'which':1},'system.':{'the':3,'several':1,'what':1,'illustration':1,'in':1},'benefit':{'is':1,'in':1},'t':{'our':1,'.':3,'of':1},'fully':{'formed':1,'into':1,'explained':1,'appreciate':1,'aware':1,'absorbed':1,'in':1,'.':1},'downward':{'current':1,'currents':1},'twelve':{'hours':1,'different':1},'exposed':{'on':1,'it':1,'rocks':1,'to':3,'at':1,'the':1},'coal--a':{'chemical':1},'cathode':{'gave':1},'chronology':{'do':1},'astronomer':{'simon':1,'takes':1,'calls':2,'means':1,'h':1,'seldom':1,'.':1,'offers':1,'said':1,'has':1,'despairing':1},'shore-pool':{'and':1},'1859':{'made':1,'.':1},'salicylic':{'acid':1},'unlocked':{'.':1},'1850':{'.':1},'recorded':{'.':1,'in':1},'1856':{'in':1},'conservative':{'and':1,'animals':1,'type':1,'anatomist':1},'clear-cut':{'perceptual':1,'ideas':1,'.':1},'iron-forming':{'bacteria':1},'wheat':{'and':3,'a':1,'in':2,'which':1,'on':1,'of':1,'is':2,'that':1,'it':1,'1919':1,'emerged':1,'were':1,'harvest':1,'with':1,'called':1,'before':1},'business':{'office':1,'that':1,'of':1,'.':1,'pglaf.org':1,'in':1},'sixth':{'printing':1,'day':1,'month':1},'equivalent':{'to':1},'uneasy':{'and':1,'restlessness':1},'sixty':{'millions.':1,'miles':2,'years':1},'exciting':{'chapter':1,'race':1},'throw':{'off':1,'light':1,'it':1,'much':1,'dust':1,'prickly':1},'comparison':{'of':1,'the':1,'.':1,'with':3,'should':1},'ear-trumpet':{'or':1,'man':1},'central':{'and':1,'body':2,'stomach':1,'sun':1,'region':1,'java.':1,'europe':1,'fire.':1,'portion':1,'part':1,'nucleus':2,'africa':1,'biological':1,'lens-shaped':2,'mass':1,'fact':1},'piety':{'of':1},'tentatives':{'have':1,'.':1},'wolf':{'a':1,'the':1,'.':2},'greatly':{'increased.':1,'and':1,'economised':1,'from':1,'increased':2,'for':1,'restricted':1,'enlarged':1,'according':1,'by':1,'misjudge':1,'increases':1,'magnified.':2,'in':1,'affect':1,'reduced':1,'elongated':1,'encouraged':1},'bright-green':{'hue':1},'predatory':{'creatures':1,'animal':1,'cuttlefishes':1},'freeing':{'of':1},'outlook':{'on':1},'whole.':{'geologists':1},'kapp':{'gisbert':1},'goethe':{'s':1},'skunks':{'magpies':1},'rolling':{'stone':1},'heated':{'.':1},'elementary':{'exposition':1,'can':1,'fact':1},'shrinking':{'the':1,'mass':1},'your':{'poker':1,'possession.':1,'written':1,'country':1,'equipment.':1,'use':1,'applicable':1,'pocket':1,'state':1,'periodic':1,'nerves':1,'cold':1,'hand':1,'efforts':1},'stare':{'at':1},'risen.':{'one':1},'fast':{'and':1,'line--are':1,'that':2,'bound':1,'.':1,'to':1},'log':{'ready':1},'prepare':{'or':1,'your':1},'area':{'and':2,'of':5,'varies':1,'.':1,'as':1,'are':1,'which':2,'by':1},'stoppage':{'of':1},'start':{'a':2,'of':1,'at':1,'the':1,':':1,'with':1},'cats':{'and':2},'low':{'and':2,'flat':1,'temperatures':1,'temperature':1,'form':1,'level':3,'nest-building':1,'grounds':1,'when':1,'forests':1,'gap':1,'chemical':1,'to':1,'quiet-looking':1,'retreating':1,'psychical':1,'the':1,'on':1,'type':1,'order':1,'degree':1},'lot':{'of':2},'colder':{'water':1,'.':1},'jones':{'has':1},'philosophers':{'but':1},'posterior':{'claspers':1},'manipulative':{'intelligence':1,'skill':1,'expertness':1},'1871--a':{'book':1},'body-cells':{';':1},'two-thirds':{'of':2},'water-vapour':{'gathers':1,'which':1,'in':1},'hottest':{'.':1},'playsomest':{'crittur':1},'sea-level':{'.':1},'circulation':{'of':2},'species.':{'sec':1,'it':1},'star.':{'this':1},'phosphorescent':{'things':1,'animals;':1,'at':1},'waltzing':{'mouse':1},'embedded':{'in':2},'waste-product':{'called':1},'beliefs':{'concerning':1},'euplectella':{'a':2},'vedda':{'of':1},'600':{'a':2,'miles':1,'000':1},'describe':{'this':1,'even':1,'the':1,'it':1,'as':1},'moved':{'slightly':1,'still':1,'slowly':1,'forwards':1,'weigh':1},'sheath':{'which':1},'moves':{'and':1,'only':1},'extinct--taking':{'us':1},'innings':{'.':1},'plants--the':{'first':2},'alligator-like':{'forms':1},'thither':{'rather':1,'somewhat':1},'you':{'already':1,'give':1,'within':1,'distribute':1,'share':1,'begin':2,'press':1,'are':4,'have':6,'in':1,'carefully':1,'follow':1,'will':1,'derive':1,'from':1,'for':2,'provide':3,'pay':1,'indicate':1,'charge':1,'take':1,'do':4,'notice':1,'cause.':1,'may':9,'beat':1,'as-is':1,'pick':1,'paid':3,'discover':1,'produce':1,'put':2,'hold':1,'with':1,'comply':2,'must':6,'a':1,'received':3,'prepare':1,'receive':1,'wish':1,'like':1,'cannot':1,'can':9,'learn':1,'agree':4},'forcing':{'us':1},'poor':{'.':1,'endowment':1,'in':2},'polar':{'bear':5,'ocean':1,'cap.':1,'snow-caps':1,'caps':2,'areas':1},'466':{'sirius':1},'bacillus':{'of':1},'drift':{'across':1,'but':1,'which':1},'carpenter':{'who':1},'flattened':{'shape':1,'tips':1,'sacs':1},'suited':{'to':3,'for':9,'certain':1},'queensland':{'one':1,'mudfish':1},'pool':{'on':1,'almost':1,'of':1,'is':1,'.':1,'swamp':1,'in':1},'ramsay':{'discovered':1,'and':1},'building':{'of':2,'material':1,'up':7},'bulk':{'of':4,'under':1},'condensation':{'of':1,'would':1,'they':1,'.':1},'sperm-cells':{'distinct':2,'.':1},'controlled':{'and':2,'activities':1,'life':1,'then':1,'movements':1,'more':1},'profits':{'you':1,'by':1},'doubted':{'even':1},'signalling':{'to':1},'strings':{'round':1},'since':{'lessons':1,'then':1,'we':2,'sheep-ranches':1,'many':2,'noon':1,'there':1,'it':4,'rain':1,'matter':1,'disappeared.':1,'all':1,'man':1,'the':8,'darwin':1,'extinct':2,'if':1},'contemporaneously':{'with':2},'skeleton':{'and':1,'remains':1,'musculature':1,'of':4,'tend':1,'in':1,'or':2},'pointing':{'out':1},'breadth':{'of':1},'splitting':{'the':1,'into':1,'up':2},'month':{'and':2,'because':1,'old':1,'increased':1,'of':2,'began':1,'but':1,'.':1,'became':1},'ceased':{'to':5,'it':1},'thoughtful':{'men.':1},'re-utilise':{'.':1},'revealed':{'down':1,'to':1,'themselves':1,'itself':1},'asterias':{'forreri':2},'carpet':{'of':2},'keith':{'and':1,'pithecanthropus':1,'pictures':1,'arthur':1,';':1,'m.d':2,'says:':1},'referring':{'it':1},'cliff':{'.':1},'unenforceability':{'of':1},'wyoming':{'u.s.a.':1},'talkativeness':{'.':1},'deep-rooted':{'corresponding':1},'boiling-point':{'of':1,'while':1},'solicit':{'donations':1,'contributions':1},'sustain':{'it':1},'thomson.':{'i':1},'divisions':{'of':1},'very':{'precise':1,'permeable':1,'hooky':1,'remarkable':5,'distant':1,'carefully':1,'tough':1,'uniform':1,'fine':4,'profitable':1,'rapid':2,'rapidly':1,'educable':2,'interesting':11,'young':2,'peculiar':1,'passive':1,'deep-rooted':1,'masculine':1,'inconspicuous':4,'good':2,'dust':1,'far':4,'discrepant':1,'early':1,'nearly':1,'closely':1,'vividly':1,'highly':1,'feeble':1,'minute':2,'brightly':1,'dim':1,'like':4,'profound':1,'numerous':3,'imperious':1,'large':4,'common':3,'liable':1,'quick':1,'antique':1,'dilute':1,'old':1,'often':3,'innocent':1,'unprofitable':1,'changeful':1,'likely':1,'convincingly':1,'miserable':1,'heavy':1,'gradually':1,'dense':1,'prolific':2,'poisonous':2,'definite':1,'near':1,'conservative':1,'simplest':1,'crude':1,'sluggish':1,'palatable':1,'intimate':1,'notable':1,'weak':1,'voracious':1,'small':9,'completely':1,'slow':2,'active':3,'eventful':1,'strong':3,'beginning':2,'momentous':1,'great':3,'instant':1,'reverse':1,'many':1,'distinctively':1,'inexpensive':1,'practical':1,'sensitive':4,'greatly':2,'slightly':1,'hearty--we':1,'puny':1,'first':1,'favoured':1,'primitive':1,'useful':3,'striking':4,'simple':4,'image':1,'powerful':1,'apt':1,'obscure--sometimes':1,'forcibly':1,'finely':1,'complex':2,'readily':2,'sensible':1,'little':4,'ancient':2,'basis':1,'distinct':1,'own.':1,'faint':2,'markedly':1,'long':6,'plastic':1,'marked.':1,'literal':1,'much':9,'slowly':2,'low':5,'perfectly':1,'protuberant':1,'easy':2,'successful':3,'shallow':1,'feminine':1,'representative':2,'considerable':1,'gradually.':1,'uncertain':2,'instructive':2,'characteristic':1,'largely':1,'intimately':1,'suggestive':1,'obvious':2,'thin':1,'promising':1,'beautiful':3,'heart':1,'aerial':1,'compact':1,'violently':1,'slim':1,'few':1,'high':2,'effectively':1,'variable':2,'close':1,'tranquil':1,'different':9,'keen':2,'unsuitable':1,'eloquent':1,'utilitarian':1,'hot':4,'vital':1,'grand':1,'unpromising':1,'ordinary':1,'difficult':4,'fairly':1,'opposite':1,'convincing':1,'alert':1,'important':7,'sagacious':1,'fierce':1,'frequently':1,'conspicuous':1,'dark':1,'short':2,'advantageous':1,'effective':1,'crowded':1,'mobile':1,'vigorously':1,'well':2,'severe':1,'serious':2,'incomplete':1},'indubitable':{'multicellular':1,'dynamical':1,'.':1},'bombarded':{'by':2},'coloured':{'and':1,'on':1,'reproductive':1,'lights':1,'illustration':13,'cloth':1,'flowers--attractive':1,'discs':1,'objects':1,'tree-frogs':1,'cardboard':1,'disc':1,'frontispiece':1},'oncorhynchus':{'not':1},'balancing':{'and':1,'on':2,'themselves':1,'not':1,'the':1},'minded':{'of':1},'decide':{'upon':1},'10.--solar':{'prominences':1},'cross-striped':{'quickly':1},'generalised':{'not':1,'percept':1,'humanoid':2,'members':1},'obvious':{'limitation':1,'advantage':1,'that':1,'when':1,'.':1,'advantages':1,'therefore':1,'factor':1,'fact':1},'deficient':{'in':1},'louis':{'agassiz':1,'robinson':1},'ceaseless':{'sifting.':1,'process':1},'elusiveness.':{'v':1},'retrogressions':{'in':1},'mile':{'a':1,'all':2,'towards':1,'would':1,'away':1,'per':1,'.':1,'high.':1},'plain':{'and':1,'story':2,'that':4,'is':1,'account':1,'enough':1,'vanilla':2},'locomotive':{'publishing':2},'trumpeting':{'with':1},'brittle-star':{'and':1},'salterns':{'has':1},'torpedo-net.':{'they':1},'disintegration.':{'there':1},'4557':{'melan':1},'casual':{'and':1},'bass':{'which':1},'inspire.':{'subsequent':1},'darkness':{'and':1,'of':2,'.':1,'was':1,'in':2},'consumers':{'.':1},'witnessed':{'.':1},'emotions':{'ideas':1,'but':1,'.':1,'in':1,'such':1,'beyond':1},'thickness':{'would':1,'of':8,'is':2,'.':1,';':1,'he':1},'him.':{'instantaneously':1,'illustration':1},'argyroneta':{'natans':1},'learned':{'for':2,'to':9,'that':2,'.':1,'their':1,'in':2,';':1,'its':1},'elsewhere.':{'the':1,'as':1},'edited':{'by':1},'loose':{'and':4,'spiral.':1,'sort':1,'behind.':1,'network':1},'answers':{'back':2,'.':1,'to':1,'are':1,'the':1,'must':1,'come':1,'first':1},'elmhirst':{'r':1},'11.86':{'86500':1},'trunk':{'till':1,'it':1},'lull.':{'1':1,'what':1},'i.e':{'.':14},'strong':{'desire':1,'pectoral':1,'vigorous':1,'shoulders.':1,'power':1,'that':1,'reasons':1,'jaws':1,'magnetic':1,'radiation':1,'tendency':2,'evidence':2,'feet':1,'enough':2,'artistic':2,'currents':1,'the':1,'.':2,'carapace':1,'man':1},'interposed':{'a':1},'creeps':{'close':1},'ahead':{'of':1,'in':1,'.':1},'disclaimers':{'of':1},'vegetarian':{'the':1,'scooping':1,'or':1,'triassic':2},'whine':{'about':1},'experimenting':{'and':3,'mood':1,'of':1,'.':1,'as':1,'which':1,'in':1,'rises':1,'with':3,'or':1,'more':1},'unproved':{'hypothesis':1},'soldier':{'wounded':2},'amount':{'generation':1,'of':18,'.':1,'to':2,'which':1,'proportional':1},'successors':{'whatsoever':1,'would':1},'helps':{'to':4,'the':1,'us':1},'tides.':{'illustration':1},'family':{'and':2,'spawn':1,'cares':1,'of':4,'is':1,'perceive':1,'relations':1,'.':2,'124':1,'are':1,'life.':1,'one':1,'affection':1,'swimming':1},'requiring':{'to':1,'no':1},'ask':{'the':1,'.':1},'trained':{'police':1,'animals':1,'to':1},'globes':{'and':1,'of':2,'in':2},'spawned':{'or':1},'conventional':{'modes':1},'ash':{'by':1},'flaws':{'in':1},'discriminative':{'absorption':1},'0':{'earth':1,'venus':1,'4':1},'revelation':{'of':1},'eye--we':{'have':1},'contains':{'about':1,'several':1,'an':1,'no':1,'billions':1,'.001':1,'.':1,'as':1,'ingested':1},'bask':{'on':1},'almost':{'all':5,'constant':1,'suddenly':1,'certain':3,'universal':1,'bound':1,'noisy':1,'confined':1,'see':1,'grazing':1,'at':1,'invisible.':1,'impossible':1,'wholly':1,'uncatchable':1,'as':3,'incredible':1,'cylindrical.':1,'exclusively':1,'surpassed':1,'to':1,'black':1,'girdling':1,'automatic.':1,'circular':1,'complete':1,'any':1,'formed':1,'completely':1,'sagacious':1,'nothing':1,'unique':2,'hairless':1,'a':2,'perfectly':1,'wise':1,'instantaneously':2,'perceptible':1,'no':3,'equal':1,'daily':1,'conquered':1,'ready-made':1,'invisible':2,'squirrel-like':1,'say':1},'unpleasant':{'expressions':1},'vi':{'evolution':1,'.':3},'taken':{'a':1,'by':5,'from':1,'generously':1,'for':1,'that':1,'into':2,'as':1,'.':1,'to':3,'charge':1,'at':7,'in':5,'the':2,'more':1,'any':1,'nearly':1,'out':1},'injury':{'or':1},'temps':{'would':1},'polyps':{'whose':1,'each':2},'stock--an':{'anthropoid':1},'lichens':{'and':1,'on':1},'globe.':{'for':1},'ejected':{'in':1},'site':{'and':1,'www.gutenberg.org':1,'of':2,'includes':1,'which':1,'often':1},'instrumental':{'music':2},'tapeworm':{'certainly':1},'moistened':{'finger-tip':1},'broke':{'up':1},'mounted':{'on':1,'equatorially':1,'batteries':1,'that':1},'producing':{'a':1,'visible':1,'x-rays':1,'an':1},'weathering':{'of':2,'now':1,'have':1},'cremated':{'every':1},'helped':{'by':2,'success':1,'us':1},'rotifer--we':{'are':1},'wafts':{'into':1},'sweeps':{'this':1},'egg-shell':{'and':1,'just':1},'moisture-laden':{'air':1},'nine':{'and':2,'thousand':1,'months':2,'to':1,'moons':1,'cases':1,'hundred':2},'propounded':{'to':1},'spontaneous':{'generation':1,'breaking':1,'above':1,'change':1},'history':{'an':1,'for':1,'no':1,'of':25,'museum':4,'museum.':2,'back':1,'behind':2,'which':1,'in':1,'.':13,'called':1},'f3':{'.':1},'pushes':{'itself':1},'gas.':{'but':1,'illustration':1},'stinging':{'animals':1,'cells':2,'tentacles':1,'lassoes':1},'eclipsed.':{'illustration':1},'pushed':{'will':1,'along':1,'it':1,'out':1},'sun-spot':{'of':2,'is':1},'phrase':{'and':1,'project':4,'has':1,'.':1},'lacks':{'both':1},'species':{'and':1,'1859':2,'use':2,'waddle':1,'off':1,'descent':1,'e.g':1,'perhaps':2,'of':4,'is':1,'there':1,'discover':1,'.':2,'in':1,'represented':1,'what':1,';':2,'hitherto':1,'the':2},'firmly':{'and':1,'established':1,'on':1,'that':1,'.':1,'to':1},'viviparity':{'is':1,'.':1,'the':1,'naturally':1},'starting-point':{'of':1,'the':1,'they':1},'lithographic':{'stones':1},'surpassed':{'only':1,'expectations':1},'friction.':{'but':1},'freezing-point':{'of':1,'or':1,'.':2},'surpasses':{'that':1,'in':1},'daughter-cells':{'into':1},'millikan':{'s':2},'ft':{'.':2},'tried':{'a':1,'and':1,'for':1,'one':1,'to':1,'as':1},'fv':{'contains':1},'communicating':{'cells':1,'nerve-cell':1},'derived':{'energy':1,'from':3,'infinitely':2},'sneak':{'upon':2},'gestation':{'is':1},'triumphs':{'of':5},'consequence':{'of':2,'the':1,'has':1,'enormously':1},'tries':{'to':2},'invasion':{'of':3,'was':1,'due':2,'which':2},'horizontal':{'bar':1,'except':1},'inconceivable':{'distances':1,'ages':1,'.':1,'to':1,'numbers':2,'velocity':1},'a':{'limited':1,'hampton':1,'code':1,'partial':1,'skeleton':2,'remarkable':9,'defenceless':1,'magnetic':7,'varying':1,'focus':2,'month':1,'sequoia':1,'mild':3,'mile':4,'higher':12,'zinc':1,'sweep':1,'dish':1,'golf':2,'conservative':1,'carpet':2,'compact':1,'glimpse':5,'preformed':2,'chain':2,'physiological':3,'pouch':3,'young':4,'passage':1,'granular':1,'tail':2,'cradle':1,'microscopist':1,'stable':1,'fountain':1,'friendly':1,'trilobite':2,'descendant--the':1,'brown':4,'string':1,'deeper':1,'chameleon':4,'very':59,'sun-spot':1,'wave':2,'soapy':1,'smack':1,'graphic':1,'fan':1,'leisurely':1,'microbe':1,'tank':1,'difference':2,'continued':1,'feeble':1,'minute':4,'cool':1,'generalised':3,'sea-anemone':3,'speed':5,'respiratory':1,'beginning':1,'parrot':1,'naturalist':1,'stimulus':1,'skeletal':1,'shock':1,'list':3,'gun':1,'cloudy':1,'large':32,'farthing--contains':1,'swirling':1,'starlit':1,'key--a':1,'succession':1,'small':24,'lever':1,'perceptual':1,'pool':1,'pterodactyl':2,'veritable':3,'bull-terrier':1,'force':1,'meadow':1,'full-grown':2,'trend':2,'crow':2,'sea-squirt':1,'sensation':3,'crop':1,'milligram':1,'past':1,'widened':1,'second':27,'burrower':1,'subtle':1,'further':2,'estimated':1,'port':1,'theory':3,'blue':4,'cargo':1,'stately':1,'clock':1,'waning':1,'fine':7,'section':1,'gatepost':2,'crust':1,'lizard':1,'thickness':2,'cell':2,'reconstruction':2,'new':31,'falling':3,'row':1,'method':2,'multitude':4,'body':19,'condensed':1,'full':3,'trypanosome':1,'degree':3,'compilation':1,'loose':2,'birthplace':1,'fifteenth':1,'drawing':2,'plant-like':2,'protection':1,'tangent':2,'free':4,'separate':6,'tremor':1,'strong':8,'four-chambered':1,'teacher':1,'light-year':1,'sensory':2,'great':39,'substance':4,'survivor':1,'brilliant':3,'study':2,'larger':4,'slave':1,'second--more':1,'soldier':2,'simultaneous':1,'survey':3,'suggestion':4,'social':2,'real':1,'narrow':5,'pathological':1,'steady':1,'diameter':4,'showing':1,'land-crab':1,'useful':4,'secure':1,'halfpenny':1,'stimulus.':1,'discontinuous':1,'fauna--the':1,'loose-limbed':1,'layer':1,'marked':1,'decrease':1,'motor':1,'limb':1,'glance':1,'total':3,'unit':1,'fee':3,'lens':5,'vivid':1,'distinct':3,'revelation':1,'faint':1,'visit':1,'charge':2,'frog':7,'distributing':1,'few':40,'sample':1,'saucerful':1,'centre':1,'knoll':1,'diving-bell':1,'stage':2,'type':3,'more':14,'sort':15,'flat':1,'clever':1,'door':1,'rich':2,'conductor':1,'successful':1,'whirling':1,'screen.':1,'chimpanzee':1,'bodily':1,'fan-like':1,'moistened':1,'surface':1,'rabbit':1,'particular':6,'baby':1,'coyote':1,'hole':2,'hold':1,'rivalry':1,'fly':2,'rebounding':1,'frequently':1,'flora':1,'word':1,'primate':1,'needle':1,'work':2,'stroke':1,'cat':3,'mammalian':1,'suggestive':1,'sudden':3,'thin':1,'universe':1,'chin':2,'fauna':2,'male':2,'history':2,'decorative':1,'continuity':1,'reflector':1,'stream':6,'process':5,'climax':3,'share':1,'parachute':3,'beautiful':3,'minimum':2,'caution':2,'sense':5,'pond':3,'story':1,'hydrogen':1,'species':1,'masterly':1,'terrestrial':2,'huge':8,'united':1,'winter':3,'defective':1,'keen':1,'rather':3,'finger-post':1,'discussion':1,'coot':1,'copious':1,'solidifying':1,'far':1,'hot':1,'pair':2,'forest':2,'fourth':4,'widespread':1,'native':1,'civilisation':1,'stock':3,'mould':1,'yellowish':1,'plant':1,'dull-red':1,'maternal':1,'scion':1,'candle;':1,'thickened':1,'tse-tse':2,'spot':1,'movable':1,'collection':1,'narrow-beaked':1,'diagram':3,'deep-sea':1,'lot':2,'lattice-work':2,'bird-dropping':3,'horizontal':1,'coloured':1,'spiral':7,'man':8,'a':1,'free-swimming':1,'short':9,'natural':2,'liquid':5,'conscious':1,'light':1,'projecting':1,'complexity':1,'green':4,'skilful':1,'deterioration':1,'basket':1,'diary':1,'coral-snake':1,'dream':1,'wing':1,'hen-pigeon':1,'wine':1,'plaice':1,'sperm-cell':1,'shield':1,'feather-wing':1,'double-breather':1,'gradual':6,'minnow':2,'billion':2,'cross':1,'brain':2,'stile':1,'paper':2,'thinning':1,'cold':1,'still':1,'tendency':4,'bunch':3,'chemical':6,'some':2,'group':4,'fit':1,'positively-electrified':1,'glowing':1,'roving':1,'better':2,'window':1,'permanent':1,'microscopic':1,'vast':6,'tubeful':1,'precipitate':1,'main':1,'puzzle':1,'finer':1,'non':1,'good':19,'return':1,'greater':6,'fragment':2,'safe':1,'hunter':1,'number':19,'band':2,'caterpillar':2,'billiard':1,'flint':1,'snake':1,'stout':1,'half':9,'foot':5,'lifelong':1,'day':2,'bank':1,'successor':1,'bony':2,'rocky':2,'profound':1,'mastery':4,'degree.':1,'male-producing':1,'potassium':1,'lifetime':1,'seashore.':1,'hundredth':1,'jellyfish':3,'promise':1,'creature':4,'meal':1,'predatory':1,'turtle':2,'week':3,'molecule.':1,'mental':1,'beginner':1,'map':1,'scanty':1,'garment':6,'fish':6,'hard':1,'spider':7,'related':1,'solution':1,'ball':1,'year':5,'laboratory':1,'first-class':1,'special':2,'magnet':7,'flower':2,'lobster':1,'truly':1,'pigeon':3,'day.':1,'time.':1,'race':2,'flattening':1,'portentous':1,'wide':2,'mammal':1,'brilliantly':1,'sluggish':1,'red':6,'common':12,'foundation':2,'fly.':1,'thrush':1,'belief':2,'many-celled':1,'zoological':1,'southern':1,'million':13,'little':31,'possibility':2,'quite':1,'paralysing':1,'backboneless':2,'reason':1,'lump':1,'hollowed-out':1,'plague':1,'region':2,'cough':1,'marine':3,'wall':3,'monkey':6,'vestige':3,'unique':3,'fixed':2,'yard':1,'hostile':1,'rule':4,'perceptible':1,'moment':6,'british':2,'thing':1,'length':1,'keel':1,'place':2,'nebula':7,'tempting':1,'consequence':1,'weakling':1,'user':2,'blind':3,'copper':3,'sheep-driving':1,'limestone':2,'surviving':1,'striking':7,'spoken':1,'wasp':1,'prehistoric':2,'powerful':4,'scene':2,'sack':1,'system':3,'well-known':1,'fertilised':1,'light-brown':1,'lighter.':1,'spanish':1,'twig-like':1,'ring':2,'tangle':1,'cogged':1,'romance':1,'hood':1,'speck':1,'sheep':1,'city':1,'given':1,'fuller':1,'temperature':1,'swarm':2,'leading':1,'brisker':1,'wing-span':1,'colossal':1,'nebular':1,'wonderful':6,'ton':3,'too':1,'storm':1,'periwinkle':1,'white':7,'compartment':1,'final':1,'friend':2,'low':7,'sex-call':2,'million.':1,'shell':4,'vigorous':1,'fraction':1,'starfish':2,'that':1,'tool':2,'shallow':1,'japanese':3,'crevice':1,'vegetarian':2,'reflecting':1,'zeppelin':1,'somewhat':1,'rifle':4,'prodigious':3,'copy':4,'photographic':3,'peculiar':5,'positively':1,'population':1,'distance':6,'bodyguard':1,'hundred':13,'third':6,'body.':1,'double':1,'tree':7,'rate':2,'medley':1,'bee':2,'youth':1,'matter':9,'legacy':1,'treasure-house':1,'recapitulation':2,'gigantic':4,'steep':1,'distinguished':1,'sublime':1,'collecting':1,'brittle-star':1,'withered':1,'modern':4,'defect':2,'glass':4,'direct':1,'rat':1,'ramifying':1,'sharp':1,'manner':2,'uganda':1,'gaseous':3,'breezy':1,'slab':1,'dozen':4,'conspicuous':1,'female--first':1,'convenient':1,'speculative':1,'shore':1,'soap-bubble':1,'silvery':3,'walk':1,'fish-eater':1,'high':8,'useless':1,'satisfactory':1,'long-drawn-out':1,'soap':4,'propitious':1,'butterfly':1,'memory':1,'continuous':2,'multiple':1,'normal':1,'coconut':1,'leaf.':1,'molecule':5,'boiling':1,'reef-building':2,'regular':1,'connected':1,'non-protrusive':1,'device':1,'coin':1,'hide-and-seek':1,'model':5,'wind.':1,'refractor':1,'known':1,'so-called':1,'piping':1,'thigh-bone':1,'surprising':1,'washerwoman':1,'mobile':2,'heartening':1,'clear':4,'later':6,'metal':1,'dog':6,'wasp-like':2,'tooth':1,'pipe':1,'short-lived':1,'reputation':2,'mammoth':2,'principle':1,'foster-mother':1,'distinctive':2,'velocity':3,'typical':1,'salt':1,'moon':1,'night.':1,'quantity':1,'refund':5,'selected':1,'particularly':1,'sparrow':3,'visitor':1,'manifestation':3,'skin-wing':1,'rotating':2,'bright':1,'shore-pool.':1,'seaweed':1,'constituent':1,'velvety':1,'corner':2,'pill-like':1,'uniform':4,'feat':1,'hustler':1,'staff':1,'current':4,'giant':4,'longer':1,'latent':1,'knowledge':1,'copyright':2,'series':6,'nervous':2,'less':2,'proportion':1,'jolt':1,'fluid':1,'considerable':12,'fox-terrier':1,'winged':1,'bush':1,'going':1,'black':1,'meteorite':1,'pretty':1,'spice':1,'female-producing':1,'ball-room':1,'plate':2,'single-chambered':1,'loss':2,'well-advanced':1,'means':5,'solution.':1,'familiar':1,'vascular':1,'sunny':1,'kind':8,'warm-blooded':1,'pocket':1,'whistle':1,'b':1,'roundabout':1,'measured':2,'silk':1,'spur':1,'live-and-let-live':1,'target':1,'flywheel':1,'bar':1,'progressive':2,'covering':1,'cry':1,'median':2,'violent':4,'doubled':1,'bird':11,'microscope':1,'groove':1,'bison':2,'troop':1,'memory-image':1,'freshwater':2,'web-wing':1,'human':5,'fascinating':1,'habit':1,'flash.':1,'nut':1,'globe':1,'canine':1,'richer':1,'relative':1,'computer':1,'result':2,'frog-like':1,'close':2,'luminous':3,'nocturnal':1,'wonder':1,'peanut':1,'shower':3,'crown':1,'wire':2,'capacity':3,'probable':1,'crooked':1,'subsequent':1,'century':1,'monstrous':1,'definite':6,'seventieth':1,'case':3,'state':10,'proof':1,'hiss':1,'promised':2,'progress':1,'mouthful':1,'perfectly':1,'lethargic':1,'crookes':2,'measurable':2,'notice':1,'recently':1,'cauliflower':1,'parental':1,'fold':1,'screen':3,'weak':2,'dome':1,'veil':1,'rapid':3,'conflagration':1,'waste-product':1,'flowering':1,'swift':2,'problem':2,'colonisation':1,'deep-water':1,'drum':2,'cliff.':1,'country':4,'pre-material':1,'strange':2,'waterfall':2,'quadruped':1,'sensitive':1,'connection':1,'grain':4,'mane':1,'retrograde':1,'lash':1,'comet':4,'passing':1,'whole':8,'humanoid':2,'photograph':9,'stony':1,'cooling':1,'dago':1,'point':3,'simple':9,'continuation':2,'colony':3,'donkey':1,'tapeworm':1,'height':8,'newborn':1,'moot':1,'written':1,'learning':2,'path':2,'greenish':1,'sea-cucumber':2,'hermit-crab':1,'grazing':2,'millimetre':2,'dwindling':3,'deep':1,'basis':2,'tremendous':3,'prelude':1,'damp':1,'tiny':5,'legend':1,'protozoon':1,'reduction':1,'much':5,'newt':1,'certain':18,'reflective':1,'feather':1,'reflex':3,'board':1,'firm':2,'box':2,'direction':1,'penny':2,'corresponding':1,'squirrel':1,'wood-snail':1,'brush':1,'thousand':15,'gas':4,'search':1,'spectrum':1,'coherent':1,'representative':2,'child':3,'laying':1,'careful':3,'land':1,'sound':3,'specialised':1,'novel':3,'conception':1,'remote':1,'solid':4,'plain':3,'straight':3,'prominence':1,'reminiscence':1,'form-resemblance.':1,'technical':1,'while':3,'teaspoonful':1,'biped':3,'voice':2,'cock':1,'guide':1,'mistake':2,'key':2,'food-signal':1,'pound':3,'project':5,'crowning':1,'moth':1,'it':1,'bipedal':1,'quiet':1,'tell-tale':1,'brake':1,'in':1,'twig':2,'simian':6,'property':1,'receptacle':1,'floating':1,'helmet':1,'different':5,'shooting':1,'descent':1,'trial':1,'domesticated':3,'roman':1,'check':1,'member':2,'motley':1,'unity':3,'complex':2,'diplodocus':1,'widely':1,'grand':1,'heavier':1,'web':1,'relatively':5,'yucca':1,'specimen':1,'difficult':2,'wheel':3,'satellite':1,'current.':1,'temporary':2,'cubic':3,'nest':8,'collie':1,'hand':2,'running':1,'dynamo.':1,'moving':1,'delicate':2,'climbing':1,'whale':4,'railway':1,'single':15,'destruction':1,'lower':7,'suitable':1,'stupendous':1,'flattish':1,'weapon':1,'disembodied':1,'tentacle':1,'skull-cap':1,'spoonful':1,'glorious':1,'partner':1,'position':3,'the':1,'reward':1,'musical':1,'left':1,'summer':2,'manifold':2,'kettle':4,'canal':1,'bristle':1,'being':1,'sporting':1,'newton':1,'morsel':1,'loaf':1,'three-chambered':2,'disguise':1,'steamer':1,'victim':1,'touch':1,'jackal':1,'rushing':1,'previous':6,'blow':1,'tailless':1,'disturbance':1,'wedge-shaped':1,'hint':2,'general':5,'bell':2,'master-key':1,'pitcher-plant':1,'silver':1,'straw':1,'spread':2,'transformed':2,'galloping':2,'ray':7,'5':1,'room--pour':1,'transformation':2,'finder':1,'kingdom':1,'puzzle-box':1,'nightjar':1,'fire':2,'format':1,'big':11,'couple':1,'knife-blade-like':1,'period':8,'dark':2,'cromagnon':2,'fusion':2,'royalty':1,'god.':1,'background':1,'vacuum':8,'text-book':1,'world':1,'part':1,'crusher':1,'vague':1,'name':1,'desire':1,'satisfaction':1,'necessary':1,'dislodged':1,'particle':2,'cock-pigeon':1,'signal':2,'performing':1,'sound--':1,'diffraction':1,'specific':2,'soup-plate':1,'vortex':1,'cotton-reel':2,'security':2,'soft':2,'replacement':3,'mathematical':1,'reaches':1,'right':2,'trained':1,'people':1,'prolonged':1,'process--a':1,'plausible':1,'wattle':1,'fully-formed':1,'library':3,'muscle-fibre':1,'sponge':1,'pack':1,'mighty':4,'second.':4,'mirror':4,'diving':1,'battalion':1,'bigger':1,'transparent':1,'saucer':1,'savage':1,'lung.':1,'dense':1,'calculating':1,'prolific':1,'curious':3,'broad':1,'tube':4,'footing':1,'fox':1,'nook':1,'favourite':1,'critical':2,'mutation':1,'changeful':1,'starch':1,'repeopling':1,'transmutation':1,'trap':1,'beetle':1,'knitting-needle':1,'thunderstorm':1,'reasonable':2,'power':2,'slight':3,'notable':4,'pupil':1,'cork':1,'life-or-death':1,'step':1,'caricature':1,'chick':1,'peer':1,'tidal':1,'revolution':3,'chapter':2,'plastic':1,'stone':5,'quarter':4,'central':1,'cigarette':1,'heat-measuring':1,'of':1,'biscuit':1,'bit':3,'slender':1,'greatly':1,'nucleus':5,'bright-green':1,'basin':1,'provisional':1,'pre-human':1,'swimming':1,'heavy':1,'primitive':2,'whole.':1,'cell-wall':1,'predominance':1,'colour':2,'variable':1,'wrack':1,'lung':2,'lively':1,'female':4,'cultivated':1,'pivot':3,'.':16,'telescope':3,'strangely':1,'minute.':1,'weight':2,'well-developed':1,'wonder-horse':1,'grave':1,'tennis':1,'question':1,'reindeer':1,'long':27,'fight':1,'continental':1,'standstill':1,'sea-spider':1,'double-armed':1,'hundred-millionth':1,'house':2,'bubble':2,'hare':1,'bud':1,'greyish':1,'medium':3,'relic':1,'complete':2,'form':2,'voracious':1,'magnificent':1,'registered':2,'converse':1,'neanderthal':1,'triangular':1,'mysterious':1,'cloud':1,'billion.':1,'game':2,'dead':7,'boon':1,'sprinkling':1,'line':9,'true':5,'dull':5,'versatile':1,'luxuriant':1,'continuance':1,'minnow--the':1,'rush':1,'partitioned':1,'genealogy':1,'flood':1,'characteristic':4,'spectroscope':1,'purpose':1,'maximum':3,'supple':1,'planet':2,'crystal':1,'growth':2,'limit':1,'centenarian':1,'mature':2,'monument':1,'soldering':1,'water-bag':1,'distribution':1,'piece':15,'similar':3,'leaf':7,'strongly':1,'stock--an':1,'constant':3,'flow':5,'universal':2,'measure':1,'brightly':1,'whelk':2,'sticky':1,'scientific':1,'diamond':4,'well-defined':1,'leptocephalus.':1,'home':5,'sheath':1,'ship':1,'horse':5,'living.':2,'curtain':1,'film':2,'physical':2,'water-filled':1,'brick':1,'variety':5,'glacier':1,'way':6,'there':1,'prerogative':1,'fruit-laden':1,'portion':1,'reality':2,'neolithic':1,'field':3,'prism':2,'setting':2,'stagnant':1,'branch':5,'most':6,'puppy':1,'superfluous':1,'sufficient':2,'10':1,'polar':1,'quintillion':1,'star':10,'phoenix':1,'living':3,'shelter':1,'flinty':1,'preceding':1,'planet.':1,'drift':1,'prepared':1,'choice':1,'scale':1,'recent':5,'fresh':2,'rolling':1,'yorkshire':1,'hair':1,'score':1,'sneeze':1,'concatenation':1,'source':2,'tree.':1,'vaseline':1,'meteor':1,'bivalve':2,'lead':1,'bullet':2,'dogma':1,'deep-seated':1,'movement-controlling':1,'yacht':1,'jelly':1,'drifting':1,'gorilla':2,'depth':1,'train':1,'mass':5,'fact':2,'time':17,'big-brained':1,'stick':1},'pithecanthropus':{'erectus':1,'erectus.':1,'.':1,'the':8,'was':1,'seem':1},'spectra':{'of':2,'six':1,'.':1,'corresponds':1,'36':1},'bugs':{'ever':1},'renewing':{'the':1},'deterioration':{'of':1,'the':1},'healthfulness':{'and':1},'egg':{'and':1,'a':1,'shed':1,'just':1,'for':1,'of':2,'is':1,'-cell':1,'should':1,'to':1,'which':1,'in':1,'depository':5,'signalling':1,'has':1},'chicks':{'peck':1,'had':1},'earthworm':{'is':1,'.':1,'1':1,'76':1,'s':2,'72':1,'half':1,'fragments':1,'or':1,'earthworms':1},'help':{'preserve':1,'them':1,'of':1,'flotation':1,'it':1,'to':2,'see':1,'produce':1,'in':2,'the':1},'reservoir':{'of':3},'hierarchy':{'of':1},'soon':{'a':1,'picked':1,'began':1,'it':1,'to':1,'as':1,'became':1,'realise':1,'learn':2,'learned':1,'has':1,'was':1,'appears':1,'partially':1},'indistinguishable':{'but':1},'held':{'closely':1,'to':1,'back':1,'together':2,'up':1,'their':1,'above':1,'by':1},'committed':{'to':1},'three-horned':{'skull':1},'kinetic':{'and':1,'energy':3},'liquefies':{'gases':1},'positively-electrified':{'body':1,'atoms':2},'tickings':{'of':1},'lateral':{'line':2},'solving':{'the':1},'teeming':{'.':1},'gentleness.':{'illustration':1},'absence':{'of':7,'or':1},'disclosed':{'by':1},'founders':{'of':1},'peanuts':{'which':1},'mammal--instinctive':{'aptitudes--power':1},'finer':{'world':1,'form':1},'evening':{'work':1,'star':1,'primrose':1},'food':{'and':10,'accentuated':1,'danger':1,'requiring':1,'into':1,'within':1,'it':1,'are':1,'in':3,'consists':1,'crisis':1,'note':1,'vacuole':1,'from':3,'for':2,'there':2,'.':2,'particles':2,'outside':1,'going':1,'was':1,'is':2,'on':1,'shelter':1,'but':1,'227':1,'with':1,'by':1,'enemy':1,'like':1,'largely':1,'many':1,'inside':1,'near':1,'without':1,'the':1,'or':3},'theory--the':{'structure':1},'pglaf':{'owns':1},'floating':{'plants':2,'and':1,'log':1,'sea-meadows':4,'dead':1,'buns':1,'seaweed':1,'in':1,'dust':1,'bacteria':1,'out':1},'anticipated':{'forty-one':1},'permissible':{'to':1},'foot':{'and':2,'flat':2,'of':2,'but':1,'high':2,'became':1,'long':1,'in':2},'feet':{'and':2,'four':2,'from':3,'just':1,'of':1,'whereas':1,'long':2,'.':5,'high':2,'deep':1,'7':1,'in':2,'or':1,'are':2},'stopper':{'of':1},'finite':{'or':1},'dulled':{'by':1},'occasions':{'we':1},'male-producing':{'egg':1},'enlarged':{'pectoral':1,'illustration':1,'in':1},'infer':{'this':1},'flowers--attractive':{'to':1},'stopped':{'until':1},'radial':{';':1,'animals':1,'canals':1},'neanderthalers--the':{'general':1},'dominating':{'the':1},'referred':{'to':3,'to.':1},'heavy':{'great':1,'blankets':1,'gas':1,'brain':2,'as':2,'complicated':1,'with':1,'ape':1},'transcribe':{'and':1},'matthew.':{'diagram':1,'1':1},'restless':{'inquisitiveness':2,'experimenting':1},'jaws':{'and':1,'shaped':1,'of':2,'.':1,'engulfing':1,'which':1,';':1},'down--the':{'day':1},'sulked':{'for':1},'energy.':{'sec':1},'ball':{'revealing':2,'and':1,'of':4,'found':1,'the':2,'or':1},'punitive':{'or':1},'trilobites--jointed-footed':{'antenna-bearing':1},'beyond':{'a':1,'even':1,'that':2,'this':1,'radium':1,'science.':1,'possibility':1,'its':1,'these':1,'which':1,'our':4,'the':6,'playing':1,'ordinary':1},'event':{'when':1,'seems':1,'than':1,'which':1},'oviparous':{';':1},'unsurpassed':{'gifts':1},'percepts':{'and':1},'crustacean':{'s':1},'surrounded':{'by':3},'abysses':{'and':1,'from':1,'of':1,'took':1,'.':1,'so':1,'are':1,'the':1},'america.':{'3':1,'2':1,'4':1,'6':1},'coincidences':{'.':1},'safety':{'on':1,'for':1,'of':3,'is':2,'within':1,'.':1,'until':1,'or':1,'first':1},'7':{'and':1,'palaeolithic':1,'inches':1,'why':1,'.':3,'000':1,'918':1,'1871':1,'250':1,'with':1,'the':2,'250000':1},'brownish':{'caterpillars':1},'sharp-eyed':{'enemies':1},'house-flies':{'and':1},'issue':{'of':2},'meteoric':{'matter':3},'metchnikoff':{'the':1},'drink':{'from':1},'inert':{'matter':2,'just':1,'in':1},'protruding':{'bag':1},'lights':{'as':1,'the':2},'schwalbe':{'has':1},'backboneless':{'stocks':1,'animals':3,'or':1,'animal':2},'reason':{'for':6,'to':9,'being':1,'of':2,'is':4,'in':1,'but':1,'.':1,'how':1,'--an':1,'i.e':1,'quite':1,'why':2},'base':{'and':1,'of':5,'an':1},'jaw.':{'illustration':1},'brightest':{'star':1},'put':{'a':2,'on':6,'her':1,'into':1,'out':2,'some':1,'it':3,'together':3,'two':1,'to':2,'together.':1,'zinc':1,'in':2,'forward':1,'our':1,'the':5,'themselves':1,'safely':1,'your':1,'evenly':1},'earliest':{'known':3,'remains':1,'inhabitants':1,'metal':1,'representatives':1},'algae':{'and':2,'symbiosis':1,'.':1},'revolutionary':{'changes':1},'capacities.':{'body':1},'perceptible':{'to':1,'impression':1},'persuading':{'some':1},'tortoises':{'to':1,'from':2},'fifty-four':{'muscles':1},'american':{'killdeer':1,'monkey':1,'forests':1,'monkeys':1,'.':1,'minnows':1,'astronomer':1,'tree-frogs':1,'continent':1},'conquered.':{'it':1},'daisy':{'are':1},'undergo':{'disintegration.':1},'zoophyte':{'called':2,'.':2},'assign':{'no':1},'most...':{'.':1},'partnerships':{'between':1},'knots':{'subsequently':1,'or':1,'smoke':1,'for':1},'probability':{'is':4,'that':1,'the':1,'in':1},'encoding':{':':1},'knocking':{'off':1},'reflected':{'rays':1,'from':3,'back':1,'to':1,'depends':1,'through':1},'antiquity':{'and':1,'of':3,'the':1,'with':1},'moorings':{'.':1},'elder':{'brothers':1},'unexpected':{'manoeuvres':1},'incubated':{'in':1},'warty':{'chameleon':3,'creature':1},'1871':{'when':1},'mist':{'that':1},'miss':{'gertrude':1,'the':1,'part':1,'frances':1},'ninth':{'printing':1},'foraminifera':{'and':1,';':1,'each':2},'utters':{'instinctively':1},'horse':{'and':7,'eohippus':1,'use':1,'merychippus':1,'orohippus':1,'of':2,'showing':2,'pliohippus':1,'running':1,'.':1,'shunting':1,'will':1,'s':1,'mesohippus':1,'a':1,'have':1,'which':1,'has':1,'beginning':2,'or':1,'is':1},'pelagica':{'this':1,'125':1},'findings':{'of':1},'interwoven':{'with':1,'that':1},'obedience':{'to':1},'483.3':{'11.86':1},'wonderful':{'instruments':1,'modern':1,'cluster':1,'devices':1,'colour-scheme':1,'fabric':1,'to':1,'system':1,'.':1,'instrument':3,'new':1,'elements':1,'intellectually':1,'revelations':1,'photograph':1,'corona':1,'manifestations':1,'mass':1,'source':1,'piece':1,'changes':1,'discoveries':1,'x-ray':2,'result':1},'gibraltar':{'professor':1,'so':1},'einstein.':{'illustration':1},'scheme':{'represents':1,'of':1},'danger-call':{'of':1},'passed':{'and':5,'perhaps':1,'down':1,'to':1,'as':1,'through':3,'the':2,'by':1,'before':2},'pure-bred':{'wheat':1},'measurable':{'.':1,'quantity':2},'basal':{'appetites':1},'1918':{'flew':1,'upwards':1},'blindly':{'and':1},'1911':{'showing':1,'23':1},'half-made':{'wing':1},'1912':{'.':1,'in':1},'1914':{'this':1,'and':1,'41':1,'an':1},'1917':{'a':1,'we':1,'upwards':1},'grew':{'to':1,'wheat':1,'by':1,'up':1},'tunic':{'of':1},'kindly':{'emotions':1},'grey':{'red':1,'in':1},'haddock':{'or':1},'intensities':{'of':1},'toward':{'the':2,'death':1,'increasing':1,'us':1},'stickleback':{'enters':2,'being':1,'of':1,'is':2,'s':1,'making':2},'fisheries':{'in':1},'withered':{'leaf':1,'herbage':1},'clerk-maxwell':{'james':1,'246':1,'one':1},'bells.':{'in':1},'alongside':{'of':3},'juice':{'has':1},'sentences':{'of':1,'were':1},'events':{'included':1},'concentration':{'than':1},'organs':{'and':1,'of':1,'pass':1,'but':1,'.':4,'in':1,'throughout':1,'or':1},'gathering':{'light':1,'some':1,'round':1,'to':1,'of':1},'atoms--the':{'energy':1,'discovery':1},'lid':{'.':1},'lie':{'on':1,'disregarded':1,'outside':1,'low':1,'in':1,';':1,'at':1},'u.s':{'.':2},'speculative':{'and':1,'picture':1,'point':1},'flaming':{'jets':1,'hydrogen':2},'scotland':{'1920':1,'s':1,'since':2,'were':1,'.':1},'camouflage':{'and':1,'a':1},'lit':{'our':1,'the':1,'by':1,'up':1},'relieved':{'of':1,'by':2},'labour':{'and':2,'becomes':1,'has':1,'set':1,'.':1},'lip':{'of':1,'the':1,'which':1,'but':1},'useless':{'vestige':1,'responses':1,'movements.':1,'halfpennies':1,'heat':1,'movements':2},'command':{'travels':2},'presently.':{'regions':1,'if':1},'embryological':{'evidence':1,'proof':1},'towards':{'a':1,'what':2,'or':1,'becoming':1,'us':2,'fruit-eating':1,'him.':1,'flesh-eating':1,'harmony':1,'nobler':1,'the':17,'increasing':1,'clothing':1,'its':2,'those':1},'figures--bison':{'reindeer':1},'quote':{'professor':1,'the':1},'literal':{'demonstration':1,'blood-relationship':1},'systems':{'comes':1},'indefinitely.':{'the':1},'eaten':{'or':1},'position':{'and':1,'would':1,'these':1,'of':3,'is':2,'.':1,'held':1,'as':1,'in':1,'invisible':1,'increasing':1,'where':1,'into':1},'alpha':{'the':2,'rays':1,'particle':1,'centauri':2},'approved':{'fashion':1},'19.--comet':{'september':1},'muscle':{'and':1,'for':1,'which':1,'blood-vessel':1},'evolution--factors':{'in':2},'prolongation':{'of':2},'mobile':{'ribs':1,'vehicle':1,'pigment-cells':1,'.':1,'water':2,'in':1,'tongue':1},'performances':{'and':1,'depended':1},'clear':{'and':2,'for':1,'that':8,'ideas':1,'illustration':1,'.':2,'water':1,'as':1,'without':1,'adaptation':1,'in':1,'passage':1,'why':2},'broadened':{'and':1,'out':1},'snapping':{'at':1},'25--giant':{'spiral':1},'electrons':{'and':7,'copper':1,'all':1,'being':1,'possessing':1,'move':1,'moving':1,'it':2,'an':2,'produced':2,'streaming':2,'as':2,'are':7,'in':6,'particles':1,'compose':1,'from':8,'would':1,'electricity':1,'flying':1,'circulating':1,'travel.':1,'.':11,'rushes':1,'to':2,'behind':1,'without':1,'therefore':1,'contained':1,'revolving':1,';':2,'has':3,'pass':1,'is':2,'do':1,'may':1,'circulated':1,'but':2,'263':1,'267':1,'revolve':1,'now':1,'spin':1,'a':1,'rush':1,'resulting':1,'receive':1,'leave':1,'into':1,'258':1,'across':1,'will':1,'continue':1,'so':1,'were':1,'become':1,'increase':1,'or':3},'foster-mother':{'hen':1},'velocity':{'for':1,'of':8,'sufficient':1,'.':2,'which':1,'beyond':1,'masses':1},'usual':{'interchange':1,'direction':1,'definite':1,'difficulty':1,'mode':1,'way':1,'shortness':1,'notion':1},'tubes':{'and':1,'.':1,'by':1,'until':1},'one-eighth':{'of':1},'phenomenon':{'of':1,'is':1,'.':1},'registers':{'the':1,'itself':1},'caries':{'hitherto':1},'velvety':{'skin':1},'stores':{'of':3,'nor':1},'heavens':{'we':1,'7':1,'being':1,'is':1,'.':5,'are':1,'constitutes':1,'which':2,'the':1,'more':1,'with':1,'along':1,'at':1},'164.78':{'34800':1},'wriggle':{'through':1,'up':1},'debts.':{'moreover':1},'with.':{'in':1},'betokens':{'a':1},'northern':{'hemisphere':1,'rhodesia':2,'spain':4,'lakes':1},'duncan':{'.':1},'series':{'of':13,'is':1,'e.g':1,'.':2},'distances;':{'the':1},'less':{'satisfactory':1,'secure':1,'striking':1,'expensively':1,'successfully':1,'powerful':1,'genial':1,'likely':1,'definite':1,'in':1,'radiation':1,'clearly':1,'protrusive':1,'prolific':1,'domed':2,'able':1,'.':2,'moist':1,'stable':2,';':1,'degree':1,'continuous':1,'accurately':1,'important':4,'strenuous':1,'known':1,'regular.':1,'than':17,'conspicuous':1,'aimless':1,'central':1,'fit':2,'brusque':1,'of':3,'steady':1,'severe':1,'promising':1,'the':1,'spontaneous':1},'darted':{'furiously':1},'orbits.':{'circling':1,'yet':1},'surveyed':{'.':1},'pretty':{'generally':1,'fluorescence':1,'pieces':1},'quadrupedal':{'fashion':1},'circle':{'this':1,'of':1,'here':1,'are':1,'round':3,'shows':1},'darwin':{'origin':1,'sir':1,'said':1,'showed':3,'charles':1,'56':1,'observed':1,'s':9,'greatest':1,'in':1,'the':3,'called':1},'ball-room':{'.':1},'dominant':{'spring':1,'reptiles':1},'meanwhile':{'the':1,'we':1,'it':1},'trees':{'a':2,'and':2,'like':1,'with':1,'of':1,'.':2,'where':2,'were':1,'the':1,'has':1,'was':1,'why':1},'famous':{'jesuit':1,'theory':1,'form':1,'of':1,'for':4,'book':1,'manchester':1},'feels':{'for':2},'combinations':{'of':1},'during':{'a':3,'her':1,'eclipses':1,'this':3,'many':1,'an':2,'these':1,'which':5,'the':19,'its':2},'molten':{'interior':1,'matter':1,'by':1},'birds.':{'during':1,'according':1,'it':1},'catches':{'a':1,'the':1},'intrude':{'on':1},'alteration':{'modification':1,'of':1},'flight.':{'illustration':1},'underlying':{'photosphere':1},'withdrawal':{'of':1},'hours--a':{'prodigious':1},'hobbled':{'with':1},'seventeen':{'and':1,'years':1},'religiosa':{'a':1,'138':1},'electro-magnet':{'and':1},'throwing':{'the':1,'off':1},'plausible':{'view':1},'culture':{'gave':1,'migrating':1,'.':1},'invisible.':{'the':2,'sec':1,'illustration':1},'close':{'and':1,'rapidly':1,'indeed':1,'enough':1,'together':1,'to':3,'resemblances':1,'contact':2,'at':1,'reproduction':1,'of':1,'resemblance':1,'by':2},'plankton.':{'hunger':1},'gravitation':{'that':1,'of':1,'is':1,'.':3,'to':1,';':1,'etc.':1},'probable':{'date':1,'age':1,'that':12,'period':1,'however':2},'plasticity':{'of':1,'.':2},'not-living':{'material':1,'materials':1},'tibet':{'indo-china':1},'seventieth':{'of':1},'educability':{'is':1,'but':1,'.':1},'won':{'most':1},'years.':{'and':1,'in':1},'probably':{'associated':1,'illustrates':1,'an':1,'not':1,'are':1,'begun':1,'in':2,'cloud':1,'profitable':1,'from':2,'adapted':1,'there':1,'when':1,'indicate':1,'much':2,'helps':1,'survive':1,'means':2,'lived':1,'that':2,'far':1,'safe':2,'clearer':1,'less':1,'connected':1,'represented':1,'during':1,'breeding':1,'intrinsically':1,'a':3,'did':1,'of':2,'taking':1,'preyed':1,'suggests':1,'points':1,'evolved':2,'the':3,'encased':1,'counted':1,'came':1},'conditions':{'and':1,'that':2,'this':1,'of':15,'when':1,'culminating':1,'.':5,'will':1,'while':1,'internal':1,'are':4,'they':1,'in':2,'reached':1,'the':1,'our':1},'aeons':{'of':1},'ps':{'.':1},'stagnation':{'.':1},'egg-cells':{'and':4},'fox-bat':{'with':1},'missing':{'an':1},'description.':{'it':1},'moults':{'three':1},'craters':{'and':1,'on':1,'indicated':1,'of':3,'.':1,'which':1},'ranked':{'amongst':1},'basalts':{'.':1},'invisible':{'and':2,'because':1,'star':1,'thread':1,'visible':2,'light':2,'gas':1,'against':1,'.':3,'particles':1,'to':1,'rays':1,'electrons':1,'but':1,'molecules':1,'waves':1,'world':1,'medium':1,'if':1},'both':{'jaws':2,'is':1,'in':1,'are':1,'paragraphs':1,'birds':1,'cases--marvellous':1,'from':1,'ways':1,'when':2,'.':1,';':1,'difficult':1,'eyes':2,'his':1,'kinds':1,'photography':1,'chimpanzee':1,'minnows':1,'adult':1,'cases':3,'with':1,'sides':2,'man':1,'on':1,'processes':1,'land':1,'these':3,'of':4,'hemispheres':1,'below':1,'time':1,'small':1,'the':2,'fertility':1,'herons':1},'humidity.':{'there':1},'gaunt':{'and':1},'greater--a':{'sudden':1},'sensitive':{'and':1,'period--the':1,'bromogelatine':1,'hairs':1,'no':1,'to':2,'that':1,'line':1,'than':3},'picture.':{'b':1,'illustration':2},'vaster':{'irregular':1},'experimental':{'plot':1,'discoverer':1,'study':1,'men':1,'character':1,'evidence':1,'behaviour':1,'initiative':1,'way':1,'embryology':1,'conditions':1,'devices.':1,'proof':1},'battery':{'consisted':1},'hewn':{'but':1},'whatever':{'be':1,'kind':1,'medium':1,'means':1,'advances':1,'colour':1,'number':1,'part':1,'way':1,'sets':1,'the':1},'chromosomes.':{'3':1,'5':1,'illustration':1,'6':1},'galileo':{'s':1,'who':1},'climbers':{'of':1,'in':1},'undulating':{'flashes':1},'revolutionising':{'our':1},'persecuted':{'.':1},'described':{'on':1,'later':1,'it':1,'one':1,'to':1,'as':3,'without':1,'stars':1,'in':4,'the':1,'.':1,'by':1},'stamp':{'of':2},'damp':{'meadow.':1,'weather.':1,'grass':1,'meadow-grass':1},'exert':{'this':1,'a':1},'geddes':{'and':1},'describes':{'the':1},'maintenance':{'of':1},'territory':{'we':1},'empty':{'available':1,'shell':2,'space':2,'of':1,'nest':2,'space--ether':1,'coco-nut':1,'infinite':1,'chambers':1,'the':1,'tubular':1},'jesuit':{'astronomer':1},'lived':{'on':1,'like':1,'for':1,'there':1,'.':1,'in':3,'100':1,'between':1},'partly':{'on':2,'because':9,'opened':1,'due':2,'accounts':1,'by':2},'success.':{'the':1},'intelligently.':{'intelligence':1},'freezing-point.':{'the':1},'exempt':{'status':2,'from':1},'permeating':{'the':1},'else':{'it':1,'soon':1,'in':2,'.':1,'seek':1,'mere':1},'lives':{'a':1,'on':2,'there.':1,'for':1,'inside':1,'together':1,'.':3,'at':1,'which':1,'in':4,'or':1},'liver':{'and':1},'magnetised':{'iron':1},'look':{'towards':1,'like':1,'for':3,'exactly':1,'.':1,'to':1,'at':4,'forward':2,'further':1,'precisely':1,'after':3,'more':1},'opportunity.':{'there':1},'ape-like':{'and':1,'eyebrow':1},'pace':{'sternly':1,'of':1},'while':{'and':1,'all':1,'contemporaneously':2,'energy':1,'some':1,'it':1,'one':1,'at':1,'zinc':1,'in':1,'our':1,'neanderthal':1,'her':1,'there':1,'two':1,'to':1,'we':1,'they':2,'others':2,'monkeys':1,'a':2,'on':1,'fleas':1,'these':1,'many':1,'this':1,'the':12,'similar':1},'ought':{'to':4,'definitely':1},'286':{'transformation':1},'mitchell':{'it':1},'guide':{'the':1,'him':1,'.':1},'pack':{'of':1},'albatros':{'fashion.':1},'forelegs':{'as':1},'selected':{'spot':1,'was':1},'dictum':{'that':1},'fed.':{'the':1},'overlooked':{'the':1},'geologists':{'to':1,'cannot':1},'reads':{'the':1,'like':1},'ready':{'to':4,'way':1},'simian':{'tribe.':1,'branch':1,'stock--physiological':1,'characters':1,'line':1,'type':1,'stock':5},'communal':{'life.':1},'predominates':{'.':1},'forewing':{'.':1},'belong':{'to':6,'as':1,'.':1},'unpromising':{'haunt':1},'shad':{'which':1},'grand':{'hardwood':1,'total':1,'.':1},'modification':{'or':1},'composition':{'of':3,'what':1,'was':1,'we':1},'clearness':{'and':1},'hind-leg':{'of':2},'used':{'on':1,'we':1,'for':6,'fire':1,'is':1,'up':2,'.':1,'to':14,'as':4,'threads':1,'in':10,'such':1,'the':1,'was':1,'by':5,'if':1},'temporary':{'and':2,'diseased':1,'nest':1},'suggestion':{'of':5,'that':2,'was':1,'.':1},'optic':{'nerve':1},'tube.':{'it':1},'u.s.':{'unless':1},'wilson':{'a':1,'observatory':2,'reflector':1,'45':1,'reflecting':1,'california':2,'observatory.':8},'000':{'and':1,'barrels':1,'miles':35,'years.':1,'pounds':3,'of':6,'times':3,'feet':1,'to':6,'000':20,'miles--eighteen':1,'are':1,'atoms.':1,'inch':2,'deg':2,'years':17,'bushels':2},'uses':{'it':1},'cleaning':{'the':1},'saucer-shaped':{'body':1},'assortment':{'of':1},'brussels':{'sprouts':1},'tufts':{'growing':1,'of':1,'in':1},'changed.':{'we':1},'luminescence':{'will':1,'makes':1,'that':1},'older':{'astronomers':1,'and':1,'loess':1,'yucca':1,'than':1},'spectrum.':{'that':1},'copper.':{'illustration':1},'consistence':{'of':1},'obviously':{'that':1,'much':1,'means':2,'desirable':1,'depends':1,'complex':1,'the':1,'must':1},'segmented':{'marine':1},'forms.':{'illustration':1},'calcutta':{'which':1,'.':1},'suddenness':{'the':1,'like':1},'scouring':{'a':1,'tide':1},'distances':{'and':1,'distance':1,'from':5,'of':3,'within':1,'deriving':1,'are':1,'which':1,'between':1,'the':1,'with':1},'alytes':{'not':1},'cave':{'in':2,'drawings':1,'northern':4,'.':1},'judgments':{'about':1,'expressed':1,'in':1},'migratory':{'flight':1},'overflows':{'over':1},'rabbit--who':{'by':1},'quarters':{';':1},'perforating':{'the':1},'planetoids':{'splashed':1,'or':1},'useful':{'and':1,'associations':2,'ready-made':1,'branches':1,'means':1,'pennies':1,'teeth':1,'law--senses':1,'to':6,'deposit':1,'advertisement':1,'in':3,'offices.':1,'law':1,'quality':1,'first':1},'praying':{'mantis':3},'informal':{'introductions':1},'possessors':{'to':1,'back':1,'than':1},'stock--physiological':{'proof--embryological':1},'debatable':{'questions':1},'remaining':{'on':1,'six.':2,'provisions.':1},'elver':{'at':1},'unravelled':{';':1},'march':{'23':2},'insert':{'here':1},'reptilian':{'splendour.':1,'mind--mind':1,'life':1,'mind':1,'features':1},'showing':{'a':10,'division':1,'seven':2,'him':1,'upper':1,'gradual':2,'that':1,'evolution':1,'marked':1,'.':1,'how':1,'various':2,'no':1,'under':1,'in':1,'variable':1,'what':1,'the':16,'many':1,'their':1,'trout':1},'game':{'of':4,';':1,'or':1},'wiser':{'than':1},'text-book':{'of':2},'damage':{'or':1},'distance.':{'illustration':1},'wings':{'of':3,'is':2,'turned':1,'it':1,'.':4,'suggests':1,'while':1,'are':3,'have':1,'in':1,'the':1},'translucent':{'blue':1},'ponds':{'and':1,'where':1,'they':1,'.':1},'fore-limb':{'and':1,'of':2,'is':1,'has':2,'transformed':1},'long-drawn-out':{'sublime':1},'pillar':{'to':1,'the':1,'parallel':1},'resorted':{'to':1},'holes':{'and':1},'manifest':{'themselves':1},'eel':{'and':1,'is':1,'early':1,'haddock':1,'anguilla':2,'ever':2},'popular':{'lectures':1,'astronomy':1,'idea':1,'sense':1,'interpreter':1,'estimation':1},'death-feigning':{'for':1},'minced':{'snail':1},'mathematical':{'discussion.':1,'astronomers':1,'genius':1,'points':1,'consequence':1,'astronomy':1,'reasoning':1},'wrack':{'behind':1},'cones':{'and':1,'to':1},'negative.':{'a':1},'creation':{'of':1,':':1,'when':1,'.':3},'some':{'pollen':1,'remarkable':1,'insects':2,'cromagnards':1,'muscle-fibres':1,'worms':1,'parts':4,'years':2,'volcanic':1,'cases':10,'knowledge':1,'hint':1,'interesting':1,'young':1,'improvement':1,'source':1,'writers':1,'black':1,'botanists':1,'deep-seated':1,'thousands':1,'dispute':1,'which':1,'food':1,'leisure':1,'dark':2,'they':1,'radio-active':1,'uncertain':1,'adventurous':1,'stimulus':1,'deficient':1,'miles':1,'truth':1,'small':2,'force':1,'people':1,'animals':4,'idea':2,'namely':1,'are':3,'measure':8,'disturbing':1,'nocturnal':1,'creatures':1,'respects':3,'organisms':1,'solemn':1,'anatomists':1,'eminent':2,'uniform':2,'fossil':1,'new':4,';':1,'twenty-five':1,'sluggish':1,'trout':1,'degree':2,'men':1,'lakes':1,'quite':1,'water':1,'extraordinary':1,'reason':1,'extent':5,'path':1,'canals':2,'strong':1,'great':2,'thirty':1,'of':55,'region':1,'undisguised':1,'aboriginal':1,'butterflies':1,'place':1,'deep-sea':1,'other':15,'mound-birds':1,'members':1,'striking':1,'simple':2,'fishes':3,'hermit-crabs':2,'carry':1,'ape':1,'little':1,'nebulae':2,'would':2,'harmless':1,'lizards':1,'unknown':1,'long':1,'way':5,'more':1,'sort':8,'that':1,'vanishing':1,'mammals':2,'explanation':1,'precision':1,'races':1,'particular':1,'prodigious':1,'primeval':2,'careful':1,'spirit':1,'task.':1,'150':1,'distance':2,'kind':5,'word':1,'solid':1,'theories':1,'nine':1,'were':1,'beautiful':2,'imaginative':1,'larger':1,'beetles':1,'process':1,'modern':1,'geologists':1,'states':1,'say':1,'have':2,'regulate':1,'species':2,'education':1,'considerable':1,'detail':1,'astronomers':4,'very':1,'strange':1,'electrical':1,'animal':1,'semi-fluid':1,'intelligent':1,'day':2,'fairly':1,'unimaginable':1,'kinds':2,'earlier':1,'delicacy':1,'secluded':1,'waves':1,'authorities':6,'such':2,'land':1,'dragon-flies':1,'surprising':1,'magical':2,'think':1,'fundamental':3,'time':1,'wood-snails':1,'eighty-odd':2,'bodies':1,'typical':1},'yolk':{'fully':1,';':1,'has':1,'y.s.':1,'.':1},'apes--gorilla':{'orang':1},'urgent':{'need':1},'lips':{'and':2,'four':1,'audibly':1},'economic':{'and':1},'besides.':{'interpretation':1},'nerve-fibres':{'one':1},'lingers':{'in':1},'body-mind':{'.':1},'universes':{'why':1,'comparable':1,'.':1,'like':1,'in':1},'bruising':{'the':2},'savage':{'nature':1},'nonproprietary':{'or':1},'fifty-millionth':{'of':1},'pitchblende':{'about':1,'which':1},'exceeding':{'the':1,'that':1},'competitions':{'arose':1},'pounding':{'breakers':1},'civilization':{'.':1},'sympathetic':{'ganglia':1,'colouring':1},'claimed':{'that':1},'knitting-needle':{'in':1},'eating':{'at':2,'one':1},'protrusible':{'tongue':1,'tentacles':1},'processing':{'or':1},'lakes':{'and':1,'there':1,'are':2},'stem':{'still':1,'diverged':1,'help':1,'goes':1,'.':2},'step':{'meant':1,'towards':1,'two-thirds':1,'which':1,'in':6,'toward':1,'was':3},'lasts':{'till':1,'through':1,'no':1},'become':{'equally':1,'words':1,'beautifully':2,'satisfactory':1,'an':1,'at':1,'sea':1,'in':3,'luminous':1,'living':1,'bipeds':1,'unavailable':2,'unavailable.':1,'burrowers':1,'silvery':1,'shorter':2,'permanent':1,'fatal':1,'more':3,'real':1,'yellowish':1,'separate':1,'secondarily':1,'invisible--just':1,'faintly':1,'steadied':1,'parr':1,'utterly':1,'not':1,'instinctive':1,'dissipated':1,'quite':1,'invisible.':1,'a':13,'organically':1,'perfectly':1,'like':1,'liquid':1,'of':1,'large':1,'the':2,'adapted':1},'abroad':{'during':1},'facility:':{'http:':1},'shine':{'very':1,'out':1},'faith':{'that':1},'76':{'photo':1,'the':1,'venus':1,'capella':1},'entailed':{'on':1},'prothyl':{'as':1},'warm-bloodedness':{'is':2},'four-footed':{'ancestry':1},'chaps.':{'illustration':1},'silence':{'and':1,'immense':1},'seeing':{'there':1,'it':1},'baboons':{'.':1},'visit':{'to':1,':':1,'http:':1},'within':{'into':1,'60':1,'as':2,'itself':2,'.':1,'their':2,'which':2,'themselves':1,'them':2,'his':1,'reach':1,'five':2,'90':2,'recent':1,'a':7,'about':2,'limits':1,'this':1,'30':1,'bounds':1,'reasonable':1,'the':20,'fixed':1},'libelled':{'as':1},'encircling':{'rampart':1},'one-millionth':{'of':2},'france':{'and':3,'in':3},'smells':{'indeed':1},'theory.':{'the':1,'while':1,'illustration':1},'statistics':{'worked':1},'feelers.':{'illustration':1},'renewal':{'.':1},'sea-snail':{'and':1,'.':1},'transcending':{'the':1,'anything':1},'placing':{'a':1,'the':1},'moseley':{'found':1,'s':1,'some':1},'heritage':{'not':1,'much':1},'spawning':{'none':1,'solution':1,'.':1,'beds':1,'are':1,'method':1},'revolving':{'very':1,'as':1,'electrons':1,'in':1,'round':1,'blades':1},'tortoise-shell':{'butterfly':1},'manufacture':{'and':1,'subtle':1,'much':1,'chlorophyll':1},'himself':{'and':1,'established':1,'educated':1,'the':1,'.':1,'in':1,';':1,'by':1},'registered':{'on':1,'trademark':2},'frost':{'and':1,'acting':1,'but':1},'torch':{'of':1},'shore-crab':{'is':1,'shows':1,'.':1},'properly':{'the':1},'authority':{'on':2,'thinks':1},'newer':{'loess':1},'hares':{'and':1},'dull':{'sheaths':1,'white':3,'red-hot':1,'red':1,'.':1},'zooelogical':{'discoveries':1},'lamp-shells':{'trilobites':1,'molluscs':1},'folk-ways':{'to':1},'drifters':{'the':1,'or':1,'plankton':1},'skull':{'and':6,'represents':1,'from':1,'then':1,'of':2,'is':2,'was':3,'.':3,'discovered':2,'looks':1,'which':1,'the':2,'with':1,'warns':1,'170':1},'circuits':{'as':1},'sifting':{'process':1,'.':1,'to':1,'continue':1,'which':3,'the':2,'by':1,'out':3},'foresight':{'and':1,'to':1,'means':1},'state--':{'radiant':1},'cautiously':{'out':1},'similar':{'palatable':1,'needs':1,'disturbance':1,'inference':1,'adaptations':1,'organisms':1,'sedimentary':1,'performances.':1,'processes':1,'results':1,'forms':2,'to':5,'experiments':1,'statements':1,'in':1,'things.':1,'disorders':1,'pieces':1,'conditions':1,'deposits':1,'stage':1},'non-living':{'sea-dust':1,'world.':1},'adults':{'of':1,'the':1,'like':1},'introducing':{'dust':1,'2':1},'metals':{'afforded':1,'would':1,'began':1,'but':1,'as':1,'were':1,';':1,'seem':1,'the':1},'unwise':{'to':1},'1894':{'in':1},'1895':{'sir':1,'roentgen':1},'1896':{'becquerel':1},'1890':{'that':1},'shown.':{'in':1},'kidney':{'filters':1},'cotton':{'packet':1,'were':1},'ancestors':{'a':1,'belonged.':1,'breathing':1,'on':1,'may':1,'of':5,'.':4,'which':1,'were':2,'during':1},'amounts':{'almost':1,'according':1},'heat.':{'recent':1,'illustration':1,'that':1},'prerogative':{'of':2},'mantises':{'which':1},'dissolved':{'away':2,'in':2,'salts':1,'out':1},'electrical':{'industries':1,'force':1,'installations':1,'nature':1,'influence':1,'energy':2,'phenomena.':1,'phenomena':2,'.':1,'cell':1,'attraction':2,'storm':1},'themselves.':{'illustration':1},'milk-glands':{'of':1},'dashes':{'round':1},'bodies.':{'4':1},'draw':{'water':1,'this':1,'a':1,'back':1},'clean':{'and':1},'calculating':{'boy':2},'crouching':{'bird':1,'lying':1},'potentialities':{'of':1},'triumph':{'that':1},'visits':{'us':1,'another':1},'frances':{'pitt':1},'william':{'king':1,'james':1,'bragg':2,'leche':2,'ramsay':1,'crookes':5},'astronomy.':{'ball':1},'chameleon':{'140':1,'attacked':1,'may':1,'is':2,'.':1,'s':1,'which':1,'in':1,'the':1,'inflated':1,'anolis':1},'does;':{'with':1},'cuttlefish':{'do':1,'or':4,'swimming':1},'structure':{'201':1,'and':3,'or':1,'would':1,'do':1,'far':1,'of':8,'is':1,'between':1,'mainly':1,'.':4,'adaptation':1,'which':1,'in':1,';':1,'has':1,'the':1},'independently':{'established':1,'darting':1},'correlated':{'with':1},'e':{';':1,'vivo':1,'.':9},'practically':{'a':1,'dates':1,'cosmopolitan':1,'anything':1,'certain':2,'extinguished':1,'all':1,'as':1,'every':4,'invisible.':1,'invisible':1,'the':1,'ready-made':1,'illimitable':1},'physics':{'and':2,'is':1,'.':1,'cannot':1,'so':1,'at':1,'has':1,'with':1,'are':1},'portentous':{'furnace':1,'event':1,'mines':1},'required':{'to':2,'five':1,'by':1,'thirty-five':1,'for':3},'resolving':{'to':1,'the':1},'orbit':{'to':1,'of':2,'round':1,'.':1},'utilised':{'to':1,'we':1,'by':1,'directly.':1},'depth':{'of':2,'the':1,'limit':1,'.':1},'night.':{'meteors':1,'higher':1},'utilises':{'the':1},'ignorant':{'of':2},'underrated':{'.':1},'berries':{'and':1},'requires':{'to':2,'the':1,'for':1,'ten':2},'sounded':{'by':1},'evenly':{'together':1},'gr':{'granules.':1},'cheerful':{'and':1},'34800':{'1':1},'go':{'and':1,'into':3,'back':4,'down':2,'through':3,'farther':2,'irresponsibly':1,'in':2,'out':2,'their':1,'up-stream':1,'since':1,'to':4,'too':1,'forward':1,'round.':1,'badly':1,'far':2,'free':1,'hand':1,'they':1,'a':1,'on':8,'fully':1,'straight':1,'up':1,'so':1,'deeply':1,'wrong:':1,'the':1,'round':2},'compact':{'little':2,'readily':1},'birthplace':{'after':1,'where':1,'.':1},'baron':{'cuvier':2},'arid':{'and':1,'summer':1},'suits':{'their':1,'the':1},'task.':{'quick':1},'friendly':{'home':1},'fond':{'of':3},'moribund':{'animalcules':1},'rebounding':{'branch':1},'1796':{'the':1},'miners':{'when':1},'wave':{'would':1,'thunder':1,'of':1,'.':1,'shapes':3,'forms.':1},'board.':{'the':1},'trough':{'to':1,'is':1,'in':1},'more.':{'there':1,'sec':1},'whirlpools':{'.':1,'in':1},'scrapers':{'gravers':1},'stiff':{'when':1,'tail-feathers':1},'positions':{'of':1,'towards':1,'so':1,'.':2},'button':{'at':1},'michael':{'s':1,'hart':1},'hive':{'bees':1},'tree.':{'the':1,'sec':1},'verdict':{'omne':1},'sedentary':{'plants':1,'sea-squirts':1,'sponges':1,'or':1,'types':1},'betelgeux':{'has':1},'deg.-34':{'deg':1},'teeth.':{'adaptations':1,'illustration':1},'dilute':{'substances':1},'booty':{'.':1},'detaches':{'a':1},'gumboil':{'too':1},'picked':{'them':1,'off':1,'it':1,'up':3},'creatures--the':{'first':1},'notwithstanding':{'our':1},'fishermen;':{'without':1},'plays':{'possum.':1,'upon':2,'its':1,'an':2},'paintings':{'on':2},'opaque':{'covering':1,'substances.':1,'substance':1,'with':1,'substances':2},'b-c.':{'older':1},'atoms--different':{'kinds':1},'cell':{'that':1,'to':1,'as':1,'in':2,'the':1,'has':1,'come':1},'prejudicially':{'affected':1},'experiment':{'and':1,'showed':1,'would':1,'that':1,'with':1,'.':4,'will':1,'2':1,'which':1,'in':1,';':1,'has':3,'was':2,'he':1},'poles':{'of':3,'especially':1,'.':1},'rotted':{'into':1},';':{'just':1,'indeed':1,'soon':1,'yet':3,'before':1,'copernicus':1,'interesting':1,'3':3,'to':2,'out-breeding':1,'4':2,'8':1,'his':1,'rational':1,'meanwhile':1,'food':1,'they':25,'not':1,'nor':1,'h':1,'where':1,'round':1,'energy':1,'some':4,'ourselves':1,'out':1,'even':2,'living':1,'what':2,'organisms':1,'its':2,'enough':1,'discovers':1,'7':2,'probably':1,'we':7,'here':1,'water':3,'others':2,'by':5,'on':4,'c':1,'of':2,'larger':1,'or':1,'simple':1,'ca':1,'one':3,'another':2,'mercury':1,'from':1,'there':11,'two':1,'thirdly':1,'2':4,'therefore':1,'6':2,'corresponding':1,'that':12,'ages':1,'but':39,'those':1,'he':3,'sound':1,'b':2,'mc':1,'this':3,'while':1,'r':1,'and':61,'almost':1,'thus':1,'it':51,'an':1,'as':1,'at':1,'in':17,'partly':1,'if':6,'perhaps':4,'foretells':1,'how':1,'5':2,'which':2,'9':1,'though':3,'gradually':1,'most':1,'man':1,'a':7,'lower':1,'short':1,'for':3,'sometimes':2,'so':1,'the':65},'completion':{'assuming':1},'melancholy':{'the':1,'in':1},'cellulose':{'walls':2,'but':2},'filings':{'on':1,'arrange':1},'commercial':{'redistribution.':1},'fifteenth':{'of':1},'arrow-worm':{'and':1},'following':{'short':1,'for':1,'that':1,'this':1,'list':1,'professor':1,'sentence':1,'definite':1,'up':2,':':1,'which':1,'each':1,'the':3,'stages':1},'boot.':{'sec':1},'collar-bone':{'which':1},'canals':{'and':2,'of':1,'running':1,'have':1,'.':2},'water-weeds':{';':1},'convert':{'even':1,'to':1,'nitrogenous':1},'indivisible':{'thing':1,'.':3,'particle':1,'they':1,'in':1},'anvil':{'a':1,'the':1,'could':1,'221':1,'.':1},'haunts':{'and':1,'both':1,'of':5,'there':1,'.':2,'untenable':1,'are':1,'in':1,'the':1,'or':1},'animalcules':{'especially':1,'which':1},'benevolence':{'which':2},'repel':{'one':1},'products':{'the':1},'stars--the':{'shape':1,'nebular':1,'age':1},'hearty--we':{'might':1},'stump-like':{'legs':1},'daybreak':{'and':1},'addresses':{'.':2},'danger':{'home':1,'but':1,'of':1},'foothold':{'and':2,'to':1,'in':2},'limited--there':{'are':1},'wit':{'of':2,'enough':1,'to':1},'vegetation--a':{'very':1},'singing':{'of':1},'cloud':{'and':1,'formations.':1,'of':1,'to':2,'32':1,'not':1,'makes':1,'or':2},'reflector':{'differ':1,'of':1,'.':1,'at':1,'instead':1,'the':1,'has':1},'remains':{'adjusted':1,'bring':1,'as':2,'are':1,'in':1,'unaltered':1,'to':1,'known':1,'that':1,'very':1,'occurred':1,'unfrozen':1,'164':1,'quite':1,'with':1,'man':1,'a':2,'obscure.':1,'of':7,'clear':1,'were':2,'found':4,'the':1,'fixed':1,'stationary':1,'consisted':2},'hydra':{'growing':1,'and':1,'72':1,'a':1,'many':1},'contentment':{'.':1},'crab':{'and':1,'then':1,'gets':1,'on':1,'these':1,'is':3,'continues':1,'soon':1,'to':1,'s':2,'116':1,'has':1,'prefers':1,'must':1},'vehicle':{'and':1,'of':2},'stage':{'and':1,'what':1,'or':1,'fastened':1,'like':2,'of':4,'is':1,'there':1,'.':1,'in':4,';':1,'its':1,'before':1},'depreciate':{'the':1},'started':{'the':1,'his':1,'with':1,'less':1},'becomes':{'a':4,'limited':1,'gradually':1,'feebler':1,'lead':2,'very':1,'radium':2,'hard':1,'uranium':1,'electrified':1,'possible':1,'shorter':1,'much':1,'impure.':1,'radiated':1,'negatively':1,'aware':1,'the':5,'great.':1,'more':4},'visibility':{'are':1,'but':1},'43.4':{'alpha':1},'rivalry':{'of':2},'huxley':{'regarded':1,'1825-95':2,'by':2,'called':1},'sea-floor':{'and':1,'a':1},'crosses':{'a':1,'the':2},'consort':{'with':1},'lapse':{'of':1},'averaged':{'off.':1},'recession':{'of':1},'3--the':{'moon':1},'meet':{'and':1,'exceptional':1,'this':1,'where':1,'their':1,'frequently':1,'the':3,'with':1},'nurture':{'habits':1,'seems':1},'drops':{'of':2,'as':1},'control':{'a':1,'of':2,'over':1,'in':1,'but':1,'.':1,'as':1,'each':1,'the':1},'corpuscular':{'theory':1},'escapes':{'this':1,'attention':1,'from':1,'by':1,'.':1},'escaped':{'and':1},'his':{'chariot':1,'magnetic':1,'actions':1,'hind-legs':1,'polish':1,'throne.':1,'previous':1,'pectoral':1,'limbs':1,'rapid':1,'disposal':1,'beagle':1,'kingdom.':1,'astonishment':1,'world.':1,'grip':1,'plate':1,'big':2,'navigable':1,'wives':1,'famous':1,'breast':1,'facial':1,'vacuum':1,'foot':2,'experiments.':1,'distrust':1,'science':1,'fertility':1,'teeth.':1,'ethical':1,'lowly':2,'infancy':1,'best--':1,'dead':1,'affiliation':1,'cost':1,'living':1,'pedigree':1,'tube':1,'fingers':1,'lowliness':1,'conduct':2,'origin.':1,'achievements':1,'theory':1,'business':1,'dental':1,'behaviour':1,'ancestry':1,'flanks':1,'eye':2,'tortoise':1,'conviction':1,'pursuits.':1,'messages':1,'interesting':1,'or':1,'origin':1,'own':3,'family':1,'bonnet':1,'erect':1,'god-like':2,'refined':1,'greatness.':1,'mental':2,'parentage':1,'fields.':1,'monkey':1,'own.':1,'brute':1,'long':1,'milieu':1,'observations':1,'greatness':1,'right.':1,'telegraph':1,'descent.':1,'head':3,'relationship':1,'bodily':2,'hole':1,'breast-pocket':1,'structure.':1,'encouragement.':1,'work':1,'individual':1,'more':1,'eyes':1,'domesticated':1,'everyday':1,'innings':1,'leisure-time':1,'electro-magnetic':1,'power':2,'faults':1,'reach.':1,'arguments':1,'answer':1,'stock':1,'development':2,'noble':2,'elbows':1,'social':1,'hand':1,'mouse-pupil':1,'mouth':2,'mate':2,'solidarity':1,'attempt':1,'observation':1,'charges':1,'starting':1,'chickens':1,'daily':1,'hypotheses':1,'fundamental':1,'tubes':1,'left':1},'pulling':{'things':1,'the':2},'sought':{'after':1,'out':1},'cave-men':{'of':1,'lived':1,'or':1,'show':1},'herring-gulls':{'lift':1},'embodiment':{'to':1,'or':2,'of':1},'defective':{'you':1,'work':1,'or':2},'digested':{'or':1},'confessed':{'that':2},'andes':{'.':1},'arrangement':{'of':4,'is':1,'there':1,'by':1},'solidifying':{'of':1},'located':{'on':1,'in':1,'at':2,'also':1},'sentiments':{';':1,'in':1},'instinctively':{'a':1,'recognize':1,'as':1,'for':1,'but':1},'re-use':{'it':2},'circular':{'magnetic':1,'orbit':1,'craters':1},'pink':{'mouth':1},'fostered':{'and':1,'not':1},'furiously':{'upon':1},'thunderstorm':{'we':2,'.':1},'trinil':{'in':1},'regrown':{'double.':1,'.':1},'sugar-bird':{'in':1},'free-swimming':{'larval':1,'larvae':1},'1.88':{'4230':1},'gulps':{'.':1},'conspicuousness':{'serves':1},'divided':{'their':1,'the':1,'into':5,'.':1},'immensity':{'of':1,'is':1},'least':{'meant':1,'a':3,'cold':1,'within':1,'600':2,'has':1,'interesting':1,'half':1,'there':1,'twenty':1,'one':1,'as':1,'of':2,'two':1,'in':1,'progress':1,'tremor':1,'.':2,'the':1,'by':1,'inclination':1},'astronomical':{'instruments':1,'society.':2,'instrument':1},'spots--they':{'are':1},'sperm':{'-cell':1},'boils':{'because':1},'primates':{'and':1,'sprang':2,'began':1,'soon':1,'.':1,'emerged':1,'in':1,'was':1},'including':{'climate':1,'shrews':1,'that':1,'some':1,'life':1,'legal':2,'obsolete':1,'checks':1,'but':1,'how':1,'the':5,'river':1,'outdated':1,'any':1},'obelia':{'68':1,'consisting':1},'converting':{'it':1},'facilitates':{'the':1},'brittle':{'spikelet-bearing':1},'avebury':{'s':1},'27-1':{'2':1},'outer':{'layers':1,'and':1,'stream':1,'space':1,'envelope':1,'one-mile':1,'crust':1,'surface':1,'crust.':1,'mile':1,'world':2,'ring':1},'exclusion':{'or':1},'thence':{'to':1},'up-stream':{'as':1},'masses':{'and':2,'of':6,'the':2,'or':1,'a':1},'water-weed':{';':1,'glued':2},'brook':{'of':1},'him':{'and':1,'partly':1,'of':1,'.':2,'how':1,'which':1,'in':1,'with':2},'registration.':{'illustration':1},'pre-dravidians':{'and':1},'master.':{'learning':1},'dead-leaf':{'butterfly':2},'popularly':{'known':1,'supposed':1},'shasta':{'daisy':1},'hills.':{'the':1},'rising':{'and':2,'from':1,'into':1,'sometimes':2,'water':1,'to':1,'in':1},'africa.':{'illustration':2},'stout':{'knitting':1},'hands':{'and':1,'did':1,'.':1,'in':1,'of':1},'front':{'and':3,'of':3,'door':1,'side':1,'.':1},'revealed.':{'even':1,'illustration':1},'masters':{'of':1},'f.e.s.':{'a':5,'diagram':1,'protective':1,'earthworm':1,'when':1,'hermit-crab':1,'hind-leg':1,'glass':1,'green':1,'new':1,'the':5,'trypanosoma':1,'venus':1},'mastery':{'of':5,'by':1,'.':1},'university':{'of':2,'library':3,'10':1},'plate-holder':{'on':1},'magnitude':{'and':2,'of':1,'what':1,'which':1},'mode':{'of':1},'pools':{'and':1,'of':2,'it':1,'dried':1,'which':1,'in':1},'evolution--how':{'it':1},'legions':{'of':1},'upward':{'and':2,'to':1,'at':1},'mare.':{'illustration':1},'map':{'of':2},'globe':{'and':1,'from':1,'like':1,'turns':1,'.':3,'will':1,'to':1,'bounded':1,'which':1,'was':1},'steadied':{'into':1},'mollusc':{'and':1,'s':1,'shells':1},'sands':{'of':2},'measure':{'be':1,'them':1,'for':1,'this':1,'speed':1,'explained':1,'it':1,'.':2,'how':1,'controlling':1,'unveiled':1,'dependent':1,'the':1,'with':1,'climb':1},'separating':{'the':1,'from':1,'positively-electrified':1},'special':{'protective':1,'vertical':1,'danger':1,'rules':1,'study':1,'protection':1,'interest':1,'make-up':1,'skin-leaves':1,'photographic':1,'properties':1},'143':{'protective':1},'ejecting':{'beta':1,'an':1},'vaporisation':{'of':1},'9.--the':{'great':1},'confess':{'to':1},'protoplasm':{'which':1,'flowing':1},'may':{'afterwards':1,'consider':1,'obtain':1,'rest':1,'bring':1,'go':2,'follow':2,'still':2,'find':1,'help':1,'29':2,'charge':1,'choose':1,'save':1,'swim':1,'do':1,'get':1,'read':1,'express':1,'mention':2,'not':4,'tend':1,'fitly':1,'realise':1,'contain':1,'become':3,'mean':1,'traverse':1,'set':1,'we':1,'see':1,'1924':1,'pass':6,'creep':1,'even':1,'by':1,'yet':1,'wriggle':1,'approach':1,'refer':1,'make':3,'be':124,'notice':1,'extend':1,'associate':1,'here':1,'qualify':1,'distinguish':1,'bask':1,'change':1,'convert':1,'keep':1,'credit':1,'place':1,'retain':1,'safely':1,'think':1,'elect':1,'divide':1,'conclude':1,'merely':1,'determine':1,'speak':4,'use':2,'raise':1,'prove':2,'there':2,'add':1,'.':1,'call':1,'therefore':1,'only':1,'form':2,'serve':1,'hear':1,'gain':1,'demand':1,'copy':2,'look':2,'remain':1,'suppose':1,'learn':3,'spawn':1,'give':3,'escape':1,'it':1,'say':3,'at':1,'have':27,'seem':3,'seek':1,'occur':2,'lie':1,'turn':2,'perhaps':1,'travel':1,'also':3,'take':1,'rise':1,'quote':1,'produce':2,'recognise':1,'assume':1,'well':3,'roughly':1,'spend':2},'time.':{'the':2,'illustration':1,'in':1},'pendent':{'whalebone':1},'cause':{'a':3,'and':1,'clouds':1,'of':2,'tiny':1,'chemical':1,'to':1,'the':1,'bodies':1},'achievements':{'of':2,'so':1},'fly.':{'the':1,'illustration':1},'that--':{'first':1},'withering':{'leaves':1,'leaf':1},'completely':{'disappear':1,'invisible.':1,'mysterious':1,'camouflaged.':1,'worked':1,'empty':1},'ancestry':{'of':2,'.':1,'but':1,'in':1},'egg-cocoons':{'in':1},'x':{'indicates':1},'mares':{'brought':1},'spongillidae':{'the':1},'hostile':{'way':1},'determining':{'the':1},'route':{'of':1},'times':{'and':4,'among':1,'smaller':5,'over':1,'it':1,'as':7,'thinner':2,'human':1,'in':3,'still':1,'from':1,'for':2,'whipping':1,'there':1,'when':1,'long':1,'.':2,'cooling':1,'until':1,'more':1,'we':2,'around':1,'that':6,'lizzie':1,'rise':1,'during':1,'emergence':1,'longer':1,'a':3,'faster':1,'of':3,'the':6,'round':1},'counterpart':{'of':1,'in':1},'keen':{'and':2,'a':1,'senses':1,'struggle':2,'are':1},'keel':{'on':1,'which':1,'for':1,'if':1},'apennines':{'have':1},'glories':{'of':1},'sargasso':{'sea.':1,'weed':2},'fertilises':{'these':1,'the':2},'baleen':{'whale':1},'possessing':{'the':1,'with':1},'powerful':{'a':1,'telescopes.':1,'muscles':1,'friar-birds':1,'leg':1,'strokes':1,'legs':1,'tides':1,'factors':1,'possible':1,'agencies':1,'magnet':1,'microscope':1,'current':1,'as':1,'.':1,'than':2,'lens':1},'disembodied':{'electricity':2,'atom':1},'fertilised':{'egg-cell':7,'egg':2,'ovum':2,'by':1},'light-brown':{'colour':1},'lighter.':{'the':1},'proterospongia':{'69':1,'one':1},'activity.':{'this':1},'precisely':{'the':2,'because':1,'controlled':1,'like':1},'quality':{'and':1,'which':2,'that':1,'of':4,'is':1,'.':2,'they':1,'in':1,'than':1},'suck':{'.':1},'long':{'slope':1,'golden':1,'strings':1,'afterwards':1,'weighs':1,'process':2,'series':1,'is':1,'ages':4,'it':2,'as':6,'gristly':1,'summer':1,'result':1,'another':1,'curved':1,'lifetime':1,'racial':1,'tubular':1,'arm':1,'before':3,'story':1,'gamut':1,'pedigree':1,'prehensile':1,'ones':1,'since':3,'.':4,'to':4,'tail':1,'low':1,'way':3,'time':2,'has':1,'red':1,'stilt-like':1,'ago':12,'begin':1,'run':2,'arboreal':1,'history':2,'inclined':1,'after':1,'body':1,'haunt':1,'ovipositor':1,'step':1,'journey':2,'threads':1,'with':1,'day':1,'chapter':1,'on':1,'and':3,'like':1,'stalks':2,'we':1,'the':1,'lizard-like':2,'face':2,'range':1,'branched':1,'period':2,'night.':1,'night':1,'periods':1,'rising':1,'tongue':1,'narrow':1,'summer.':1,'or':1,'pre-human':1,'are':1},'bears':{'very':1,'the':1,'in':2},'dove':{'and':1},'land--the':{'air.':1},'relations':{'and':1,'making':1,'of':1,'with':1,'to':1},'well-formed':{'when':1},'attach':{'to':1},'attack':{'it':1},'fishes.':{'eventually':1,'there':1,'cambrian':1},'declines':{'to':1},'wrapped':{'up':4,'it':1},'perfectly':{'still':1,'aerated':1,'straightforward':1,'circular':1},'final':{'spectrum':1,'.':1,'dispersion':1,'stable':1,'answer':1,'clue':1,'unification.':1},'circulate':{'round':1},'hydrosphere':{'.':1},'2-1':{'2':1},'rays--the':{'alpha':1},'exactly':{'like':1,'where':1,'equal':1,'the':2,'balance':1,'similar':1},'well-finished':{'statuettes':1},'stress':{'on':1},'lists':{'of':1},'feint':{'towards':1},'chemicals':{'which':1},'manipulation':{'of':1,'another':1},'natural':{'process':1,'spectrum':1,'rate':1,'leafy':1,'knowable':1,'size':1,'death':7,'inheritance.':1,'inheritance':2,'question':1,'to':1,'reduction':1,'therefore':1,'size.':1,'conditions':2,'resources':1,'surroundings.':1,'death.':1,'law':1,'death--procession':1,'reflex':1,'history':22},'waist':{'of':1},'photograph':{'a':1,'from':2,'reproduced':1,'of':11,'showing':4,'below.':1,'tied':1,'an':1,'note':1,'255':1,'attaining':1,'are':1,'taken':4,'the':3,'.':1,'shows':3,'clearly':1,'is':2,'fig':1},'glow-worm':{'or':1},'well-established':{'jellyfish':1},'bed':{'of':1},'bee':{';':1,'or':1,'can':1,'.':1},'providing':{'large':1,'access':2,'it':1,'copies':1},'distinguished':{'from':2,'of':1,'astronomers':1,'physicists':1,'solar':1,'anthropologist':1,'man':1},'spurs':{'of':1},'exhibit':{'in':1,'pieces':1},'enforced':{'descent':1},'lightly':{'built':3},'unchanged':{'since':1},'abyssal':{'area':1},'yielding':{'and':1},'p.m':{'.':1},'nototrema':{'there':1},'need':{'and':2,'a':1,'for':3,'be':1,'is':1,'.':1,'not':6,'foundations':1,'hardly':4},'precursors':{'of':4},'screw':{'in':1},'student-citizen':{'otherwise':1},'pursued':{'by':1},'able':{'even':1,'to':36,'with':2,'artificially':1,'in':1},'darkened':{'nest':1},'celandine':{'with':1},'instance':{'a':1,'by':1,'iron':1,'that':3,'of':6,'is':2,'in':4,'when':1,'having':1,'will':1,'how':2,'which':2,'have':1,'were':1,'the':1,'.':1,'was':1,'occurs':1,'to':1,'must':1},'relatives':{'there':1,'some':1,'like':1,'illustrate':1},'rischgitz.':{'professor':1,'baron':1},'pursues':{'a':1,'it':1,'another':1},'blades':{'of':1},'lectures':{'and':1},'moths':{'in':1,'are':1,'that':1},'connected':{'to':2,'story':1,'with':4,'by':1},'last--that':{'is':1},'learnt':{'something':1},'intrinsic':{'racial':1},'gallery':{'there':1},'speed--and':{'must':1},'enregistrations':{'are':1},'radiating':{'away':1,'heat':1,'or':1},'ovum-producer':{'for':1},'upset':{'both':1},'prickle':{'or':1},'astonishing':{'fact':1,'rapidity':1},'prickly':{'fruits':1},'se':{'.':1},'wot':{'isn':1},'impression':{'147':1,'that':1,'of':7,'is':1,'when':1,'illustration':1,'which':1,'on':1,'left':1},'emerging':{';':1,'from':4},'sent':{'on':1,'an':1,'to':1,'through':1,'forth':1,'out':1},'multicellular':{'animals':7},'influences.':{'but':1},'well-being':{'throughout':1},'pigling':{'creeps':1},'graptolites':{'and':1},'slow.':{'illustration':1},'based':{'on':5,'upon':1},'sheriff':{'of':1},'millennia':{'of':1,'in':1},'brighten':{'almost':1},'bases':{'embedded':1},'bud':{'a':1,'by':1},'inherited':{'nature.':1,'from':1},'attained':{'dark':1,'to':3,'a':1,'by':1},'employed':{'and':1,'to':1,'the':1,'in':1},'mortality':{'and':1,'had':1,'hardly':1,'.':1},'seizing':{'and':2,'every':1,'killing':2},'120':{'large':1,'deep-sea':1,'the':1,'flinty':1},'121':{'the':1,'egg':1},'123':{'miles':1},'124':{'photo':1,'woolly':1},'125':{'of':1,'albatross':1,'000':1,'storm':1},'sifting--the':{'groaning':1},'128':{'the':1},'thomson':{'sir':2,'evolution':1,'end':1,'262':1,'this':1,'was':1,'professor':1,'j':1,'regius':1,'as':1,'release':1,'imagined':1,'experimental':1,'darwinism':1},'endless':{'nooks':1,'disturbances':1},'three-hundredth':{'of':1},'gutenberg:':{'1.e.1':1},'processes':{'on':1,'that':1,'of':6,'into':1,'.':1,'to':1,'are':2,'which':1,'such':1},'automatic.':{'upper':1},'gutenberg.org':{'license':1},'trucks':{'.':1},'imperious':{'for':1},'introductions':{'to':1,'like':2,'too--the':1},'she':{'flies':2,'often':1,'soon':1,'at':1,'picked':1,'reached':1,'would':1,'had':2,'handed':1,'does':2,'got':2,'has':1,'was':4,'secures':1,'gave':1,'then':1,'never':1,'very':1,'brushes':1,'flew':1,'wanted':1,'succeeded':1,'presented':1,'did':2,'ever':1,'applies':1},'contain':{'a':1,'wheat':1,'within':1,'electrons':1,'defects':1,'more':2},'amphibia':{'senses':1},'embryonic':{'gill-clefts':1,'food-canal':1,'reptiles':1},'spotted':{'and':1,'leopard':1,'.':1},'multiplying':{'usually':1,'the':2,'by':2,'but':1},'burying':{'them':1},'34.7':{'smaller':1},'cuts':{'both':1,'the':1,'off':2,'it':1},'canine':{'tooth':2,'teeth':1},'inkling':{'of':1,'that':1},'breathe':{'dry':5,'on':1,'depend':1,'oxygen':1},'photosphere--is':{'of':1},'legacy':{'of':4,';':1},'powder':{'to':1,'which':1},'frog-like':{'mouth':1},'humane':{'sentiments':1},'surmised':{'about':1},'unconscious':{'elimination':1,'co-operation':2},'apes--the':{'gorilla':2,'gibbon':1},'southward':{'migration':1},'tend':{'to':15,'toward':1},'state':{'of':23,'visit':1,'applicable':1,'.':3,'to':1,'as':1,'in':1,'growing':1,'such':1,'s':1,'law':1,'the':2},'mind.':{'and':1,'there':1,'other':1,'sec':1,'viii':1,'another':1,'in':1},'carapace':{'of':1,'is':1,'or':1},'allotted':{'to':1},'tens':{'of':2},'neither':{'atmosphere':1,'stores':1,'very':1,'agreement':1,'aspect':1,'in':1},'kidneys':{'are':1,'the':1,'at':2,'.':1},'generations.':{'this':1,'to':1},'comparable':{'on':1,'in':2,'to':4},'attention':{'saving':1,'they':1,'may':1,'of':2,'to':1,'at':1,'decide':1,';':1},'renamed.':{'creating':1},'constituted':{'of':2},'importance':{'and':1,'on':1,'though':1,'becomes':1,'is':1,'were':1,'when':1,'namely':1,'to':1,'as':1,'of':6,'too':1,'in':1,'was':1,'than':1},'hurrying':{'streams':1},'edge-on':{'to':1,'44':1,'notice':1,'of':1},'8.--the':{'sun':1},'efficiency':{'and':1,'of':1,'is':1,'.':1,'in':1},'key':{'to':2,'after':1,'from':1,'opening':1,'.':1},'group':{'and':1,'always':2,'of':6,'only.':1,'the':1,'or':1},'precious':{'and':1,'to':1,'animal':1,'contents':1},'distribution':{'and':1,'underwent':1,'of':6,'.':1,'must':1},'secchi':{'the':1},'hits':{'the':1},'sediments':{'were':1},'limits':{'of':7,'the':1,'in':1,'that':1},'mongol':{'australian':1},'minds':{'of':2,'the':1},'preyed':{'upon':2},'strains':{'of':1,'differing':1,'that':1},'admit':{'a':1,'of':3,'the':1,'that':1,'to':1},'manifestations':{'and':1,'of':1,'in':1},'joy.':{'finally':1},'plankton':{'and':1,'is':1,'as':1,'.':1},'estimation':{'.':1},'torn':{'off':1},'studying.':{'some':1},'886.0':{'29.46':1},'colonisation':{'of':1,'was':1},'habitual':{'surroundings':1,'intelligent':1},'penetrating':{'deeply':1,'consequences':1,'opaque':1},'kin-sympathy':{'and':1},'distinguish':{'the':1,'six':1,'several':1,'different':1},'preparedness':{'until':1},'together.':{'except':1},'sea-cucumber':{'119':1,'it':1},'sense.':{'bibliography':1},'tread':{'of':1},'gregarious.':{'the':1},'addition':{'to':5,'that':1,'it':1,'of':1},'disintegrate':{'much':1,'under':1},'own.':{'the':1,'contents':1,'illustration':1},'cent':{'of':1,'selection':1,'.':3},'immense':{'extent':1,'distance':1,'stretches':1,'darkness':1,'distances':1,'column':1,'void':1,'fossilized':1,'amount':1,'importance':1,'rate':1,'mass':1,'monotony':1,'sea':1,'outbursts':2,'velocity':1,'electrical':1,'accumulation':1,'upward':1},'slowly':{'and':1,'on':1,'about':1,'dying':1,'creeping':1,'into':1,'changed':1,'it':1,'back':1,'down':1,'dissolved':1,'dissolve':1,'changing':1,'worked':1,'.':1,'taking':1},'flinders':{'petrie':1},'dead.':{'illustration':1},'shoulders':{';':1},'senses':{'and':2,'do':1,'recognise':1,'of':4,'.':1,'besides':1,'to':1,'which':1,'in':1,'touch':1,'interpret':1},'diversity':{'and':1,'in':1},'digged':{'and':1},'releasing':{'electrons':1},'four-toed':{'horse':2},'176-177':{'side':1},'expenditure':{'possible.':1},'1769-1832':{'86':1,'one':1},'mail':{'.':1},'mammals--with':{'their':1},'novel':{'and':1,'situation':1,'restlessness.':1,'way':1},'unsegmented':{'worms':1},'domestication':{'illustrate':1},'asexual':{'reproduction':4},'air-tubes':{'blood-channels':1,'takes':1,'or':1},'16.--the':{'moon':1},'chalk':{'cliffs':1},'ten-millionth':{'of':1},'owns':{'a':2},'comets':{'and':2,'is':1,'or':1,'we':1,'.':1},'ago--a':{'few':1},'tide.':{'arctic':1},'inhabits':{'british':2},'surface':{'and':8,'among':1,'often':1,'is':4,'it':1,'an':1,'through':2,'are':1,'in':2,'trailing':1,'millions':1,'from':1,'.':19,'to':3,'does':1,'therefore':1,'which':2,';':2,'was':1,'waters':2,'resembles':1,'but':2,'water':1,'by':4,'must':2,'of':27,'receives':1,'were':1,'the':2,'or':1,'bodies':1,'view':2},'examined':{'to':1,'must':1,'.':1},'lambs':{'and':1,'.':1},'conical':{'projection':1,'teeth':1},'inference--or':{'reason':1},'capture':{'small':1,'and':1,'especially':1,'air.':1},'shooting':{'star':1,'outwards':1,'stars':1,'out':1},'zoophytes':{'corals':1,'and':1},'above.':{'illustration':1},'began':{'on':1,'their':2,'long':1,'.':2,'to':25,'as':1,'in':3,'the':3,'with':2},'views':{'and':1,'we':1,'with':1,'.':1},'parts':{'and':1,'about':1,'to':1,'of':13,'company':1,'was':1,'.':1,'sufficiently':1,'only':1,'take':1,'which':1,'in':2,'ebbs':1,';':1,'save':1,'fluctuate':1,'are':3},'ante-natal':{'life':4,'sleep':1,'period':1,'hood':1},'underground':{'world':2},'party':{'distributing':1},'chlamydosaurus':{'of':1},'tapped':{'supplies':1},'capelle':{'in':1},'experimented':{'on':1,'with':1},'formations.':{'illustration':2},'appearances':{'may':2},'effect':{'and':1,'on':3,'would':1,'may':1,'of':5,'when':1,'.':1,'owing':1,'which':3,'movement':1,'measured':1,'than':1,'before':1},'clouds--some':{'with':1},'compared':{'to':4,'with':8},'surroundings.':{'the':1},'colouring':{'this':1,'remains':1,'the':1,'was':1,'of':1},'prophesied':{'for':1},'fierce':{'and':2,'flood':1},'frequently':{'transfer':1,'spread':1,'recurrent':2,'doubled':1},'destruction':{'of':1,'the':1},'poultry':{'are':2},'scarcely':{'taken':1},'reflection':{'of':1,'.':1},'cliff-loving':{'bird':1},'i':{'am':1,'had':1,'.':4,'came':1,'have':1,'the':1,'was':1,'present':1},'obstacles':{'.':1},'well':{'and':4,'named':1,'says':1,'developed':6,'illustrated':1,'known':2,'as':8,'dried':1,'have':1,'in':2,'shown':1,'able':1,'.':2,'to':1,'be':2,'afford':1,'concealed':1,'suited':3,'alone':1,'advanced':1,'placed':1,'protected':1,'accustomed':1,'mixed':1,'adapted':3},'shell--there':{'is':1},'nebulous':{'matter':2},'rife':{';':1,'in':1},'mccabe':{'a':1,'joseph':1},'years--but':{'in':1},'deadly':{'trypanosome':1},'glowed':{'under':1},'neutralised':{'and':1},'45':{'photo':1},'enormously':{'great':1,'slow':1,'greater':1,'.':2,'high':1,'enlarged':1,'denser':1,'distended.':1,'elongated':3,'increased':1},'increasingly':{'a':1},'accurate':{'analytical':1,'to':1,'measurements':1,'student':1},'mistaken':{'.':1},'leisure-time':{'observations':1},'radium--the':{'discovery':1},'sources':{'of':2},'ermine':{'is':1,'has':1,'mainly':1},'mistakes':{'often':1,'like':1,'that':1},'distant':{'planet':1,'aquatic':1,'star':1,'planets':1,'from':2,'ages':1,'past':1,'shores':1,'blaze':2,'stars':2,'date':1,'world':1},'skill':{'and':1,'.':1,'as':1,'without':1,'they':1,'in':2,'the':1},'jackal':{'and':1},'recapitulated':{'by':1},'grappling':{'and':1,'tentacles':1},'1.f.1':{'.':1},'1.f.6':{'.':1},'ovum':{'and':1,'introducing':1,'from':1,'is':1,'or':1,'with':1,'divides':1},'1.f.4':{'.':1},'density':{'heat':1,'stretching':1,';':1},'deposits':{'of':1,'which':3,'would':1,'were':1},'lured':{'upwards':1},'extends':{'not':2,'from':1,'at':1},'maintaining':{'tax':1},'recapitulates':{'at':1},'size.':{'illustration':1},'warrant':{'for':2},'clouded':{'that':1},'fate':{'of':2,'with':1,'by':1},'disappearance':{'of':2,'as':1},'devised':{'by':1},'utah':{'.':1},'propelled':{'themselves':1},'fats':{'and':1},'262':{'electrons':1,'from':1},'historic':{'interest':1},'267':{'arrangements':1,'disintegration':1},'contingents':{'from':1},'burden':{'and':1},'propeller':{'.':1},'immediately':{'preceding':1,'has':1,'lying':1,'for':1,'.':1},'crusher':{'is':1},'prominent':{'eyebrow':2},'loss':{'of':6,'there':1,'in':1},'fleas':{'and':1},'necessary':{'mathematical':1,'for':1,'that':1,'may':1,'it':1,'.':2,'to':9,'in':1,'apprenticeship':1},'lost':{'and':1,'faunas':1,'is':1,'some':1,'three':2,'races':1,'so':1,'or':1},'sizes':{'of':5,'according':1,'which':1},'ctenophores':{';':1,'or':1},'exhausted':{'by':1,'are':1},'payments':{'and':1,'must':1,'should':1},'lose':{'all':1,'one-millionth':1},'page':{'34.':1,'.':2,'also':1,'are':1,'280':1,'the':1,'92':1,'at':2},'likes':{'to':1},'therein':{'lays':1},'shed':{'germ-cells':1,'in':1,'.':1},'glare':{'of':2,'out':1},'offshore.':{'conditions':1},'arrows':{'tycho':1},'belonged':{'.':1},'phenomena':{'and':1,'then':1,'may':1,'of':3,'studied':1,'near':1,'.':1,'as':1,'cannot':1,'including':1,'are':3,'in':2,'not':1,'mean':1},'library':{'very':1,'of':2,'.':3},'husk':{'.':1},'warmer':{'water':1},'home':{'for':4,'of':1,'university':3,'.':5,'in':5,'anger':1,'was':1,'or':1},'peter':{'perhaps':1,'could':1,'was':1,'which':1},'planetesimal':{'dust':1},'scales':{'and':1,'to':1,'of':1,'shows':1},'before.':{'illustration':1},'projection':{'of':2},'broad':{'flat':1,'massive':1,'way':1,'outlines':2,'fact':2,'saucers':1},'kettle':{'on':2,'over':1,'containing':1},'cabbages':{'such':1},'injects':{'the':1},'appreciative':{'awareness':1},'tadpole':{'becomes':1,'has':1,'with':1,'mouth':1},'fountain':{'of':4},'mutation':{'and':1,'is':1},'demonstrated':{';':1},'limitations':{'are':1,'.':1},'incandescence':{'and':1},'inaccurate':{'or':1},'butterfish':{'or':1},'reaching':{'a':1,'to':1,'the':1,'which':1,'project':1},'millions.':{'the':1},'expansion':{'of':3},'imperfectly':{'known':1,'finished':1,'warm-blooded':1},'instinct':{'and':3,'may':1,'is':2,'by':2,'to':1,'as':1,'cannot':1,'in':1,';':1,'with':1,'professor':1},'stows':{'this':1},'sways':{'from':1},'macpherson.':{'illustration':1},'embryos':{'of':4,'an':1,'that':1},'freedom':{'and':1,'of':3,'understanding':1,'in':1},'interlinked':{'system':1,'in':1},'discovered.':{'primitive':1,'illustration':1},'chance':{'on':1,'as':1,'.':1},'flesh-and-blood':{'natural':1},'dominion':{'astrophysical':1},'tongue':{'a':1,'on':1,'and':1,'of':2,'upon':1,'ending':1,'can':1,'which':2},'liberating':{'the':1,'egg-cells':1},'equally':{'spaced':1,'illumined':1,'well':1,'large':1,'stimulated':1,'important':1,'unwise':1,'by':1},'contending':{'theories':1},'cell-wall':{'of':1},'crossland':{'observed':1},'previously':{'unknown':1,'in':1},'primal':{'mud':1},'washington':{':':1},'due':{'to':28,'as':1},'scharff':{'r':1},'times.':{'there':1,'b-c.':1,'illustration':1,'one':1,'c-f.':1,'the':1},'additions':{'or':1},'properties--ready':{'to':1},'endeavours':{'which':1},'utility':{'the':1,'for':1},'doubtless':{'a':1,'this':1,'discover':1,'as':1,'in':1,'gets':1,'present':1},'mississippi':{'and':1},'additional':{'distance':1,'cost':1,'terms':2,'weight':1,'contact':1},'zoologist':{'in':1,'means':1},'museum':{'and':1,'natural':14,'of':3,'57':1,'after':2,'it':1},'phrases':{'as':1},'associates.':{'in':1},'noticed':{'that':4,'already':1,'in':1,'by':1,'.':1},'night--relieved':{'only':1},'daniell':{'alfred':1},'inner':{'upper':1,'life':3,'aspects':1,'stream':1,'one':1,'aspect':1,'ear':1,'or':1},'cell.':{'this':1},'reiteration':{'of':1},'crushing':{'seeds':1},'north':{'and':1,'europe':3,'from':1,'scandinavia':4,'e.g':1,'when':1,'pole':2,'pacific':1,'an':1,'to':1,'1500':1,'sea':2,'in':1,'227':1,'american':1,'america':4,'or':2},'gluten':{'albumin':1},'make-up':{'which':1},'triangular':{'piece':1},'fountains':{'of':1},'gait':{'is':1,'human':1,'but':1},'gain':{'of':1,'leisure':1,'an':1},'sprinkling':{'of':1},'highest':{'level':1,'of':2,'up':1,'reaches':1,'brilliancy':1,'octave':1,'authorities':1,'line':1,'animals--birds':1},'eat':{'it':1,'in':1},'he':{'replied':1,'discovered':1,'ceased':1,'differs':1,'had':7,'destroyed':1,'belongs':1,'constitutes':1,'has':16,'then':2,'means':1,'produced':1,'did':2,'revolutionised':1,'found':4,'went':1,'traces':1,'reduced':1,'says':3,'often':1,'declines':1,'estimated':1,'thinks':1,'puts':1,'learns':1,'wondered':1,'induces':1,'laid':1,'does':2,'got':3,'shows':1,'measures':1,'chose':1,'reacts':1,'maintains':1,'disappeared':1,'approaches':1,'interposed':1,'asks':1,'poured':1,'could':1,'became':1,'confronted':1,'asked':1,'first':2,'one':1,'likes':1,'cultivated':1,'considers':1,'passes':1,'would':2,'jerks':1,'much':1,'wrapped':1,'was':8,'knows':2,'took':3,'repeatedly':2,'worked':1,'must':1,'plants':1,'made':1,'showed':1,'believes':1,'will':1,'arranges':1,'can':5,'of':1,'plunges':1,'called':2,'and':1,'is':7,'walks':1,'thus':1,'buried':1,'allowed':1,'claimed':1,'tells':1,'said.':1,'drained':1,'began':1,'also':2,'speaks':1,'tapped':1,'concedes':1,'used':1,'may':1,'who':1,'drives':1,'accurately':1,'tries':1,'said':1,'likes--and':1,'so':1,'lays':1,'fitted':1,'once':1},'volplaning':{'of':1,'parachutists':1},'cells':{'and':2,'on':2,'kept':1,'boxed':1,'that':1,'of':4,'showing':1,'no':1,'together':1,'.':5,'marked':1,'but':1,'have':1,'which':2,';':2,'whereas':1,'are':3},'two-spined':{'sticklebacks':1},'exerts':{'a':1},'stories':{'of':1,'if':1},'pumped':{'although':1,'out':1},'eyes.':{'furthermore':1},'piece':{'of':29,'became':1},'display':{'perform':1,'of':3,'.':1,'in':1},'neanderthalensis':{'first':1},'cheek-bones':{'and':1},'universal':{'inevitableness':1,'commodity':1,'freedom':1,'acceptance':1,'or':1,'attraction':1,'carrier':1,'open':1,'ether':3},'penny':{'you':1,'in':3},'climax.':{'the':1},'lobes':{'ps':1,'l':1},'crystals':{'and':1,'of':1,'the':1,'or':1,'in':1},'education':{'and':1,'of':3,'included':1,'she':1},'draco':{'volans':2},'heat--forms':{'of':1},'forest.':{'there':1},'functions':{'of':1,'alike':1,'.':1},'apple-trees':{'of':1},'vibrations.':{'the':1},'offensive':{'persons':1},'vacuole':{'cv':1,'fv':1},'onwards':{'it':1,'.':1},'meteor':{'reached':1,'shattering':1},'chemist':{'use':1,'john':1,'was':1,'but':1},'disposing':{'of':1},'over':{'and':8,'all':3,'fifty':2,'diverse':1,'80':1,'functioning':1,'their':1,'again':5,'space':1,'two':4,'.':1,'to':4,'2':1,'8':1,'200':1,'life':1,'hundreds':1,'five':2,'a':6,'new':1,'100':1,'one':1,'11':1,'31':1,'30':1,'taut':1,'the':23,'800':1,'its':2},'star':{'and':2,'distances':1,'appeared':1,'had':3,'is':4,'corresponds':1,'cluster':1,'as':1,'registers':1,'at':2,'in':2,'sinks':1,'whose':1,'for':2,'perhaps':1,'seems':1,'due':1,'.':6,'to':2,'goes':1,'clusters':1,'which':1,'light-years':1,'means':1,'may':1,'but':1,'it':1,'revealed':1,'crosses':1,'clouds':1,'of':1,'against':1,'near':1,'following':1,'algol':1,'makes':1,'or':2},'scrutinising':{'these':1},'living':{'and':1,'flesh':1,'tissues':1,'mainly':1,'an':1,'at':2,'creatures--the':1,'images':1,'ape':1,'organisms':1,'things':2,'representatives':3,'.':2,'creatures':32,'creature':8,'body':1,'a':1,'we':1,'adaptations':1,'form':1,'fire':1,'in':5,'material':1,'hand':3,'burden':1,'to-day':1,'to-day.':1,'man':1,'plants':1,'on':4,'fossils':1,'for':1,'creatures.':1,'items':1,'microcosm':1,'anthropologists':1,'matter':9,'materials':1,'organism':1},'vega':{'34.7':1},'gradations':{'of':1,'from':1},'stag':{'and':1},'pathways':{'marked':1},'out.':{'if':1},'drainpipes':{'to':1},'dewey':{'that':1},'persistent':{'nevertheless':1,'patience':1,'experiment':1,'death-feigning':1,'grasp':1,'tendency':1},'eighties.':{'it':1},'inset':{'circle':1},'15-20':{'feet':1},'determination':{'to':1},'skimming':{'on':1},'indirectly':{'into':1,'from':1,'the':1,'hastened':1},'disruptive':{'chemical':1},'secondly':{'it':1},'saturating':{'outside':1},'psycho-analyst':{'must':1},'is--but':{'it':1},'mackerel':{'and':1},'better.':{'now':1},'dynamic':{'.':1,'systema':1},'unfurl':{'more':1},'straws':{'he':1,'were':1,'she':1,'.':2},'rampart':{'is':1},'shrinkages':{'which':1},'up.':{'the':1},'whose':{'distance':1,'luminescence':1,'skull':3,'origins':1,'point':1,'fine':1,'warm-bloodedness':1,'stinging':1,'atoms':1,'instrumental':1,'motions':1,'webbed':1,'movements':1,'type':1,'gravitational':1,'mental':1},'gamut':{'between':1},'calculate':{'how':1,'the':1,'your':1,'that':1},'swam':{'close':1,'instinctively':1},'auk':{'were':1},'berridge':{'f.z.s.':8},'bragg':{'247':1,'one':1,'says':1,'that':1},'miall':{'l':1},'presents':{'a':1,'the':1},'fine-grained':{'lithographic':1},'investigation':{'shows':1,'.':1},'vocabulary--he':{'has':1},'teaching':{'very':1},'bird--too':{'far':1},'descendant--the':{'modern':1},'updated':{'editions':1},'hind-limb':{'of':1},'counted.':{'but':1,'in':1},'void':{'the':1,'.':1},'cockchafers':{'are':1},'vase':{'which':1},'thinopus':{'the':1},'smack':{'of':2,'their':1},'asia.':{'man':1},'nourished':{'from':1},'govern':{'what':1},'radio-active':{'substance':1,'substances':3,'.':1,'matter':1,'elements':4,'or':1,'bodies':2},'affect':{'a':2,'our':1,'the':5,'your':1},'vast':{'and':1,'stores':2,'reservoir':1,'disturbances':1,'process':1,'energy':1,'as':1,'numbers':1,'crowd':1,'masses':1,'regions':1,'majority':1,'figures':1,'structures':1,'vegetation':1,'whirlpool':1,'medium':1,'that':2,'new':1,'population':1,'streams':1,'changes':1},'transformed.':{'before':1},'kataleptic':{'state':1},'baking':{'qualities':1},'naturalist':{'louis':1,'of':1},'crops':{'with':1},'conductor--six':{'times':1},'present.':{'the':1},'herbert':{'spencer':1},'indefinitely':{'.':1,'in':1},'danger-signal':{'sounds':1},'1859.':{'heritable':1},'greenish':{'plants':1,'warty':1,'phosphorescence':1},'employees':{'expend':1,'are':1},'breast-bone':{';':1,'has':1,'it':1,'.':1},'clothes':{'it':1},'favoured':{'the':1,'speculation':1},'carnivore':{'by':1},'force':{'and':2,'them':1,'proceed':1,'developed':1,'between':1,'due':1,'but':1,'equal':1,'at':1,'which':1,'of':3,'.':2},'senescence':{'but':1},'concise':{'view':1},'dome-like':{'and':1},'japanese':{'deep-sea':2,'variety':1},'current--the':{'dynamo--magnetism--ether':1},'intelligible.':{'sec':1},'hundredfold':{'in':1},'cactus':{'and':1},'even':{'thinner':1,'learning':1,'ten':2,'less':1,'it':1,'an':1,'as':1,'planetoids':1,'through':1,'at':5,'picked':1,'in':9,'before':1,'cut':1,'wholesome':1,'for':1,'make':1,'when':7,'gases':1,'by':1,'to':4,'then':1,'routine':1,'if':6,'more':6,'picture':1,'his':1,'greater':1,'though':1,'after':1,'suffused':1,'rise':1,'although':1,'suck':1,'with':2,'than':1,'conspicuous':1,'hints':1,'a':8,'on':1,'several':1,'liquid':1,'these':2,'of':4,'proud':1,'against':1,'this':1,'without':1,'vaster':1,'the':17,'calculates':1},'unborn':{'young.':1,'reptile':1,'child':1,'offspring':1,'.':1},'asia':{'and':2,'that':1,'is':1,'africa':1,'.':2,'in':1,'was':1,'minor':1},'liberated':{'and':2,'on':1,'from':3,'eggs':1,'when':1,'were':1},'haze':{'and':1},'rest.':{'illustration':1},'reverently':{'and':1},'dr.':{'schoetensack':1,'cyril':1,'romanes':1},'new':{'corner':1,'ebooks.':1,'knowledge':4,'forms':1,'surroundings':1,'physics--the':1,'world.':1,'associations':1,'views':1,'food':1,'revelations':1,'ones':1,'world':2,'devices.':1,'worlds':1,'corners':1,'freedom.':1,'parasite':1,'possibilities':1,'microscope':1,'habits':2,'view':5,'body':1,'domain':1,'methods':1,'habitat':1,'generation':2,'parasites':1,'individualities':1,'home':1,'ebooks':1,'psychology':1,'habits--experiments':1,'competitions':1,'method':1,'discovery':1,'rhodesian':1,'theory':1,'leg':1,'joy':1,'objects':1,'york':11,'linkage':1,'computers':1,'haunts':1,'kingdoms':1,'72-inch':1,'factor.':1,'kinds':1,'or':1,'departures':10,'one':2,'use':1,'nebulae':1,'area':1,'.':2,'territories':1,'card':1,'interest':1,'suit':1,'shell':1,'clue':1,'zealand.':1,'lives':2,'kind':1,'conception':3,'star.':1,'variations':2,'devices':2,'state--':1,'cards':1,'property':2,'and':2,'permutations':1,'discoveries.':1,'sense':1,'flora.':1,'rays':1,'variety':2,'views--the':1,'feature':1,'inquiry':1,'gateways':1,'doors':1,'development':1,'elements':1,'star':1,'opportunity':1,'zealand':2,'modes':1,'light':2,'departure':2,'element':1,'materials':1,'physics':1},'net':{'detaches':1,'result':1},'ever':{'because':1,'tap':1,'show':1,'within':1,'discover':1,'in':1,'seen':2,'matures':1,'imminent':1,'been':1,'.':2,'take':1,'be':1,'life':1,'lived':1,'devised':1,'thrown':1,'perceived':1,'made':1,'rescued':1,'resolving':1,'rose':1,'passing':1,'arising':1,'could':1,'comes':1,'realised':1},'evolving':{'and':1,'brain':1,'set':1,'system':1,'on':1},'muzzle':{'region':1},'seventh':{'printing':1},'never':{'even':1,'nearer':1,'absent':1,'like':1,'ceases':1,'less':1,'becomes':2,'getting':1,'see':1,'been':1,'germinates':1,'completely':1,'understand':1,'showed':1,'mixing':1,'learned':1,'more':1,'focussed':1,'at':1},'drew':{'this':1,'the':1},'anthropology':{'will':1,'home':1,'and':1,'.':1},'met':{'the':1,'with':2,'by':1,'in':2},'108':{'600':1},'active':{'development':1,'and':1,'life':1,'links':2,'for':1,'cuttles':1,'protozoa':1,'strenuous':1,'cooperative':1,'in':1,'deep-sea':1,'the':1,'swimmers':1,'nor':1},'100':{'tons.':1,'miles':1,'000':9,'after':1},'cardboard':{'and':1,'we':1,'were':1},'interpret':{'as':1,'except':1},'contraction':{'process':1,'of':1,'is':1,'and':1},'dry':{'land':27,'land--the':1,'season':1,'work':1,'air':10,'land.':2,'branch':1,'pasture':1,'ground':3,'was':1,'air--by':1,'after':1},'plates':{'hanging':1,'form':1,'exposed':1},'-reptile':{'embryo':1},'buckled':{'up':1},'rests':{'and':1,'on':2},'light.':{'we':1,'no':1,'all':1,'illustration':1,'it':1,'now':1},'credit':{'of':3,'the':3,'amphibians':1,'card':1,'man':1},'permit':{'of':1,'all':1},'california':{'is':1,'has':1,'.':1},'adopting':{'this':1},'suitable':{'site':1},'fell':{'on':1,'near':2},'eyebrows':{'of':1},'growth.':{'under':1},'mobility':{'very':1},'mail.':{'the':1},'war.':{'the':1,'illustration':1},'peahen':{'stag':1},'god-like':{'intellect':2},'protozoa.':{'the':1},'counts':{'we':1,'rarely':1,'for':1},'lung.':{'it':1},'circumvent':{'the':1},'tertiary':{'strata':1,'times.':1,'era':1},'head-on':{'fashion':1},'is--substitutes':{'for':1},'duck-billed':{'platypus':3},'wingless.':{'it':1},'invaders':{'of':1},'dog-toothed':{'cynodonts':1},'duesseldorf.':{'according':1},'stinging-cells':{'the':1},'overhead':{'at':1,'means':1},'calm':{'and':1,'of':1,'unbroken':1},'cassowary':{'201':1,'its':1},'water-spider':{'argyroneta':1,'the':1,'conquering':1},'right.':{'illustration':1},'type':{'is':1,'reaches':1,'say':1,'have':1,'in':2,'should':1,'relatively':1,'from':1,'for':1,'.':2,'intermediate':1,'rich':1,'has':2,'was':1,'we':1,'but':1,'marked':1,'known':1,'such':1,'with':1,'must':1,'off':1,'like':1,'of':9,'equal':1,'makes':1,'finds':1},'tell':{'all':1,'for':1,'us':6,'at':1,'the':4,'where':1},'gorilla.':{'activity':1},'peeping':{'above':1,'out':1},'lungs':{'a':2,'as':1,'where':1,'but':1,'.':1},'wary':{'trout':1},'oscar':{'riddle':1},'expose':{'the':1},'under':{'a':2,'stones':1,'different':1,'his':1,'her':2,'this':3,'surface':2,'side':1,'water':2,'parts':1,'stimulation--giving':1,'our':2,'the':15,'its':1},'dogma':{'of':1},'warm':{'countries':1,'moist':1,'volcanic':1,'shallows':1},'bipedal':{'dinosaur':1,'progression--always':1,'erect':1},'spawning-pond':{'from':1},'ward':{'f.e.s.':20,'.':1},'latent':{'indefinitely':1,'life':1,'state':1},'flora':{'and':1,';':1,'as':1,'which':1},'room':{'and':1,'we':1,'for':1,'in':1},'civilisations':{'and':1,'of':1},'suggestive':{'fact':2},'guise':{'of':1,'would':1},'root':{'and':2},'humerus':{'or':1},'allantois':{'is':1,'persist':1},'squirting':{'jets':1},'give':{'and':1,'just':1,'certain':1,'modern':1,'it':2,'an':1,'in':1,'out':1,'her':3,'six':1,'definite':1,'to':1,'way':1,'you':1,'more':1,'notice':1,'very':1,'rise':8,'them':1,'such':1,'a':4,'off':2,'prominence':1,'up':2,'us':3,'way.':1,'the':7,'utterance':1},'climax':{'and':1,'among':1,'of':3,'in':5},'involve':{'any':1},'fizzing':{'about':1},'down-stream.':{'1':1},'advancing':{'slope':1,'dog':1,'troop':1},'masterly':{'skill':1,'book':1},'halobatidae':{'wingless':1},'january':{'30':1,'21':1,'22':1,'6':1},'shell-shock':{'is':1},'coral-snakes':{'cobras':1},'faults':{'he':1},'amazing':{'particles':1,'quantities':1},'messrs':{'.':3},'answer':{'even':2,'and':1,'them':1,'forecloses':1,'that':1,'follows':1,'is':7,'back':2,'.':1,'to':4,'first':1,'opens':1,'must':2},'willing--has':{'come':1},'blanket':{'of':2},'minority':{'have':1,'give':1},'undergoing':{'disintegration':2,'disintegration--and':1,'radical':1},'reconciled':{'.':1},'abdomen':{'beneath':1},'food.':{'illustration':1},'long-continued':{'structure':1},'curiosity':{'and':1,'are':1,'its':1},'mud-minnows':{'did':1},'amoeboid':{'cells':4,'line':1},'overtaken':{'.':1},'still;':{'but':1},'descends':{'again':1},'think':{'to':1,'for':1,'that':12,'of':19,'less':1,'.':2,'also':1,'they':2,'clearly':1},'still.':{'and':1},'maintain':{'a':1,'the':1,'that':2},'frequent':{'meals.':1,'paddling':1,'changefulness':1,'occurrence':1,'exhibition':1},'1872':{'charles':1},'carbonic':{'acid':2},'inhabitant':{'of':1},'overtakes':{'it':1},'operations':{'on':1},'fife':{'started':1,'which':1,'in':1},'enter':{'suddenly':1,'our':1,'into':2,'the':2,'deeply':1},'sheltering':{'blanket':1,'is':1},'co-operating':{'with':2},'murray':{'sir':2,'called':1,'.':2},'helena':{'the':1},'hibernation':{'.':1},'down.':{'some':1,'however':1,'illustration':1},'budding':{'or':1,'.':2},'copyright':{'status':1,'royalties':1,'notice':1,'agreement':1,'research':1,'1922':1,'in':2,'holder':4,'or':1,'laws':2},'partisans':{'at':1},'famille':{'lieu':1},'before':{'the':13,'they':5,'it':4,'an':1,'birth.':1,'betraying':1,'our':3,'birds':1,'that.':1,'proceeding':1,'matter':1,'with':1,'there':7,'.':3,'anyone':1,'their':1,'reptiles':1,'you':2,'man':1,'was':1,'we':2,'downloading':1,'reaching':1,'mammals':1,'birth':3,'amphibians':1,'water':1,'heat':1,'them':1,'but':1,'hatching':2,'true':1,'him':1,'he':1,'anything':1,'i':1,'this':1,'she':1,'passing':2,'or':3},'10.5':{'regulus':1},'gyges':{'ring':1},'crew':{'of':1},'better':{'case':1,'by':1,'still;':1,'brains':2,'is':1,'than':1,'forms':1,'to':2,'brain':1,'insertion':2,'teeth':1,'method':1,'or':1,'heel':1},'differently':{'from':1},'persist':{'not':1,'there':1,'when':1},'weeks':{'old':2,'perhaps':1,'removing':1,'when':1,'of':1,'or':1},'overcome':{'the':3,'in':1},'donors':{'in':1},'23.--star':{'cluster':1},'disintegration--and':{'the':1},'swim-bladder':{'of':1,'into':1,'which':1},'combination':{'of':3,'which':1},'within.':{'but':1},'strangest':{'of':1},'caterpillar':{'and':1,'on':1,'.':1},'weaponless':{'animal':1},'indulge':{'for':1},'bluish':{'colour':1},'secured.':{'there':1},'bony':{'fish':3,'collar':1,'flat-fishes':1},'meat':{'and':1,'darted':1},'brightness':{'in':1},'indivisible.':{'the':1},'fogs':{'were':1},'arrested':{'defective':1,'.':1},'proofreading':{'team':2},'mounts':{'guard':3},'went':{'before':1,'on':4,'towards':2,'through':1,'out':1},'meal':{'.':1},'bone':{'and':1,'for':2,'of':1,'u':1,'which':1,'in':1,'the':1,'muscle':1},'mean':{'and':1,'distance':1,'great':1,'save':1,'that':7,'stagnation':1,'one':1,'1':1,'to':1,'so':1,'not':1,'the':1,'.':1,'by':3},'telescope.':{'illustration:':1,'but':1},'afforded':{'the':1,'much':1,'by':3},'problems.':{'sec':1},'successively':{'worked':1},'suspended':{'particles':2,'at':1,'for':1,'in':1},'conifer':{'and':1},'principles':{'employed':1,'of':2},'hive-bees':{'italians':1},'taught':{'to':2,'two':1,'us':1,'that':2},'wave-lengths':{'.':3,'that':1},'first-class':{'sensory':1,'cereal':1},'extract':{'from':1},'conspicuous.':{'at':1},'conjectures':{'which':1},'superposing':{'a':1},'restricted':{'to':2,'that':1,'.':1},'content':{'even':1,'to':2,'ourselves':1,'for':1},'sparkle':{'in':1},'cave-man':{'may':1},'is.':{'energy':1,'let':1},'reader':{'a':1,'who':1,'may':1,'imagines':1,'an':1,'will':1,'to':1},'surprise':{'none':1},'sluggish':{'fishes':1,'turtle':1,'the':1,'animals':1,'creatures':1},'langur':{'monkeys':1},'turning':{'upon':1,'off':1,'the':1,'every':1,'up':1},'meridian.':{'the':1},'hangers-on':{'and':1},'wave-length.':{'deep-red':1},'ascending':{'the':1},'skin.':{'but':1},'246':{'photo':2},'240':{'white':1},'243':{'the':1},'telescopes':{'begins':1,'and':1,'smaller':1,'for':1,'of':2,'.':1,'at':1},'shaggy':{'hair':1},'began.':{'archaeozoic':1,'ordovician':1},'starts':{'as':1,'.':1},'messages':{'from':1,'.':3},'thus':{'diverts':1,'set':1,'just':1,'produces':1,'certain':1,'some':1,'it':4,'separated':1,'as':2,'at':2,'sir':1,'from':2,'appear':1,'securing':2,'no':2,'began':1,'there':5,'uranium':2,'two':1,'been':1,'to':1,'helps':1,'molecules':1,'volvox':1,'we':12,'arises':1,'form':1,'again':1,'becomes':1,'formed':1,'possible':1,'completely':1,'although':1,'fishes':1,'flowers':1,'producing':2,'a':1,'animals':1,'driving':1,'this':1,'professor':2,'shunted':1,'ascertain':1,'the':12,'spiders':1},'isn':{'t':1},'survive--although':{'they':1},'arrived':{'at':3},'cave-lion':{'and':1,'cave-hyaena':1},'loud':{'noises':1},'user':{'provide':1,'to':1,'who':1},'untutored':{'bird':1},'features':{'and':1,'of':3,'there':1,'but':1,'so':1,'which':1,'such':1,';':1},'grade':{'bring':1},'unlit':{'lamp':1},'peculiarity':{'of':1},'disappearing':{'a':1},'enumerate':{'the':1},'radiate':{'away':1,'long':1,'out':1},'immensely':{'large':1,'larger':1,'greater':1,'faster':1},'ditch':{'or':1,'.':1},'hood':{'is':1,'spread':1,'called':1,'or':1},'monotonous':{'world':1,'green':1},'anyone':{'providing':1,'may':1,'.':1,'anywhere':2,'can':2,'in':1,'else':1},'pelagic':{'plants':1,'life':1,'bird':2,'haunt':1,'area':1},'84116':{'801':1},'shiver':{'.':1},'periwinkle':{'or':1},'witnessing':{'the':1},'dwell':{'too':1},'growth':{'and':1,'of':6},'fiery':{'tongues':1,'vapour.':1,'fate':1,'journey':1,'eruptions':1,'outbreak':1},'radiation':{'and':1,'from':2,'of':2,'.':1,'cannot':1,'in':1},'ages--the':{'procession':1},'feathers':{'of':2,'proving':1,'.':1,'are':2,'have':1,'91':1,'the':1,'or':1},'pre-material':{'world':1},'floor.':{'jasper':1},'digs':{'away':1},'glumes':{'or':1},'somewhat':{'like':2,'suddenly':1,'of':1,'as':1,'higher':1,'in':1,'simpler':1,'difficult':2},'feature.':{'some':1},'conger-eels':{'and':1},'brazil.':{'the':1},'peculiar':{'and':1,'people':2,'physiological':1,'characteristics':1,'interest':2,'bones':1,'cases':1,'circumstances':1},'begins':{'on':1,'his':1,'.':1,'to':2,'as':1,'at':1,'in':1},'distance':{'a':1,'and':3,'towards':1,'from':8,'that':1,'of':13,'is':2,'in':2,'thus':1,'period':1,'.':5,'varies':1,'between':1,'it':2,'plays':1,'the':3,'once':1,'was':1,'away':1,'more':1},'creatures.':{'we':1,'the':1,'illustration':2},'dredge':{'has':1},'structures':{'and':5,'reveal':1,'inherited':1,'are':1,'tend':1},'regularised':{'and':1},'sea-serpents':{'terrestrial':1},'preparation':{'for':2},'matter':{'and':16,'chlorophyll':1,'says':1,'exists':1,'is':14,'it':1,'four':1,'as':2,'itself':1,'exist':1,'are':7,'have':3,'in':7,'consists':2,'throughout':1,'ether':2,'254':1,'if':1,'cannot':1,'from':2,'there':2,'.':18,'contained':1,'therefore':1,'which':7,'flowing':1,';':1,'really':1,'was':3,'into':2,'passed':1,'energy':1,'that':4,'may':1,'than':1,'of':10,'however':2,'but':2,'quite':1,'were':2,'cutting':1,'moving':1,'here':1,'itself.':3,'not':1,'end':1,'along':3,'by':1,'a':1,'on':1,':':2,'this':1,'ever':1,'attracts':1,'required':1,'up':1,'agoing.':1,'or':2,'trillions':1,'so':1,'can':1,'contain':1,'through':1,'the':2,'out':1,'reduced':1},'messengers':{'regulate':1,'from':1,'are':1,'which':2,'more':1},'silly':{'ants':1},'shore-waters':{'to':1},'hailstones':{'on':1},'enables':{'the':2,'them':1,'us':3,'it':1},'extracting':{'the':1},'chrysalis':{'probably':1},'recommence':{'when':1},'membranes':{'the':1,'vocal':1},'modern':{'mathematical':1,'researches':1,'mammals':1,'brain...':1,'times.':1,'comparative':1,'times':2,'birds':2,'size':1,'horse':4,'representatives':1,'philosopher':1,'spectroscopist':1,'astronomers':1,'investigation':1,'physicists':1,'instruments':1,'flowering':1,'type':5,'divers':1,'tree-shrews':1,'civilisation--coal':1,'life':1,'theory':2,'brains':1,'line':1,'giant':1,'direct-reading':2,'physicist':1,'binoculars':1,'world':1,'estimate':1,'astronomy':6,'telescopes':1,'man':10,'advance':1,'observatory':1,'language':1,'species.':1,'science':8,'industry':1,'science.':1,'diffraction':1,'british':1,'theories':1,'bird':3,'man.':1,'dynamo':1,'representation':1,'history':1,'physics':1,'view':1},'mind':{'and':3,'among':1,'is':3,'at':1,'in':6,'seemed':1,'from':1,'for':1,'.':12,'which':1,'has':4,'we':4,'205':1,'that':3,'cannot':1,'let':1,'the':2,'a':1,':':1,'of':15,'craves':1,'can':1,'entirely':1,'out':1},'eyes':{'and':4,'the':1,'of':5,'could':1,'.':5,'to':1,'are':3,'become':1,'protrude':1,';':1,'themselves':1,'having':1},'rigorous':{'boundary':1},'seed':{'being':1,'was':1,'for':1},'nervures':{'on':1},'seen':{'among':1,'emerging':1,'sometimes':1,'gripping':1,'just':1,'is':2,'an':1,'as':1,'full':1,'through':1,'at':4,'another':1,'in':15,'shooting':1,'its':1,'even':1,'what':2,'from':1,'for':2,'to':5,'giving':1,'when':2,'.':5,'how':1,'enough':1,'under':1,'energy':1,'we':1,'towards':1,'that':5,'edge-on':2,'but':1,'quite':1,'boys':1,'every':1,'entangled':1,'by':2,'a':1,'on':5,'washing':1,'driving':1,'of':1,'later':1,'making':1,'the':3,'or':1,'are':1},'seem':{'strangely':1,'do':1,'we':1,'for':1,'always':1,'bound':1,'early':1,'to':18,'bad':1,'does':1,'in':1},'grind':{'a':1},'seek':{'to':1,'any':1,'out':1},'tells':{'and':1,'of':2,'its':1,'us':6},'starfish':{'is':1,'sea-lilies':1,'acorn-shell':1,'which':2,'with':1,'called':1,'asterias':2},'point.':{'and':1},'chest':{'and':1,'.':1},'chess':{'with':1},'blotched':{'by':1},'permian':{'light':1,'period':3,'ice':2,'.':1,'reptiles':1,'the':1,'was':1},'established':{'on':1,'all':1,'may':1,'is':1,'between':1,'an':1,'.':2,'in':3,'themselves':1,'one':1,'by':2,'fact':1},'changefulness':{'and':1,'of':2,'rather':1},'vermiform':{'appendix':2},'regular':{'flux':1,'relation':1,'orbit':1,'movement':1},'meaning':{'of':10,'the':2,'.':1,'an':1},'see.':{'as':1,'that':1},'promising.':{'illustration':1},'refractor':{'and':1,'is':3,'measures':1,'the':1,'48':1},'zealand':{'is':1,'which':1},'broadcast':{'in':1},'observation':{'and':1,'on':1,'by':1,'that':1,'.':1,'or':1},'consumed':{'and':1},'deliberate':{'introductions':1},'m':{'and':1,'.':1},'dog':{'scouring':1,'and':4,'shown':1,'turning':1,'that':2,'of':2,'professor':1,'or':2,'as':1,'carrying':1,'at':1,'a':1,'in':1,'van':1,'the':1,'has':3,';':1},'breathes':{'dry':1,'by':1},'definitely':{'formulated':1,'proved':1,'begun':1,'that':2,'free':1,'guiding':1,'the':1},'principle':{'we':1,'of':2,'is':1,'can':1,'which':2,'applies':1,';':1},'molluscs':{'and':1,'.':1,'are':1,'ascidians':1,'in':1},'dover':{'and':1},'planetary':{'system.':1,'families':2,'nucleus':1},'aquatic':{'ancestors':1,'animals':1,'insects':1,'surinam':1,'ancestry':2,'locomotion':2},'rayleigh':{'stated':1},'visitor':{'gave':1},'probe':{'for':1},'skin-wing':{'a':1},'ending':{'in':1},'brilliancy':{'.':1},'attempts':{'to':4,'made':1,'at':1,'have':1},'fungas':{'spots':1},'counteractive':{'measures':1},'creature--far':{'from':1},'ear.':{'illustration':2},'representing':{'nude':1,'one':1},'explain':{'what':1,'presently':1,'for':1,'this':3,'how':1,'the':6,'why':1},'folded':{'in':1},'sugar':{'fats':1,'.':1},'judged':{'as':1,'from':1,'by':1},'above':{'and':1,'distances':1,'all':1,'is':1,'seven':2,'our':1,'scale':1,'shrinkage':1,'six':1,'them':1,'illustration':2,'it':1,'diagram':1,'five':1,'with':1,'boiling-point':1,'sea-level':1,'a':1,'illustration.':1,'these':1,'pictorial':1,'them.':1,'the':12},'compounded':{'of':2,'so':1},'indicus':{'--are':1},'morsel':{'of':1},'chromosphere':{'great':1,'extends':1,'are':1,'.':1},'stop':{'and':1,'vii':1,'when':1,'but':1,'at':1,'the':2},'perceive':{'a':1,'their':1},'coast':{'of':1},'12':{'is':1,'000':2,'what':1},'energy--what':{'a':1,'heat':1},'21.--typical':{'spectra':1},'ignoble':{'creatures':1},'comply':{'with':5,'either':1},'bat':{'the':1,'flying':1,'s':1,'shares':1},'bar':{'of':1,'.':1},'17':{'origin':1,'1905':2},'room--pour':{'molecules':1},'fields':{'.':1},'bay':{'and':1,'of':1},'bag':{'of':1,'containing':1},'microscope':{'behaving':1,'these':1,'which':1},'discs':{'of':1,'that':1,'.':1},'troop':{'of':1,'masked':1},'18':{'photo':1,'solar':1},'fertility':{'and':1,'in':1},'upwards':{'and':3,'of':2,'from':1,'that':1},'ears':{'and':2,'of':2,'.':1},'ethical':{'face':1},'head-brains':{'the':1},'reference':{'to':1,'has':1,'in':1},'testing':{'probing':1,'all':2},'alterations':{'would':1,'in':1},'tag--but':{'larger':1},'zones':{'of':1,'each':1},'decided':{'to':1,'that':1},'interruptions':{'of':1},'subject':{'and':1,'we':1,'of':2,'is':2,'here':1,'to':4,'as':1,'deeply':1},'pebbles':{'gripped':1,'.':1},'voyage':{'found':1,'darwin':1},'said':{'and':1,'is':1,'some':1,'in':1,'what':2,'for':2,'there':2,'long':1,'.':1,'to':9,'enough':1,':':1,'that':19,'but':1,'a':1,'about':1,'like':1,'of':2,'later':1,'so':1,'the':4,'consisted':1},'scrap':{'from':1},'sail':{'or':1,'in':1},'artificial':{'floor':1,'light':2,'fogs':1,'light.':1,'surroundings':1,'item':1,'transmutation':1},'pets':{'of':1},'simplest':{'forms':2,'animals':1,'form':2,'of':2,'possible':1,'multicellular':1,'bacteria':1,'creatures':1},'unsolved.':{'the':1},'sorts':{'and':1,'of':4,'occupations':1,'out':2},'polygamous':{'.':1},'lethargic':{'state':1},'profitable':{'to':3,'movements':1,'habit':2,'one':1},'cleverer':{'mammals':1,'animals':1,'than':1},'venture':{'out':1},'mountain-top-like':{'cusps':1},'physicist':{'and':1,'set':1,'brings':1,'.':1,'to':1,'has':1},'harvard':{'college':4},'386':{'times':1},'cousin':{'to':1},'motto':{'in':1},'suggested':{'genealogical':2,'this':1,'that':6,'however':1,'.':1,'to':1,'at':1,'another':1,'in':2,'by':2},'air--a':{'globule':1},'sperm-producer':{'and':2},'canines':{'and':1},'against':{'a':5,'downward-projecting':1,'branches':1,'her':1,'instability':1,'these':1,'certain':1,'it':1,'evaporation':1,'their':1,'intensities':1,'of':1,'accepting':1,'the':17,'one':2},'feathering':{'of':1},'puffin':{'s':2},'1.--diagrams':{'of':1},'distinction':{'of':1,'has':1,'so':1},'confronted':{'his':1},'simplified.':{'we':1},'fore-leg':{'of':1,'has':1},'appeared':{'suddenly':1,'upon':1,'related':1,'.':2,'to':1,'in':1,'inconceivable':1,'or':1},'repertory':{'of':5},'buries':{'itself':1},'incessant':{'colliding':1,'movement':2},'inquisitive':{'insects':1,'adults':1,'interest':1},'purling':{'brook':1},'lick':{'observatory.':4},'initiative':{';':1,'so':1},'lowly':{'forms':1,'origin.':2},'ether':{'and':11,'because':1,'exists':1,'disturbances':1,'is':2,'surrounding':1,'as':1,'are':1,'carry':1,'if':1,'permeates':1,'what':1,'disturbance':4,'.':8,'2':1,'which':1,'flowing':1,';':3,'has':2,'was':2,'then':1,'may':1,'but':2,'waves':2,'he':1,'by':2,'must':1,'of':2,'carries':1,'light':1,'or':1},'now.':{'the':1},'recognises':{'the':1},'puts':{'a':1,'the':1,'his':1,'forth':1,'it':2},'basis':{'of':5,'for':5,'but':1},'ramifying':{'system':1},'three':{'and':3,'cautions':1,'letters':1,'reasons':1,'arms':2,'feet':2,'in':2,'females':1,'species':1,'centuries':1,'different':1,'or':3,'dimensions':3,'distinct':2,'fingers':1,'to':3,'wonderful':1,'weeks':3,'hundred':3,'conditions':1,'lowest':1,'aspects':1,'complete':1,'inches':2,'thousand':3,'great':4,'atoms':1,'hours':1,'semicircular':1,'pairs':1,'months':2,'times':5,'chief':1,'miles':1,'fundamental':1,'quarter':1,'other':1},'erect':{'posture':1,'after':1,'lines':1,'attitude':2,'the':1,'he':1,'consisted':1},'milieu':{'.':1},'chrysanthemum':{'of':1},'trigger':{'of':4,'is':1,'which':1,'.':1},'interest':{'and':2,':':1,'for':3,'that':2,'of':2,'is':1,'us':1,'.':4,'to':3,'are':1,'in':5,'increasing':1,'was':1,'or':1},'entered':{'our':1,'into':2,'upon':1,'so':1,'on':1},'chaffinch':{'disguise':1},'threw':{'in':1},'light-year':{'is':1},'deeper':{'down':1,'and':1,'waters':1,'hollows':1},'quantities':{'not':1,'of':2,'pour':1,'destined':1},'sunshine':{'then':1,'of':1},'cold--an':{'eternal':1},'meadow-grass':{'before':1},'locations':{'where':1,'.':1},'168':{'profile':1},'164':{'suggested':1,'the':1},'165':{'the':1},'166':{'photo':2},'167':{'photo':1},'160':{'professor':1,'000':1,'tons':1},'161':{'photo':1,'after':1},'encyclopaedia':{'giving':1},'ether.':{'waves':1},'exception':{'and':1,'of':1},'were--the':{'working':1},'tank':{'of':1},'winding':{'in':1},'originate':{'and':1,'is':1},'spontaneously':{'and':1,'become':1,'or':1,'liberated':1,'becomes':1},'horse-power':{'in':1},'near':{'them':1,'that':2,'scarborough':2,'duesseldorf.':1,'victoria':1,'relative':1,'its':1,'shore':1,'at':2,'enough':2,'the':18,'with':1,'heidelberg':3,'as':2},'neat':{'way':1},'aeroplane':{'s':1,'in':1},'balance':{'of':1,';':1,'used':1,'between':1,'.':2},'study':{'and':1,'rabbits':1,'in':1,'of':12,'under':1,'mammals':1,'.':1,'which':1,'leading':1},'twenty-four':{'hours':2},'spawn':{'and':1,'only':1,'in':4,'.':3},'longer.':{'illustrations':1},'seven':{'hours':2,'different':1,'rays':1,'neck':1,'inches':1,'months':1,'two':1,'colours':5,'other':1,'planets':1,'stages':2},'thought.':{'sec':1,'yet':1},'mexico':{'to':1,'by':1},'diaphragm':{'came':1},'is':{'all':4,'evidence':5,'believed':3,'caused':2,'comparatively':2,'four':1,'remarkably':1,'abundant':2,'looking':1,'certainly':5,'inverse':1,'electricity':2,'concerned':2,'young':2,'to':52,'thinnest':1,'preserved':1,'inconspicuous':1,'worth':2,'tethered':1,'worse':1,'outside':1,'very':48,'indubitable':1,'radio-active':1,'vastly':1,'continued':1,'illustrated':1,'asexual':1,'probably':7,'woven':1,'familiarly':1,'smaller':1,'insignificant':1,'overlying--the':1,'past':1,'likely':1,'utter':1,'estimated':1,'situated':2,'shining':1,'even':2,'established':1,'what':7,'necessary.':1,'comparable':1,'beaten':1,'contributed':1,'expressed':1,'liberated':1,'above':1,'shared':2,'falling':1,'ever':1,'melancholy':1,'never':5,'leaping':1,'desired':1,'learnedly':1,'represented':5,'obtained':1,'great':5,'commonly':1,'descended':1,'usually':3,'conveniently':1,'composed':6,'love':1,'suddenly':1,'merely':1,'explained':2,'apt':3,'highly':10,'brought':4,'rarely':2,'from':4,'would':1,'superficially':1,'two':1,'doubt':1,'therefore':1,'taken':1,'unthinkable':1,'lessened':2,'more':23,'rich':1,'started':1,'pursuing':1,'one-sided':1,'suffused':1,'varying':1,'known':11,'given':4,'carried':2,'locked':1,'room':1,'this':6,'moulted':1,'itself':1,'obvious':1,'can':1,'growing':1,'making':2,'stimulating':1,'proof':2,'nearest':2,'bent':1,'pushed':2,'something':2,'wonderful':2,'struck.':1,'huge':1,'rather':4,'divided':1,'breaking':1,'fortunate':1,'1':1,'located':2,'instead':1,'left--to':1,'maternal':1,'intended':1,'inconceivably':1,'derived':2,'movable':1,'disgusted':1,'eighty-eight':1,'coming':1,'such':4,'horizontal':1,'inconceivable':1,'revealed':1,'a':196,'short':1,'natural':3,'effective':1,'yielding':1,'fortunately':1,'so':21,'pulled':4,'secured':1,'justifiable':2,'unpalatable':1,'indeed':1,'mainly':3,'discharging':1,'produced':3,'held':1,'through':3,'committed':1,'still':9,'its':5,'admirably':1,'superior':1,'26':1,'how':2,'susceptible':1,'interesting':14,'actually':1,'better':2,'covered':1,'travelling':2,'admirable':1,'easier':3,'then':4,'popularly':1,'affected':1,'greater':2,'thereby':1,'food':1,'safe':4,'wise':1,'not':79,'now':18,'always':7,'reasonably':1,'tenanted':1,'arrested':1,'establishing':1,'transmitted':1,'reasonable':1,'radial':1,'found':6,'entirely':4,'physiologically':1,'afforded':3,'doing':1,'there':10,'crushing':1,'related':2,'our':3,'beyond':5,'thick':2,'really':4,'living':1,'shown':5,'surrounded':3,'content':1,'contained':1,'denoted':1,'revolving':1,'twenty-five':1,'borne':2,'disputed':2,'built.':1,'incalculable':1,'quite':10,'reason':3,'surely':2,'struggle':2,'intensely':1,'thrown':1,'enormous':1,'organic':1,'keen':2,'disturbed':2,'moving':5,'assuredly':1,'most...':1,'first':1,'complete.':1,'constantly':4,'blown':1,'synonymous':1,'reflected':6,'one':23,'well-known':1,'done':1,'sunlight':1,'another':13,'impossible':8,'immensely':1,'discharged':1,'bitten':1,'little':3,'necessarily':2,'needed':1,'unknown':2,'their':2,'2':1,'too':3,'passed':1,'molecular':1,'vigorous':1,'that':76,'relieved':2,'continuous':2,'wisdom':1,'wasted':2,'prodigious':1,'undoubtedly':2,'flightless':1,'16':1,'divisible':1,'double':1,'enabled':2,'slowed':1,'866':1,'matter':2,'supposed':5,'historical':1,'accessed':1,'and':2,'unrestricted.':1,'gathering':2,'lightly':1,'turned':2,'vitally':1,'unlikely':2,'cleaned':1,'imperfect':2,'obviously':3,'apparently':1,'any':3,'relatively':1,'forced':1,'built':2,'efficient':1,'thoroughly':1,'able':5,'snow':1,'also':18,'trying--the':1,'absorbed':2,'embryological':1,'sure':1,'diminishing':1,'-273':1,'most':5,'connected':1,'printed':1,'nothing':7,'alpha':1,'measured':1,'conspicuous':2,'considered':1,'calculated':1,'sometimes':8,'repeated':1,'dissolved':1,'accounted':1,'normally':1,'lying':1,'precise':1,'particularly':2,'supported':1,'scattered':1,'discovered':2,'scarce':2,'enormously':2,'nearer':1,'founded.':1,'shuffling':1,'with':2,'excessively':1,'enough':6,'unhappy':1,'only':19,'going':7,'touched':1,'molecules':1,'regrowing':2,'adequate':1,'evinced':1,'meant':5,'compounded':2,'exceptional':1,'dependent':1,'familiar':2,'famous':3,'unimportant':1,'123':1,'nearly':1,'closely':5,'drawn':2,'instinctive':2,'dr':1,'justified':1,'beset':1,'evolution':2,'instructive':2,'influenced':1,'common':2,'rung':1,'characteristic':3,'fixed':2,'steam':1,'strengthened':1,'swept':1,'physically':1,'condensed':1,'observed':1,'are':1,'enhanced':1,'tender':1,'close':1,'luminous':1,'forthcoming':1,'best':1,'subject':2,'said':5,'probable':4,'distinctive':1,'missing':1,'continually':1,'written':1,'between':2,'conceptual':2,'progress':2,'neither':1,'available':1,'we':1,'reproduced':1,'nature':2,'tending':1,'however':5,'efficiency':1,'386':1,'suggested':4,'both':1,'essentially':2,'reported':2,'freely':1,'ill':1,'thickly':1,'against':1,'called':21,'sensitive':1,'passing':1,'among':2,'volcanic':1,'simple':1,'acted':1,'maintained':1,'simply':4,'learning':3,'associated':2,'pouring':1,'described':1,'capable':1,'scented':1,'due':5,'.':3,'recognised':1,'hardly':6,'resting':1,'life':2,'partly':5,'sufficient':5,'formed':2,'an':40,'diverted':1,'applied':3,'these':3,'plain':6,'eclipsed':1,'intimately':1,'reflex':1,'64-6221541':1,'flooding':1,'taking':1,'owed':1,'almost':8,'endowed':1,'thus':4,'it':7,'according':1,'helped':1,'good':2,'clinging':1,'in':33,'ready':1,'if':2,'tumbled':1,'perhaps':3,'occupied':1,'limited--there':1,'clearly':1,'solidary':1,'capped':1,'split':2,'finite':1,'difficult':6,'independent':1,'used':7,'wisest':1,'running':2,'arrived':1,'climbing':1,'circumvented':1,'centred':1,'lower':2,'largely':2,'paralysed':1,'humanly':1,'well':10,'magnified':1,'rife':1,'without':1,'the':158,'left':3,'departed':1,'just':5,'less':4,'being':3,'profoundly':1,'disguise':1,'stored':1,'atomic':1,'rocked':1,'behind':1,'useful':1,'renewed':1,'corroborated':1,'possible.':1,'passive':1,'spread':1,'transformed':1,'easy':2,'born':1,'struck':1,'increased':1,'loss':1,'showing':1,'decomposed':1,'possible':15,'marked':2,'advanced':1,'acute':1,'sorting':1,'necessary':7,'like':11,'lost':2,'shaped':1,'cooler':1,'admittedly':1,'62':1,'lapsed':1,'fully':1,'soft':1,'essential':1,'towards':2,'right':1,'often':22,'some':4,'somehow':1,'urgent':1,'added':2,'jupiter':1,'52':1,'perfected':1,'irresistible':1,'provided':1,'gradually':3,'condensed--who':1,'for':4,'unlocked':1,'recorded':1,'critical':1,'masked':2,'conquering':1,'good.':1,'freed':1,'indestructible':2,'peculiarly':2,'continuing':1,'broken':4,'worthy':1,'by':3,'on':6,'about':8,'mingled':3,'anything':1,'getting':1,'of':16,'mutually':1,'steadily':2,'introduced':1,'consequently':1,'swimming':1,'diversely':1,'equally':1,'within':1,'bound':1,'because':2,'lively':1,'primarily':1,'einstein':1,'nowadays':1,'doubtless':2,'seen':18,'indispensable':1,'flying':1,'long':1,'much':12,'infected':1,'low':1,':':4,'considerably':1,'complete':1,'secreted':1,'abundantly':1,'constituted':1,'heat':1,'true':20,'considerable':3,'posted':3,'absent':1,'made':10,'arranged':1,'evident':1,'obscure.':2,'whether':2,'dangerous':1,'placed':3,'converted':1,'emotional':1,'clear':7,'hotter':2,'certain':9,'slowing':1,'general':1,'transfused':2,'as':9,'at':11,'effected':2,'again':1,'raised':1,'inborn':2,'no':60,'unaccustomed':1,'out':1,'poor':1,'white-hot':1,'convincing':1,'ultimately':1,'generated':1,'important':2,'suited':3,'included':1,'aware':1,'promising.':1,'to-day':1,'happening':1,'practically':6,'cohesion':1,'ascertained':1,'implied':1,'time':1,'far':5},'it':{'holds':1,'illustrates':2,'scooped':1,'over':1,'fall':1,'splitting':1,'leads':1,'boils':1,'through':2,'looks':8,'cuts':1,'consists':2,'facilitates':1,'agrees':1,'causes':1,'crashing':1,'sprang':1,'sinks':1,'burns':1,'betokens':1,'furnished':1,'seems':23,'should':3,'forms':4,'to':18,'only':2,'spread':1,'firmly':1,'positively':1,'easy':1,'under':2,'8':1,'hammers':2,'has':82,'might':6,'sent':1,'gave':1,'meant':3,'then':1,'his':1,'wished':1,'goes':3,'listeth':1,'means':7,'contracts':2,'breaks':1,'continues':1,'stop':1,'possible':8,'flew':1,'engulfs':2,'matters':1,'cannot':5,'they':1,'altogether':2,'not':2,'meets.':1,'now':3,'neither':1,'discovered':1,'necessary':1,'went':2,'lies':1,'did':3,'always':2,'fixes':1,'serves':1,'loses':2,'herald':1,'off':1,'expels':1,'turns':1,'found':2,'feeds':2,'works':1,'mean':1,'reveals':1,'often':5,'exists':1,'sends':1,'folds':1,'acquires':1,'back':1,'alive':1,'differs':1,'used':1,'swims':3,'are':1,'picked':1,'reached':2,'collects':1,'out':1,'ascends.':1,'what':1,'probable':1,'for':4,'profit':1,'away':2,'revolves':1,'stops':1,'climbs':1,'misses':1,'does':14,'provides':2,'without':2,'got':1,';':1,'seemed':1,'ever':1,'occurs':4,'shows':2,'be':5,'we':1,'give':2,'led':2,'chose':1,'passes':3,'pours':1,'jumps':1,'works--the':1,'disintegrates':1,'works.':1,'surely':1,'put':1,'refers':1,'emits':1,'change':1,'takes':6,'on':6,'dates':1,'hunts':1,'consisted':1,'limits':1,'rests':1,'could':2,'settles':2,'approaches':1,'against':2,'must':20,'suggests':1,'became':5,'greatly':1,'usually':1,'leaps':1,'makes':2,'finds':1,'comes':4,'being':1,'own':1,'afterwards':1,'weighs':1,'had':17,'into':6,'were.':1,'corresponds':1,'reaches':1,'one':1,'running':1,'skips':1,'casts':1,'likes.':1,'impossible':3,'.':31,'doubtless':1,'utters':1,'rises':3,'from':3,'collides':1,'would':23,'remains':4,'expands':1,'there':1,'chooses':1,'vibrate':1,'by':2,'fully':1,'belongs':1,'appears':3,'recognised':1,'furnishes':2,'tells':1,'grew':1,'hardly':1,'until':1,'perishes':1,'slips':1,'that':3,'becomes':2,'contains':3,'convinces':1,'took':1,'strikes':1,'gently':1,'implied':1,'lives':3,'stiffens':1,'probably':1,'with':2,'than':1,'present':1,'he':1,'begins':1,'save':1,'were':18,'builds':1,'looks.':1,'was':98,'originate':1,'bids':1,'up':3,'promotes':1,'will':20,'exerts':1,'can':19,'applies':1,'about':1,'happened':1,'leaves':1,'breeds':1,'and':12,'buries':1,'changed':1,'go':1,'jettisons':1,'escapes':2,'almost':1,'is':473,'occupies':2,'thus':1,'naturally':1,'or':1,'an':1,'as':7,'at':1,'in':13,'need':4,'follows':4,'made':1,'proceeds':1,'if':1,'gives':2,'again':4,'needs':1,'shuts':1,'thereby':1,'amounts':1,'began':4,'acts':1,'when':3,'aside':1,'intelligently':1,'also':1,'parts':1,'which':1,'brings':1,'you':1,'gets':2,'pecked':1,'pursues':1,'practicable':1,'effected':1,'looked.':1,'wrongly':1,'radiates':1,'may':59,'fails':1,'occurred':1,'develops':1,'grows':2,'uses':1,'thrills':1,'contain':1,'concentrating':1,'died':1,'glow':1,'a':2,'implies':1,'advantageous':1,'records':1,'behaves':1,'clear':2,'sometimes':4,'flow':1,'breathes':1,'obviously':1,'more':1,'points':1,'so':2,'fitted':1,'harks':1,'the':4,'once':2,'requires':1,'possesses':1,'came':2,'repeatedly':1},'iv':{'the':1,'.':3},'ii':{'the':1,'.':3},'clinging':{'to':1},'in':{'limited':2,'all':20,'evidence':1,'skeleton':1,'particular':2,'four':2,'sleep':1,'canes':1,'hunting':1,'reptiles':1,'those':3,'masculine':1,'very':4,'indubitable':1,'duck-ponds':1,'every':5,'asia.':1,'hibernating':1,'monkeys':3,'minute':1,'archaeopteryx':1,'apprehension':1,'succession':2,'relation':1,'sedentary':1,'pterodactyl':1,'revolution':1,'ten':4,'dealing':2,'rivers':2,'cost':1,'nests':1,'what':2,'constitution':1,'nature.':2,'favour':1,'asia':2,'uniform':1,'new':3,'nails':1,'contrast':1,'movement':2,'body':1,'degree':2,'ninety-nine':1,'atoms':1,'water':2,'others':1,'directions':1,'fifteen':2,'great':7,'bygone':1,'northern':2,'healthy':1,'compliance':2,'miniature':1,'amount':2,'action':2,'locomotion':2,'mistake':2,'amphibians;':1,'diameter':14,'egypt':1,'africa':3,'gristly':2,'1907':2,'1900':2,'1901':1,'attendance':2,'from':2,'two':3,'cretaceous':1,'france':3,'comparing':1,'doubt':1,'black':1,'fossiliferous':1,'more':2,'horses':1,'pencil':1,'bodily':1,'glass':1,'warm':2,'virtue':3,'varying':1,'andalusia':1,'keeping':1,'animals':3,'this':48,'facilitating':1,'paragraph':6,'nine':1,'stature':2,'following':1,'making':4,'nurture':1,'control':1,'figure':1,'process':5,'persuading':1,'india':1,'pieces':1,'autumn':1,'orion':2,'times':2,'spite':6,'winter':5,'destroying':1,'six':1,'machine':1,'buns':1,'vital':1,'animal':2,'elephant':1,'ordinary':1,'civilisation':1,'edinburgh':1,'southern':1,'orbits':1,'unawares':1,'mankind':4,'waves':1,'1887':1,'such':8,'response':1,'trinil':1,'man':19,'a':188,'short':3,'natural':2,'outline':1,'so':1,'order':7,'typical':1,'imagining':1,'reproduced':1,'breaking':1,'september':1,'hand.':2,'years':1,'radio-active':3,'pascal':1,'existence':1,'cold':1,'its':36,'apes':1,'interesting':1,'amazing':1,'writing':3,'forms':1,'fig':1,'travelling':1,'admirable':1,'them':3,'good':1,'greater':2,'similar':1,'practice':1,'underneath':1,'overpowering':1,'not':1,'courtship':1,'sea-urchins':1,'respiration.':1,'all.':1,'truth':1,'each':3,'pools':2,'liberating':1,'doing':1,'year':1,'our':16,'operation':1,'1898.':1,'special':1,'canada':1,'living':2,'space':4,'safety':2,'kent':3,'millions':1,'turning':1,'monkeys--activity':1,'others--which':1,'little':1,'reason':1,'fastening':1,'organic':4,'e.g':1,'determining':1,'cosmic':1,'british':1,'behaviour.':1,'motion':1,'turn':4,'length':7,'place':1,'consequence':2,'locating':1,'south':1,'flying':1,'faculty':1,'number':6,'one':14,'dominating':1,'another':11,'precisely':1,'quality':1,'sockets':1,'size':11,'horse':1,'obedience':1,'their':35,'sumatra':1,'intermediate':1,'fiery':1,'reign.':1,'white':1,'store':1,'exploring':1,'that':5,'relieved':1,'kangaroo-like':1,'1918':1,'part':6,'western':1,'conger-eels':1,'1912':2,'1917':1,'kind':3,'accordance':3,'isolation':1,'matter':1,'supposed':1,'gigantic':2,'photosynthesis':1,'and':7,'modern':8,'mind':5,'locations':1,'interruptions':1,'any':19,'domestication':1,'relatively':2,'strength':1,'studying':1,'suddenness':1,'scotland':3,'isolated':1,'moist':1,'perigord':1,'internal':1,'which':43,'forming':2,'green':1,'circles':3,'inky':1,'play':1,'permian':1,'opposite':2,'scotland.':1,'most':15,'nothing':1,'difficulties.':1,'whalebone':1,'professor':1,'perceiving':1,'section':2,'fact':5,'quantity':1,'saying':2,'walking':1,'insects':2,'brief':1,'multicellular':1,'manchester':1,'prodigious':1,'changeful':1,'subtle':1,'thickness':3,'fine':1,'gilded':1,'knowledge':1,'stormy':1,'situations':1,'proportion':2,'considerable':1,'surroundings':1,'flood.':1,'darwin':1,'abeyance.':1,'photographs':1,'his':23,'exceptional':2,'expectation':2,'trees':2,'nearly':1,'words':1,'conjunction':1,'areas':1,'evolution':12,'luminosity':1,'violent':2,'flight.':1,'insectivorous':1,'miles':1,'croatia':1,'common':1,'activity':1,'view':1,'unison':1,'multiplying':1,'reference':1,'habit':1,'electrons--and':1,'intelligence':3,'radium':1,'silurian':1,'relative':1,'1921':5,'migration':1,'andromeda':2,'creating':1,'combustion':1,'ways':1,'opening':1,'birds--intelligence':1,'birds':14,'3':1,'various':4,'crookes':1,'europe':5,'we':1,'terms':4,'august':1,'parental':1,'ignorance':1,'queensland':1,'coma':2,'cities':1,'both':6,'many':26,'connection':8,'whole':1,'experimental':2,'point':1,'simple':1,'sweet':1,'vain':1,'ants':3,'height':1,'concluding':1,'adaptation':3,'scottish':1,'majestic':1,'extinct':1,'ether':5,'adults':1,'considering':2,'late':1,'unusual':1,'java':3,'addition':6,'damp':1,'three':6,'.':1,'tropical':2,'interest':2,'bewildering':1,'empty':1,'life':4,'sufficient':1,'search':1,'amphibians':1,'1864':1,'1869':1,'1868':1,'general':2,'captivity':2,'respiration':1,'plants':1,'sixes':1,'prehistoric':1,'these':10,'britain':4,'air':1,'lesser':1,'formats':1,'wild':3,'picturing':1,'girth':1,'albatros':1,'almost':1,'is':1,'it':7,'bipedal':1,'itself':2,'1895':2,'different':4,'locomotion;':1,'estuaries':1,'several':1,'crevices':1,'higher':1,'development':1,'safe':1,'leopard':1,'cleaning':1,'recent':1,'lower':1,'colour':6,'contact':2,'regulating':1,'biology.':1,'the':800,'chemistry':1,'summer':3,'less':2,'being':4,'ideas':1,'front':3,'shape':1,'hercules':3,'distant':1,'human':5,'succeeding':2,'rapid':3,'gentleness':1,'evolution.':1,'thinking':1,'alternate':1,'wet':1,'showing':2,'sussex':2,'early':2,'vacuum':1,'belgium':1,'cape':1,'hollow':1,'dreams':1,'ponds':1,'backboned':1,'brain-development':1,'lightning':1,'true':1,'either':2,'popular':1,'65':1,'methods':1,'some':52,'choosing':1,'sight':1,'illumination':1,'proper':2,'ourselves':3,'preparing':1,'dense':1,'dimensions':1,'for':2,'broad':1,'normal':1,'fluids':1,'1856':1,'tertiary':1,'cuttlefishes':1,'intimate':1,'miles.':1,'of':1,'agreement':1,'illustration':1,'constructive':1,'broken':2,'by':2,'comparison':3,'about':1,'central':3,'getting':3,'freedom':1,'hot':1,'gentler':1,'despair':1,'ox':1,'vogue':1,'or':1,'swimming':1,'1859.':1,'gearing':1,'fishes':3,'bats':1,'lieu':2,'your':2,'ontario':1,'her':5,'shells':1,'support':1,'sargasso':2,'question':1,'war':1,'north':6,'form':1,'mammals':4,'regard':15,'gait':1,'wireless':1,'1871--a':1,'thickness.':1,'with':1,'themselves':2,'partially':1,'blanketing':1,'places':3,'dordogne':1,'iron-mines':1,'diameter.':1,'laplace':1,'nature':8,'constant':1,'mesozoic':1,'certain':5,'paragraphs':1,'an':21,'as':2,'1894':1,'kind.':1,'1896':1,'work':1,'mutual':1,'inborn':1,'no':2,'overcoming':1,'peace':1,'erecting':1,'reality':1,'other':21,'electrical':2,'themselves.':1,'thickness--a':1,'conclusion':2,'gaining':1,'explaining':1,'star':1,'scrutinising':1,'sal-ammoniac':1,'shore-pools':1,'william':1,'scores':1,'variable':1,'astronomy':2,'structure':5,'building':2,'remote':1,'ancestral':1,'holes':1,'2001':1,'thames':1,'time':4,'fresh':7,'starting':1,'having':5},'unbranched':{'radial':1},'mouse':{'as':1,'is':1,'which':1,'chose':1},'boom':{'of':1},'disappear':{'for':1,'in':1},'if':{'unimpeded':1,'all':5,'it':25,'one':5,'nothing':3,'as':2,'at':1,'in':2,'our':2,'hydrogen':1,'any':5,'no':1,'there':8,'to':1,'going':1,'instead':1,'white':1,'ever':1,'division':1,'we':39,'that':2,'painted':2,'after':1,'every':1,'they':15,'progress':1,'not':1,'an':6,'you':17,'he':1,'a':11,'substances':1,'this':2,'light':1,'asexual':1,'she':3,'the':49},'grown':{'to':1,'now':1},'them--or':{'great':1},'belle':{'vue':1},'make':{'aerial':1,'mental':1,'some':1,'it':11,'society':1,'itself':1,'its':1,'galls':1,'for':4,'no':1,'any':2,'their':1,'new':1,'instinctively':1,'more':2,'to':1,'nothing':1,'themselves':1,'a':11,'up':8,'fewer':1,'mistakes':1,'donations':1,'the':9,'shows':1},'respectively.':{'the':1},'solidary':{'with':1},'concavity':{'.':1},'belly':{'very':1},'mixtures':{'of':1},'vegetable':{'mould':1,'matter':1,'kingdom.':1},'colonies':{'communities':1,'inside':1},'grows':{'hotter':1,'larger.':1,'hotter.':1,'to':1,'broader.':1,'old':1,'until':1,'out':1},'bells':{'drove':1},'evolve':{'such':1,'in':1,'.':1},'dissolution':{'must':1},'differing':{'for':1},'delight':{'in':1},'renaissance':{'of':1},'waterfall':{'is':1,'or':1},'sea-water':{';':1,'with':1,'back':1},'kin':{'by':1,'at':1},'supposing':{'our':1,'the':1,'that':3},'opportunity':{'and':1,'for':2,'of':1,'to':2,'during':1,'was':1},'butter':{'in':1},'bell.':{'copper':1},'changes':{'and':1,'again':1,'from':1,'e.g':1,'very':1,'of':7,'that':2,'.':3,'to':1,'as':1,'are':1,'which':1,'in':9,'occurring':1,'involved':1,'with':1,'wrought':2,'endless':1},'stimuli':{'and':1,'to':1,'from':1},'neptune':{'and':1,'2971.6':1,'quite':1,'s':1,'.':1,'by':1},'sea-anemone-like':{'polyps':2},'skull-cap':{'a':1,'indicates':1,'thigh-bone':1,'157':1},'809':{'north':1},'materials':{'nearer':1,'deeper':1,'for':1,'that':1,'this':1,'of':2,'are':1,'have':1,'such':2,'or':1},'impure.':{'the':1},'qualities':{'not':1,'of':1,'with':2,'sir':1,'.':2},'bootlace':{'and':1},'claims':{'of':1},'801':{'596-1887':1},'800':{'illustrations':1,'trillion':1},'left':{'and':4,'wall':1,'is':1,'it':2,'high':1,'alone':2,'at':1,'in':1,'only':1,'out':1,'isolated':1,'their':1,'behind':3,'his':1,'showing':1,'free':1,'else':1,'not':1,'hand':1,'a':1,'severely':1,'of':1,'having':1,'the':2,'side':1},'just':{'one':1,'as':28,'examined':1,'mentioned':3,'seen':1,'before':1,'detect':1,'two':1,'been':2,'foam-bells':1,'liberated':1,'peeping':1,'means':1,'outlined':1,'said':1,'mentioned.':1,'a':1,'on':1,'like':3,'this':1,'leaving':1,'dealt':1,'the':1},'sentence':{':':1,'set':1,'with':1},'ignorabimus.':{'a':1},'sporting':{'jellyfish':1,'or':1,'stock':1},'presume':{'that':1},'longish':{'hair':1},'fife--a':{'first-class':1},'identify':{'do':1},'salivary':{'juice':1},'fullness':{'freedom':1},'facts':{'and':3,'appear':1,'that':1,'of':2,'is':2,'there':1,'favour':1,'.':2,'to':2,'are':2,'point':1,'suggest':1,'not':1,'with':1,'recall':1},'yes':{'card':1},'yet':{'there':1,'just':1,'it':6,'discovered':1,'as':1,'at':1,'another':1,'in':1,'its':1,'even':1,'again':1,'would':1,'flash':1,'admit':1,'been':1,'to':1,'without':1,'passed':1,'stable':1,'we':2,'greater':1,'that':1,'here':1,'discover':1,'met':1,'they':1,'not':1,'now':1,'the':8,'man':1,'a':2,'steadfastly':1,'this':1,'many':1,'possessed':1,'studied':1,'these':1,'remain':1,'definitely':1,'she':1,'though':1,'found':1,'unborn':1},'infinitely':{'small':1,'long':2,'minute':1},'agile':{'hunters':1,'clever':1},'regarded':{'as':13,'the':2},'royal':{'astronomical':2,'observatory':6,'college':2},'long-lost':{'heir':1},'save':{'them':1,'that':1,'in':1,'it':1,'itself':1,'blood':1,'time':1,'fun':1,'the':1,'its':1,'man':1},'resting-place':{';':1},'ago.':{'when':1,'illustration':2},'nightjar':{'with':1,'.':1},'seventy-five':{'inches':1},'loose-limbed':{'fellow':1},'roadside':{'we':1},'forester':{'or':1},'gyrating':{'with':1},'background':{'and':1,'of':2,'professor':1,'parallax':1,'.':1},'destroy':{'a':1,'energy':1,'all':2},'hibernating':{'mammals':1},'dreamt':{'much':1},'grape-sugar':{'.':1},'dreams':{'mixed':1},'shoulder':{'.':1},'ascent.':{'illustration':1},'post-glacial':{'pleistocene':2},'nude':{'female':1},'autumn.':{'we':1},'manual':{'of':1},'unnecessary':{'display':1},'x-rays.':{'below':1},'admittedly':{'provisional.':1},'signal':{'noli':1,'illustration':1,'for':1},'greenland':{'whale':2},'deal':{'about':1,'of':5,'is':1,'.':1,'in':1,'further':1,'the':1,':':1,'with':8,'more':1},'sound--':{'five':1},'deaf':{'for':1},'somehow':{'condensed;':1,'associated':1,'breaking':1,'been':1,'underneath':1,'connected':1,'or':1},'dead':{'plants':1,'star':4,'stars':1,'forests':1,'cuticle':1,'.':1,'matter':1,'reverently':1,'fishes':1,'world':3,'animals.':1,'herring':1,'or':1,'before':1},'jupiter':{'and':3,'shine':1,'saturn':1,'from':1,'23':1,'is':3,'however':1,'.':2,'s':1,'which':1,'in':1,'the':1,'483.3':1,'as':1},'paragraphs':{'1.e.1':2,'1.e.8':1},'chromosomes':{'represented':1,'nuclear':1,'2':1,'lie':1},'disadvantage--a':{'broiling':1},'shapes':{'of':1,'282':1,'.':1,'in':1,'wave-motions':1},'dense':{'by':1,'waters':1,'forests':1,'or':1,'moisture':1,'region':1,'masses':1},'stations.':{'what':1},'normal':{'development':1,'number':1,'routine':1,'baby':1,'path':1,'condition':1,'circumstances':1},'distrust':{'which':1,'for':1},'nerve-cord.':{'4':1},'flounder':{'is':2},'conquering':{'them':1,'time':1,'the':2,'two':1,'space':1},'scotland.':{'what':1},'bold':{'enough':1},'novelties':{'may':1,'.':1,'or':1,'that':1},'burn':{'itself':1},'34':{'000':1},'translated':{'the':1,'mind.':1,'into':1},'bolt':{'escaped':1,'their':1},'tartan':{';':1},'flinty-shelled':{'radiolarians':1},'invertebrate':{'stocks':1,'animals':1},'bury':{'their':1},'air--by':{'means':1},'skin-twitching':{'muscle':1},'flourished':{'probably':1,'in':1},'conceal':{'.':1},'acceptation':{'of':1},'ribs':{'and':1,'of':1,';':1,'are':1,'.':1},'azure':{'blue':1},'islands':{'and':1,'off':1,'of':1,'but':1,'.':3,'in':1},'plesiosaurs':{'dinosaurs':1},'little-changed':{'descendant':1},'automatically':{'to':1,'adjusts':1},'ores':{'of':1},'nerve':{'to':1,'for':1,'man':1},'thinner':{'and':1,'as':1,'than':3},'for.':{'information':1},'formerly':{'had':1},'intellectual':{'keys':1,'tool':1,'property':2,'adventure':1,'coin':1},'chooses':{'for':1},'down':{'and':7,'into':1,'it':1,'as':1,'sec':1,'at':1,'in':2,'before':1,'even':1,'again':1,'from':2,'their':1,'when':1,'.':4,'to':9,'behind':1,';':2,'more':1,'towards':1,'unless':1,'upon':1,'losing':1,'with':1,'by':4,'a':1,'on':5,'branches':1,'these':1,'of':5,'taking':1,'without':1,'many':1,'the':20},'lies':{'in':1,'safe':1,'.':2,'at':1,'between':1,'the':1},'doctrine':{'of':2},'lieu':{'of':2,'travail':1},'refined':{'methods':1},'crab-apple':{'of':1},'ring-formations':{'on':1},'weathered':{'by':1},'amazingly':{'.':1},'initial':{'picture.':1},'jealousy':{'and':1},'approximate':{'and':1,'way':1},'saucerful':{'.':1},'fraction':{'1':1,'of':3,'about':1},'marten':{'for':1},'form':{'and':2,'accessible':1,'is':2,'some':1,'an':2,'as':1,'including':1,'are':1,'any':1,'what':1,'no':2,'.':5,'molecules':2,'we':2,'that':1,'atoms':1,'water':1,'part':2,'reappears':1,'a':16,'fossils':1,'this':1,'of':20,'centres':1,'the':9,'or':1,'once':1},'pinna':{'a':1},'analyse':{'it':1},'feminine':{'structures':1,'characters':1,'.':1},'powerfully':{'along':1},'snow-caps':{'in':1},'magellanic':{'cloud':1},'minuteness':{'of':2},'221':{'photo':1},'evinced':{'and':1},'manatees':{'and':1},'builds':{'up':1},'understood':{'before.':1,'unless':1,'that':1,'when':1,'to':1,'as':1},'harmony':{'and':2},'attached':{'to':3,'full':1},'bounds':{'of':1,'until':1},'pistil':{'thus':1},'centipede':{'s':1},'bird-dropping':{'perhaps':1,'on':2,'spider':1},'egg-eating':{'african':1},'cosmos':{'more':1},'attaches':{'to':1},'temper':{'rather':1,'the':1,'but':1,'.':1},'fractions':{'showing':1},'strengthening':{'of':1},'sticks':{'to':1},'discovery.':{'certain':1,'2':1},'seeds--and':{'resolving':1},'covers':{'them':1,'the':1},'sticky':{'club':1},'gland':{'of':1,'.':1},'mediocre':{'stock':1},'marking':{'the':1},'profit.':{'illustration':1},'discriminate':{'infallibly':1,'differences':1,'sifting':1,'between':1,'cards':1,'the':1},'x-rays--the':{'discovery':1},'font-de-gaume':{'on':2,'cavern':2},'generally':{'described':1,'burst':1,'correspond':1,'deep':1,'as':1,'accepted':1,'adopted.':1},'handed':{'a':1,'on':1,'over':3},'carnivorous':{'confined':1,'turtles':1},'mediaeval':{'and':1},'delivered':{'up':1},'dies':{'to':1},'felt':{'thought':1,'.':1,'than':1,'that':1},'diet':{'mainly':1,'in':1},'genealogical':{'tree':6},'journey':{';':1,'through':1,'round':1,'.':3},'routine--not':{'that':1},'authorities':{'on':1,'neanderthal':1,'recently':1,'referring':1,'is':1,'there':1,'regard':1,'who':1,'have':1,'the':1,'include':1,'think':1},'died':{'away':1,'when':1,'suffered':1,'.':1},'billion':{'is':1,'the':1},'immemorial':{'and':1,'spawning':1},'happening':{'to':1,'is':1},'potato':{'and':1},'assume':{'different':1,'its':1,'that':1},'blushing':{'but':1},'microcosm':{'only':1},'daily':{'.':1,'paper':1,'mail':1,'i.e':1,'mail.':1,'round':1},'jacket':{'and':1},'gorilla':{'g':1,'inhabiting':2,'.':1,'brain':1,'s':1,'164':1,'the':2,'man':3},'almanac':{'and':1,'.':1},'teeth':{'and':3,'on':2,'that':1,'of':1,'.':5,'obeying':1,'till':1,'without':1,'so':1,'are':3,'which':2,'in':3,'fixed':1},'skull-cap.':{'illustration':1},'restored':{'.':2,'it':1,'by':1},'milt':{'and':1},'managed':{'to':1},'limbless':{'lizard':1,'larva':1},'woodwork':{'knew':1},'relieve':{'the':1},'vestiges':{'have':1},'pierces':{'with':1},'hind-legs':{'and':5,'about':1},'manages':{'to':1},'skin':{'and':5,'able':1,'is':1,'pushed':1,'as':1,'are':1,'when':1,'responds':1,'.':2,'to':1,'was':1,'extended':1,'becomes':1,'during':1,'with':1,'minute':1,'begins':1,'on':1,'of':2,'involved':1,'the':1,'or':1},'leche':{'of':2},'shot':{'out':4,'in':1,'humming-bird':1},'mill':{'in':1,'.':1},'abundant':{'modern':1,'from':1,'material':1,'evidence':1,'flux':1,'near':1,'representation':2,'oxygenation':1},'milk':{'.':2},'resourceful':{'of':1},'retention':{'of':2},'anticipation':{'of':1},'depend':{'on':4},'disorders':{'are':1},'educable':{'and':1,'loquacious':1,'creature':1,'.':1},'pouch':{'and':2,'83':1,'the':1,'on':1},'father':{'secchi':1,'of':1,'sea-horse':1,'s':1,'lumpsucker':1,';':1,'stickleback':1,'was':1,'sea-spider':1},'travel.':{'but':1},'answered':{'that':1},'finally':{'and':1,'we':1,'marquis':1,'becomes':1,'there':1,'it':2,'discover':1,'to':1,'words':1,'resulted':1,'become':1,'the':1},'appendicitis':{'.':1},'reptiles':{'and':7,'appeared':1,'some':1,'are':1,'in':4,'birds':2,'before':2,'suggest':1,'when':1,'.':1,'finding':1,';':1,'burrowing':1,'but':2,'such':2,'with':1,'on':1,'e.g':1,'did':1,'of':1,'the':1,'or':1},'swoop':{'from':1},'marks':{'on':1,'most':1,'with':1,'an':1},'vegetation.':{'the':1,'illustration':1,'they':1},'suffered':{'and':1,'from':1},'must':{'often':1,'give':1,'describe':1,'influence':1,'it':1,'one':1,'recall':1,'exist':1,'at':1,'have':17,'go':1,'still':1,'open':1,'find':1,'use':1,'necessarily':1,'appear':1,'suffice':2,'point':1,'also':4,'live':1,'therefore':1,'include':1,'be':59,'draw':1,'move':1,'return':1,'extend':1,'rise':1,'gradually':1,'however':2,'surely':1,'struggle':1,'recognise':4,'imagine':1,'not':11,'affect':1,'come':1,'comply':2,'look':2,'convert':1,'remember':3,'of':1,'require':1,'leave':1,'admit':3,'always':4,'cease':1,'first':3,'obtain':1,'think':3,'sink':1},'fancied':{'there':1},'abundance':{'of':5,'so':1,'at':1},'mud-turtle':{'or':1},'string':{'of':1,'beads':1},'einstein--the':{'tides--origin':1},'theme.':{'when':1},'soapy':{'water':1,'froth':1,'film':1},'figment':{'of':1},'first-known':{'bird':1},'merit':{'of':1},'word':{'development':1,'obviously':1,'about':1,'now':1,'like':1,'for':1,'pencilled':1,'may':1,'processing':1,'atom.':1,'surface':1,'atoms':1,'specificity':1,'.':1,'s':1,'learn':1,'need':1,'has':1,'history':1},'dim':{'and':1,'luminous':1,'at':1},'banished':{'from':1},'did':{'fly':1,'naturally':1,'great':1,'good':1,'service':1,'this':1,'all':1,'long':1,'it':1,'to':1,'much':1,'exist':1,'at':1,'they':1,'not':14,'.':1,'really':1},'die':{';':1,'after':1,'or':1,'.':2},'cavendish':{'professor':1,'physical':1},'travels':{'from':1,'straight':1,'down':2,'at':3,'in':2,'along':2,'by':2},'item':{'in':1},'excellence':{'and':1,'that':1},'perceptual':{'inference.':1,'inference':5,'influence.':1},'round':{'and':3,'it':7,'at':1,'planets':1,'in':3,'its':2,'rapidly':1,'would':1,'.':1,'which':1,'mars':1,'hers.':1,'them':2,'his':1,'that':2,'each':1,'a':5,'on':2,'about':1,'this':2,'smooth':1,'these':1,'centres':1,'the':38},'attracting':{'other':1,'or':1},'talked':{'of':1},'dealing':{'with':4,'from':1},'radium.':{'the':1},'run':{'to':1,'leap':1,'on':2},'langmuir':{'has':1},'bipeds':{'and':1},'adds':{'to':1},'1910.':{'illustration':1},'heaviest':{'and':1,'uranium':1,'.':1},'favour':{'of':1,'the':2,'in':1},'rub':{'it':1},'international':{'donations':1},'filled':{'with':1},'dwarf':{'a':1},'fibre':{'.':1},'mr':{'.':11},'appetites':{'of':1},'french':{'mathematician':1,'copper':1,'authority':1},'tangent':{'is':1,'.':1},'congestion':{'and':1},'four-chambered':{'mammalian':1},'nooks':{'of':1},'wait':{'for':2},'box':{'and':3,'of':1,'containing':1,'green':1,'.':1},'boy':{'a':1,'or':1},'cranial':{'cavity':2,'walls':1,'capacity':1},'1924':{'the':1,'made':1},'shift':{'of':2,'against':1},'intelligence.':{'illustration':1},'works.':{'sec':1,'1.e.9':1,'professor':1,'-':1},'animals--the':{'most':1,'flying':1},'smoke-like':{'haze':1},'exploitation':{'is':1},'simultaneous':{'discharge':1},'atoms.':{'molecules':1,'illustration':1},'conveniently':{'divided':2},'hither':{'and':2},'adjustable':{'in':1},'elect':{'to':1,'were':1},'merely':{'passes':1,'striking':1,'of':1,'that':1,'approximate':1,'air':1,'as':1,'have':1,'represented':1,'finger-posts':1,'means':1,'the':3},'reef-building':{'coral':2},'everybody':{'knows':1,'.':1},'coaxing':{'he':1},'wealth':{'of':1},'sake':{'of':1,'professor':1,'there':1},'hundred-thousandth':{'part':1},'uncritical':{'generosity':1},'--are':{'related':1},'trilobites.':{'looking':1},'ways.':{'iii':1},'flaunting':{'conspicuousness':1},'100-inch':{'telescope':2,'reflector':1},'phosphorescent--they':{'become':1},'cooperated':{'with':1},'lessened':{';':1,'by':1},'alpines':{'and':1},'fish-eating':{'turtles':1},'sharing':{'project':1},'labyrinth':{'if':1},'malay':{'and':1,'to':1,'islands':1},'rigid':{'during':1},'knowledge--the':{'senses':1},'effort':{'to':2,'good':1,'.':1,'much':1},'robe':{'of':1},'capturing':{'a':2,'the':1},'bushels':{'of':1,';':1},'fly':{'off':4,'for':1,'far':3,'into':2,'spreads':1,'.':1,'which':2,'in':1,'flicking':1,'once':1},'flagellum':{'by':1},'avoiding':{'death':1,'enemies':1},'sum-total':{'of':1},'amarus':{'a':1,'124':1},'reappear':{'perhaps':1,'at':1},'growing':{'on':1,'point':1,'over':1,'moulting':1,'stronger':1,'period':1,'to':1,'under':1,'thicker':1,'out':1},'making':{'a':5,'great':1,'towards':1,'daring':1,'these':1,'of':7,'cache':1,'life':1,'what':1,'it':1,'antagonistic':1,'more':1,'experiments':1,'them':1,'sentences':1,'the':10,'.':1,'intelligent':1,'animate':1,'tentatives--new':1},'thicknesses':{'of':1},'sea-spider':{'carries':1,'or':1},'claim':{'a':1},'portals':{'were':1},'bullhead':{'and':1},'predict':{'the':1},'596-1887':{'email':1},'permutations':{'and':1},'agent':{'or':1,'.':1},'sample':{'sent':1,'david':1},'stroke.':{'illustration':1},'1.f.':{'1.f.1':1},'above--that':{'is':1},'redness':{'.':1},'pages.':{'illustration':1},'rays':{'streamed':1,'visible':1,'see':1,'are':5,'have':1,'in':1,'carry':1,'out':1,'from':2,'their':1,'had':2,'except':2,'.':5,'to':3,'poured':1,'which':1,'was':1,'crookes':1,'passed':1,'that':2,'becomes':1,'emitted':1,'but':1,'263':1,'impinged':1,'carrying':1,'post':1,'must':1,'shoot':1,'diverging':1,'of':4,'as':2,'will':1,'were':2,'at':1,'the':2,'consisted':1},'comb-bearers':{'or':1},'get':{'crumbs':1,'into':3,'mind':1,'an':2,'at':3,'another':1,'in':3,'out':3,'even':1,'little':1,'from':1,'two':1,'much':1,'white':1,'more':1,'good':1,'some':2,'free':1,'correspondingly':1,'plenty':2,'a':8,'both':1,'about':1,'this':1,'the':3,'farther':1},'mongols':{'include':1,'curly-or':1},'till':{'a':1,'we':1,'daybreak':1,'there':1,'all':2,'dawn.':1,'only':1,'the':5,'he':1},'orang-utan':{'a':1,'3':1,'4':1,'232':1,'233':2},'1.e.9':{'.':1},'1.e.8':{'or':2,'.':1},'pure':{'radium':1},'skates':{'and':1},'1.e.5':{'.':1},'1.e.4':{'.':1},'1.e.7':{'and':1,'or':1,'.':1},'1.e.6':{'.':1},'1.e.1':{'through':2,'with':1,'.':1},'1.e.3':{'.':1},'1.e.2':{'.':1},'146':{'the':1,'protective':1},'147':{'cuckoo-spit':1,'photo':2},'144':{'dead-leaf':1,'another':1},'142':{'photo':1,'000':1},'swayed':{'their':1},'140':{'photo':1,'photos':1},'141':{'protective':1},'strokes':{'and':1,'of':2},'max':{'schultze':2},'accessory':{'factors':1},'mankind':{'given':1,'evolution':1,'though':1,'migrations':1,'.':3,'so':1,'at':1,'the':1,'or':1},'gill-plates.':{'illustration':1},'grow':{'down':1,'for':1,'older':1,'it':1,'large':1,'in':1,'out':1},'jellyfish':{'easily':1,'starfish':1,'is':1,'there':1,'it':1,'aurelia':1,'has':1,'with':1},'scrambling':{'on':1},'aimless':{'wandering':1},'neck':{'and':1,'passes':1,'of':1,'.':1,'vertebrae':1,'or':1},'johnson':{'and':2},'duckmole':{'and':2,'or':3},'tale':{'.':1},'idea--of':{'taking':1},'sun--measuring':{'the':1},'rarified':{'form':1},'deposit':{'on':1,'in':1,'their':1},'african':{'representative':1,'mudfish':1,'race':1,'snake':1,'the':1,'ape':1},'basket':{'a':1,'of':1,'euplectella':2,'on':1},'mottlings':{'especially':1},'proposal':{'.':1},'development.':{'continental':1},'shield':{':':1,'.':1},'cathedral':{'would':1,'each':1},'civilisation.':{'pleistocene':1,'before':1},'pointed':{'ear':1,'out':2},'wishing':{'to':1},'entity':{'just':1,'that':1,'.':1,'to':2,'which':2,'providing':1},'stability':{'and':1},'globe-fishes':{'which':1},'rings.':{'illustration':1},'planetesimals':{'into':1,'formed':1,'which':1},'pitch':{'.':1},'differs':{'from':3,'greatly':1},'tropisms':{'a':1,'obligatory':1,'play':1,'.':1},'mind--mind':{'in':1},'rhinoceros':{'had':1,'the':1,'bison':1,'irish':1},'ice-fields':{'of':1,'cleared':1},'police':{'dog':1},'monitor':{'varanus':2},'interesting':{'and':1,'because':1,'saving':1,'give':1,'is':1,'sidelight':1,'questions':1,'in':2,'birds':1,'subject':1,'information':1,'glimpse':1,'ways':1,'point':3,'to':16,'way':2,'living':1,'minor':1,'case':1,'that':1,'gradations':1,'archaic':1,'than':1,'condition':1,'recent':1,'chapter':1,'picture':1,'outcome':1,'consequences':1,'study':2,'work':1,'circumstance':1,'race':1,'greenish':1,'problem':1,'works':1,'discoveries':1,'fact':5},'yorkshire':{'stream':1},'consequential':{'punitive':1},'ours':{'would':1,'does':1,'judged':1,'but':1,'are':1},'main':{'layers':2,'use':1,'force':1,'methods':1,'primate':1,'motive-force':1,'lines':2,'processes--':1,'stem':2,'seat':1,'trends':1,'mass':2,'pg':1,'groups':1,'stems':1,'chapters--the':1,'line':14,'one':1,'types':1,'scientific':1},'captivated':{'the':1},'fire-mist':{'that':1},'sooner':{'or':2},'gregariousness':{'and':1},'begun.':{'splitting':1},'markings':{'and':1,'on':1},'leopards':{'238':1,'trained':1},'killed':{'on':1,'by':1,'in':1},'possess':{'a':2,'what':1,'well-developed':1,'.':1,'in':1,'the':3,'an':1},'stock--common':{'to':1},'obviates':{'any':1},'meets.':{'these':1},'thymus':{'gland':1},'careless':{'statement':1},'rock':{'formations.':1,'to':1,'of':1,'kangaroo':2,'record':5,'whence':1,'many':1,'dove':1,'or':1},'vogue':{'but':1},'sheep-ranches':{'were':1},'eyelid':{'is':1,'used':1,'in':1},'elephants':{'and':1,'what':1,'the':1,'is':1,'.':1},'water-bird':{'such':1},'treacherous':{'internal':1,'ooze':2},'tobogganing':{'on':1},'richly':{'endowed':1},'unlock':{'locks':1},'glaciation':{'had':1},'sifted':{'and':1,'again':1,'.':3,'for':1,'out':1},'telescoped':{'manner':1},'description':{'aeschylus':1,'from':1,'.':1},'canada':{'and':1,'about':1},'emerges':{'the':1,'from':1},'afghans':{'alpines':1},'greeks':{'applied':1,'of':1,'said':1,'thought':1},'interference':{'as':1,'with':1},'miles':{'and':1,'into':1,'deep':2,'an':1,'winding':1,'distant':1,'per':4,'in':13,'odd':1,'out':1,'away.':1,'from':5,'would':1,'away':9,'long':1,'.':9,'to':1,'above':3,';':1,'was':1,'across':1,'though':1,'coloured':1,'driven':1,'satellites':1,'a':17,'wide':1,'getting':1,'of':8,'the':2,'or':1,'at':1},'emerged':{'a':1,'on':1,'about':1,'rich':1,'in':1},'dioxide':{'and':1},'correct':{'path':1,'the':1},'assurance':{'the':1},'behaving':{'to':1},'earlier':{'a':1,'chapter':1,'form':1,'generation':1,'organisation':1,'page':1,'stages':1,'or':1},'telegraphy':{'and':1},'sideways':{'towards':1,'scooping':2},'atomism.':{'an':1},'electrically':{'and':1},'imaginable':{'.':1},'paralysing':{'effect':1},'surface-atoms':{'of':1},'existed.':{'even':1},'sunlight.':{'saturn':1},'cough':{'or':2},'orb':{'on':1},'advance':{'and':1,'towards':1,'of':3,'is':1,'in':2,'has':2},'grist':{'to':1},'derivation':{'from':1},'language':{'and':1,'logos':1,'of':1,'there':1,'to':1,'as':1,':':1},'thing':{'and':1,'we':1,'works':1,'to':3,'may':1,'is':1,'.':2,'did':1,'as':3,'existed.':1,'has':1,'yet':1,'happened':1},'invalidity':{'or':1},'2971.6':{'164.78':1},'alevin':{'encumbered':1},'assuredly':{'much':1},'waited':{'on':1,'in':1},'first':{'and':3,'discovered.':1,'telescope':1,'bird--was':1,'beholding':1,'animals':5,'preparation':1,'crop':1,'dynasty':1,'observed':1,'known':6,'animals--beginnings':2,'view':1,'sight':3,'such':1,'alternative':1,'amphibians.':1,'vital':1,'creatures':1,'terrestrial':1,'living':4,'plants--the':2,'one-toed':1,'organisms':1,'make':1,'there':3,'question':1,'three':2,'.':1,'to':3,'prism':1,'became':1,'reptiles':1,'finger':2,'time':6,'learned':1,'if':1,'was':1,'bird':2,'body':1,'be':2,'men':1,'wheat':1,'that':1,'mammal':1,'becomes':2,'voice--surely':1,'divergence':1,'use':1,'but':1,'step':2,'part':1,'sir':1,'amphibians':2,'atom':1,'fishes':1,'invasion':1,'printing':1,'one':1,'come':1,'bronze':1,'a':2,'great':5,'backboned':1,'impressive':1,'showed':1,'gale':1,'successes':1,'of':2,'books.':1,'formed':1,'discoveries':1,'thought':1,'plants':1,'definitely':1,'place':2,'evolved':1,'error':1,'fishes.':1,'found':1,'the':2,'quarter':1,'called':1,'two':1,'know':1},'dwelling':{'on':1},'americana':{'with':2},'discharges':{'at':1},'miocene':{'and':2,'n':1,'was':1,'or':1,'others':1},'arrhenius':{'svante':1},'amidst':{'the':1},'violet-light':{'waves':1},'specificity':{'which':1},'carry':{'them':1,'his':1,'many':1,'messages':1,'it':2,'us':1,'an':1,'their':2,'out':1},'sounds':{'and':2,'on':1,'become':1,'were':1,'except':1,'two':1,'are':1,'in':1,'such':1,'the':1,'.':1},'fiji':{'.':1},'rome':{'observed':1,'were':1},'discharged':{'by':2,'.':1},'interchange':{'of':2},'little':{'reptile':2,'secure':1,'family':1,'taste':1,'of':1,'is':2,'mud-turtle':1,'colony':2,'primitive':1,'evidence':1,'likely':1,'books':1,'creatures.':1,'in':3,'conical':1,'species':1,'lid':1,'glimpse':1,'books--an':1,'monkey':1,'plankton':1,'detail':1,'chemical':1,'lower':1,'doubt':4,'finger':1,'colony.':1,'units':1,'bubble':1,'over':1,'store':1,'more':1,'plate':1,'ball':1,'garden':1,'fish':1,'that':1,'structure':1,'mammals':1,'wax':1,'use':1,'glass':1,'ferment':1,'resemblance':1,'dull':1,'pool':1,'room':1,'building':1,'about':1,'freshwater':1,'like':1,'grains':1,'uneasy':1,'whether':1,'scraping':1,'patch':1,'green':1,'ten-miles-wide':1,'pockets':2,'pinch':1,'the':1,'piece':2,'book':1},'man--the':{'culmination':1,'fountain':1,'metal':1},'unduly':{'obscure':1},'parallel':{'to':2,'wires':1},'1a':{'fore-limb':1},'plains':{'and':3,'to':1,'were':1},'pockets.':{'in':1},'alfred':{'a':1,'russel':1},'speaking':{'of':2},'mining':{'no':1},'dived':{'and':1,'appropriately.':1,'disappeared':1},'american.':{'professor':1},'continuous':{'and':3,'natural':1,'relationship':1,'since':1,'gradations':1,'.':1,'current':1,'accretion':1,'night':1,'raft':1},'accurately':{'the':1,'measured':1},'crevice':{'of':1},'ridges.':{'illustration':1},'undoubtedly':{'great':1,'radio-active--then':1,'an':1},'splendid':{'failures':2},'11':{'feet':1,'the':1,'magnetism':1},'10':{'what':1,'ft':1,'photo':2,'professor':1,'.':1,'feet':1,'000':3,'uranus':1,'1910.':1},'13':{'is':1,'substitutes':1},'cracks':{'of':1},'15':{'matter':1,'from':1},'14':{'dissipation':1,'photo':1,'the':1,'you':1},'sailing':{'of':1,'round':1},'16':{'rise':1,'minutes':1,'until':1},'19':{'1911':2,'photo':2,'consists':1},'scraping':{'of':1},'coco-palm':{'for':1},'victorian':{'.':1},'protected':{'and':1,'as':1,'e.g':1},'fertilisation':{'may':1,'of':1,'it':1},'centigrade':{'below':1},'were':{'all':3,'shot':1,'being':2,'soon':1,'forests':1,'discovered':1,'introductions':1,'through':1,'handed':1,'jointed-footed':1,'still':2,'birds':1,'waiting':1,'teeming':1,'destroyed':3,'to':1,'microscopic':1,'dead.':1,'employed':1,'hidden':1,'surprised':1,'presently':1,'very':3,'wiser':1,'not':5,'hunted':1,'like':1,'presented':2,'always':2,'porous':1,'intrigued':1,'found':4,'entirely':1,'prompted':1,'somehow':1,'born':1,'sifted':1,'borne':1,'even':1,'established':2,'opened':1,'for':1,'wrought':1,'laid':3,'dominated':1,'probably':4,'neither':1,'involved':3,'fed':1,'free':1,'quite':1,'met':1,'experimenting':1,'imperfectly':1,'represented':1,'atoms':1,'beginning':1,'gained':1,'on':1,'about':1,'feeling':1,'evolved--destined':1,'indivisible':1,'broken':1,'many':2,'substituted':1,'streams':1,'usually':1,'symmetrical':1,'first':2,'composed':1,'raised':2,'afterwards':1,'slipped':1,'suddenly':1,'within':1,'marked':2,'due':1,'brought':2,'done':1,'suspended':1,'often':1,'ichthyosaurs':1,'given':1,'ancient':1,'from':1,'hunters':1,'three':1,'approximately':1,'.':1,'few':1,'much':1,'too':1,'fish-lizards':1,'taken':1,'reptiles':1,'minor':1,'composed.':1,'separated':1,'formed':4,'amphibians':2,'it':1,'overcrowded':1,'trying':1,'true':2,'expounded':1,'electrified':1,'made':6,'these':1,'originally':1,'created':1,'extraordinarily':1,'replaced':3,'evolved':2,'of':4,'prematurely':1,'more':1,'buried':1,'crowning':1,'almost':1,'composed--':1,'an':2,'entombed':1,'as':1,'at':2,'in':5,'bones':1,'sharp':1,'no':1,'breaking':1,'able':4,'continually':1,'eagerly':1,'also':4,'prospecting':1,'accumulating':1,'several':1,'rediscovered':1,'gaining':1,'living':2,'immersed':1,'after':1,'most':1,'connected':1,'rejected':1,'eaten':1,'fishes':2,'such':1,'twenty-nine':1,'a':2,'succeeded':1,'largely':1,'later':1,'magnified':1,'so':3,'the':11,'left':3,'once':3},'gigantic':{'flywheel':1,'eye':1,'streamers':1,'orbits.':1,'sun':1,'orbits':1,'.':1,'magnet':1,'glowing':1,'shreds':1,'bubbles':1,'intellect':1,'as':1,'size':2},'proofread':{'public':1},'1.':{'illustration':1},'awns':{'or':1},'coconut':{'palm':1,'from':1},'conjectural':{'.':1},'mundane':{'goal':1},'occupies':{'only':1,'more':2,'an':1},'lice':{'have':1},'entombed':{'in':1},'kurtus':{'carries':1},'metcalf':{'outline':1},'spectacle':{'again':1,'197':1,'is':1},'occupied':{'the':1,'by':2},'euclid':{'or':1},'hitherto':{'known':1,'unknown':1,'shut':1,'we':1,'the':1},'intruder.':{'when':1},'bavaria':{'and':1},'efficient':{'to':1,'answers':1,'they':1},'isolate':{'it':1},'potential':{'energy':3,'.':1},'interior':{'of':4,'is':1,'yet':1,'energy':1,'periodically':1},'performance':{'of':1,'was':1,'hundreds':1},'inveterate':{'enemies':1},'volplanes':{'in':1},'jungle':{'fowl':1,'of':1,'ends':1,'folk':1,'tribes':1},'201':{'photo':2},'200':{'well-marked':1,'cassowary':1},'203':{'jackdaw':1},'202':{'a':1,'the':1},'205':{'a':1},'norman':{'lockyer':2,'inorganic':1},'trace':{'of':5,'the':1,'some':1,'any':1},'206':{'.':1},'arguing':{'whether':1},'208':{'photo':1,'from':1},'correlation':{'of':1},'paid':{'a':1,'for':3,'within':1,'toll':1,'the':1,'by':1},'blackest':{'ignorance':1},'beta':{'and':2,'rays':3,'electrons':1},'sheets':{'of':1},'tract':{'of':2},'contrasts':{'as':1,'in':1,'between':1},'conspicuous':{'and':3,'on':1,'is':1,'material':1,'canines':1,'against':1,'60':1,'black':1,'during':1},'especially':{'among':1,'from':1,'for':1,'prominent.':1,'on':1,'of':1,'when':3,'as':1,'commercial':1,'in':4,'those':2,'look':1},'surprising':{'power':1,'that':2,'when':1,'as':1,'effects':1,'fact':1},'fills':{'the':1},'bustard':{'the':1},'hedgehog':{'mole':1},'alone.':{'the':1},'precise':{'origin':1,'needs':1,'unless':1,'scientific':1,'form-resemblance':1,'object':1,'mechanism':1,'anthropology':1,'time':1,'studies':1,'answers.':1,'vision':1},'grouselike':{'above':1},'show':{'intelligence':1,'evidence':1,'even':1,'gill-clefts--':1,'what':2,'no':2,'interesting':1,'definite':1,'.':1,'to':1,';':1,'that':9,'notable':1,'how':2,'not':1,'man':1,'a':4,'on':1,'great':2,'this':1,'arrested':1,'us':1,'face':1,'without':1,'artistic':1,'teeth':1,'the':6},'gill-cover.':{'the':1},'forbidding':{'by':1},'drawings':{'and':1,'over':1,'by':2},'uranus':{'and':1,'neptune':1,'is':1,'1781.9':1,'.':1},'saying':{'nothing':2,'.':1,'merely':1,':':2,'that':4},'threshold':{'of':1},'corner':{'and':1,'of':5,'near':1,'at':1},'gaseous.':{'now':1},'directions--an':{'alternating':1},'fend':{'for':1},'stormy':{'weather':1},'plume':{'or':1},'treasure':{'at':1},'storms':{'on':1,'.':1,'to':1,'manifest':1},'enough':{'even':1,'has':2,'for':2,'of':2,'when':1,'however':1,'.':1,'to':17,'in':1,'the':1,'air':1},'either':{'case':1,'solitary':1,'of':2,'packet':1,'plants':1,'in':1,'the':1,'with':1,'before':1},'black':{'and':2,'body':1,'quills':1,'tip':1,'spots':2,'.':2,'surroundings':1,'stuff':2,'marks':1,'tips':1,'patch':1,'or':1},'germs':{'of':1},'down-rushing':{'water':1},'pegged':{'down':1},'abeyance.':{'disappearance':1},'awareness':{'and':2,'of':2,'.':1},'single-chambered':{'shell':1},'bittern':{'and':2,'begin':2,'is':1},'contracts':{'and':1,'under':1},'persisting':{'in':1},'midriff':{'or':1},'unimportant':{'and':1,'elements':1,'bladder':1},'nearly':{'a':2,'all':5,'every':1,'thirty':1,'everything':1,'twenty':1,'three':1,'related':2,'up':1,'twice':1,'so':3,'4':1,'9':1,'186':1,'the':2,'any':1,'two':1},'distinctly':{'later':1},'conjunction':{'with':1},'secondary':{'bodies':1},'pollen-nucleus':{'of':1},'bearings':{'cannot':1},'median':{'section':2},'yield':{'us':1},'morning':{'and':1,'coat':1,'especially':1,'to':1},'stupid':{'as':1,'bird':1},'photographically':{'reduced':1},'kernel':{'of':1,'is':1,'divides':1},'declared':{'that':1},'milling':{'and':1},'seas':{'and':2,'many':1,'had':1,'.':1,'to':1,'became':1,'are':1,'were':1,'went':1,':':1,'phosphorescent':1},'seat':{'of':4},'relative':{'distances':2,'sizes':2,'peace':1,'to':1,'absence':1,'in':1,'fixity':1,'shortness':1,'beginning':1},'j.':{'thomson':2},'mud-nests':{'or':1},'mcgregor.':{'profile':2,'a':1,'photograph':1,'sand-pit':1,'piltdown':3,'restoration':1,'the':3},'unaltered':{'.':1},'sameness':{'and':1},'permeates':{'all':1},'steadfast':{'sign':1},'eoliths':{'.':1},'habits--experiments':{'in':1},'behind':{'and':1,'both':1,'them':1,'it--a':2,'it':2,'us':1,'.':2,'while':1,'the':5},'chimpanzees':{'photos':1,'233':1,'but':1,'in':1},'radiated':{'away':2,'by':1,'in':1},'accustomed':{'to':2},'reading':{'of':1,'the':1,'ourselves':1,'anything':1,'or':1},'across':{'a':3,'space':3,'it':2,'the':11,'its':1,'empty':1},'roentgen':{'discovered':2,'s':1},'deletions':{'to':1},'august':{'1922':1,'1924':1},'parent':{'on':1,'of':5,'colony':1,'s':2,'has':1,'until':1},'parental':{'care.':1,'call':1,'care':17},'ascribed':{'the':1},'sea.':{'the':3,'2':2,'conquest':1,'proterozoic':1,'land':1},'tree-lizards':{'tree-kangaroos':1},'killing':{'and':2,'out':1},'dates':{'we':1,'from':3,'except':1,'varying':1},'vaporous':{'matter':1},'feelers':{'whereas':1},'diameter.':{'the':1,'innumerable':1},'diamond.':{'as':1},'according':{'to':24},'disappointment':{'when':1},'among':{'strongly':1,'all':1,'aquatic':1,'simple':1,'domestic':1,'them':1,'spiders':1,'domesticated':1,'birds':1,'cuttlefishes':1,'terrestrial':1,'lizards':1,'animals--by':1,'other':1,'which':2,'plant':1,'mammals':1,'mammals.':1,'dissimilars':1,'animals':4,'monkeys':1,'plants':3,'backboned':1,'this':1,'cosmic':1,'sand':1,'kindred':2,'the':21},'stretches':{'of':3,'from':1},'mound-birds':{'of':1,'young':1},'terse':{'and':1},'function--we':{'may':1},'flower-vase':{'well':1},'parachutists':{'and':1,'climbers':1},'maintained':{'this':1,'that':2,'by':1,'in':1},'stretched':{'in':1},'spans':{'the':1},'associated':{'a':1,'files':1,'his':1,'is':1,'enlargement':1,'reduction':1,'in':3,'the':2,'with':17},'reason--lays':{'her':1},'technicalities':{'.':1,'in':1},'considering':{'the':3},'sensible':{'things':1},'millimetre':{'and':1,'is':1},'caricature':{'of':1},'capable':{'of':3},'one-celled':{'plants--paint':1,'marine':2,'organism':1,'animal':1,'animalcules':1},'conditions.':{'illustration':2},'wilkinson.':{'jackdaw':1,'two':1},'mark':{'races':1,'individuals':1,'.':1},'attaching':{'too':1},'marked.':{'it':1},'mars':{'and':7,'is':3,'it':1,'maintained':1,'jupiter':1,'at':1,'141.5':1,'in':1,'there':1,'29':1,'.':2,'to':1,'going':1,';':1,'showing':1,'on':1,'october':1,'as':1,'were':1,'--jupiter':1,'the':1,'makes':1,'are':1},'tree-shrews':{'tupaia':1,'tree-mice':1,'hedgehog':1},'fiftieth':{'trip':1},'educated':{'who':1},'nautilus.':{'keen':1},'offered':{'some':1,'by':2,'for':1},'suns.':{'our':1},'dangerous':{'and':1,'to':1,'motto':1,'days':1,'maladies':1},'gripped':{'and':1,'in':1},'hippolyte':{'of':1,'which':1},'cod-banks':{'is':1},'dramatic':{'discoveries':1},'wake':{'of':1},'it.':{'the':1,'there':1,'whereupon':1,'other':1,'sun-spots':1},'captivity':{'has':1,'.':1},'sound':{'and':1,'conception':1,'though':1,'of':3,'.':3,'travels':1,'cannot':1,'another':1,'consists':1,'has':1,'judgment':1,'or':1},'turtles':{'and':3,'lay':1,'have':1,'which':1},'cannonade':{'of':1},'humming-bird':{'moths':1},'promising':{'wild':1,'a':1,'as':1,'.':1},'awakened':{'from':1},'margin':{'of':3,'are':1,'interlock':1},'luidia':{'which':1},'eventually':{'there':1,'like':1,'formed':1,'it':1,'to':3,'succeed':1,'they':1,'the':1,'creep':1,'after':1},'characteristics':{'of':2,'which':1,'e.g':1},'sleeping':{'prawns':1,'sickness':5},'strain':{'and':1},'sudden':{'and':2,'protrusion':1,'throwing':1,'irruption':1,'irritation':1,'withdrawal':1,'beginning':1,'acquisition':1,'movement':1},'tse-tse':{'fly':3},'dangerously':{'.':1},'ferns':{'conifers':1},'jackdaw':{'is':1,'balancing':2},'everyday':{'functions':1,'life':1,'intellectual':1,'bodily':1,'routine':1,'conditions':1},'movements':{'and':7,'on':1,'by':2,'that':3,'of':7,'is':1,'should':1,'how':1,'as':1,'implied':1,'are':2,'which':2,'in':1,'.':1,'until':1},'bags':{'of':1},'different':{'and':1,'set':1,'physiological':1,'methods':1,'instruments':1,'wave-lengths':2,'ages':1,'metals':1,'fellow':1,'rate':1,'manner':1,'times.':1,'in':3,'kinds':9,'as':1,'colours':5,'functions':1,'rays':1,'from':7,'ways':3,'relations':1,'.':3,'forms':1,'parts':1,'rates':1,'sedimentary':1,'105':1,'degrees':2,'main':1,'sections':1,'temperature.':1,'tacks':2,'idea--of':1,'aspects':1,'substances':4,'solution':1,'lines.':1,'groups':1,'fishes':1,'world':2,'rivers':1,'types':3,'areas':1,'lengths':2,'sizes':1,'this':1,'habitat-zones':1,'countries':2,'lines':2,'haunts':1,'thicknesses':1,'patterns':1,'length':1,'levels':2,'velocities':1,'latitudes':1,'terms':1},'paw':{'and':1,'to':1,'in':1},'pay':{'a':1,'out':1,'no':1},'oven':{'at':1},'same':{'and':1,'impression':1,'macaque':1,'facility':1,'appearance':1,'is':7,'table':1,'primary':2,'general':1,'attitude':2,'mistakes':1,'in':1,'bones':1,'corner':1,'face':3,'speed':1,'disadvantage--a':1,'as':3,'size':1,'story':1,'rays':1,'temperature':2,'opaque':1,'interesting':1,'nature':1,'proportion':1,'.':2,'state':1,'experiment':1,'way':9,'must':1,'conditions':1,'side':2,'foundation':1,'sex':1,'animal':1,'power':1,'format':1,'nest':1,'material':1,'gas':2,'effect':1,'period':1,'moment':1,'everywhere':1,'waves':1,'stem':1,'distance.':1,'day':1,'change':1,'stage':1,'kind':3,'type':1,'lines':1,'shape':1,'element':1,'magnet':1,'thing':1,'place':1,'principle':1,'fundamental':1,'time':8,'species':1,'applies':1,'table.':1,'essential':1},'eggs--up':{'towards':1},'thinning':{'of':1},'speech':{'.':1},'arguments':{'on':1,'.':1},'--all':{'the':1},'played--for':{'better':1},'intermediary':{'associative':1},'movement.':{'under':1},'extended':{'on':1,'tail':1,'from':1,'the':1,'their':1},'73000':{'10':1},'prominences':{'22':1,'these':1,'of':1,'which':3,'seen':2,'shooting':1,'ever':1},'assist':{'in':1},'companion':{'and':1},'running':{'on':2,'from':1,'no':1,'birds':1,'water':1,'leap':1,'leaps':1,'down.':2,'across':1,'down':2},'dynamo.':{'by':1,'illustration':1},'driven':{'outward':1,'by':2},'is--should':{'evolve':1},'waves.':{'the':1},'ripening':{'hard':1},'break':{'out':1,'up':2,'one':1},'largely':{'a':2,'feed':1,'based':1,'due':2,'with':1,'by':1},'roughly':{'group':1},'spoonful':{'of':1},'objection':{'there':1},'frontispiece':{'laplace':1,'.':1},'bottle':{'containing':1,'upside':1},'repulsive':{'or':1},'consisted':{'of':5,'only':2,'in':1},'generalisation':{'that':1},'money':{'paid':2,'if':1},'adjustments':{'which':1},'egg-cell':{'a':1,'certain':1,'within':1,'.':3,'fertilised':1,'in':1,'with':2,'divides':1},'down-drifting':{'food':1},'aspect':{'of':5,'can':1},'multiples':{'of':1},'sprang':{'the':1,'from':4,'but':1},'pinkish':{'eggs':1},'beagle':{'voyage':1},'crocodiles':{'and':1,'a':1,'there':1,'bury':1},'dipper':{'and':1,'or':1},'4':{'and':4,'another':1,'our':1,'living':1,'depict':1,'from':1,'tentative':1,'there':1,'.':11,'1':1,'500':1,'chromosomes':3,'information':1,'forming':1,'000':1,'external':1,'by':2,'a':2,'likeness':1,'this':1,'neptune':1,'the':6,'drawing':1},'grating':{'instead':1,'is':1},'pupa':{'stage':1},'extensive':{'repertory.':1},'heavier':{'to':1,'the':1,'materials':2,'more':1,'atoms':1},'pill':{'fizzing':1},'grip':{'and':1,'the':3},'1914.':{'baby':1,'4':1,'nos':1},'bitterling':{'cannot':1,'rhodeus':2},'tenses':{'.':1},'dissected':{'out':1},'tissues':{'and':1,'no':1,'of':1,'.':1,'to':1,'are':1,'or':1},'sight.':{'the':1},'water-measurers':{'in':1},'long-haired':{'angoras':1},'disadvantageous':{'dints':1},'aiming':{'at':1},'blankets':{'otherwise':1},'thames':{'gravels':1},'vertically':{'through':1},'dingo':{'or':2},'identifying':{'a':1,'different':1,'substances':1},'brain-development':{';':1},'serves':{'as':5},'lightning':{'278':1,'of':1,'in':1,'.':1},'facing':{'towards':1,'page':1},'chamber':{'only':1,'that':1},'behaviour-variations':{'which':1},'nose':{'that':1},'spinthariscope':{'making':1},'ascends':{'to':1,'into':1},'hunterian':{'professor':1},'mimicry.':{'colour':1},'flattely':{'and':1},'reveals':{'to':1,'the':2,'about':1},'alternately':{'and':1},'titan':{'a':1},'ascend':{'to':1,'the':2},'second.':{'their':1,'the':2,'sir':1},'specified':{'in':2},'images':{'of':1,';':1},'pasture':{'.':2},'ascent':{'of':7,'.':2,'not':1,'the':1,'by':1,'170':1},'gross':{'profits':1},'entities':{'of':1,'really':1,'.':1,'in':1},'apprenticeship--an':{'apprenticeship':1},'bubbles.':{'illustration':1},'footing':{'on':1},'fluids':{'and':1,'.':1},'considers':{'is':1},'pioneer':{'scorpion':1,'backboned':1,'animal':1},'critical':{'scientific':1,'discussion':1,'to':1,'time':1,'velocity':1,'spirit':1,'testings':1},'lunar':{'dawn':1,'apennines':1},'expressing':{'themselves':1,'or':1,'judgments':1,'feelings':1},'pipes':{'from':1,'by':1},'aboriginal':{'races':1},'rooks':{'and':1,'nests':1,'deal':1},'measuring':{'the':1,'does':1,'from':1,'it':2},'prerogative.':{'the':1},'buckling':{'up':1},'seconds':{';':1,'later':1,'takes':1,'.':2},'manufactured':{'by':1},'each':{'and':1,'other.':2,'foot':1,'pole':1,'constituent':1,'limb':1,'subject':1,'standing':1,'variety':1,'distinct':1,'incipient':1,'flash':1,'spiral':1,'.':2,'cell':2,'to':1,'prism':1,'other':9,'brick':1,'is':2,'foot.':1,'body':1,'star':1,'sinks':1,'molecule':1,'kind':2,'electrified':1,'electron':1,'descending':1,'atom':2,'date':1,'article':1,'with':3,'case':1,'independently':1,'substance':1,'particle':2,'of':11,'age':1,'tenanted':1,'metal':1,'element':2,'wave-length':1,'shade':2,'about':3,'side':1,'limb.':1},'notable':{'differences':1,'was':1,'feature':3,'power':1},'unusual':{'circumstances':1},'notably':{'the':3,'to-day':1,'planarians':1,'those':1},'trials':{'was':1},'arithmetical':{'question':1},'refers':{'to':1,'in':1},'stock--some':{'of':1},'psychical':{'level.':1,'research':1},'staff.':{'please':1},'stations':{'.':1},'instantaneously':{'into':1,'.':1,'he':1},'fringe':{'round':1},'insect':{'living':1,'lived':1,'flight':1,'larvae':3,'may':1,'is':1,'.':1,'visitors':3,'s':6,'lighting':1,'are':1,'pierces':1,'has':1,'with':1},'mixes':{'with':1},'practical':{'proposal':1,'judgments':1,'interest':1,'disappearance':1},'pockets':{'on':2},'west':{'of':1,'indian':1,'salt':1,'at':1,'coast':1},'corals':{'and':1,'worms':1,'which':1},'lasting':{'power':1},'provisional':{'picture':1},'road':{'home':1},'cautions':{'to':1},'lands':{'and':1,'in':1},'fertile':{'soil':1,'land':1,'meadows':1},'sea-grass':{'a':1,'area.':1,'red':1},'spreading':{'over':1,'meadows':1},'bountiful':{'and':1},'mills.':{'sir':1,'professor':1},'haddon':{'a':2},'gambiense':{'very':1,'69':1},'einstein':{'s':1,'has':1,'the':1,'who':1},'shortening':{'of':2,'the':1},'bon':{'has':1},'shells':{'of':1,'keeping':1,'are':3,'like':1},'camouflaging':{'giving':2,'and':1,'but':1},'brute':{'associates.':1,'man':1},'appears':{'on':1,'melancholy':1,'that':2,'to':1,'therefore':1,'the':1,'or':1},'caterpillars':{'and':2,'of':1,'to':1,'through':1,'they':1,'fasten':1},'laboriously':{'manufacture':1,'taught':1},'deepened':{'interest':1},'granules':{'and':1,'are':2},'unsettled':{'parts':1},'strikes':{'these':1,'the':1,'it':1},'white.':{'and':1,'banded':1},'trouble--an':{'instance':1},'land.':{'ages':1,'illustration':1,'getting':1},'spice':{'of':1},'arranged':{'his':1,'in':5},'romantic':{'and':1},'reflex':{'arc':2,'actions':8,'.':1,'action.':1,'action':4,'response':1,'chains':1,'than':1},'vice':{'versa':1},'dordogne':{'galley':1},'arranges':{'the':1},'pre-cambrian':{'eras':1},'blackbird':{'a':1},'shell.':{'the':1,'sec':1},'mimicked.':{'the':1},'moles':{'freshwater':1,'are':1},'affection':{'for':1,'.':1},'celestial':{'objects':1},'deliberation':{'and':1},'travailing':{'becomes':1,';':1,'of':1},'fanwise':{'to':1},'deer':{'of':1,'rabbit':1},'body-making':{'is':1},'deep':{'and':1,'water':2,'cups':1,'retreat.':1,'waters':3,'isolated':1,'waters.':1,'dark':1,'reason':1,'so':1,'sea':6,'in':2,'sea--the':1,'borings':1,'cold':1,'difference':1,'lake':1,'lying':1},'general':{'and':1,'impression':1,'outlook':1,'glare':1,'features':1,'symmetry':1,'trend':1,'life':1,'statements':1,'information':1,'question':1,'ideas':7,'relations':1,'statement':1,'significance':1,'public':2,'conclusion':1,'direction':1,'terms':3,'way':5,'very':1,'reader':1,'agreement':1,'flattened':1,'astronomy':1,'outlines':1,'we':1,'colour':2,'lines':1,'rule':1,'method':1,'aim':1,'agreement.':1,'succession':1,'opinion':1,'fact':1},'imagination':{'to':1,'.':1,'of':2},'examine':{'one':1},'planets':{'and':5,'they':1,'back':1,'spinning':1,'including':1,'are':2,'in':1,'seem':1,'what':1,'from':1,'would':3,'.':4,'to':1,'drawn':2,'life':1,'showing':1,'but':1,'five':1,'besides':1,'put':3,'of':3,'together':1,'or':1,'venus':1,'round':1},'lifetime':{'will':1,'namely':1,'by':1,'.':1},'cables':{'but':1},'film':{'and':1,'of':3,'is':1,'cling':1,'on':1},'fill':{'every':3},'tedious':{'time':1},'again':{'and':6,'as':3,'are':1,'in':5,'from':1,'knowledge':1,'would':1,'there':3,'.':1,'to':2,'does':1,'recaptures':1,'meant':1,'be':1,'we':3,'after':1,'led':1,'elsewhere':1,'that':1,'becomes':1,'never':1,'but':1,'with':1,'for':1,'many':1,'the':5,'having':1},'gbnewby':{'pglaf.org':1},'retiring':{'disposition':1},'field':{'and':3,'around':1,'of':6,'is':2,'it':1,'.':2,'as':2,'book':1,'240':1,'seen':2},'prism':{'and':1,'we':2,'produces':1,'into':1,'.':3,'entering':1,'separates':1,'is':1},'unaccustomed':{'and':1},'salamanders':{'of':1},'carapaces':{'form':1},'lafayette':{'alsatian':1},'coughing':{'or':1},'shelter':{'and':1,'of':2,'with':1,'for':1},'planet.':{'so':1,'if':1},'deriving':{'their':1},'important':{'stones':1,'and':2,'because':1,'is':5,'idea':1,'general':1,'phase':1,'as':1,'in':2,'mill':1,'activity--that':1,'for':2,'to':6,'role':1,'parting':1,'was':1,'however':1,'part':4,'food-plants':1,'parasites':1,'than':1,'linkage':1,'acquisitions':1,'advance':1,'acquisition':1,'the':1,'fact':6},'itself.':{'forms':1,'of':1,'but':1,'in':1},'tackle':{'the':1},'rainbow-colour':{'.':1},'revolve':{'the':1,'round':2},'sun--a':{'kind':1},'sneeze':{'on':1,'.':1},'hoofed':{'mammals':2},'remote':{'aquatic':1,'star':1,'age':1,'antiquity':1,'future':1,'ancestors.':1,'the':1},'recapitulation':{'of':3},'casts':{'off':1},'innocent-looking':{'little':1},'burrow':{'becomes':1,'which':1,'in':1},'u':{'of':1,'the':1},'resembles':{'a':1},'ovary':{'.':1},'once':{'and':3,'adjusted':1,'useful':1,'one':1,'rotating':1,'understood':1,'in':8,'said':1,'.':1,'attained':1,'got':1,';':1,':':1,'was':2,'tell':1,'more':4,'dominant':1,'that':1,'very':2,'eight':1,'they':1,'represented':1,'a':2,'on':1,'made':1,'effective':1,'larger':1,'rule':1,'every':1,'pulled':1,'or':1},'starting':{'a':1,'new':2,'point':1,'of':1},'represent':{'the':1,'stars':1,'tentative':1},'pheasant':{'and':1,'for':1},'forget':{'the':1},'founder':{'of':1},'suns':{'many':2,'.':1,'in':1},'invariable':{'.':1},'worms':{'and':2,'like':1,'that':1,'sea-cucumbers':1,'of':1,'began':1,'but':1,'.':1,'notably':1,'to':3,'2':1,'starfishes':1,'were':1,'requires':1},'founded':{'on':1},'sunk':{'very':1,'into':1,'in':1},'cooperative':{'relations':1},'expressions':{'of':3,'have':1},'plodding':{'methods':1},'shattered':{'to':1},'red-hot':{'ball':1,'gas':2,'.':1},'brain-box':{'and':1},'inexhaustible':{'fountain':1,'floating':1,'stores':1},'former':{'.':1},'bushmen':{'.':1},'those':{'upper':1,'pieces':1,'produced':1,'excessively':1,'farther':1,'in':1,'fine':1,'whose':1,'two':1,'regions':1,'immense':1,'contained':1,'other':1,'which':3,'between':1,'open-sea':1,'we':2,'kinds':2,'elsewhere':1,'that':13,'mammals':1,'offered':1,'who':3,'problems':1,'provided':1,'now':1,'with':1,'sensational':1,'great':1,'made':1,'of':15,'days':1,'glittering':1,'called':1,'bodies':1,'at':1},'hideous':{'and':1},'turnips':{'devouring':1},'distorting':{'effect':1},'straightforward':{'.':1},'sitting':{'a':1,'among':1,'figure':1,'for':1,'156':1,'the':1},'worm.':{'the':1},'interglacial':{'period.':1,'period':1,'times':1,'times.':1,'.':1,'or':1},'sun.':{'a':1,'look':1,'this':1,'it':1,'illustration':1,'one':1,'to':1,'sec':1,'but':1,'our':1,'the':2,'laplace':1},'fall':{'a':1,'on':4,'casting':1,'is':2,'upon':2,'suggested':1,'together':1,'down':1,'without':1,'from':1,'into':4},'difference':{'and':2,'is':1,'between':4,'to':1,'saturates':1,'does':1,'in':2},'expulsive':{'force':1},'mild':{'current':1,'moist':1,'electric':1,'temperatures':1,'of':1},'forking':{'of':2},'washing':{'the':1},'benevolent':{'visitors':1},'skeletal':{'rod':1},'applicable':{'to':1,'state':1,'taxes':1},'grubs':{'and':1},'camouflaged.':{'the':1},'hollowed-out':{'cotton-reel':1},'inorganic':{'world':1,'evolution':7,'groaning':1},'economically':{';':1},'pterodactyl':{'and':1,'or':2,'wing':1},'range.':{'the':1},'selected.':{'illustration':1},'aristocrat':{'apple-trees':1},'zero':{'of':2},'perception':{'and':1,'of':1,'rapidity':1},'further':{'and':3,'slowing':1,'down':1,'books':1,'human':1,'out':1,'knowledge':1,'for':2,'opportunities':1,'experiment':1,'until':1,'revision':1,'advantage':1,'complicated':1,'with':1,'contraction':1,'inland':1,'heightened':1,'ahead':1,'found':1,'the':1,'discovery':1,'changes':1},'double-slide':{'plate':1,'plate-holder':1},'creatures':{'and':4,'appeared':1,'it':1,'sec':1,'are':3,'have':3,'in':2,'if':1,'living':1,'from':1,'varied':1,'to':1,'began':1,'there':1,'.':6,'superficially':1,'which':3,'return':1,'that':1,'may':2,'act':2,'upon':2,'but':1,'let':1,'penetrate':1,'not':1,'such':1,'with':3,'by':1,'a':1,'on':1,'like':3,'of':4,'make':2,'turn':1,'were':1,'dance':1,'the':2,'round':1},'cilia':{'shown':1,'when':1},'stood':{'in':1,'at':1,'round':1},'short-lived':{'fishes':1,'relic':1},'swamps':{'and':1,'low':1},'storks':{'and':1,'pelicans':1},'associate':{'certain':1,'the':1,'particular':1},'caffeine':{'and':1},'everlasting':{'hills.':1},'schoetensack':{'.':1},'movement':{'and':6,'all':1,'is':4,'at':1,'in':2,'251':1,'if':1,'from':1,'for':1,'recalling':1,'.':1,'which':1,';':1,'was':1,'but':1,'a':1,'on':1,'of':6,'creates':1,'can':1,'the':1,'or':1},'outgoing':{'tide':1},'malaria':{'rife':1,'respectively.':1,'from':1,'organism':2},'martians':{'draw':1},'compilation':{'of':1,'copyright':1},'calculates':{'that':1},'component':{'cells':1},'ranges':{'and':2},'favourable':{'for':1},'cylindrical':{'.':2},'operating':{'on':1},'capacities--limited':{'when':1},'standard':{'of':2,';':1},'advance--the':{'central':1},'search':{'of':1,'after':1,'for':1,'facility:':1,'.':2},'tortoise':{'and':1,'of':1,':':1,'in':1,'has':1},'ichneumon':{'grubs':1},'cock':{'with':1},'stretching':{'as':1,'from':1,'for':1},'gleams':{'of':2},'milky':{'way':15},'formation':{'of':7,'due':1,'ten':1,'in':1},'narrow':{'and':1,'core':2,'like':1,'zone':1,'crowded':1,'sheaf':1,'passage':2,'marshes':1},'beak-like':{'jaws':1},'pathological':{'variation':1},'splashes':{'in':1},'24.--the':{'great':1},'transit':{'instruments':1,'is':1,'no':1},'mastering':{'the':1},'africa':{'a':1,'and':1,'india':1,'but':1,'coloured':1,'to':1,'asia':2,';':1,'where':1},'fastening':{'them':1,'pieces':1},'most--control':{'freedom':1},'empties':{'are':1},'extinction':{'of':1,'in':1},'establish':{'themselves':2,'race':1},'readily':{'separated':1,'lifted':1,'because':1,'heard':1,'swamped':1,'classified':1,'utilised.':1,'evaporate':1,'.':1,'understood':1,'see':1,'seen':1,'captured':1},'eye':{'and':3,'sees':1,'is':1,'are':1,'in':1,'.':6,'birds':1,'there':1,'next':1,'to':1,'which':2,';':2,'has':1,'that':1,'may':1,'fell':1,'continued':1,'by':1,'these':1,'of':1,'can':1,'the':1,'glued':1},'uniformity':{'and':1},'distinct':{'and':2,'individuality':1,'elements':1,'from':2,'species.':1,'sensation':1,'ancestors--a':1,'as':1,'classes':1,'tails':1,'sparks':1,'species':1},'hillock':{'of':1},'wiped':{'out':1},'destination':{'and':1},'two':{'years':1,'straws':2,'fore-limbs':1,'fine':1,'feather-stars':1,'forms':1,'molecules':1,'main':2,'photographs':2,'moorhens':1,'doors':1,'very':1,'minute':1,'feet':3,'positions':1,'spiny':1,'humps':2,'lashes':1,'phenomena':1,'back':1,'elements':1,'magnets':1,'creatures':1,'fingers':2,'halves':1,'chimpanzees':1,'new':1,'revolved':1,'ends':2,'electricities':1,'answers':1,'atoms':2,'hours':3,'wave-motions':1,'terminals':1,'groups':4,'others':1,'quite':2,'come':1,'days':1,'opossums':2,'of':4,'months':2,'haunts':1,'extremes':1,'streams':1,'or':11,'comes':1,'reflected':1,'screens':1,'skeletons':1,'millions':1,'working':1,'spiral':1,'long':1,'.':3,'macaques':1,'stars':2,'which':1,'hundred':7,'fractions':1,'eyes':1,'inches':4,'painted':1,'thousand':3,'exactly':1,'races':1,'cases':2,'cells':1,'shelves':1,'classes':1,'minutes':1,'and':8,'suggestions':1,'metals':1,'pieces':2,'periods':1,'have':1,'in':1,'paths':1,'different':5,'perhaps':1,'things':1,'widely':1,'lithium':1,'centrosomes':1,'facts.':1,'wires':1,'kinds':6,'opposite':1,'eggs':1,'teeth':1,'sides':3,'types':3,'together':3,'chief':1,'points':3,'sets':2,'serious':1,'the':1,'bodies':2,'foetal':1},'comparing':{'these':1,'notes':1,'reptiles':1},'cultivation':{'of':1},'endowed':{'with':4,'monkeys':1},'raft':{'across':1},'ovules':{'within':1,'in':1},'lapland':{'.':1},'leisure.':{'along':1},'unlink':{'or':1},'ahead.':{'the':1},'diamond':{'the':1,'point':1,'267':1,'.':1},'staggering':{'.':1},'views--the':{'nature':1},'chimpanzee':{'and':3,'illustrating':2,'157':1,'sitting':2,'is':1,'there':1,'.':1,'gorilla':2,'s':2,'2':2,'238':1,'at':1,'the':1,'an':1,'called':1,'233':1},'magpies':{'coral-snakes':1},'controlling':{'his':1,'nerve-centres':1},'particular':{'they':1,'some':1,'paper':1,'substance.':1,'sounds':1,'things':2,'emotions':1,'colours':1,'instance':1,'state':1,'difficulties':1,'interest':1,'conditions':1,'crab':1,'combination':1,'men':1,'atoms':1,'words':1,'circumstances':1,'case':1,'kind':4,'spawning-pond':1,'items':1,'moorhen':1,'place':1,'piece':1,'order':1},'straight-haired':{'mongols':2},'it--radium.':{'that':1},'none':{'being':1,'of':6,'the':1,'knew':1,'.':1},'hour':{'passes':1,'later':1,'would':1,'radium':1,'after':1,'.':1,'at':1},'middle':{'and':1,'zone':1,'of':2,'pleistocene':1,'ages':1,'oligocene':1,'.':1,'eocene':1},'recall':{'the':3},'sucks':{'in':1,'its':1,'milk':1},'cochroaches':{'and':1},'guards':{'them':2,'the':1},'remain':{'true.':1,'to-day':1,'inert':1,'just':1,'very':1,'freely':1,'together':1,'quite':2,'coherent':1,'in':2,'latent':1,'ether':1,'glorious':1,'apart':1},'pressing':{'a':1},'taut':{';':1,'or':1,'membranes':1},'pink-flush':{'on':1},'nothing.':{'evolution':1,'it':1},'specialized':{'in':2},'marble':{'for':1},'deg':{'.':6},'stubborn':{'as':1},'compare':{'with':2,'the':1,'jupiter':1},'gravels':{'in':1},'share':{'of':2,'it':1,'appreciatively':1,'in':1},'shard':{'the':1},'sphere':{'of':1},'minimum':{'the':1,'without':1},'numbers':{'and':2,'go':1,'above':1,'of':4},'hours.':{'at':1},'sharp':{'mountain-top-like':1,'prickle':1,'mouth-parts':1,'teeth':1,'nip':1,'conical':1,'points':1},'robinson':{'showed':1},'needs':{'to':2,'with':1,'occurring':1},'awkward':{'situation':1,'alacrity':1,'feint':1},'receptacle':{'for':1},'1873-6':{'gave':1},'acts':{'on':1,'as':4,'upon':1,'in':1},'responsibilities':{'.':1},'procellaria':{'pelagica':2},'sacred':{'river-tortoises':1},'profiting':{'by':2},'stir':{'water':1},'ensemble':{'of':1},'indian':{'and':2,'islands':1,'macaque':1,'ocean':1},'advice':{'to':1},'genius.':{'illustration':1},'narrow-beaked':{'crab':1},'tangere':{'leave':1},'blood':{'and':1,'corpuscles':2,'from':1,'relationship':1,'of':5,'is':1,'never':1,'it':1,'throughout':1,'.':4,'to':1,'as':1,'goes':2,'injected':1,'the':1,'has':1,'bringing':1,'or':3},'polynesian':{'mariners':1},'coming':{'and':1,'from':1,'down':2,'to':1,'with':1,'by':1,'out':1},'bloom':{'with':1},'response':{'to':1,'the':1,'from':1},'alps':{'at':1},'reappeared':{'his':1},'crowded':{'meteors':1,'when':1,'with':1,'haunt':1,'difficult':1},'coat':{'to':1,'used':1,'helps':1},'eats':{'its':1},'dragon':{'the':1,'flying':1,'draco':1,'94':1},'coal':{'burns':1,'consider':1,'would':1,'supply':1,'derived':1,'deposits':1,'for':1,'which':1,'.':3,'or':1},'skilful':{'artificer':1},'playing':{'mammals':1,'is':1,'period':2,'possum':1,'the':1,'with':2},'covered':{'a':1,'great':1,'over':1,'all':1,'everything':1,'the':3},'chopped':{'earthworm':1},'infant':{'and':1,'s':1,'.':1,'about':1,'three':1},'rounded':{'skull':2},'winged':{'phase':1,'snails':1,'insect.':1},'much-disputed':{'lines':1},'hypertext':{'form':1},'quiet-looking':{'cloud':1},'lumpsucker':{'mounts':1,'guards':1},'through':{'and':2,'it':3,'one':1,'our':1,'any':2,'unthinkably':1,'space':1,'.':1,'which':3,'orange':1,'1.e.7':2,'them':3,'his':1,'trees':1,'estuaries':1,'every':1,'but':1,'denser':1,'contrasts':1,'an':4,'a':19,'stone':1,'glass':1,'these':2,'air':2,'this':2,'the':54,'stages':1,'its':3,'bodies':1},'lava':{'rising':1},'filters':{'and':1},'existence':{'what':1,'135':1,'of':6,'is':3,'it':1,'.':2,'namely':1,'without':1,'are':1,'animal':1,'in':2,';':1,'by':1,'as':1,'if':2},'visceral':{'clefts':2},'bell-like':{'blossoms':1},'soddy':{'has':1,'frederick':1,'have':1,'puts':1,'one':1},'24':{'the':1,'were':1},'25':{'and':1,'of':1,'trillions':1,'000':6},'26':{'and':1,'we':1,'000':2,'tons':1},'27':{'illustration:':1,'000':1},'thrilling':{'a':1,'story':1},'21':{'1914.':1,'.':1},'22':{'from':1,'would':1,'tons.':1,'yerkes':1,'miles':1,'2007':1},'sodium':{'is':1,'lines':1,'iron':2},'rigel':{'466':1},'physophora':{'hydrostatica':2},'28':{'the':1,'deg.-34':1,'mars':1},'29':{'1919':1,'a':1,'drawings':1,'1908':2,'1919.':1},'late':{'polished':1,'professor':3,'years':1,'autumn':1,'as':1,'triassic':1,'.':1},'detected':{'a':1,'anywhere':1},'microscopic':{'cilia':1,'burdens':1,'organisms':1,'food':1,'study':1,'globules':1,'fertilised':1,'animal':3,'each':1,'animals':1,'algae':1},'--and':{'that':1},'bugbear':{'it':1},'sheaves':{'in':1},'triumphantly':{'from':1},'beginnings.':{'our':1},'good':{'and':1,'atmosphere':1,'old':2,'deal':6,'reasons':1,'idea':1,'as':3,'seed':2,'in':1,'insulators':1,'will':1,'touches':1,'.':2,'instance':1,'samples':1,';':2,'conditions':1,'eyes':1,'send-off':2,'illustration':1,'reason':1,'restoration':1,'purpose':1,'pair':1,'many':1,'second':1,'example':2,'practical':1,'conductor--six':1,'temper':1,'heel':1},'seeking':{'rather':1,'automatically':1},'gardens.':{'the':1},'sappers':{'and':1},'noticing':{'the':1,'that':1},'walls':{'and':1,'of':6,'so':1,'are':1,'nor':1},'compound':{'reflex':2},'olcott':{'field':1},'detach':{'or':1},'struggling':{'too':1},'association':{'a':1,'established':1,'and':1,'of':2,'professor':1,'when':1,'to':1,'which':1,'between':1,'meeting':1},'limpet':{'s':1},'mystery':{'of':1,'they':1,'drowned':1,'.':1},'easily':{'tamed':1,'be':1,'acquiesce':1,'blown':1,'supported':1,'washed':1,'selected.':1,'called':1,'as':1,'disturbed':1,'part':1,'seen':1,'get':1,'find':1,'comply':1},'deteriorates':{'.':1},'fish-like':{'characters':1},'evade':{'the':3},'abdomen--for':{'the':1},'ashes':{'of':1},'habits':{'and':5,'all':1,'there':1,'.':2,'while':1,'which':1,';':1},'2a':{'orohippus':1},'repeating':{'the':1},'possession.':{'if':1},'exquisite':{'tactility':1,'refinements':1},'horsetail':{'and':1},'harm':{'in':1},'everyone':{'is':2,'who':2,'recognises':1,'knows':1},'mental':{'activities':1,'life':2,'endeavour':1,'ability':1,'inheritance':1,'pictures':1,'subtlety':1,'life;':1,'equipment':2,'experimenting':1,'health':1,'aspect':1,'activity':1,'images':1,'aspect.':1,'mill':1,'endowment':1,'side':2,'powers':1,'qualities':1},'hundred':{'and':2,'trillion':4,'varieties':1,'strokes':1,'of':1,'thousand':2,'million':4,'years':2,'ways':1,'planetoids':1,'degrees':2,'stars':1,'in':1,'miles':3,'the':1,'times':1,'odd':1,'generations.':1,'millions':1},'hare':{'willow':2,'it':1,'.':1,'may':1,'s':1,'in':2,'the':1,'or':1},'hard':{'and':2,'saying':1,'work':2,'times':1,'substratum':1,'to':4,'in':2,'legs':1,'or':1,'red':2},'idea':{'that':4,'of':13,'is':1,'but':1,'how':1,'has':1,'was':1,'or':1},'foxes':{'and':2,'stoats':1},'macmillan':{'the':2,'.':4},'oil':{'on':2,'from':1,'is':1,'upon':1,'down':1,'must':1},'schuchert':{'again:':1,'s':1},'connect':{'them':1},'ripple':{'of':1},'hart':{'the':1,'is':1},'antarctic':{'circle--which':1,'shore':1},'shoulders.':{'the':1},'flower':{'and':4,'puts':1,'is':1,'.':1,'basket':3,'collects':1},'associations.':{'there':1},'pigeon':{'a':1,'because':1,'212':2,'gliding':1,'is':1,'continues':1,'s':1,'but':1,'brooding':1,'carrier':1,'which':1},'acting':{'on':3,'upon':2},'49.4':{'rigel':1},'flowed':{'along':1},'print':{'editions':1},'three-quarter':{'days':1},'waterholes':{'full':1},'rejuvenescence':{'e.g':1},'circumstance':{'that':1},'dealt':{'with.':1,'with':6},'extraordinary':{'protrusion':1,'strength':1,'proceeding':1,'power':1,'variety':1,'educability':1,'things':2,'results':1,'vigour':1,'therefore':1,'interest':1,'outbursts':1,'properties':1,'adaptability':1},'terminals':{'thus':1,'.':1},'members':{'of':12,'at':1},'backed':{'by':3},'entrancing':{'interest.':1},'beginning':{'again':1,'for':1,'this':1,'of':35,'when':1,'it':1,'.':1,'to':5,'at':1,'in':2,'was':2,'with':2},'poles.':{'our':1,'there':1},'demands.':{'as':1},'snails':{'various':1,'or':1},'omit':{'one':1},'brain...':{'.':1},'audacity':{'to':1},'72-inch':{'reflector':1},'varanus':{'139':1,'the':1},'down--sometimes':{'dangerously':1},'exercising':{'the':1},'reinforced':{'by':1},'copper':{'and':1,'wires':1,'coin--smaller':1,'that':1,'immersed':1,'in':1,'together':1,'.':1,'age.':1,'wire':3,'zinc':2,'were':1,'beech':1,'age':1,'is':5,'came':1},'bullies':{'of':1},'disregarded':{'only':1},'instances':{'of':1,'where':1,'must':1},'7918':{'1':1},'done':{'is':1,'.':1,'to':1,'as':1,'with':1,'by':1},'vibrate':{'about':1,'.':1,'in':1},'climbing':{'grasping':1,'up':1},'cups':{'whereas':1},'island-universes':{'they':1},'family.':{'viviparity':1},'light-gatherer':{'.':1},'construct':{'a':2},'hollows':{'of':1},'obligatory':{'movements':1},'183':{'evolutionary':1},'assumption':{'of':2},'186':{'photograph':1,'nautilus':1,'shoebill':1,'000':7},'187':{'photo':1},'statement':{'will':1,'that':4,'often':1,'in':1},'185':{'000':1},'rates':{'.':1},'compartment':{'a':1,'b':1,'was':1},'too':{'faint':3,'plainly':1,'simple':1,'soon':2,'high':2,'inhospitable':1,'cold':3,'thick':1,'stingy':1,'easygoing':1,'little':1,'deeply':1,'there':1,'long':1,'hot':2,'much':6,'sheltered':1,'was':1,'complete':1,'shallow':1,'generous':1,'complicated':1,'closely':1,'precious':1,'great':1,'short':1,'large':1,'severe':1,'were':2,'small':2,'serious':1,'soft':1},'muscles':{'and':4,'of':2,'to':1,'going':1,'are':1,'which':1,'in':1,'than':1,'at':1},'travail':{'of':1},'lightest':{'hydrogen':1,'atom':2},'needle':{'on':1,'magnified.':1,'.':1},'park':{'in':1},'procession':{'of':3,'or':1},'part':{'the':1,'corresponding':1,'for':1,'vaporised':1,'of':54,'into':1,'in':3,'.':1,'to':3,'at':1,'under':1,'obscure':1,'with':4,'company':1},'parr':{'become':1,'about':1,'which':1},'prodigious':{'expulsive':1,'speed--and':1,'speed.':1,'outpour':1,'quantities':1,'age':1,'.':1,'scale.':1,'rapidity':2},'selenium-cell':{'which':1},'believe':{'that':11,'in':1,'an':1,'to':1,'were':1,'the':1,'by':1},'don.':{'it':1},'jump':{'at':1,'out':1},'supposes':{'that':2},'b':{'c':1,'that':1,'of':1,'showing':1,'there':1,'when':2,'it':1,'.':7,'in':1,'some':1,'alteration':1,'others':1},'parent--little':{'likely':1},'damages':{'even':1,'costs':1,'-':1},'clodd':{'story':1},'866':{'000':1},'recording':{'of':1},'dissection--or':{'screwing':1},'totteringly':{'for':1},'supposed':{'that':4,'dead':1,'to':4,'indication':1,'have':1,'the':1,'he':1},'messrs.':{'macmillan':3},'treated':{'merely':1},'anthropoid':{'embryo':1,'stock--common':1,'apes':7,'apes--the':3,'type.':1,'apes.':1,'ape':4},'rhacophorus':{'that':1},'efface':{'itself':1},'trifles':{'felted':1},'pre-existing':{'organisms':1},'ages':{'and':3,'set':1,'afterwards':1,'is':1,'sec':2,'in':1,'before':1,'living':1,'organisms':1,'there':1,'had':1,'.':4,'to':2,'which':3,';':2,'has':1,'was':1,'be':1,'we':1,'passed':6,'necessity':1,'along':1,'he':1,'ago':2,'many':1,'of':1,'the':3,'or':1},'left-handed':{'vortices':1},'egg.':{'very':1,'8':1,'3':1},'paltry':{'pigmies':1},'agee':{'when':1},'confirms':{'our':1},'fading':{'away':1},'paths':{'a':1,'of':1,'round':1,'pursued':1},'acid':{'and':1,'water':1,'indigo':1,'caffeine':1},'built':{'a':1,'and':1,'elastic':1,'on':1,'of':1,'up':10,'as':1,';':1,'with':1},'depending':{'upon':1},'trip':{'sideways':1,'which':1},'majority':{'of':7,'is':1,'are':1},'lifts':{'a':2,'the':1},'build':{'a':2,'up':5,'but':1},'deepening':{'hold':1},'sea-perches':{'live':1},'facts.':{'sec':1},'unpalatability':{'or':1},'easygoing':{'kind':1,'conditions':2,'the':1,'swimmers--for':1},'capillaries':{'of':1},'sciences.':{'the':1,'it':1},'eggs':{'and':5,'into':1,'are':2,'have':1,'in':7,'close':1,'during':1,'lie':1,'develop':3,'perhaps':1,'two':1,'.':5,'to':1,'only':1,'which':4,';':1,'77':1,'i.e':1,'with':1,'by':2,'a':1,'on':1,'of':2,'inside':2,'attached':1,'were':1,'or':4},'trains':{'lit':1,'of':1,'and':1},'salmon':{'spawn':2,'do':1,'in':1,'of':1,'is':1,'196':1,'surmounting':1,'leaping':2,'.':1,'1':1,'s':1,'keeps':1,'fry':1,'still':1,'was':1,'or':1,'as':2},'tail-feathers':{'braced':1},'took':{'origin':1,'a':1,'his':1,'longer':1,'advantage':2,'no':1,'flying':1,'up':1,'element':1,'as':1,'place':2,'so':1,'the':2},'depths':{'of':4,'showing':1,'119':1,';':1,'whence':1},'most':{'obdurate':1,'beautiful':2,'primitive':4,'debased':2,'remarkable':4,'people':4,'powerful':4,'valuable':1,'far-reaching':1,'multicellular':1,'bones':1,'inconspicuous':1,'diverse':1,'distant':3,'commonly':1,'abstruse':1,'intricate':1,'fishes':1,'birds':2,'resourceful':1,'impressive':2,'living':1,'salient':1,'daring':1,'patent':1,'interesting':2,'favour':1,'chemical':1,'to':1,'complex':1,'attractive':1,'laborious':1,'mammals':2,'mysterious':3,'promise.':1,'important':8,'difficult':1,'we':1,'popularly':1,'general':1,'scientific':1,'spectacular':2,'intimate':1,'successful':1,'familiar':1,'apparent':1,'convincing':1,'significant':1,'notably':1,'eminent':2,'part':1,'enduring':1,'recent':1,'authorities':1,'cases':9,'trying':1,'monkeys':1,'fascinating':2,'puzzling':1,'a':1,'land':1,'animals':2,'playsomest':1,'effective':2,'famous':1,'marvellous':1,'of':16,'signal':1,'countries':1,'metals':1,'enemies.':1,'distinguished':3,'project':1,'solid':2,'severe':1,'dramatic':1,'tempting':1,'distinctive':1,'ancient':3,'astonishing':1,'essential':1,'extraordinary':1},'petromyzon':{'marinus':2},'significant':{'as':1,'periods':1},'fluctuate':{'the':1},'branching':{'air-tubes':1},'transmissibility':{'of':1},'charitable':{'donations':1},'seething':{'foam':1,'mass':1,'vapours':1},'mammoth':{'drawn':2,'tube':1,'woolly':1,'age':1,'the':1},'weigh':{'a':2,'about':1,'only':1,'them':1,'approximately':1},'overcrowding':{'of':2},'organism':{'explores':1,'reproduced':1,'that':1,'may':1,'is':2,'acts':1,'which':1,';':1,'plays':1,'the':2,'its':1},'thomas':{'henry':2},'secrets.':{'the':1},'particularly':{'rich':1,'characteristic':1,'fond':1,'disposed':1,'important':1,'suited':1,'in':1,'memorable':1},'217':{'the':1},'obligations':{'and':1,'has':1},'fins':{'and':1,'on':1,'used':1,'of':1,'as':1,'taut':2},'scattered':{'the':1,'throughout':1,'was':1,'hither':1,'in':1},'converge':{'in':1},'wasted':{'in':1,'.':1},'shore-pool.':{'sec':1},'relation':{'to':3,'between':3},'carefully':{'just':1,'read':1,'there':1,'considered':1,'examine':1,'drawn':2},'212':{'photo':2},'amphibians.':{'as':1,'palaeozoic':1,'in':1},'fine':{'art':1,'crown':1,'results':1,'textbook':1,'powder':1,'suspended':1,'children':1,'creatures':1,'bulbs':1,'inequalities':1,'particles':2,'enough':1,'details':1,'vapour-like':1,'specimens':1,'product':1,'description':1,'brains':1,'time-recording':1,'translucent':1,'cross-striped':1,'photograph':1,'sections':1,'work':1,'balance':1,'example':1},'find':{'all':1,'some':1,'it':2,'in':3,'any':1,'out':4,'no':2,'two':1,'their':2,'enough':1,'much':1,'if':1,'reflex':1,'them':1,'that':11,'they':1,'included':1,'by':2,'a':4,'none':1,'these':2,'solid':1,'the':5},'downward-projecting':{'sharp':1},'giant':{'recently':1,'instruments':1,'spiral':3,'amphibians':1,'planet':1,'amoeba':1,'reptiles':2,'stars':1,'elephant':1,'whirlpools':1,'reptiles.':1},'double.':{'after':1},'depended':{'and':1,'on':1},'dividing':{'the':1,'into':2,'themselves':1,'as':1},'nervous':{'disturbance':1,'restlessness':1,'system.':1,'system':4,'excitement':1,'rhythm.':1},'bird--was':{'about':1},'distributed':{'old-fashioned':1,'project':1,'to':1,'proofreading':2,'in':1,'throughout':1,'by':1},'unhappy':{'over':1},'lockyer':{'sir':1,'detected':1,'pointed':1},'convoluted':{'.':1},'eruptions':{'at':1},'credulous':{'and':1},'8':{'and':1,'with':1,'there':1,'.':2,'in.':1,'other':1,'100':1,'minutes':2},'gills':{'again':1,'except':1,'.':3,'are':1,'which':2,';':3},'stringops':{'and':1},'merged':{'into':1},'indetal':{'is':1},'forreri':{'which':2},'dust':{'and':1,'no':1,'of':4,'.':2,'to':1,'at':1,'although':1,'in':5},'permission':{'and':1,'from':8,'for':1,'of':15,'.':1,'in':1},'express':{'a':2,'and':1,'the':1,'themselves':1,'or':1},'water-vole':{'and':1},'shore-pools':{'and':2,'makes':1,'in':1},'cheaper':{'.':1},'courage':{'and':1},'breast':{'pocket':1},'silk':{'tassel':4,'from':1,'handkerchief':1,'.':2,'threads':1,'across':1},'target':{'on':1},'transitional':{'experience':1,'between':1},'experiments.':{'illustration':1},'freedom.':{'the':1},'doubled':{'straw':1,'their':1,'over':1},'1825-95':{'86':1,'one':1},'common':{'and':1,'among':1,'habit':1,'is':1,'in':1,'at':2,'sense':1,'insectivore':1,'knowledge':1,'to':4,'chameleon':2,'foraminifer':2,'frog':1,'.':1,'hydra':1,'assumption':1,'animal':1,'chaffinch':1,'stock':1,'mud-skipper':1,'starfish':2,'centre':1,'showing':1,'ancestry--are':1,'shore-crab':2,'objects':2,'drone-fly':1,'from':1,'telescopes':1,'otter':2,'accident':1,'basis':1,'eel':3,'ancestry':1},'doubles':{'of':1},'experiments;':{'and':1},'immigrants':{'from':1},'tended':{'to':2},'disc-like':{'collection':1},'lion':{'.':1},'individual':{'is':1,'life':2,'at':1,'in':1,'movements':1,'from':1,'stands':1,'opportunities':1,'to':1,'stars':1,'has':1,'development':6,'variability':1,'plant':1,'hairs':1,'but':1,'atoms':1,'nurture':1,'types':1,'these':1,'work':1,'experience':3,'liberty':1,'project':2,'habits':1,'can':1,'the':1,'works':1,'ears':1},'starfishes':{'is':1,'spend':1,'sea-urchins':1},'medley':{'of':1},'long-fingered':{'pterodactyl':1},'tender':{'plant':1,'all':1},'forthcoming':{'for':1},'hole':{'and':2,'is':2,'before':1,'only':1,'in':1},'rays.':{'illustration':1},'gunnel':{'escape':1},'degree':{'of':12,'an':1,'which':1,'in':1,'not':1,'the':1,'.':1,'than':2},'halved':{'along':1},'please':{'read':1,'visit':1,'check':1},'splendidly':{'active':1},'halves':{'of':1,'the':1},'smallest':{'particle':2,'web-footed':1,'atom.':1,'french':1,'atom':2,'known':1},'planarians':{'and':1},'vascular':{'hood':2,'tufts':1},'to.':{'during':1},'mouthful':{'of':1},'donate':{'royalties':1,'section':1,'please':1},'sexual':{'reproduction':2},'beetling':{'ape-like':1,'eyebrows':1,'brows':1,'eyebrow':2},'historical':{'evolution':1,'succession':1,'or':1,'fact':1,'evidence':1},'masterful':{'more':1},'deliberately':{'selecting':1},'vanishing':{'mammals':1},'half-hour':{'longer':1},'reverse':{'the':1,'.':1},'journeyed':{'three':1},'annual':{'amount':1},'sons.':{'professor':1,'skeletons':1},'foreign':{'elements':1},'quadruped':{'.':1},'protopterus':{'91':1,'it':1},'elliot':{'fry':1},'point':{'and':1,'on':3,'we':1,'to':9,'that':1,'very':1,'of':9,'is':7,'though':1,'it':1,'.':5,'sound':1,'let':1,'the':3,'forty-five':1,'where':1,'out':1},'simple':{'protists':1,'and':2,'calculation':1,'instincts':1,'worms':1,'one':1,'multicellular':1,'as':1,'bibliographies':1,'creatures':3,'living':1,'many-celled':1,'one-celled':1,'there':1,'ideas':1,'process':1,'book':1,'electrical':1,'animal':1,'maze':2,';':1,'reflex':3,'sort':2,'experiment':1,'worm-types.':1,'that':1,'labyrinth':1,'but':2,'wave':1,'consideration':1,'cases':1,'flagellates':1,'outline':1,'tentatives':1,'form':1,'beginnings':1,'problem':1,'piece':1,'predatory':1},'unremitting':{'vibration':1},'smother':{'many':1},'knipe':{'s':6},'newborn':{'earth--the':1,'cuttlefish':1,'pigling':1},'electrons.':{'this':1,'when':1,'sec':1,'it':1,'illustration':1},'simply':{'a':1,'because':1,'that':2,'to':1,'thin':1,'with':1,'told':2},'unsuccessful':{'movements':1},'zeta':{'orionis':2},'throughout':{'and':1,'set':1,'that':1,'to':1,'the':13,'numerous':1,'its':1},'suppressing':{'useless':1},'expensive':{'and':1},'transformations':{'of':1},'meteorite':{'i.e':1,'or':1,'which':3},'create':{'fresh':1,'are':1,'or':2},'vertebrate':{'race':1,'at':1,'characters':1},'screened':{'the':1},'rivals':{'a':1,'in':2},'secret':{'of':6,'under':1,'from':1,'was':1,'phosphorus':1},'dropping':{'on':1},'stoat':{'becomes':1},'experiments--indications':{'of':1},'astonishment':{'a':1},'slips':{'down':1},'doles':{'of':1},'gas':{'and':3,'shot':1,'less':1,'expanding':1,'is':1,'it':1,'four':1,'as':1,'at':1,'in':3,'still':1,'would':1,'no':2,'there':1,'when':1,'.':2,'glowing':1,'which':1,';':1,'was':1,'be':1,'they':1,'absorbs':1,'about':1,'bill':1,'identified':1,'will':1,'were':1,'the':2,'cooled':1},'gap':{'to':1,'between':1},'vane':{'for':1},'waves--the':{'ultra-violet':1},'tupaia':{'began':1},'likened':{'our':1},'top--the':{'falling':1},'grains':{'of':2},'solid':{'body':2,'core':1,'and':1,'or':1,'liquid':1,'gold':1,'body.':1,'of':1,'could':1,'crust':2,'.':1,'substratum':1,'matter':1,'iron':1,'in':1,'earth':5,';':1,'earth--a':1,'the':1,'is':1,'ground':1},'tree-porcupines':{'and':1},'bill':{'and':1,'adapted':12,'where':1,'would':1},'eclipsed':{'when':1},'cluster':{'of':3,'is':1,'in':3},'plovers':{'lie':1},'replaced':{'by':9},'teaspoonful':{'of':1},'rhinoderma':{'of':1},'schultze':{'.':2},'eclipses':{'can':1},'manner':{'of':3,'away':1,'.':1,'born.':1,'at':1,'rarely':1},'youthful':{'stages':1},'adjusts':{'its':1},'debased':{'with':2},'century':{'we':1,'telescope':1,'that':2,'when':1,'.':4,'the':1,'was':1},'violently':{'and':3,'agitated':3},'metazoa':{'.':1},'regius':{'professor':1},'itself':{'and':3,'because':1,'is':3,'back':1,'an':1,'as':2,'registers':1,'through':1,'at':1,'in':5,'out':1,'again':1,'what':1,'for':1,'.':4,'to':6,'which':2,';':1,'millions':1,'until':1,'more':3,'tentatively':1,'that':1,'along':1,'with':3,'by':1,'he':1,'a':1,'on':1,'up':1,'the':2,'or':1},'atom--the':{'new':1},'saline':{'matter':2},'salina':{'that':1},'evading':{'this':1,'or':1},'discourse':{'.':2},'copying':{'and':1,'distributing':1,'displaying':1,'or':1},'leisurely':{'life':1},'ray':{'of':10,'lankester':4},'sapiens':{'the':1},'alertness.':{'ii':1},'non-digitate':{'paired':1},'eels':{'ascending':1,'are':1,'seem':1,'circumvent':1,'or':1,'illustrate':1},'keys':{'by':1},'leopard':{'is':1,'the':1},'deperet':{'transformation':1},'moment':{'a':1,'to':1,'.':1,'how':1,'s':1,'in':1,'the':3,'by':1},'purpose':{'and':1,'of':1,'is':1,'and--it':1,'here':1,'.':1,'they':1,'such':1,'the':1,'with':1},'timid':{'orioles':1},'circumvented':{'by':1,'.':1},'predecessors':{'rather':1,'of':2,'we':1},'gestures':{'and':1},'organically':{'enregistered':1},'task':{'of':1},'noli':{'me':1},'craves':{'for':1},'gambier':{'bolton.':6},'thoroughly':{'terrestrial':1,'aquatic':1,'aerial':1,'well':2,'it':1,'erect':1,'protected':1},'chemistry':{'and':1,'.':2},'spend':{'their':2,'much':1,'half':1},'examining':{'a':1},'matter.':{'a':1,'lockyer':1,'hitherto':1,'so':1,'another':1,'he':1},'snow':{'mouse':1,';':1,'upon':1,'or':1,'.':4},'profoundly':{'and':1,'influenced':1},'shape':{'and':2,'irresistibly':1,'from':1,'for':1,'that':1,'of':6,'they':1,'changes':1,'change':1},'atomic':{'theory':1,'weight':3,'energy':3,'weights':1,'numbers':1,'in':1,'reservoirs':1},'matter;':{'a':1},'alternative':{'reactions':1,'pathways':1,'but':1,'between':1},'unawares.':{'professor':1},'riki-tiki-tavi':{'which':1},'apes.':{'man':1},'timber':{'for':1},'letting':{'it':1},'superficial':{'differences':1,'work':1,'resemblance':1,'.':1},'cut':{'glass--the':1,'the':1,'up':1,'that':1},'developed.':{'nor':1},'alternate':{'directions--an':1,'format':1},'hereditarily':{'.':1},'source':{'may':1,'of':15,'which':1},'twig-insects':{'put':1},'follow.':{'since':1},'round-mouths':{'cyclostomes':1},'snap':{'at':1,'in':1},'hydrosphere.':{'formative':1},'ganglia':{'.':1},'excited':{';':1,'clucking':1},'silken':{'balloon.':1,'threads':1,'cocoon--the':1},'overhanging':{'bank':1},'big':{'and':1,'telescope':1,'spring':2,'canine':1,'sea-anemone':1,'brain':3,'as':1,'legacy':1,'simply':1,'seal':1,'toe.':1,'clock':1,'forehead':1,'toe':2,'robber-crab':2,'full':1,'brains':2,'lens':1,'with':1,'collar':1,'tree':1,'worm':1,'eyebrow':1,'seeds':1,'fact':5},'adventures.':{'there':1},'smallness':{'by':1},'far-fetched':{'and':1},'disappeared.':{'there':1},'life--a':{'progress':1},'bit':{'of':5},'stingless':{'.':1},'knock':{'over':1,'against':1},'photosphere--the':{'sun':1},'degenerated':{'in':1},'follows':{'a':1,'on':1,'from':2,'that':3,'an':1,'therefore':1,'the':1},'flux':{'and':1,'is':1,'in':1},'indication':{'of':2,'that':1},'beyond-blue':{'waves':1},'cotton-reel':{'as':1,'attached':2},'cloudlets':{'cannot':1,'come':1},'complicated.':{'sec':1},'gibbon.':{'bone':1},'valleys':{'.':1},'often':{'beautiful':1,'exhibit':1,'flies':1,'followed':1,'flapped':1,'pays':1,'overlooked':1,'float':1,'some':1,'libelled':1,'crop':1,'an':1,'say':1,'been':2,'vitally':1,'at':2,'in':2,'touch':1,'seen':1,'dug':1,'nests':1,'linked':1,'seems':1,'forced':1,'given':1,'from':1,'also':1,'apparently':1,'faint':1,'reminded':1,'outside':1,'expressed':1,'find':1,'attracted':1,'only':1,'complex':1,'easy':1,'buys':1,'got':1,'swims':1,'gets':1,'intelligent':1,'grows':1,'shows':1,'poor':1,'badly':1,'attended':1,'to':1,'make.':1,'very':3,'great':1,'safe':1,'about':2,'it':1,'saves':1,'succeed':1,'a':3,'become':1,'not':1,'associated':1,'revealed.':1,'subtle':1,'is':1,'fly':1,'and':1,'made':2,'created':1,'did':1,'of':1,'when':1,'with':4,'reads':1,'different':1,'adjust':1,'so':1,'.':1,'found':3,'lined':1,'involves':1,'referred':1},'absolutely':{'true':1,'essential':1},'hair-like':{'whilst':1},'triceratops':{':':2},'abundantly':{'these':1,'tenanted':1},'back':{'and':6,'into':1,'as':1,'at':1,'in':1,'our':1,'still':1,'again':2,'from':2,'for':1,'downwards':2,'.':1,'to':20,'which':1,';':1,'over':1,'becomes':1,'illustration':1,'125':1,'affording':1,'with':1,'by':3,'of':11,'sometimes':1,'became':1,'teeth':2,'the':1,'or':1},'evolution--there':{'is':1},'martian':{'day':2},'examples':{'of':5},'mirror':{'and':1,'for':1,'produces':1,'is':4,'.':1,'the':1,'than':1},'candle':{'but':1},'ourselves':{'to':2,'into':1,'here':2,'.':1,'how':1,'the':2,'quite':1},'pronounced':{'that':1},'crooked':{'stick':1},'condensed--who':{'can':1},'contacts':{'between':1},'affects':{'the':1},'per':{'hour':1,'second':3,'cent':5,'hour.':1,'step':1,'minute':1},'brain-case':{'of':2},'too--the':{'rabbit':1},'eliminate':{'useless':1},'king-crab':{'limulus':1},'peg':{'pulls':1},'11.--mars':{'october':1},'good.':{'bibliography':1},'scaly':{'fore-limbs':1,'covering':1},'stilt-like':{'legs':1},'life-history':{'of':7,'into':1,'.':1,'for':1,'to':1},'patient':{'with':1},'magnifies':{'this':1},'300':{'000':2,'chickens':1,'times':2},'peculiarly':{'interesting':1,'penetrating':1,'liable':1},'continuing':{'the':1,'.':1,'before':1},'fed':{'on':1,'when':1,'by':1,'.':1},'subconscious':{'cerebration':1},'more-pork':{'or':3},'flanks':{'and':1},'times--glacial':{'and':1},'feigning':{'death':3},'web-wing':{'of':1,'or':1},'nematodes':{'many':1},'piled':{'around':1},'ounce':{'or':1},'offshoot':{'is':1,'from':5},'consequently':{'the':1,'good':1,'changed.':1},'tree-loving':{'animals':1},'aliens':{'like':1},'night-light':{'noctiluca':1},'invading':{'the':1},'inhospitable':{'had':1},'gramme':{'of':1,'.':1},'relapses':{'to':1},'realisation':{'of':1},'deep-violet':{'light-waves':1,'waves':2},'ontario':{'about':1},'live-and-let-live':{'compromise':1},'plane.':{'the':1},'drosophila':{'among':1},'mudstones':{'and':2,'which':1},'trying--the':{'deep':1},'infected':{'with':1,'by':1},'manifested':{'by':1,'in':1},'checks':{'online':1},'forward':{'past':1,'to':2,'as':1,'by':1,'.':1},'examination':{'of':4},'adjusting':{'their':1,'its':1},'exterminated':{'the':1},'niagara':{'we':1,';':1,'are':1,'for':1,'falls':2},'boys':{'place':1},'quiescent':{'well-protected':1,'pupae':1},'hopes':{'that':1},'role':{'of':1,'in':2},'hipparion':{';':1},'directed':{'forwards':1},'blanketing':{'the':1},'non-existence':{'they':1},'rejection':{'of':1},'casein':{'which':1},'detachable':{'electrons':1},'generating':{'strong':1},'lungbooks':{'.':1},'planet':{'and':3,'on':1,'from':1,'around':1,'turns':1,'is':3,'after':1,'neptune':1,'but':2,'.':4,'will':1,'to':2,'s':1,'so':1,'always':1,'venus':2,'might':1,'the':1},'fitter':{'folk':1},'exploration':{'of':2},'planes':{'.':1},'water-bag':{'over':1},'groove':{'.':1},'sea-urchin':{'s':2,'which':1},'recognition':{'among':1,'of':2},'sort':{'and':1,'of':28,'when':1,'at':1,'may':1},'constant':{'interchange':1,'movement.':1,'temporary':1,'temperature':1,'state':2,'able':1,'spectrum':1,'effect':1,'amount':1,'in':1,'movement':1},'punnett':{'that':1},'expedition':{'1873-6':1},'metal':{'tags':1,'uranium':1,'globe':1,'that':1,'ages':1,'to':1,'ages.':1,'displays':1,'the':1,'vapour':1,'is':1,'vapours':1},'scarlet':{'solar':2},'single':{'word':2,'cubic':1,'molecule':1,'young':1,'feature':1,'cell':2,'prism':1,'electron':1,'grain':4,'gramme':1,'leaf':1,'atoms':1,'cell--a':1},'clever':{'synthetic':1,'associations':1,'dwarf':1,'things':2,'dog':2,'as':4,'in':1,'creatures':1},'curl':{'of':1},'dragging':{'effect':1},'prevail':{'.':1},'brethren':{'by':1},'corners':{'being':1,'of':3,'in':1},'biology.':{'the':1},'dimmed':{'by':1},'teemed':{'with':1},'confine':{'ourselves':1},'explaining':{'a':1,'positive':2,'the':1},'best--':{'a':1},'accidental':{'introductions':1,'discovery':1},'neck.':{'illustration':1},'heir':{'is':1},'surface--before':{'in':1},'prepared':{'chemical':1,'the':1,'spectrum':1},'lively.':{'illustration':1},'restoration':{'of':1,'by':3,'modelled':6,'shows':1},'relatives.':{'illustration':1},'utterly':{'dependent':1,'extinct':1,'beyond':1,'artificial':1},'fishes':{'and':5,'emerge':1,'appeared':1,'is':1,'191':1,'it':1,'as':1,'are':2,'in':2,'moreover':1,'saw':1,'before':1,'perhaps':1,'pay':1,'there':2,'had':1,'.':5,'to':2,'much':1,'which':3,'crustaceans':2,'probably':1,'was':1,'do':1,'we':1,'utilise':1,'that':1,'becomes':1,'males':1,'120':1,'cannot':1,'fishes':1,'such':1,'hold':1,'continued':1,'a':1,'like':3,'these':1,'of':1,'could':1,'will':1,'near':2,'were':3,'the':3},'stoppages':{'register':1},'desert':{'where':1},'worsted':{'instinctive':1,'mistake':1},'implies':{'a':2,'ability':1,'that':2,'rather':1,'certain':1,'becoming':1,'an':1,'complexity':1,'if':1},'vehicles':{'of':2},'speculations':{'.':1},'responded':{'to':1},'ascertained':{'is':1},'unhatched':{'crocodile':1,'or':1},'presenting':{'the':1},'ignoramus':{':':1},'failures':{'notably':1,'which':2,'that':1},'ready-made':{'capacities':1,'centres':1,'responses':1,'cleverness':1,'or':2},'tube':{'and':3,'a':1,'fertilises':1,'that':1,'of':1,'began':2,'258':1,'.':5,'bringing':1,'s':1,'as':1,'are':1,'which':1,'leading':1,'from':1,';':1,'with':1,'the':2,'is':1,'at':1},'discards':{'when':1},'tombs':{'that':1},'commoner':{'still':1,'sight':1},'telescope--the':{'largest':1},'served':{'as':3,'for':1,'an':1},'intricate':{'canal':1,'colony':2,'branches':1},'vicious':{'circle':1,'snaps':1},'disintegration':{'or':1,'that':1,'of':3,'.':1,'vital':1,'proceeds':1},'interlock':{'preventing':1},'compose':{'atoms':1},'peanut':{'and':1},'literary':{'archive':13},'blaze':{'of':1,'had':1,'means':1},'masculine':{'and':3,'features':1},'weather':{'conditions':1,'comes':1,'.':3},'gravel':{'and':1,'by':1,'.':1},'coal-field':{'.':1},'little-brain':{'type':5},'stupefying':{'effect':1},'random':{'.':1},'presently':{'the':2,'recognised':1,'what':1,'.':2},'listeth':{'and':1},'time-recording':{'machine':1},'putting':{'food':1,'themselves':1,'two':2},'aerolite.':{'sec':1},'intelligence--of':{'putting':1},'arrange':{'a':1,'themselves':1,'the':1},'severely':{'alone':1},'origin.':{'the':1,'we':1,'none':1,'7':1},'diverging':{'towards':2,'from':1},'shock':{'and':1,'or':1},'mottled':{'brown':1,'appearance':1},'penguins':{'come':1,'are':3},'murrayi':{'and':1},'believed.':{'sec':1},'unsatisfied':{'tendency':1},'orohippus':{'a':1,';':1},'bleeding':{'a':1},'crow':{'and':1,';':1},'other.':{'the':1,'there':1},'crop':{'of':2,'up--a':1,'up':2},'rivers':{'and':4,'from':1,'of':2,'but':1,'.':4,'to':1,'as':1,'in':2,'with':1,'or':1},'frog-mouth':{'sleeps':1},'insertion':{'of':2},'exuberant':{'radiation':1},'laws.':{'the':1},'nests':{'on':2,'or':1,'swaying':1},'pale-white':{'belt':1},'zest':{'with':1,'.':1},'giving':{'condensed':1,'animals':2,'these':1,'rise':4,'up':1,'us':1,'an':1,'birth':1,'off':2,'the':2,'out':1},'assisted':{'the':1},'fat':{'below':1,'.':1},'habituation':{'the':1},'paddle':{'of':1,'which':1},'access':{'to':10},'away--you':{'may':1},'crossed':{'by':1},'3a':{'mesohippus':1},'exercise':{'fifty-four':1},'rhodesian':{'cave-man':1,'man':4},'beasts':{'of':1,'have':1},'works--the':{'furnishings':1},'pelage':{'than':1},'outlying':{'electrons':3},'nimble':{'and':1},'river.':{'2':1},'intercept':{'some':1},'sink':{'and':1,'from':1,'away':1,'down':1,'to':3,'in':1,'beyond':1},'others':{'likewise':1,'as':2,'are':3,'have':2,'in':3,'rapidly':1,'for':1,'there':1,'.':4,'to':1,'which':1,'regard':1,'that':2,'read':1,'who':1,'such':1,'worked':1,'like':4,'thought':1,'suggests':1,'remain':1,'were':2,'at':1,'the':1,'weaves':1,'or':1,'climbers':1},'tremor':{'it':1,'.':1},'safer':{'to':1},'implicit':{'in':2},'widening':{'spread':1},'respiration':{'and':1,'than':1},'stalks':{'a':1,'which':1},'broken':{'and':2,'down':2,'off':2,'shells':1,'up':6,'.':1,'past':1,'their':1,'hill':2,'empties':1},'33':{'photo':2},'32':{'a':1,'comet':1,'600':1},'31':{'15':1,'735':1,'vast':1},'30':{'000-50':1,'1885':1,'000':2,'days':1},'37':{'photo':2},'alaska':{'and':1},'35':{'feet':1,'tons.':1,'000':1},'redbreast':{'and':1},'wasplike':{'which':1},'climb':{'on':1,'the':1,'up':1},'tubercles':{'on':1},'composed':{'of':13,'.':1},'named':{'coronium.':1,'the':1,'darwin':1,'20417.txt':1,'brown':1},'land-crab':{'birgus':1},'67.2':{'0.62':1},'sculling':{'and':1},'vulcanite':{'and':1},'decrease':{'of':1,'until':2,'in':1},'names':{'in':1},'oval':{'and':1,'than':1,'.':1},'tap':{'this':2},'lime':{'the':1,'64':1},'links':{'and':1,'to':1,'or':1},'readable':{'by':1,'form':1},'cretaceous':{'white':1,'there':1,'strata':1,'era':1,'period':2},'themselves':{'nearest':1,'into':3,'pass':1,'as':1,'are':3,'have':1,'in':6,'go':1,'if':1,'from':1,'.':5,'to':1,'adequate':1,'traceable':1,'then':1,'we':1,'very':1,'sufficient':1,'affording':1,'by':3,'whenever':1,'of':1,'up':1,'spontaneously':1,'unmistakably':1,'so':1,'energetically':1},'pre-arrangements':{'of':2,'we':1},'oily':{'water':1},'excitedly':{'.':1},'engender':{'where':1},'ancestral.':{'the':1},'myriads':{'of':1},'magnesium.':{'illustration':1},'proton':{'.':1},'train':{'travelling':1,'.':1},'indifferent':{'or':1},'batesian':{'after':1},'harvest':{'of':1,'at':1,'field':1},'elbow-room':{'for':1},'hints':{'of':1},'swooping':{'gull':1,'leaps':1,'87':1},'account':{'of':4,'has':1,'for':8},'understanding.':{'for':1},'f':{'.':7},'crickets':{'and':2},'pelicans':{'and':1},'non-radiant':{'matter':1},'closing':{'of':1,'words':2},'continuity':{'of':1},'experiential':{'learning.':1},'violence':{'.':1},'instinct--a':{'useful':1},'e.g.':{'nitrates':1},'proportions':{'on':2,'for':1},'reconstructed':{'from':2},'renewed':{'our':1},'mixture':{'of':2},'water.':{'the':2,'illustration':3,'in':1},'bones':{'and':2,'e.g':1,'of':2,'some':1,'.':1,'running':1,'slowly':1},'native':{'of':1},'daring':{'operations':1,'of':1},'democracy':{'.':1},'noises':{'does':1},'holds':{'a':1,'also':1,'its':1,'together':1,'in':1},'regions':{'of':3,'to-day.':1,'are':1,'or':1,'empty':1,'farther':1},'flood.':{'there':1,'sec':1},'lamp':{'and':1},'proceeded':{'far':1,'further':1},'called--it':{'will':1},'furnace':{'the':1,'like':1},'imprints':{'from':1},'says:':{'all':1,'they':1},'watery':{'with':1},'dull-red':{'heat':1},'gill-clefts':{'are':1,'they':1},'waters':{'and':1,'that':1,'afford':1,'of':5,'allows':1,'.':4,'under':2,'covered':2,'the':1,'beyond':1,'where':1,'quite':1},'philosophy':{'of':1},'collection':{'will':1,'of':4,'so':1,'are':1,'.':1},'mixed':{';':1,'all':1,'together':1},'them--simple':{'one-celled':1},'united':{'states':13,'states.':1},'preferred':{'to':1},'multiplication':{'of':4,'into':1,'takes':1,'covers':1},'soup-plate':{'but':1},'primers':{'beginning':1},'chasing':{'mates':1},'tethering':{'the':1},'bind':{'animals':1,'long':1},'lines':{'and':2,'it':1,'replace':1,'not':1,'as':1,'are':3,'have':1,'in':2,'birds':1,'would':1,'.':3,'to':2,'which':1,'drawn':1,'we':1,'they':1,'fishes':1,'he':1,'on':2,'of':7,'will':1,'placed':1,'became':1,'the':2},'correspond':{'to':4},'chief':{'among':1,'use':1,'kinds':1,'scientific':1,'importance':1,'executive':1,'theories':1,'four':1,'plains':2,'reason':1,'classes':2,'stocks':1},'counterbalances':{'its':1},'stony':{'meteorite':1},'subsequently':{'fed.':1,'ignored':1},'lined':{'with':2},'furnish':{'a':1,'the':2,'data':1},'motions.':{'sec':1},'africans':{'straight-haired':1},'lens.':{'a':1},'symbols':{'of':1,'help':1},'alacrity':{'towards':1,'with':1},'horns':{'but':1},'agricultural':{'pioneers':1},'bunch':{'of':4},'industries':{'of':1,'.':1},'bridges':{'the':1,'were':1,'he':1},'negotiated':{'he':1},'le':{'verrier':1,'bon':1},'lb':{'.':1},'la':{'chapelle-aux-saints':2},'labor':{'in':1},'age':{'and':4,'just':1,'it':1,'as':1,'in':5,'whereas':1,'seems':1,'.':4,'to':3,'which':1,';':2,'has':1,'was':1,'more':1,'that':1,'after':2,'amphibians':1,'by':1,'dates':1,'of':13,'could':1,'lasted':1,'without':1,'the':2},'squatting':{'figure':1},'marsh':{'and':2,'birds.':1,'.':1},'bridged':{'very':1},'diverts':{'.':1},'junction':{'of':1},'greater':{'distance':2,'distorting':1,'plasticity':1,'intelligence':1,'in':1,'antiquity--perhaps':1,'celandine':1,'resistance':1,'possibilities':1,'rate':1,'part':2,'mass':1,'compactness':1,'interest':2,'activity':1,'concentration':1,'than':7,'accuracy':1},'descendants':{'as':1,'to-day':1,'.':1},'faunas':{'of':1},'dam':{'of':1,'.':1},'gauging':{'their':1},'cock-paidle':{'probably':1,'or':1},'phagocytes':{'may':1,'which':1},'accumulates':{'a':1},'faunal':{'drift':1},'day':{'and':10,'is':3,'it':2,'comprised':1,'as':1,'are':1,'in':1,'seem':1,'from':1,'for':1,'rather':1,'when':3,'long':1,'.':7,'also':1,'therefore':1,'covered':1,';':1,'was':1,'we':2,'alighting':1,'becoming':2,'sink':1,'one':1,'by':2,'he':1,'of':1,'equal':2,'were':1,'the':2},'6.--solar':{'prominences':1},'least.':{'these':1},'radiant':{'heat':2,'matter.':1,'than':1,'element':1},'tenanted':{'and':1,'the':1,'to-day':1,'by':1},'identified':{'an':1,'by':2,'.':1},'blazing':{'star':1},'exploring':{'new':1,'the':1,'with':1,'habit':1},'slipping':{'down':2,'back':1},'harness':{'this':1,'and':1,'the':1},'integumentary':{'structures':1},'references':{'to':2},'giants.':{'thus':1},'jasper':{'did':1,'studied':1},'movement-controlling':{'organ':1},'vestigial':{'muscles':1,'structures':4,'third':1},'attendant':{'on':1,'field':1},'pivot':{'the':1,'through':2},'slumped':{'together':1},'tubular':{'sea-anemone':1,'shells':1},'suctorial':{'mouth':1,'tube-feet':1},'kids':{'and':1,'foals':1},'inch':{'and':2,'less':1,'of':3,'long':2,'.':6,'at':1,'in':7,'thick':3,'one':2,'or':1,'thick.':1},'wholly':{'of':1},'mate':{'and':1,'kith':1,'s':1,'has':1},'oriental':{'race':1},'technically':{'this':1,'called':1},'red':{'and':4,'fife':1,'spring':1,'deer':1,'yellow':1,'disc':1,'at':1,'tumultuous':1,'mouth.':1,'giant':1,'end':1,'sandstone':2,'.':3,'glowing':1,'stars':3,'orange':1,'star':3,'on':1,'prominences':1,'spot':1,'seaweeds':1,'ones':1,'blood':1,'waves':1,'fife--a':1,'card':1,'a':1,'worsted':2,'flames':3,'glory':1,'light':1,'region':1,'will':1,'calcutta':2,'the':1,'tinge':1,'or':3,'seaweed':1},'approached':{'too':1},'many-celled':{'wheel':1,'animals':1,'organism':1,'animal':1,'creature':1},'lizzie':{'had':1,'the':1,'never':1,'was':2,'s':1},'others--which':{'is':1},'discover':{'a':1,'that':2,'this':1,'differences':1,'some':3,'their':1,'how':1,'in':1,'the':2},'fourteen':{'hours':1,'days':2,'or':1},'coronium.':{'measuring':1,'we':1},'approaches':{'to':1,'the':3},'electricity--electric':{'current--the':1},'trends':{'of':1},'qui':{'vive':1},'likelihood':{'far':1,'the':2},'young--a':{'use':1},'backwards':{'and':1,'we':3,'for':1,'over':1,'when':1,'it':1},'yard':{'in':1},'mortar':{'of':2},'chicken':{'procellaria':2},'allied':{'to':4},'barriers':{'.':1,'must':1},'retain':{'a':1,'their':1},'mammal-like':{'and':1},'empire.':{'he':1},'south':{'sir':1,'poles.':1,'of':4,'africa.':1,'american':3,'pacific':1,'.':3,'pole':1,'poles':1,'in':1,'america':4},'predominate':{'over':1},'complete.':{'illustration':1},'rudely':{'dressed':1,'shaken':1},'finest':{'triumphs':1,'measurements':1,'exhibition':1,'gold':1},'braced':{'against':1},'investigated.':{'ether':1},'condensed;':{'but':1},'food-plants':{'of':1},'improvements':{'and':1,'like':1,'in':2},'sacs':{'which':1},'reached':{'a':1,'then':1,'about':1,'animals':1,'this':1,'their':1,'nearly':1,'immediately':1,'the':4,'its':1},'michelson':{'and':1},'humblest':{'living':2},'ancient':{'copper':1,'type.':1,'seas':3,'astronomer':1,'seashore':1,'human':1,'extinct':1,'times':1,'skeletons':1,'hunters':1,'crust':1,'peoples':1,'mediaeval':1,'life':1,'amphibians':1,'days.':1,'sea.':1,'than':1,'types':4,'days':2,'civilisations':2,'rocks':1,'beds':1},'sadly':{'impressed':1},'monkey':{'and':1,'has':1,'b':2,'that':1,'of':1,'there':1,'it':1,'an':1,'how':1,'s':3,'which':1,';':1,'.':2,'yet':1,'as':1},'guiana':{'82':1,'the':1},'all--the':{'atom':1},'ripples':{'measuring':1,'in':1},'hotter.':{'it':1},'nebular':{'theory.':2,'theory':2,'region':2,'theory--spiral':1,'gases':1,'hypothesis':4,'mass':1},'intermediate':{'positions':1,'layer':1,'between':1},'sky--this':{'we':1},'anatomises':{'the':1},'completed':{'a':1,'her':1},'acquire':{'kinetic':1,'the':1},'negro':{'and':1},'device--more':{'reflex':1},'environmental':{'sometimes':1},'slopes':{'down':1,'of':1},'plumage':{'like':1,'of':1,'is':1,'are':1,'makes':2,'or':1},'bodyguard':{'of':1},'furnishings':{'of':2},'kant':{'had':1},'shrapnel':{'which':1},'brusque':{'variations':2},'lizard-like':{'tail.':1,'tail':1},'depends':{'on':10,'all':1,'partly':1,'upon':4,'.':2,'to':1},'heavens.':{'of':1},'light':{'and':12,'emerging':1,'besides':1,'previously':1,'penetrates':1,'is':14,'coming':1,'reaches':1,'an':1,'visible':1,'as':1,'rings.':1,'are':4,'in':3,'consists':2,'our':1,'passes':2,'differ':2,'rays':1,'from':10,'tread':1,'would':1,'electricity':1,'travel':1,'there':1,'wave-lengths.':1,'sunlight':1,'.':14,'to':3,'returns':1,'production':1,'which':7,'according':1,'travelling':1,'has':3,'was':1,'into':1,'red':1,'more':1,'body':2,'then':1,'we':1,'283':1,'travelled':1,'that':4,'may':1,'becomes':1,'gathered':1,'emitted':1,'took':1,'but':2,'falls':2,'magnetism':1,'will':3,'falling':1,'waves':2,'i.e':1,'with':1,';':4,'upwards':1,'a':1,'on':9,'made':1,'takes':3,'of':20,'radiant':1,'depends':1,'against':1,'reduced':1,'travels':2,'without':2,'so':1,'can':1,'many':1,'the':4,'or':1,'comes':1},'lurching':{'movements':1},'flashes':{'of':1},'anthropologist':{'professor':1},'imaginative':{'range':1,'or':1,'minds':1},'involution':{'but':1},'wood-cock':{'which':1},'curves':{'of':1},'comfortable':{'far':1,'as':1},'tide':{'and':2,'the':2,'in':1,'or':1,'out':1},'corrupt':{'data':1},'comfortably':{'in':1},'astrophysical':{'observatory':3},'unlikely':{'that':2},'uganda':{'bug':1},'sporadic':{'and':1,'members':1},'throat':{'bulges':1},'curved':{'bodies.':1,'pillar':1,'on':1,'than':1,'fingers':1},'activity--that':{'of':1},'complete':{'and':1,'living':1,'proof':1,'stereoscopic':1,'reflection':1,'absorption':1,'.':2,'pace':1,'revolutions':1,'master':1,'fossil':1,'in':1,'one':1,'its':1,'change':1,'theory':2},'mic':{'.':1},'wits':{'and':1,';':1,'in':1,'when':1,'.':1},'gravity':{'pressure':1,'is':1,'.':1,'near':2,'the':1},'provokes':{'simple':1},'pectoral':{'fins':5,'muscles':1},'gliding':{'on':1,'from':2,'alligator-like':1,'one':1},'rediscovered':{'by':1},'jumna':{'doles':1},'unless':{'a':1,'we':2,'indeed':1,'there':2,'it':1,'they':1,'our':1,'the':3,'you':3},'trundles':{'about':1},'mathematician':{'leibnitz':1,'le':1,'can':2,'.':1},'mimics':{'they':1},'eight':{'large':1,'unbranched':1,'of':1,'months':1,'years':1,'feet':1,'sense-organs':1,'tons':1,'branched':1,'planets':2,'the':1},'peppered':{'moth':1},'cleverest':{'animals':1,'monkey':1},'sally':{'the':1,'some':1,'above':1},'plastic--a':{'generalised':1},'profoundest':{'of':1},'palaeolithic':{'and':1,'cave-men':2,'men':1,'culture':1,'peoples':1},'firelight':{'must':1},'inexorable':{'laws':1},'gullet':{'unbroken':1},'heartening':{'encouragement':1},'enthusiastic':{'.':1},'gather':{'to':1,'the':2,'round':1,'on':1},'request':{'of':1},'disease':{'and':1,'is':1,'after':1,'.':2},'animal--perhaps':{'the':1},'park.':{'profile':1,'side-view':1,'chimpanzee':3,'surface':1,'comparisons':1,'the':3},'artificially':{'and':1,'to':1,'it':1},'occasion':{'and':1,'on':1,'.':1,'suggested':1,'of':1},'normally':{'a':1,'concealed':1,'handed':1},'ten-armed':{'cuttlefish':2},'true.':{'if':1},'area.':{'swimmers':1,'it':1},'selection':{'of':3,'advantage':1},'kith':{'and':1},'text':{'to':1,'emits':1,'.':2},'supported':{'on':1,'in':1,'like':1,'by':1},'braking':{'action':1},'pinhead':{'brain':1},'continually':{'added':1,'being':2,'recuperate':1,'worn':1,'tends':1,'changing':1,'passing':1,'travelling':3},'thicker':{'fur':1},'staff':{'shows':1},'wear':{'and':1,'any':2},'knowledge':{'and':1,'be':1,'means':2,'respecting':1,'advances':1,'is':1,'there':1,'had':1,'it':1,'but':1,'.':2,'may':1,'that':2,'were':1,'extends':1,'of':13,'the':1,'has':1,'as':1,'more':1},'sparks':{'which':1},'scorpion':{'we':1},'luminescent':{'and':1,'animals':1},'body-making.':{'in':1},'insectivores':{'not':1,'and':1,'including':1},'fatiguing':{'exertions':1},'emitting':{'light':1,'rays':1},'wild.':{'two':1},'hand.':{'attempts':1,'cross-fertilisation':1,'half':1},'inferior':{'either':1},'equilibrium':{'positions':1,'has':1,'results':1,'otherwise':1},'photographs':{'we':1,'show':2,'of':1,'.':1,'fig':1,'taken':2,'by':1,'figs':1},'coin--smaller':{'than':1},'exceptional':{'and':1,'spring':1,'auroral':1,'in':1,'cases':2,'conditions':1},'beat':{'a':1,'things':1,'it':1},'photography':{'and':1},'bear':{'and':2,'on':1,'of':2,'straight':1,'illustration':1,'to':1,'numerous':1,'in':3,'the':1,'was':1},'perfection':{';':1,'is':1,'in':1,'by':1,'.':1},'swiftest':{'flywheel':1},'stigma':{'the':1},'striped':{'tiger':1,'muscles':1,'muscle':1},'halo':{'surrounding':1,'there':1,'such':1},'areas':{'and':1,'differ':1,'land':1,'corresponding':1,'was':1,'of':1,'.':1,'to':1,'at':1,'known':1,'where':1,'or':1},'crabs':{'and':1,'are':1,'that':1},'egg-laying':{'is':1,'.':1},'caves':{'unsunned':1,'in':1},'organ':{'of':3,'is':1,'called':1,'for':1,'.':1},'pglaf.org':{'fundraising':1,'for':1,'section':1,'.':1,'while':1,'donate':1},'fixes':{'a':1,'to':1,'sea-anemones':1},'shore-animals':{';':1,'e.g':1,'which':1,'have':1,'.':1},'eyebrow':{'ridges.':1,'ridges':6},'saturates':{'through':1},'excesses':{'of':1},'light--is':{'the':1},'gibson':{'gives':1},'cave-hyaena':{'mammoth':1},'farthest':{'out':1},'exists':{'because':1,'there':1,'only':1,'as':1,'in':2,'the':1},'universe--the':{'evolution':1,'solar':2},'national':{'physical':2},'flapped':{'very':1},'inextricably':{'interwoven':1},'carnivores':{'and':1},'intensity':{'of':4},'cenozoic':{'making':1,'began':1,'era':1,'or':1,'eras':1},'enhanced':{'by':2},'greece':{'and':2},'ruse':{'succeeded':1},'36.0':{'0.24':1},'shallows':{'.':1},'phases':{'of':1},'pedigree':{'of':1,'the':2,'.':2,'is':1,'must':1},'apparently':{'clever':1,'red-hot':1,'unconscious':1,'simple':1,'inexhaustible':1,'instantaneous':1,'in':1,'served':1,'you':1,'sluggish':1,'inevitable':1},'nebula':{'and':1,'what':1,'round':1,'march':2,'although':1,'of':1,'57':1,'we':1,'but':1,'.':2,'seen':2,'to':7,'need':1,'which':1,'in':8,'it':1,'revolving':1,'has':2,'laplace':1,'is':4},'difficulties':{'and':5,'may':1,'of':5,'is':1,'in':1,'when':1,'.':1,'are':3,'have':1,'were':1,'the':1},'routine':{'and':1,'cannot':1,'is':3,'.':1,'became':1,'so':2,'activity':1,'instinctive':1,'has':1,'metabolism':1},'progress':{'we':1,'towards':2,'unless':1,'demands.':1,'many':1,'is':1,'of':4,'.':5,'depends':1,'have':1,'in':3,';':1,'has':1,'was':1},'boundary':{'line':1,'lines':1},'janes':{'leonard':2},'various':{'distances':1,'methods':2,'elements.':1,'conditions.':1,'proportions':1,'intervals':1,'human':1,'subtle':1,'racial':1,'classes':1,'physical':1,'layers':1,'forms':5,'concrete':1,'ways':1,'interesting':1,'flying':1,'ways.':1,'colours':2,'parts':1,'electrical':1,'open-sea':1,'kinds':4,'bolts':1,'mammals':1,'atoms':1,'races':1,'fishes':1,'shore-haunts.':1,'stocks':1,'articles':1,'processes':1,'places':1,'departments':1,'theories':1,'lengths':2,'experiments':1,'formats':1,'stages':1,'other':1},'reproduced':{'in':3,'from':7,'below.':1,'by':18},'cauliflower':{'sticking':1,'and':1},'superior':{'to':1},'emitted':{'by':3},'deliver':{'insects':1},'willing':{'to':2,'is':1},'nightfall':{'hippolyte':1},'exist.':{'there':1,'some':1},'guiding':{'his':2},'sharply':{'away':1},'asunder':{'the':1},'freely':{'and':1,'available':1,'sharing':1,'distributed':1,'as':1,'suspended.':1,'shared':1,'round':1},'taking':{'a':1,'longer':1,'advantage':2,'it':1,'running':1,'place':2,'5':1,'the':2,'care':1},'equal':{'weight':1,'pieces':1,'to':7,'length':1,'perfection':1,'.':1},'attributed':{'this':1,'to':1},'pulp':{'.':1},'flesh-eating':{'and':1},'sexes':{'and':1,'wander':1},'wringing':{'the':1},'swim':{'much':1,'at':1,'against':1,'for':1},'conquered':{'and':1,'the':3,'one':1},'swallow':{'a':1},'temporal':{'or':1},'glorious':{'failures':1,'display':1},'otherwise':{'would':1,'there':1,'when':1,'quite':1,'the':3,'called':1},'basins':{':':1,'.':1},'acorn-shell':{'and':1},'heritable':{'novelties':1},'deflected':{'as':2},'unearthed':{'.':1},'pouring':{'floods':1,'out':2},'marett':{'r':1},'tremendous':{'energy':3,'movements':1,'question':1,'but':1,'movement':1},'everything--so':{'there':1},'muddy':{'feet':1,'precipitate':1},'copies':{'of':7},'armadillos':{'.':1},'migrate':{'about':1},'dogfish':{'have':1},'natans':{'stands':1},'curtain':{'of':1,'floating':1},'copied':{'and':1,'or':1},'sluggish.':{'animals':1},'home.':{'long':1},'herbage':{'fastening':1,'and':1,'by':1,'.':1},'composed.':{'the':1},'antlers':{'in':1},'arises':{'what':1,'from':1},'sex--emotions':{'of':1},'looked.':{'using':1},'essentially':{'a':1,'of':2,'the':1,'wrapped':1,'is--should':1},'assert':{'themselves':1},'finished':{'and':1},'angles':{'to':4,'which':1},'angler':{'of':1,'s':2},'fellow':{'short':1,'from':1},'food-canal':{'and':3,'a':1,'the':1,'muscular':1,'.':2},'arisen':{'as':1,'in':1,'from':1,'by':1,'.':1},'volunteer':{'support.':1},'homes':{'of':1,'from':1},'economised':{'reproduction':2},'splits':{'up':1},'article.':{'bibliography':1},'appearance':{'and':1,'we':1,'very':1,'of':5,'.':2,'habits':2,'cloaked':1,'which':1,'in':1},'value':{'.':1,'or':1,'in':1},'promotes':{'both':1},'dendrites':{'of':1},'amenity':{'.':1},'file':{'or':1,'should':1},'chaotic':{'molecular':1},'squid':{'in':2},'weighed':{'but':1},'arrangements':{'of':2,'for':1},'arabia':{'ceylon':1},'partner':{'s':1,'sea-anemones':2,'.':1},'tumbled':{'into':1},'watchful':{'mother':1},'physiologists':{'like':1},'locomotion;':{'new':1},'mid-europe':{'red':1},'jurassic.':{'for':1},'prognostications':{'as':1},'well-grown':{'fishes':1},'felted':{'together':1},'aquitania':{'is':1},'locomotion.':{'illustration':1},'twelfth':{'printing':1},'neolithic':{'age':1,'days':1,'community':1,'.':1,'culture':1,'men.':1,'times':1,'man':6},'material':{'and':2,'in':1,'which':4,'e.g':2,'things':2,'is':1,'of':2,'particles.':1,'particles':1,'studying':1,'aspect':1,'universe':5,'such':1,'throughout':2,'than':1,'resources':2},'soddy--as':{'any':1},'cubic':{'inch':2,'inches':2,'centimetre':2},'absent;':{'stars':1},'water-filled':{'quarry':1},'binoculars':{'is':1},'discredited':{'atomism.':1},'26.--a':{'spiral':1},'judgment':{'on':1},'buttonholes':{'at':1},'nevertheless':{'these':1,'all':1,'been':1,'master.':1},'pompilius':{'common':1},'weapon':{'on':1},'capella':{'49.4':1},'treacly':{'fluids':1},'thought':{'and':2,'even':1,'that':3,'of':2,'is':1,'it':1,'.':1,'to':1,'was':1,'they':1,'hydrogen':1},'exceedingly':{'small':2},'sets':{'of':3,'off':1,'up':1,'in':1},'comparisons':{'of':2},'wreckage':{'of':1},'arising':{'afresh':1},'latest':{'and':1,'measurements':1},'appropriately.':{'birds':1},'barking':{'down':1},'humdrum':{'non-plastic':1,'race':1},'executive':{'and':1},'domestic':{'pigeons':1,'rabbits':1,'dog':1},'harpy-eagle':{'216':1,'clean':1},'bivalves':{'and':1},'stored':{'may':1,'away':1,'up':2,'for':1},'books':{'may':1,'recommended':1,'now':1,'are':1,'.':1},'protecting':{'blanket':1,'them':1},'swimming-bells':{'and':1},'wrens--to':{'try':1},'one-toed':{'horse':1},'work.':{'1.e.4':1,'the':2,'there':1,'-':1,'first':1},'absorption':{'of':2,'was':1},'onward':{'.':1},'lake':{'and':1,'pond':1,'of':1,'constance':1,'city':1},'mathematically':{'satisfactory':1},'add':{'just':1},'work;':{'the':1},'slits':{'the':1},'spirals':{'present':1,'in':1},'warns':{'us':1},'280':{'wave':1,'in':1},'283':{'photo':1,'niagara':1},'282':{'the':2},'287':{'photo':2},'incarnations':{'and':1,'one':1},'resolved':{'into':1,'the':1,'in':1},'worlds':{'and':1,'in':3,'sec':1,'.':1},'hermonis':{'and':1},'refinements':{'are':1},'mutations':{'and':1,'then':1,'whatever':1},'royalty':{'fee':1,'payments':2},'98.8':{'arcturus':1},'elapses':{'between':1},'implements--knives':{'scrapers':1},'jupiter.':{'the':1},'audibly':{'when':1},'capacities':{'of':4,'work':1,'but':3,'are':1,'usually':1,';':1},'like':{'plaice':2,'deliberateness':1,'toads':1,'london':1,'fungas':1,'birds':1,'shuffling':1,'to':2,'insectivores':1,'very':1,'duckmole':1,'sandstones':1,'one':1,'minute':1,'patrick':1,'globe-fishes':1,'shapes':1,'sloths':1,'amoebae':1,'rats':2,'partridges':1,'sugars':1,'some':3,'sea-squirts':1,'jupiter':1,'our':5,'bark':1,'ourselves':1,'poisonous':1,'its':2,'asking':1,'trout':1,'volvox':1,'opening':1,'of':1,'carnivorous':1,'great':1,'flames':1,'many':1,'otters':1,'ants':1,'skunks':1,'chlorophyll':1,'house-flies':1,'mercury':1,'whales':1,'.':3,'white':1,'genesis':1,'pallas':1,'that':6,'centipedes':1,'coughing':1,'fountains':1,'glass':1,'those':1,'he':1,'this':2,'starts':1,'sea-anemones':1,'matter':4,'fallow':1,'silly':1,'were':1,'and':2,'rooks':1,'certain':1,'is':1,'it':2,'an':8,'as':1,'which':2,'skates':1,'but':1,'waves':1,'fishes':1,'ours.':1,'a':44,'wisps':1,'professor':2,'dog':1,'kipling':1,'so':1,'raindrops':1,'the':56,'brer':1},'success':{'and':1,'of':1,'is':1,'to':1,'as':1,'in':1,'has':1},'spiral.':{'thus':1,'but':1},'porous':{'like':1},'admitted':{'of':1,'that':5},'ozone':{';':1},'radio-active--then':{'we':1},'chick':{'does':1,'out':1},'works':{'and':1,'in':7,'its':1,'if':1,'even':1,'provided':1,'based':2,'harmless':1,'.':2,'to':1,'only':1,';':1,'unless':1,'that':2,'1.a':1,'from':1,'with':1,'by':2,'posted':1,'on':1,'possessed':1,'reports':1,'so':1,'mr':1,'calculated':1},'soft':{'food':1,'soil':1,'muddy':1,'tail':2,'.':1,'to':1,'enough':1,'parts':2,'moss':1,'browns':1,'silvery-looking':1,'abdomen--for':1},'heel':{'a':1,'of':2,'than':1},'italian':{'scientist':1},'accessible':{'by':1},'simple.':{'the':1},'propel':{'our':1},'alive':{'.':1,'at':1,'are':1},'hair':{'and':1,'is':1,'woolly-haired':1,'in':1,'the':1,';':1},'convey':{'an':1},'convex':{'curves':1},'proper':{'answer':1,'proportions':2,'number':1,'way':1,'time':1},'happens':{'for':1,'that':2,'certain':1,'is':1,'.':2,'in':1},'0.24':{'3030':1},'students':{'of':1},'masked':{'their':1,'by':2},'economical':{'reduction':1},'assuming':{'reasonably':1},'results.':{'fog':1,'but':1},'mind-body':{'at':1},'snuggle':{'under':1},'overcharged':{'with':1},'manifesting':{'itself':1},'noise':{'of':1,'.':1},'slight':{'changes':1,'as':1,'improvements':1,'keel':1,'fluttering':1,'clouding':1},'ever-lengthening':{'tail':1},'combative':{'creature':1},'stellar':{'universe.':1,'universe--the':1,'spectra':1,'system':1,'universe':5,'universes':1,'astronomy':1},'crossing':{'the':1},'host':{'of':1,'is':2,'s':1,'for':1,'.':1},'although':{'we':5,'modern':1,'thirsty':1,'all':1,'there':2,'great':1,'it':1,'at':1,'they':1,'mr':1,'small':2,'our':1,'the':8},'worthy':{'of':1},'periodically':{';':1,'bursts':1,'in':1,'pass':1},'christened':{'coronium.':1,'them':1,'electrons':1},'about':{'among':2,'seven':2,'because':1,'twenty-one':1,'ten':1,'on':3,'the':47,'energy':1,'within':1,'all':1,'10':1,'two':6,'60':1,'as':1,'two-thousandths':1,'sec':1,'35':1,'in':3,'our':2,'shooting':1,'its':1,'sun-spots':2,'six':3,'for':1,'eleven':1,'ways':1,'twenty':2,'there':1,'forty':1,'40':1,'.':2,'1':3,'their':1,'3':1,'5':3,'4':1,'which':3,'9':3,'electrons':1,'more':1,'twenty-five':1,'thirty-two':1,'500':1,'equilibrium':1,'life':2,'2-1':1,'an':2,'to':1,'580':1,'that':3,'very':1,'constantly':1,'after':1,'eighty':1,'new':1,'it':1,'them':1,'two-thirds':1,'variable':1,'100':1,'one':5,'with':3,'by':4,'elevations':1,'a':15,'four':2,'12':1,'48':1,'thirty':1,'twice':1,'we':2,'1842':1,'56':1,'half':2,'us':1,'project':2,'these':2,'donations':2,'three':5,'fundamental':1,'things':1,'nine':1,'800':1,'fifty':3},'quills':{'.':1},'branch-gripping':{'member':1,'.':1},'electron--the':{'electron':1},'certainty':{'and':1,'as':1,'has':1},'introduces':{'into':1},'preen':{'gland':1},'avoided.':{'when':1},'rock-record':{'which':1},'introduced':{'perhaps':1,'into':1,'by':1},'fitnesses':{'have':1},'ways':{'and':2,'we':1,'that':1,'of':10,'.':4,'as':1,'including':1,'in':7},'marshes':{'and':1,'fed':1,'resounded':1,'were':1},'dubois':{'in':1},'sense-organs':{'the':1,'round':1},'rhythmical':{'rise':1},'billions':{'of':3},'chemists':{'and':1,'said':1,'of':1,'who':1,'should':1,'physicists':1,'.':1},'guard':{'over':2,'is':1,'against':1},'female':{'or':1,'with':1,'where':1,'is':1,'only':1,'covers':1,'.':1,'s':1,'paper':1,'figures':1,'makes':1,'in':1,'carries':1,'stickleback':2,'yucca':1,'side':1,'at':1},'quickly':{'from':1,'that':1,'contracting':2,'as':1,'recognised':1,'moving':1,'in':1,'coiled':1,'than':2},'kallima':{'inachis':2,'conspicuously':1},'cross-fertilisation':{'of':1,'is':2},'minute.':{'in':1},'punics':{'and':1},'sticklebacks':{'are':1,'learned':1,'were':1,'live':1,'in':1},'ridge':{'for':1},'mazy':{'passages':1},'elastic':{'solid':1,'wings':1},'rushed':{'into':1},'outline':{'we':1,'like':1,'of':17,'is':2,'it':1,'will':1,'where':1,'its':1},'condense':{'it':1,'round':1},'rushes':{'on':1,'through':1,'round':1},'bees':{'and':4,'may':1,'richly':1,'which':1,';':1,'by':1},'development':{'and':1,'has':1,'often':1,'for':1,'of':18,'leaves':1,'should':1,'certain':2,'which':1,'in':1,'.':4,'is':2,'man':1},'biggest':{'gulf':1,'fact':1},'maze':{'and':1,'a':1,'in':1,'by':1,'.':1},'duffus.':{'cuckoo-spit':1,'chimpanzee':1},'woodpecker':{'inserted':1,'hammering':2},'mcgregor':{'from':2},'but':{'all':3,'particularly':1,'among':1,'able':1,'move':1,'worms':1,'bright':1,'its':4,'before':1,'also':1,'electricity':1,'agile':1,'enough':1,'evidences':1,'to':5,'only':3,'has':1,'giants':1,'eventually':2,'very':1,'sooner':1,'quickness':1,'they':19,'new':1,'not':5,'during':1,'now':2,'necessary':1,'like':1,'profound':1,'light-waves':1,'these':9,'she':2,'each':1,'because':1,'farthest':1,'some':4,'imply':1,'are':2,'our':2,'best':1,'even':4,'what':7,'for':2,'since':2,'remain':3,'birds':1,'behind':1,'difficulties':1,'between':1,'probably':1,'millions':1,'movement':1,'we':23,'eminently':1,'nature':1,'little':1,'here':2,'although':3,'others':1,'along':1,'contraction':1,'on':2,'about':1,'many':3,'omit':1,'usually':1,'adapted':1,'naturalists':1,'copper':1,'contains':1,'besides':1,'one':4,'learning':1,'your':1,'often':3,'startling':1,'given':1,'air-sacs':1,'would':1,'few':1,'positive':1,'devouring':1,'there':46,'three':1,'their':3,'was':3,'more':1,'survives':1,'lived':1,'that':4,'blindly':1,'careful':1,'with':1,'those':1,'he':6,'plants':1,'none':2,'whether':1,'science':2,'this':11,'will':2,'while':3,'of':2,'constant':1,'remained':1,'is':1,'it':74,'an':2,'as':7,'at':2,'in':16,'if':11,'different':1,'no':4,'perhaps':5,'when':10,'astronomers':1,'how':3,'another':1,'other':1,'which':2,'you':1,'relatively':1,'inconceivably':1,'ultimately':1,'most':2,'why':2,'man':5,'a':10,'expert':1,'slightly':1,'splendid':1,'enter':1,'the':90},'reminds':{'us':1},'repeated':{'trials':1,'over':1,'until':1,'but':1,'many':1},'billion.':{'illustration':1},'plague':{'of':1},'bug':{'closely':1,'actually':1},'versatile':{'life':1},'partially':{'eclipsed.':1,'reappeared':1,'collided':1,'landlocked':1,'dried-up':1},'constitute':{'light':1,'as':1,'heat':1,'matter':1},'wise':{'and':1,'saying':1,'enough':1},'glory':{'and':1,'that':1},'wish':{'to':1,'however':1,'they':1},'j':{'.':98},'variations':{'and':2,'often':1,'that':1,'are':4,'which':1,'in':3,'or':3},'lynx':{'and':1,'the':2},'minutes':{'and':1,'saving':1,'for':1,'hard':1,'.':5,'holding':1,'in':1,'the':1,';':1,'before':1},'squat':{';':1,'motionless':2},'supreme':{'synthesis':1},'rabbits':{'and':2,';':1,'.':1},'pin':{'s':2},'swimmers--for':{'there':1},'transfused':{'into':2},'reptiles.':{'triassic':1,'carboniferous':1,'permian':1,'illustration':1,'in':1},'well-defined':{'and':1,'hereditary':1},'periods':{'of':4,'but':1,'to':1,'in':1,'the':1,'if':1},'141.5':{'1.88':1},'our':{'planetary':1,'atmosphere':5,'boyhood':1,'flesh':1,'rooms':1,'human':1,'skin':1,'earth':6,'admiration.':1,'web':1,'knowledge':11,'conclusions':1,'energies':1,'dipper':1,'consideration':1,'views':3,'very':1,'oceans':1,'photograph':1,'dark':1,'coal-measures':1,'hands':1,'foot':1,'coal-fields':1,'problems.':1,'solid':1,'race':2,'common':2,'small':1,'telegraphic':1,'bone':1,'methods':1,'colossal':1,'legacy':1,'blues':2,'sun':8,'artificial':1,'moon':2,'finger':3,'new':1,'email':1,'universe.':2,'belief':1,'power':1,'attention':1,'craters':1,'stellar':2,'heads':1,'estimate':1,'cities':1,'hours':1,'great':2,'central':1,'water-oceans.':1,'universe':7,'days':2,'forbears':1,'physiological':1,'survey':1,'steadily':1,'successors':1,'whole':1,'first':2,'own':15,'point':1,'instruments':2,'primary':1,'system':6,'feet':1,'elder':1,'cultivated':1,'total':1,'kind':1,'mental':1,'little':1,'eye':1,'flying':1,'charts':1,'wonderful':2,'way':1,'time':1,'scope':1,'sort':1,'eyes':4,'shell':1,'gas':1,'appreciation':1,'solar':9,'present':1,'apprehension':1,'admiration':1,'comprehension.':1,'imagination.':1,'universe--astronomical':1,'future':1,'exploration':1,'life.':1,'problem':1,'average':1,'mud-fishes':1,'frogs':3,'modern':3,'mind':2,'metals':1,'general':1,'sudden':1,'experience':2,'orchards':1,'domesticated':1,'terrestrial':1,'ancestors':1,'winter':1,'conclusions.':1,'ideas':1,'food':1,'conceptions':1,'largest':1,'ordinary':2,'civilisation':1,'bells':1,'investigations':1,'senses':4,'milky':1,'hand':1,'shores':1,'most':2,'purpose':1,'predecessors':1,'age':1,'coal':1,'chief':1,'greatest':1,'trains':2},'paraguay':{'and':1},'mysteriously':{'regular':1,'from':2},'pit':{'the':1,'whence':1},'proceeds':{'to':1,'what':1,'the':1},'48':{'the':1,'ounces':1},'49':{'photo':1,'by':1},'corporation':{'organized':1},'44':{'photo':1},'fore-arm':{';':2,'.':1},'fruit-laden':{'branch':1},'detail':{'to':1,'so':1,'which':1,'such':1},'40':{'photo':1,'are':1,'tons.':1},'41':{'photo':1},'sandy':{'shores':1,'loess':1,'places':1},'tree-tops':{'express':1},'out':{'and':6,'among':1,'is':1,'into':1,'some':1,'as':4,'at':4,'in':12,'sounds':1,'still':1,'apparently':1,'its':5,'saline':1,'light-waves':1,'from':9,'for':3,'their':1,'1890':1,'there':1,'had':1,'three':1,'.':5,'to':4,'those':1,';':2,'pre-eminent':1,'until':1,'more':1,'we':1,'his':1,'that':6,'very':1,'measures':1,'about':1,'fat':1,'how':2,'heat':1,'waves':1,'during':1,'profitless':1,'with':2,'by':3,'vast':1,'he':1,'a':9,'on':2,'great':1,'like':1,'these':1,'of':54,'according':1,'whether':1,'streams':1,'the':9,'are':2},'quintillion':{'atoms':1},'conveys':{'that':1},'period.':{'illustration':1},'functionless':{'letters':1},'dilatable':{'sac':1},'variation':{'being':1,'of':2,';':1,'in':1},'enlargement':{'of':3},'d-e.':{'an':1},'death.':{'this':1},'astronomy':{'and':1,'be':1,'that':1,'this':1,'of':1,'.':9,'deals':1,'to':1,'as':1,'at':1,'which':1,'the':1,'has':1,'by':1,'are':1},'keane':{'a':1},'race--many':{'animal':1},'pupil':{'the':1},'4a':{'hypohippus':1},'limited':{'warranty':1,'right':2,'.':1,'to':3,'as':1,'extent':1,'than':1,'areas':2},'gossamer':{'forms':1,'the':1,'202':1,'spiders':2,'.':1},'oxygenation':{'and':1},'holman':{'matter':1},'comparatively':{'dry':1,'little':1,'everlasting':1,'shallow':1,'large':1,'few':1,'narrow':1,'recent':2},'dynasty':{'and':1},'neoceratodus':{'has':1,'by':1},'sleep':{'and':1,'the':1},'admiration.':{'sec':1},'poorly':{'developed':2},'belonged.':{'when':1},'flash.':{'it':1},'feeding':{'growing':1,'on':2,'purposes':1,'chiefly':1},'patches':{'of':1,'in':1,'on':1},'paris':{'also':1,'as':1},'34.':{'illustration':1},'ceylon':{'and':1,'the':1},'charles':{'darwin':4,'r':1,'e':1,'descent':1},'thinnest':{'vapours':1,'part':1,'parts':1,'.':1},'340':{'000':1},'whatsoever':{'we':1,'.':2},'caused':{'a':1,'though':1,'this':1,'when':1,'to':1,'in':2,'by':1},'elapsed':{'before':1},'comet--the':{'stellar':1},'risk':{'of':6},'arboreal':{'and':1,'life':5,'apprenticeship--an':1,'mammals':1,'evolution':1,'.':2,'insectivores':1,'habits':2,'apprenticeship--tentative':1,'mother':1,'apprenticeship':8,'marsupials':1},'dispense':{'energy':1,'with':2,'largely':1},'brackish':{'water':1,'swamp':1},'rise':{'and':1,'great':1,'enormously':1,'very':1,'of':8,'into':1,'.':2,'to':17,'in':1},'lurk':{'among':1},'hermon':{'there':1,'grass':1,'.':1},'every':{'ten':1,'laboratory':2,'house':1,'haunt':1,'one':1,'second':1,'human':1,'year':3,'corner':1,'element':2,'species':1,'physical':1,'now':2,'many-celled':3,'atom.':1,'addition':1,'question':1,'two':1,'port':1,'chemical':1,'few':1,'gramme':1,'other':2,'animal':3,'empty':1,'niche':3,'amateur':1,'form':1,'class':1,'gas':1,'possible':1,'killing':1,'protection':1,'atom':1,'vigorous':1,'hole':2,'twenty-thousandth':1,'opportunity':1,'day':4,'man':1,'kind':1,'substance':3,'instant':1,'third':2,'hour':1,'particle':3,'arc-lamp':1,'glowing':1,'introduction':1,'part':1,'bone':1,'time':1,'star':1,'side':4,'clap':1,'twenty-four':2},'gratification':{'of':1},'east.':{'illustration':1},'slipperiness':{'.':1},'monkeys':{'and':5,'is':1,'it':2,'sec':1,'at':1,'have':2,'securing':1,'.':3,'may':1,'other':1,'which':1,';':1,'semnopithecus':1,'learn':1,'but':1,'such':1,'than':1,'on':1,'leaving':1,'were':1,'very':1,'the':2,'where':1,'or':1,'are':2},'encounter':{'the':1},'discovers':{'the':1,'when':1},'school':{'in':1},'parrot':{'of':1,'s':2,'belongs':1,'which':1,'s-beak':1,'stringops':1},'conceive':{'of':2,'the':1,'then':1},'loess':{'of':1,'either':1,'sandy':1},'apprehension':{'so':1,'.':1},'hickson':{'s':1,'puts':1},'relics':{'of':3,'vestigial':1,'.':1},'venus':{'and':1,'flower':3,'67.2':1,'is':1,'s':1,'fly-trap':2,'earth':1,'the':3,'are':1},'humps':{'daily':1,'were':1},'degeneracy':{'in':1},'enjoy':{'pulling':1,'.':2},'veritable':{'museum':2,'physical':1},'zinc':{'and':8,'is':2,'sulphite':1,'which':1,'pass':1,'has':1},'faintest':{'stars':1},'infancy':{'is':1,'would':1},'estimates':{'which':1},'direct':{'and':2,'a':1,'knowledge':1,'descendants':1,'there':1,'competition':1,'passage':1,'to':1,'appropriate':1,'four-footed':1,'statement':1,'indirect':1,'traces':1,'or':1},'nail':{'and':1,'on':1,'as':1,'pulled':1},'yerkes':{'experimented':1,'observatory':1,'studied':1,'40-inch':4,'changed':1,'observatory.':9,'has':1,'refractor':2},'electricians':{'have':1},'street':{'a':1,'or':1},'infiltration':{'of':1},'estimated':{'to':2,'the':3,'fig':1,'that':2},'expressive':{'of':1},'shining':{'disc':1,'through':1},'blue':{'and':2,'box':1,'butterfly':1,'chequer':1,'fit':1,'in':1,'sky':6,'.':1,'hot':1,'disc':1,'green':1,'waves':1,'indigo':1,'the':1,':':1,'or':1,'reptiles':1},'change.':{'a':1,'sec':1},'hide':{'their':2},'pariasaurus':{':':2},'organisms':{'and':1,'to-day':1,'which':4,'of':1,'upon':1,'it':1,'.':1,'are':1,'have':2,'i.e':1,'found':1,'seem':1,'has':1},'solemn':{'occasion':1,'slowness':1},'beaten':{'into':2,'grain':1,'out':1},'revolves':{'round':2},'museum.':{'a':1,'meteorite':1,'carrier':2,'homing':1,'yellow-crowned':1},'liberty':{'.':1},'children':{'and':1,'who':1,'should':1},'characters.':{'in':1},'zoologists':{'with':1},'change;':{'variability--evolution':1},'conduct':{'man':1,'.':1,'in':1,'but':1,'demands':1},'ebbs':{'and':1},'supplies':{'of':1,'the':1,'.':1},'revolved':{'will':1,'on':1,'round':1},'reacts':{'cannot':1},'electricities':{'in':1},'unexhausted':{'possibilities':1},'hundreds':{'and':1,'of':15,'but':1},'seven-weeks-old':{'human':1},'resounded':{'to':1},'represented':{'as':2,'by':9,'for':1,'in':4},'path':{'followed':2,'of':6,'when':1,'marked':1,'round':2,'closely':1,'from':1,'the':1,'by':1,'if':1},'shortness':{'of':2},'through.':{'light':1},'digits':{'of':1,'on':1},'wood-snail':{'in':1},'earth--a':{'transition':1},'distinctness':{'.':1},'ventures':{'were':1},'tons.':{'the':2,'illustration':2},'leaves':{'and':3,'a':1,'or':1,'fanwise':1,'us':1,'one':1,'which':1,'the':1,'.':2,';':2},'settles':{'down':3},'mantis':{'on':1,'religiosa':2,'mantis':2},'mistake':{'to':2,'for':2,'but':1},'settled':{'down':2,'the':1,'within':1},'svante':{'worlds':1},'substances.':{'in':1},'stray':{'present-day':1,'erratic':1},'straw':{'looked':1,'as':1,'so':1},'plants--paint':{'the':1},'equipment.':{'1.f.2':1},'feelings':{'and':2,'such':1,'it':1,'in':1},'patience':{'and':2,'of':1,'were':1},'miles--eighteen':{'times':1},'anyhow':{'as':1},'greatness.':{'it':1},'ape-man--an':{'early':2},'scaffolding':{'but':1},'would':{'help':1,'do':2,'cover':1,'thus':1,'it':1,'one':1,'say':2,'cease':2,'have':15,'in':1,'go':1,'seem':4,'provoke':1,'yet':1,'witness':1,'doubtless':1,'certainly':1,'still':2,'appear':3,'lead':1,'also':1,'estimate':1,'disintegrate':1,'make':2,'unduly':1,'favour':1,'tend':3,'increase':1,'consistently':1,'only':1,'shiver':1,'take':12,'fade':1,'recover':1,'probably':1,'include':1,'cause':1,'shrink':2,'therefore':1,'then':2,'begin':2,'survive':1,'that':1,'mean--matter':1,'burn':1,'confer':1,'obtain':1,'evolve':1,'a':1,'fall':1,'not':9,'penetrate':1,'be':45,'tick':1,'fly':2,'on':1,'frequently':1,'give':3,'like':2,'tear':1,'require':2,'no':1,'account':1,'yield':1,'explode':1,'suppose':1,'contain':1,'become':1,'inevitably':1,'instantly':1,'mean':3},'palings':{'and':1},'distributing':{'a':1,'medium':1,'this':1,'performing':1,'or':1,'project':2,'any':1},'smelted':{'together':1},'romanes':{'used':2},'preserved':{'namely':1,'except':1},'musk':{'will':1,'in':1},'ages--for':{'britain':1},'beauty':{'became':1},'ll.d':{'.':2},'correspondingly':{'longer':1},'arms':{'and':3,'emerging':1,'into':1,'bear':1,'.':1,'which':1,'not':1,'or':1},'excellent':{'milling':1},'20417':{'produced':1,'language':1},'outdated':{'equipment':1},'off.':{'peculiarities':1},'me':{'alone':1,'tangere':1,'a':1,'that':2},'mc':{'the':1},'piltdown':{'man':6,'skull':5,'.':1},'parachuting--a':{'persistence':1},'henry':{'huxley':2},'appendage':{'which':1},'ernest':{'h':2,'rutherford':6},'my':{'own':1},'latitudes':{'appear':1},'clock-work':{'started':1,'so':1},'mud-fishes':{'do':1,';':1,'of':1,'are':1,'or':1},'decorative':{'plume':1},'ingenuity':{'patience':1,'has':1},'powerfulness':{'of':1},'orion':{'the':1,'40':1},'keep':{'them':1,'up':2,'two':1,'their':1,'time':1,'the':3,'themselves':1,'ebooks':1},'attract':{'them':1,'any':1},'returned':{'to':2,'.':1},'ones':{'and':1,'on':2,'about':1,'made':1,'develop':1,'is':2,'pass':1,'make':1,'.':2,'below':1,'are':5,'hatching':2,'in':1,'go':1,'such':1,'come':1,'creeping':1,'first':1},'progression--always':{'a':1},'end':{'all':1,'which':1,'being':1,'of':32,'were':1,'it':1,'against':1,'.':3,'to':2,'they':1,'in':1,'fishes':1,'the':1},'telephonic':{'communications':1},'returning':{'half':1},'intruders':{'with':1,'.':1},'damages.':{'if':1},'particulars':{';':1},'buns':{'without':1,'some':1,'ashore':1},'writers':{'have':1},'modernising':{'of':1},'widespread':{'and':2},'ancestor':{'of':2,'from':1},'badly':{'stung':1,'when':1,'agee':1},'poker':{'again':1,'into':1,'loses':1,'is':2,'in':1},'both.':{'monkeys':1},'scion':{'of':1},'mouths':{'of':2,'on':1},'erected':{'on':1},'invisible--just':{'as':1},'albumin':{'casein':1},'delicacy':{'in':1},'confirmed':{'as':1,'by':1},'lump':{'of':1},'jumping':{'out':2},'poked':{'it':1},'system--with':{'all':2},'leplay':{'school.':1},'amid':{'the':1,'green':1},'spout':{'.':1,'in':1},'hypotheses':{'and':1,'which':1},'perform':{'all':1,'distribute':1},'complexity':{'and':2,'of':3,'possible':1,'or':1},'upside':{'down':1},'eurypterids':{'or':1},'decreasing':{'coal':1},'diary':{'of':1,'is':1},'squirrel-like':{'marmosets':1},'unsteady':{'slippery':1},'flippers':{'which':1,'for':1},'recurrent':{'stimulus':1,'vicissitudes.':1},'untold':{'ages':1},'daughter-units':{'thus':1,'are':1,'that':1},'alternation':{'of':1},'orang':{'and':2,'notice':1,'is':1,'chimpanzee':2,'.':1,'will':1,'are':1,'the':2,'has':2,'than':1,'232':1},'underside':{'of':1},'inattentive.':{'of':1},'london':{'bridge':1,'the':1,'as':1,'zoological':1},'thesis':{'that':1},'terns':{'spending':1},'beside':{'it':1},'daughter-buds':{'go':1,'living':1},'borneo':{'living':1},'anolis':{'of':1},'expectations':{'there':1},'exhibits':{'a':1,'an':1},'writing':{'without':1,'from':1,'or':1},'destroyed':{'and':1,'for':1,'it':1,'but':1,'.':1,'to':1,'the':1,'was':1,'by':2},'trams':{'in':1},'fade':{'entirely':1},'400':{'000':1},'peopling':{'of':4},'centimetre':{'of':2},'250000':{'inch':1},'prevented':{'by':2},'direct-reading':{'spectroscope':2},'tree-stems':{'and':2},'revelations':{'of':2,'it':1,'to':1},'diseased':{'condition':1},'flotation':{'and':1},'skin-leaves':{'about':1},'shadows':{'are':1},'ingested':{'food':1},'swaying':{'on':1},'potatoes':{'settling':1},'water-fleas':{'and':1},'explode':{'and':1,'them':1},'instant':{'of':1,';':1,'it':1},'victory':{'is':1,'alike':1},'fitness':{'of':1,'for':1,'follows':1},'unit-bodies':{'.':1},'attained.':{'now':1},'notifies':{'you':1},'wariness':{'is':1},'flat-fish':{'has':1,'does':1,'like':1},'verrier':{'discovered':1},'provisions.':{'1.f.6':1},'emphasise':{'as':1},'member':{'and':1,'of':2,'.':2},'magnets':{'.':1},'defences':{'of':1},'clothe':{'itself':1},'depress':{'one':1},'gutenberg-tm.':{'1.e.5':1},'gibbon':{'and':1,'is':2,'orang':2,'which':1,'others':1},'driving':{'water':1,'away':1,'off':1,'the':1},'god':{'s':1},'washed':{'away.':1,'away':2,'down-stream.':1},'integrative':{';':1},'day.':{'there':1,'bibliography':1,'but':1},'laid':{'within':1,'it':1,'down':4,'in':2,'the':1,'or':1},'adjust':{'themselves':1},'millennium':{'b.c':2,'further':1,'after':1},'heavenly':{'body':1,'bodies':3},'got':{'possession':1,'a':4,'his':1,'from':1,'apparatus':1,'no':1,'very':1,'into':1,'loose':1,'it':2,'together':1,'the':3,'their':1,'started':1,'green':1,'nothing':1,'rid':2,'across':1,'films':1},'newly':{'born':1,'hatched':4},'twenty-five':{'trillion':1,'tons':1,'miles':1,'million':1},'independence':{'of':1},'splashed':{'into':1},'provide':{'access':1,'a':4,'volunteers':1,'in':1},'carcass':{';':1},'eternal':{'night':1,';':1,'night--relieved':1,'winter':1,'possible':1},'free':{'from':2,'for':1,'oxygen':1,'air':1,'if':1,'.':1,'access':1,'to':3,'future':1,'agents':1,'nitrogen':1,';':1,'hand':4,'distribution':3,'has':1,'intercrossing':1,'anyhow':1,'swimming':1},'carcase':{'of':1},'masterliness':{'of':1},'whereupon':{'the':1},'rain':{'of':1,'dissolving':1,'each':1,'began':1,'to':1},'biological':{'conditions':1,'idea':1,'necessity':1,'ideas--the':1},'calcareous':{'algae':1},'wanted':{'and':1,'.':2},'publication':{'of':1},'solution...':{'.':1},'grasses':{'and':1},'inexpensive':{'physiologically':1},'days':{'and':1,'old':2,'it':1,'in':2,'there':1,'when':1,'29':1,'.':5,'note':1,'to':2,'weeks':1,'then':1,'fourteen':1,'with':1,'he':1,'on':1,'longer':1,'of':5,'stand':1,'were':1,'following':1,'the':1},'rang':{'our':1,'up':1},'appeals':{'to':2},'possibility--involution':{'rather':1},'researches':{'have':1},'primary':{'reservoir':1,'occupations':1,'meaning':1,'emotions':1,'entity':2,'colours':3,'source':1,'reason':1,'atomic':1},'rank':{'mammals':1},'hearing':{'and':1,'this':1,'is':1,'.':1,'heard':1,'are':1,';':1,'has':1,'comes':1},'staying':{'power':1},'philosophical':{'dictum':1},'adopted':{'by':1},'scissors':{'fall.':1,'.':1},'redivides;':{'there':1},'mercury':{'the':2,'is':1,'it':1,'.':1,'s':2,'between':1,'venus':1,'36.0':1},'magnificent':{'spread':1},'toy':{'of':1},'discriminates':{'between':1},'top':{'with':1,'of':9,'end':1,'are':1},'sumatra':{'and':1},'heights':{'of':1,'holding':1,'above':1},'ton':{'of':1,'or':1,'to':1},'motility':{'are':1,'in':1},'wildly':{'down':1},'variational':{'uplifts':1},'unbroken':{'and':1,'silence':1},'toe':{'to':1,'is':1,'reaches':1},'instreaming':{'multitude':1},'tool':{'is':1,'in':1,'.':2},'brushes':{'off':1},'serve':{'to':1,'as':3,'its':1},'conspicuously':{'as':1,'coloured':1},'190':{'photo':1,'the':1},'western':{'and':1},'injected':{'into':1},'mankind--notably':{'the':1},'frankly':{'answered':1},'divisible':{'into':1},'immaterial':{'.':1},'cogged':{'wheel':1},'classes':{'of':2,'into':1,'called':1,'so':1,'which':1,'orders':1},'flame':{'shattered':1,'is':1,'was':1},'hearing.':{'instinctive':1,'power':1},'bridge':{'the':1,'for':1},'donkey':{'grazing':1},'fashion':{'so':1,'of':1,'with':1,'.':2},'handkerchief':{'.':1},'ran':{'riot':1},'progressing.':{'b':1},'agility':{'.':1,'that':1},'raw':{'material':1,'materials':3},'rat':{'or':1},'regulate':{'what':1,'growth':1,'the':1},'leafy':{'surroundings':1},'relatively':{'poor':2,'great':1,'slow':1,'easygoing':1,'less':2,'cooler':1,'shallow':4,'well':1,'uniform':1,'naked':1,'simple':1,'safe':1,'short':1,'larger':1,'small':1,'recent':2,'more':2},'reminding':{'him':1,'one':1},'-':{'of':1,'you':5,'except':1,'if':1},'isolated':{'ponds':1,'from':1,'northern':1,'here':1,'districts':1,'alpine':1},'thorough':{'aeration':1},'curly-haired':{'australian':1},'perigord':{'mentone':1},'rodents':{'and':1,'are':1},'hatch':{'inside':1,'from':1,'out':1},'world.':{'besides':1,'it':1,'illustration':1,'but':1,'another':1,'if':1,'physical':1},'effectiveness':{'of':1},'douching':{'with':1},'beta-rays':{'from':1},'propitious':{'environment':1},'greatest':{'mathematical':1,'distance':1,'accuracy':1,'reflector':1,'density':1,'of':4,'prominences':1,'triumphs':1,'instrument':1,'physicists':1,'in':1,'authorities':1,'were--the':1,'scientific':1},'though':{'it':9,'in':1,'still':1,'its':1,'there':1,'their':1,'other':1,'more':1,'we':3,'viviparous':1,'that':1,'very':1,'most':1,'they':5,'not':1,'now':1,'man':1,'a':1,'this':1,'many':1,'these':1,'the':9},'picturesquely':{'the':1},'leaf.':{'illustration':1},'tree-snakes':{'tree-lizards':1},'swampy':{'low':1},'glimpses':{'of':1},'plays--the':{'reindeer':1},'plenty':{'of':4},'coil':{'of':3,'is':1,'thus':1},'coin':{'and':1,'through':1},'parting':{'of':1},'glow':{'as':1,'made':1,'with':3,'into':1,'.':2},'lift':{'a':1,'it':1,'sea-urchins':1},'flow':{'of':10,'is':2,'in':1,'or':1,'.':1},'spencer':{'formulated':1},'unwary':{'person':1},'curie':{'and':1,'was':1},'orderly':{'hierarchy':1},'reputation':{'of':1,';':1,'for':1},'gratefully':{'accepted':1},'constance':{'or':1},'chariot':{'and':1},'bait':{'and':1},'spikelets':{'in':1},'manifestation':{'of':3,'in':1},'solutions':{'are':2},'nerve-cells':{'and':4,'an':1,'in':1,'.':1},'mingle':{'with':1},'observatory.':{'a':3,'giant':1,'star':1,'diagram':1,'meteorite':1,'3':1,'jupiter':1,'fig':10,'solar':1,'mars':1,'the':4,'100-inch':1},'endowment':{'of':2,'.':1},'availability':{'of':1},'founded.':{'if':1},'spite':{'of':6},'flat-fishes':{'we':1,'like':1},'situations':{';':1,'which':1},'institution':{'of':1,'at':1,'for':1},'turkestan':{'and':1},'fifty-foot':{'beach':2},'disgust':{'.':1},'gods':{'.':1},'lodge':{'reminds':1,'has':1,'sir':1},'announce':{'every':1},'insect-visitors--began':{'to':1},'borrowed':{'house':1,'shell':1},'waltz':{'round':1},'solution.':{'imitation':1},'nerve-cell.':{'7':1},'watch':{'a':4,'.':1},'fluid':{'water':1,'the':2,'that':1,'was':1,'.':1},'system--regions':{'of':1},'existence--which':{'includes':1},'shutting':{'out':1},'tuberculosis':{'.':1},'despite':{'these':1},'report':{'1914.':1,'1915.':4,'1917.':3,'1917':1,'1914':1},'knocks':{'it':1},'wavy-haired':{'pre-dravidians':1},'gutenberg-tm':{'and':1,'web':1,'license.':1,'concept':2,'name':1,'license':7,'is':1,'work':5,'trademark':4,'s':1,'collection':2,'mission':2,'project':1,'depends':1,'including':1,'works.':2,'works':3,'electronic':18,'ebooks':2},'beads':{'screw':1},'to-day--the':{'elk':1},'countries':{'a':1,'of':1,'there':1,'are':1,'.':1},'rowing':{'and':1},'taken--the':{'emergence':1},'public':{'is':1,'would':1,'support':1,'domain':8},'twice':{'.':1,'as':2,'they':1,'during':1,'the':2,'or':1},'progress.':{'vi':1,'sec':1,'conquering':1},'automatic':{'machine':2,'internal':1,'machine.':1},'farther':{'and':3,'away.':1,'from':2,'away':2,'back':2,'in':1,'north':1},'new.':{'the':1,'illustration':1},'swept':{'down':1,'away':1,'slowly':1,'out':1},'habit':{'a':1,'and':1,'may':1,'of':8,'some':1,'amongst':1,'which':1,'has':1},'nut':{'and':2,'drop':1},'send-off':{'in':2},'retreat.':{'the':1,'another':1},'resist':{'such':1,'the':1,'snapping':1},'t.':{'hobhouse':1},'sea-squirts':{'and':1,';':1,'which':1},'life-preserving':{'value':1},'volans':{'of':1,'which':1},'disturbing':{'influence':2},'discriminating':{'and':1,'quality':1},'combustion':{'is':2,'as':2,'it':1},'capacity':{'and':1,'about':1,'for':3,'that':1,'of':1,'is':1,'.':2,'in':1,'the':1},'ranged':{'one':1},'paternal':{'origin':1,'and':1,'care':1},'mud':{'and':3,'getting':1,'encasements':1,'when':1,'.':2,'that':1,'or':1},'wave-lengths.':{'light-waves':1,'light--visible':1},'finger':{'and':3,'on':1,'from':2,'would':1,'joints':1,'.':1,'usually':1,';':1},'monkeyish':{'features':1},'367':{'000':1},'stored-up':{'energy':1},'approach':{'of':1,'the':2,'160':1,'by':1,'us':1},'discovery':{'and':1,'has':2,'that':2,'of':29,'site':2,'to':1,'which':1,'in':1,'go':1,':':1},'guesses':{'as':1,'or':1},'elk':{'and':2,'the':1},'confusion':{'of':1},'incarnation':{'to':1},'weak':{'and':1,'breakage':1,'keel':1,'plane':1,'one':1},'however':{'composed':1,'and':1,'there':4,'is':1,'it':4,'say':2,'another':1,'in':1,'if':1,'different':1,'acknowledge':2,'interesting':1,'faint':1,'long':1,'by':3,'to':1,'only':2,'slowly':1,'take':1,'that':8,'continuous':1,'what':1,'following':1,'they':2,'not':1,'with':1,'than':1,'a':2,'on':1,'this':1,'enabled':1,'as':1,'so':2,'things':1,'small':1,'the':7},'sand-crab':{'takes':1},'larynx':{'.':1},'aquarium':{'.':1},'consists':{'almost':1,'of':11,'essentially':2,'chiefly':1},'flowering':{'plants':7,'plant':1,'plants.':1},'newt':{'or':1},'improve':{'the':1},'protect':{'the':3},'rhythms':{'.':1},'irregular':{'stretches':1,'speck':1},'jelly':{'about':1,'.':1},'threads':{'used':1,'secreted':3,'of':4,'.':1,'sink':1,'the':2,'are':1},'expense':{'to':1},'frequenting':{'forests':1},'diversity.':{'thus':1},'goodrich':{'evolution':1},'discolorations':{'produced':1},'starling':{'and':1},'majestic':{'spirals':1},'trust':{'.':1},'utilised.':{'indeed':1},'colour-scheme':{'of':1},'influence.':{'illustration':1},'phyllopteryx':{'has':1},'cockroaches':{'to':1,'.':1},'been':{'unified':1,'shot':1,'able':6,'pointed':1,'named':1,'profoundly':1,'attempts':2,'elevated':1,'mentioned':1,'wrought':1,'subjected':1,'written':3,'to':3,'detected':1,'going':3,'transformed':1,'attained':1,'emitting':1,'fancied':1,'unravelled':1,'secured.':1,'very':4,'familiar':2,'reconverted':1,'got':1,'vastly':1,'hitherto':1,'adventurous':1,'rotating':1,'lost':1,'banished':1,'dulled':1,'traced':2,'retrogressions':1,'solved':3,'slipping':1,'found':9,'discussing':2,'interbreeding':1,'achieved':1,'some':1,'briefly':1,'understood':1,'invaded':1,'added':2,'sifted':1,'estimated':1,'borne':1,'established':1,'shown':2,'said':4,'witnessed':1,'beaten':1,'expressed':1,'laid':1,'progress':1,'burned':1,'induced':1,'numerous':1,'blotched':1,'demonstrated':1,'recently':3,'opening':1,'analysed':1,'broken':1,'drawn':1,'colonised':2,'christened':1,'suggested':4,'on':1,'great':1,'buckled':1,'many':1,'greatly':1,'introduced':1,'reached.':1,'examining':1,'raised':1,'followed':1,'adepts':1,'hewn':1,'explained':1,'one':3,'brought':1,'visible':1,'done':1,'capacious':1,'.':1,'given':1,'invented':1,'flaws':1,'weathered':1,'exposed':1,'noticed':2,'smelted':1,'much':2,'slowly':1,'taken':2,'fortuitous':1,'more':1,'life':1,'gaseous':1,'discovered':1,'enough':1,'successful':2,'registered':1,'tested':1,'part':1,'known':7,'suspected':1,'worked':1,'true':1,'chequered':1,'applied':1,'made':10,'abandoned':1,'impatiently':1,'regularised':1,'evolved':3,'pumped':1,'propounded':1,'making':1,'called':1,'and':1,'resolved':1,'proved':1,'indicated':1,'exhausted':1,'turned':1,'an':3,'as':2,'at':3,'in':4,'seen':1,'constricted':1,'clearly':1,'if':1,'different':2,'no':1,'emancipated':1,'that':2,'generally':2,'handed':1,'any':2,'hot':1,'speeding':1,'digged':1,'fostered':1,'used':2,'tried':2,'confirmed':1,'prepared':1,'moving':1,'throughout':1,'measured':1,'recent':1,'a':11,'stupendous':1,'described':2,'slightly':1,'calculated':2,'required':1,'becoming':1,'thought':1,'dissolved':1,'so':4,'the':7},'legend':{'of':1},'were.':{'the':1},'spread':{'and':1,'from':1,'of':3,'over':2,'until':1,'underneath':1,'to':2,'through':2,'table':1,'public':1,'out':3},'expected':{'when':1},'poker.':{'they':1},'pallas':{'s':1},'pecked':{'at':2},'bladder':{'growing':1},'uncommon':{'on':1},'gaboon':{'in':2},'proportional':{'to':1},'catch':{'this':1,'small':1,'the':1},'own--a':{'fore-limb':1},'ancestors.':{'given':1},'deeps':{'the':1,'3':1,'are':1},'5a':{'merychippus':1},'lessen':{'the':1},'n':{'is':1,'.':5},'ape':{'and':2,'frequenting':1,'or':1,'for':1,'.':1,'s':1,'s.':1,'man':2,'agree':1,'at':1},'fallow':{'deer':1},'gave':{'off':6,'of':1,'rise':2,'most':1,'place':1,'the':3},'precede':{'the':1},'natives':{'of':1},'cyclones':{'.':1},'cast':{'.':1,'aside':1,'by':2},'jellyfishes':{'the':1,'swimming-bells':1,'worms':1},'expenses':{'including':2},'experts':{'should':1},'decanter':{'for':1},'www.pglaf.org.':{'section':1},'significance--called':{'the':1},'containing':{'a':3,'meat':1,'liquid':1,'very':1,'say':1,'the':1,'more':1},'headley':{'life':1},'circumventing':{'the':1},'suggest':{'the':4,'that':3},'underwood.':{'boiling':1,'the':1},'sollas':{'w':1},'linked':{'to':1,'together':1},'forehead':{'and':2,'a':1,'the':1,'without':1,'beetling':1},'utilitarian':{'in':1},'complex':{'and':2,'fur':1,'of':2,'problems':2,'.':3,'forms':1,'as':1,'nucleus':1,'brains':1},'gambian':{'mud-fish':2},'advances':{'the':3,'that':1,'but':1,'came':1,'in':2},'scapula':{'or':1},'snow-line':{'.':1},'several':{'millions':1,'colours':2,'kinds':1,'centuries':1,'cells':1,'sometimes':1,'human':1,'times':1,'hours':2,'enregistered':1,'complex':1,'printed':1,'molecules':1,'cases':1,'years':1,'thousands':1,'other':1,'transparent':1,'more':1},'satellite':{'of':1},'peaks':{'.':1},'pick':{'them':1,'up':2,'out':1},'constantly--either':{'spontaneously':1},'mouse-pupil':{'with':1},'characters':{'even':1,'of':1,'is':1,'.':1,'such':1,'swarming':1},'darwin.':{'illustration':1},'cycle':{'thread':1},'mentioning':{'birds':1},'tassel':{'being':1,'discharged':2,'branches':1,'electrified':2,'strikes':1},'staving':{'off':1},'paralysed':{'and':2},'possessed':{'of':1,'by':1,'in':2},'boxes':{'golden':1,'similar':1,'difficult':1},'rock-pool':{'where':1},'wide-awake':{'more':1},'mother':{'and':7,'digs':1,'for':1,'places':1,'that':1,'may':1,'of':1,'orang':1,'spider':1,'carey':2,'s':2,'so':1,'are':1,'tramps':1,'earth':1,'.':2},'unification':{'but':1},'jean':{'brownian':1},'photosphere.':{'above--that':1},'possesses':{'.':1,'an':1},'seasonal':{'colour-change':2,'change':1},'food-supply':{'.':2},'departed':{'from':2},'mending':{'of':1,';':1},'harmonise':{'with':2},'eye-hole':{'of':1},'partridge':{'sitting':1},'foundation.':{'-':1},'rivulets':{'and':1},'tailless':{'cat':1},'insectivore':{'stock':1},'evolution.':{'we':1,'metcalf':1,'parasitism':1,'this':1,'hutchinson':1,'illustration':1,'mccabe':1,'v':1,'the':1,'darwin':1,'iii':1,'osborn':1},'vibration':{'increased.':1,'of':1,';':1,'.':1},'master-key':{'that':1},'leibnitz':{'s':1,'who':1},'triangular-shaped':{'piece':1},'apart':{'and':1,'from':14,'of':3,'continuing':1,'.':2,'the':2},'interprets':{'be':1},'humanity':{'of':1,'into':1,'.':1},'foot.':{'there':1},'casting':{'themselves':1},'tracheae':{'.':1},'breaks':{'making':1,'off':2,'up':1,'across':1,'under':1},'sussex':{'and':1,'weald--hinted':1,'in':1},'vulture':{'is':1},'chitin':{'which':1,'.':1},'flattish':{'web':1},'expels':{'vitiated':1},'descending':{'element':1},'judge':{'the':1,'animals':1},'burns':{'the':1,'without':1},'advanced':{'and':1,'again':1,'life':1,'knowledge':1,'.':1,'to':1,'than':1},'foster-parent':{'to':1},'melting':{'ice.':1,'ice':1},'appearing':{'and':1,'on':1,'more':1},'angoras':{'and':1},'gift':{'follows':1},'55':{'cubic':1},'57':{'photo':2},'gifted':{'a':1},'50':{'states':1,'000':1},'53':{'the':1},'52':{'inches':1},'specific':{'gravity':2,'permission':1},'gristly':{'fishes':2,'rod':1},'mosquito':{'is':1,'introduces':1},'fixity':{'of':1},'56':{'photo':2,'lb':1},'outpour':{'of':1},'over-anxious':{'on':1},'successfully':{'applied':1,'by':1},'sponge':{'121':1,'illustration':1,'.':1,'to':1,'densely':1,'which':1,'has':1,'or':2},'clawed':{'mammals':1},'cessation':{'of':1},'finger-posts':{'for':1},'indirect':{'consequential':1,'interference':1,'in':1},'guess':{'and':1,'what':1},'tracheate':{'arthropods':1},'intellect':{'who':1,'which':3},'rapidity':{'and':1,'of':1,';':1,'illustrating':1,'.':1},'first--began':{'to':1},'drowned':{'himself':1},'proceeding':{'to':1,'is':1,'in':1},'rhine':{'and':1},'hibernates':{'but':1},'self-effacing':{'flat-fishes':1},'ear':{'and':1,'a':1,'of':2,'well':1,'marked':1,'to':1,'below':1,'which':1,'in':1,'has':1,'160':1,'came':1},'ice':{'and':1,'when':1,'is':1,'ages':4,'it':1,'.':2,'age.':2,'age':5,'287':1,'travel':1},'everything':{'and':1,'appeals':1,'that':1,'is':1,'as':1,'depends':1,'in':1,'not':1,';':1,'teemed':1},'loins':{'of':1},'select':{'a':1,'the':3},'seals.':{'almost':1},'cord':{'and':1,'lies':1,'the':1,'then':1},'core':{'to':2,'is':1,'254':1,'illustration':1,'left':1},'antiquity--perhaps':{'30':1},'disappeared':{'and':1,'from':1,'leaving':1,'somewhat':1,'.':1,'with':1},'littoral':{'animals':1,'haunts':1,'zone':1,'area':3},'permitted':{'by':2},'chapter':{'on':1,':':1,'give':1,'is':1,'in':7,'one':1,'to':1,'how':2,'.':1,'has':1,'was':1,'more':1},'limitation':{'of':2,'set':1,'permitted':1,'in':1},'attacks':{'the':1},'plum':{'and':1},'spikelet-bearing':{'axis':1},'burbank':{'such':1},'plunging':{'into':1},'coiled':{'round':1,'up':1},'steadily':{'accumulating':1,'through':1,'radiating':1,'decreasing':1},'efforts':{'project':1,'of':1,'and':1,'her':1},'alga':{'like':1,'which':1},'sept':{'.':1},'osborn':{'h':2,'s':4,'points':2,'calls':1},'antique':{'types':1},'primitive':{'animals':1,'nebulae':1,'instrument':1,'insects':1,'constituents':1,'men':3,'mammals':2,'.':3,'forms':1,'bushmen':1,'heat':1,'races':1,'bolt':1,'culture':1,'peoples':1,'mammal':1,'collaterals':1,'creatures':1,'type':1,'types':2,'man':2},'cracking':{'the':1},'presence':{'of':4,'.':1},'orders':{'of':2,'families':1,'like':1},'puzzle':{'in':1},'visible':{'and':2,'on':2,'all':2,'from':1,'266':1,'light':1,'radium':1,'spots':1,'.':2,'to':3,'surface':3,'suspended':1,'in':1,'tens':1,'by':1,'at':2},'bath':{'nor':1},'finely':{'developed':1},'bats':{'certainly':1,'for':1,'.':2,';':1,'volplaning':1,'or':1,'involves':1},'existed':{'.':1},'rely':{'to':1},'weald--hinted':{'at':1},'outbreaks':{'on':1,'of':1},'indispensable':{'as':1,'role':1,'sociality':1,'if':1},'sneezing':{'and':1},'transform':{'mechanical':1},'sunlight':{'and':1,'for':2,'is':2,'reflected':1,'to':2,'can':2,'which':3,'in':2,'has':1,'into':1,'are':1,'he':1},'why':{'a':1,'do':1,'we':1,'animals':1,'they':1,'for':1,'this':1,'is':2,'there':1,'some':1,'it':2,'should':4,'most':1,'so':1,'iron':1,'not':1,'our':1,'the':2,'he':1},'stuck':{'together':1},'tacks':{'of':2},'partridges':{'respond':1},'metabolism':{'.':1},'synthesis':{'the':1},'round.':{'c':1,'in':1},'head':{'and':2,'weighted':1,'from':1,'just':1,'157':1,'of':6,'is':2,'after':1,'downwards':1,'to':1,'when':1,'65':1,'they':1,'the':1,'with':1,';':1,'shows':1},'medium':{'and':1,'on':1,'we':1,'that':1,'of':3,'called':1,'through':1,'a':1,'you':1,'throughout':1,'with':2,'or':1},'amateur':{'knows':1},'hydrogen--which':{'consists':1},'java.':{'2':1},'wireless':{'he':1,'telegraphy':1},'heat':{'and':9,'because':1,'being':1,'is':4,'as':1,'are':1,'in':2,'our':1,'.':9,'is--substitutes':1,'rays':1,'from':4,'for':1,'to':2,'there':1,'had':1,'continually':1,'how':1,'only':1,'radiated':1,';':3,'has':1,'energy':12,'that':1,'becomes':1,'introduce':1,'heat':1,'radiations':1,'by':1,'like':2,'on':2,'would':1,'of':4,'could':1,'chiefly':2,'so':1,'light':1,'the':1,'changes':1,'or':2},'silvery-looking':{'light':1},'hear':{'a':1,'about':1,'the':1,'it':1},'satisfactorily':{'accounted':1},'heap':{'it':1},'manoeuvres':{'she':1},'removed':{'all':1,'in':1,'from':1,'.':1},'donate.':{'international':1},'luxuriant':{'vegetation':1},'admiration':{';':1},'indo-china':{'china':1},'portions':{'and':1,'reached':1,'of':1},'consequences':{'may':1,'.':2,'to':1,'as':1,'follow.':1,'have':1},'born':{'a':1,'and':1,'like':1,'of':1,'in':1,'.':1,'as':1,'so':1,'child':1},'bids':{'fair':1},'vivo':{'as':1},'meteorites.':{'every':1},'undeniable':{'endeavour':1,'apartness':1},'disturbances':{'and':1,'of':3,'we':1,'are':1,'man':1},'prematurely':{'and':1},'brightly':{'illumined':2,'but':1,'coloured':3},'furs':{'.':1},'roamed':{'many':1},'escape':{'the':4,'.':1,'from':3,'between':1},'everest':{'would':1},'0.62':{'7700':1},'scotia':{'voyage':1},'universes.':{'illustration':1},'shines':{'through':1},'entellus':{'venture':1},'furl':{'if':1},'constructed':{'to':1,';':1,'from':1},'looked':{'a':1,'upon':1,'at':1,'like':1},'planets--venus--is':{'there':1},'inborn':{'inspirations':1,'predispositions':2,'novelties':1,'engrained':1,'repertory':1,'capacities':2,'pre-arrangements':1,'efficiencies':1,'impulse':1,'in':1,'not':1,';':1,'changes':1,'or':1,'powers':1},'no':{'atmosphere':1,'less':3,'lack':1,'resistance':1,'commoner':1,'hibernation':1,'facts':1,'nearer':1,'glimpse':1,'effort':1,'better':1,'tail':1,'other':3,'warrant':2,'real':1,'sound':1,'return':1,'animal':1,'descendants':1,'trees':1,'figment':1,'instinctive':2,'difference':2,'twilight':1,'bigger':1,'particle':1,'success':1,'yucca':1,'cry':1,'eel':1,'indication':1,'nerves':1,'bulky':1,'scenery':1,'right':1,'hard':1,'idea':1,'sign':1,'cost':2,'escape':1,'employment':1,'bacteria':1,'enemies':1,'blue':1,'living':2,'thoroughfare':1,'steadfast':1,'opening':1,'definite':2,'spur':1,'kidneys':1,'movement':1,'body':1,'noise':1,'cleverer':1,'power':1,'parental':1,'attention':1,'use':3,'twinkling':1,'difficulty':2,'reason':4,'chapter':1,'restrictions':2,'great':1,'actual':1,'feelers':1,'certainty':1,'transition':1,'motion':1,'connection':1,'place':1,'nervous':1,'successors':1,'transit':1,'one':16,'such':6,'sounds':1,'scent':1,'ether':1,'landscape':1,'exertions':1,'jugglery':1,'additional':1,'union':1,'discrimination':1,'doubt':28,'positive':1,'interest':1,'more':5,'remedies':1,'life':2,'tissues':1,'way':1,'reaction':2,'training':1,'direct':2,'adult':1,'true':1,'plants':2,'animals':2,'conception':1,'cells':1,'air':1,'individual':1,'risks':1,'chlorophyll-possessing':1,'proof':2,'larger':3,'deliberation':1,'lock':1,'modern':3,'mind':1,'mining':1,'evidence':4,'chin':1,'sense':1,'ready':1,'floating':1,'organs':1,'check':1,'winter':1,'depth':1,'chemical':1,'vital':1,'branch':1,'intelligent':1,'plant':1,'star':1,'crowding':1,'trace':3,'backbone':1,'vicious':1,'prohibition':1,'pouch':1,'representations':1,'slums':1,'man':1,'diffusion':1,'longer':8,'rotting':1,'light':2,'shore':1,'fresh':1},'whereas':{'on':1,'lead':1,'these':1,'in':2,'others':1,'the':3},'tip':{'of':5,'t':1,'to':2,'.':1},'perfected':{'on':1,'scientific':1,'by':1},'tin':{'with':1},'setting':{'apart':3,'forth':1,'in':1},'sobral':{'brazil':1,'brazil.':1},'globigerinid':{'foraminifera':1},'investigations':{'in':1},'papers':{'and':1,'the':1},'pipa':{'the':1,'americana':2},'picture':{'represents':1,'these':1,'of':11,'is':1,'acts':1,'an':1,'the':2,'with':1,'shows':1},'ceasing.':{'where':1},'worm-types.':{'among':1},'toad':{'and':1,'winds':1,'s':1,'pipa':3,'looks':1},'preceding':{'state':1,'neanderthal':2,'the':1},'uniformly':{'around':1},'emission':{'came':1},'flower-perfumed':{'nor':1},'leonard':{'johnson':2},'ridges':{'and':3,'the':2,'which':1},'dullest':{'red':1},'discharge':{'takes':1,'of':3,'travels':1,'through':1,'in':4,'with':1},'suffused':{'with':3},'thorax':{'.':1},'buller':{'s':1},'to-day':{'and':2,'is':2,'as':1,'are':2,'in':1,'there':1,'.':13,'attack':1,'recapitulates':1,':':1,'mostly':1,'that':2,'very':1,'after':1,'but':1,'such':1,'by':1,'104':1,'a':2,'about':1,'of':2,'shall':1},'longer':{'be':2,'what':1,'redolent':1,'than':7,'in':1,'deny':1,'or':1,'to':3,'because':1,'at':1,'waves':1,'the':1,'.':1,'emit':1},'n.':{'america.':1},'1800':{'of':1},'vigorously':{'.':1,'continued':1,'for':1,'that':1},'changed':{'and':1,'by':1,'from':1,'but':1,'.':1,'in':1,'the':3,'its':1},'hypohippus':{';':1},'serious':{'and':1,'errors':1,'business':1,'nervous':1,'friction':1,'responsibilities':1,'difficulties':1},'nuclei':{'then':1,'within':1},'undoubted':{'but':1},'remarkable':{'plants':1,'and':2,'bony':1,'physical':1,'knowledge':2,'success':2,'habit':2,'appearance':2,'metamorphosis':1,'combination':1,'results':1,'discovery':2,'except':1,'power':3,'exuberance':1,'perfection':1,'words':1,'locomotor':1,'.':2,'sucking':1},'varying':{'forms':2,'nature':1,'notably':1,'magnitude--and':1,'degrees':1,'situation':1,'with':1},'rod':{'which':1,'.':1},'focus':{'of':1,'whence':1,'within':1},'leads':{'to':2,'one':1,'us':2,'on':1},'inspirations':{'of':1},'computation':{'.':1},'coyote':{'.':1},'jointed-footed':{'invaders':1,'animals':1},'dragon-flies':{'and':2,'are':1},'displaying':{'the':1,'performing':2,'or':1},'tucking':{'it':1},'injure':{'their':1},'doom':{'by':1},'books--an':{'outline':1},'essentials':{'of':1},'ascidians':{'and':1},'fahr.':{'due':1},'metallurgists':{'and':1},'passage':{'from':6,'of':3,'is':2,'onward':1,'direct':1,'in':2},'environment':{'and':4,'we':2,'adaptations':1,'where':1,'acts':1,'.':3,'to':1,'113':1,'which':1,'making':1,';':1,'education':1,'with':1},'charge':{'and':1,'on':1,'anything':1,'for':1,'was':1,'of':3,'to':1,'a':3,'with':1},'promoting':{'the':1,'free':1},'discovering':{'new':1},'hammers':{'on':1,'until':1,'it':1},'ulna':{'of':1,'bone':1},'advantage':{'for':1,'may':2,'of':7,'over':2,'here':1,';':1,'was':1,'is':1},'coot':{'swims':1},'exalted':{'powers--man':2},'inspiriting':{'picture':1},'fleece':{'cutting':1},'untenable':{';':1},'nesting':{'behaviour':1},'refractive':{'granules':1},'regular.':{'now':1},'roving':{'animal':1},'cool':{'and':1,'mass':1,'gas':1},'annihilated':{'distance':1},'clouds':{'of':3,'which':1,'in':1},'impressive':{'triumphs':1,'picture':1,'nebula':1},'level':{'and':1,'on':3,'of':5,'is':1,'there':1,'up':1,'.':3,'at':1,'the':1,';':1,'man':1},'sedimentary':{'rocks':6},'hawaii':{'to':1},'cloudy':{'precipitate':1},'standards':{'is':1,'are':1},'starlit':{'night':1},'slouching':{'gait':1},'vicissitudes':{'due':1},'quick':{'to':5,'or':1},'lever':{'against':1},'accumulation':{'of':2},'bull-terrier':{'called':1},'illustrating':{'the':5,'walking':2,'animal':1},'trend':{'of':3},'becquerel':{'brought':1,'was':1},'obsolete':{'old':1},'inland':{'and':1,'the':1,'than':1},'widened':{'and':1},'invaded':{'age':1,'by':1},'dried':{'and':1,'up':4},'hair.':{'the':1},'trent':{'the':1,'291':1,'290':1,'an':1},'danger-note':{'.':1},'bacteria':{'and':1,'serving':1,'that':1,'of':2,'though':1,'.':1,'can':1,'have':1,'in':1},'substitute':{'the':1},'spectral':{'lines':1},'water-plants':{';':1},'stands':{'about':1,'unique':1,'by':2,'apart':1},'stomach.':{'4':1},'structure--the':{'remains':1},'extinct.':{'unfortunately':1,'others':1},'paragraph':{'1.f.3':3,'1.e.1.':1,'to':1,'1.e':1,'f3':1,'1.e.8':1,'1.c':1,'1.e.8.':1,'1.e.1':1},'goes':{'on':6,'back':1,'leaving':1,'down':1,'to':4,'as':1,'without':1,'through':1},'bearers':{'and':1},'illimitable':{'.':1},'morgan':{'observed':1,'s':1,'who':1,'was':1},'intelligent.':{'sec':1},'ninety-nine':{'cases':1},'mean--matter':{'ether':1},'evolution-idea':{'to':1,'is':2,'has':1},'water':{'and':15,'brightly':1,'because':1,'furnished':1,'being':1,'is':5,'spider':1,'held':1,'as':2,'owing':1,'through':1,'are':1,'in':5,'earth':1,'out':2,'even':1,'will':1,'from':4,'would':2,'to':8,'remains':1,'began':1,'that':4,'28':1,'.':28,'how':1,'only':1,'offers':1,'which':2,';':5,'gets':1,'was':1,'into':2,'do':1,'than':1,'though':1,'may':1,'but':3,'gently':1,'flows':1,'came':1,'rises':1,'with':2,'by':1,'nor':1,'a':2,'on':3,'periodically':1,'has':1,'animals':1,'for':4,'you':1,'fills':1,'did':1,'of':2,'seldom':1,'vigorously':1,'occurs':1,'sometimes':1,'where':1,'near':1,'became':1,'so':1,'can':2,'were':1,'at':3,'beneath':1,'disappears':1,'or':2,'comes':1,'first':1},'meteorites':{'is':1,'it':1,'every':1,'are':1,'have':1,'enter':1,'or':1},'generation.':{'the':1,'they':1},'twentieth':{'trial':1},'groups':{'of':4,'are':2,'drifting':1},'cyril':{'crossland':1},'dissipated':{'as':2,'the':1,'.':1},'cork':{'she':1,'out':1},'f.r.s.':{'conservator':1},'one--of':{'protective':1},'pearly':{'nautilus':7,'nautilus.':1},'bygone':{'ages':1},'thirty':{'miles':1,'million':4,'stars':1,'deep':1,'years':4},'healthy':{'lives':1},'chalmers':{'mitchell':1},'blotch':{'on':1},'sex--beginning':{'of':2},'stomachs':{'of':1},'descended':{'and':1,'from':6},'weird':{'ways':1,'peaks':1},'illustrations.':{'1':1},'say--of':{'various':1},'emerge':{'the':2,'before':1,'from':1,'as':1,'in':1},'credited':{'with':1},'threes':{'and':1},'semang':{'and':1},'swallowed':{'and':1,'by':1,'one':1},'crisis':{'in':1},'wings.':{'vi':1},'bulbs':{'on':1},'russell':{'has':1,'sons.':2},'atom.':{'how':1,'the':1,'like':1,'an':1},'percept':{'of':1},'prey':{'of':1,'by':1,'working':1,'.':3},'memory':{'of':1},'negroes':{'and':1},'lycosa':{'lying':1},'australian':{'and':1,'mudfish':1,'race':1,'more-pork':2,'frilled':2,'the':1,'species':1},'diagrams':{'of':1},'conductor':{'of':1},'bristle-tails':{'show':1},'fuel':{'.':1},'flapping':{'their':1},'southwards':{'following':1,'.':1},'sequoia':{'or':1},'cases':{'is':2,'within':1,'it':4,'purely':1,'at':1,'in':3,'yet':1,'its':1,'out':2,'no':1,'rather':1,'there':2,'two':1,'.':3,'to':1,'supplanted':1,'much':1,'which':1,'under':1,'relatively':1,'be':1,'we':2,'that':2,'stow':1,'however':4,'they':1,'measured':1,'than':1,'like':1,'especially':1,'e.g':3,'this':1,'of':3,'the':9,'where':3},'andalusia':{'arabia':1},'autumn':{'gales':1,';':1,'or':1,'they':1},'diagram.':{'the':1},'collision':{'with':2},'thousands':{'being':1,'of':17,'but':1},'reflux':{'of':1},'modified':{'and':1,'for':2},'means.':{'sec':1},'handle.':{'in':1},'districts':{'here':1,'.':1},'jetsam':{'that':1},'female-producing':{'egg':1},'wrong:':{'hence':1},'fauna':{'of':5,'is':1,'there':1,'namely':1,'.':1,'contemp':1,'as':2,'does':1,'bodily':1},'attain':{'a':1},'streak':{'of':1},'hutchinson':{'h':1},'wrist-bones':{'with':1},'stream':{'and':1,'sometimes':1,'gripping':1,'seeking':1,'of':7,'there':1,'some':1,'.':1,'relative':1,'that':1,'going':1,'the':1,'with':1,'or':1,'ought':1,'through.':1},'irruption':{'of':1},'supra-renal':{'and':1,'.':1},'and--it':{'smells':1},'coal--dissipation':{'of':1},'amalgams':{'and':1},'stroke':{'of':4},'performed':{'viewed':1},'octopus.':{'shifts':1},'flora.':{'the':1},'provoke':{'new':1,'them':1},'hydrogen':{'and':3,'uniting':1,'19':1,'travel':1,'atom':1,'gas':4,'.':2,'to':1,'rising':2,'at':3,'were':1,'so':1,'was':1},'requirements':{'of':1,'we':1,'are':1,'.':1},'white-hot.':{'they':1},'mole':{'and':1},'secured':{'in':1},'eloquent':{'vestige':1,'anticipation':1,'detail':1,'instance':1,'in':1,'than':1},'innumerable':{'tons':1,'methods':1,'minute':1},'fishes--a':{'very':1},'ginkgos':{'and':1},'vital':{'and':1,'activities':1,'processes':2,'power':1,'importance':2,'inter-relations':2,'than':1,'to':1,'connection':1,'interest':1,'activity':1,'laboratory':1,'process':1,'sounds':1,'economy':1},'fourth':{'and':1,'great':2,'haunt':1,'ice':1,'state':3,'printing':1,'millennium':1,'glacial':1},'speaks':{'of':1},'reactions.':{'3':1},'secures':{'the':1},'unutterably':{'stupid':1},'information':{'is':2,'about':6,'can':1},'digesting':{'intruding':1,'them':1},'larmor':{'suggested':1},'eighty':{'figures--bison':1,'distinct':1,'different':1,'miles':1,'million':1},'unawares':{'.':1},'apprenticeship':{'and':2,'often':1,'of':1,'since':1,'.':1,'to':1,'at':1,'in':1,'during':2,'the':1},'eighth':{'printing':1},'branches':{'and':1,'down':1,'still':1,'that':1,'of':6,'in':1,'.':2,'will':1,'gives':2,'firmly':1,'at':1,'hanging':1,'must':1,'come':1,'or':2,'out':1},'drained':{'swamps':1},'commodity':{'on':1},'joint':{'to':1},'enemies.':{'when':1,'if':1},'branched':{'and':2},'lagoon':{'and':1},'water-oceans.':{'in':1},'lamented':{'the':1},'imagining':{'how':1},'estuary':{'and':1},'furnished':{'the':1,'them':1,'an':1},'constituents':{'may':1,'and':1,'.':1,'of':1},'mainly':{'composed':1,'among':1,'arboreal':1,'vegetarian':1,'to':1,'in':2,'vertical;':1,'by':1},'discharging':{'them':1,'sepia':1},'ocean-troughs':{'and':1},'furnishes':{'a':2},'ducklings':{'catch':1},'motions':{'would':1,'of':2,'can':1,'which':1,'along':1,'are':1},'weather.':{'there':2},'side--a':{'mobility':1},'pre-eminent':{'as':1,'e.g':1},'pterodactyls':{'varied':1,'could':1,'had':1,'birds':2,'by':1,'gave':1},'supplemented':{'the':1},'emmer':{'which':1},'wallace':{'maintained':1,'was':1,'darwinism.':1},'organisation':{'than':1},'mantle':{'of':1,'as':1},'offers':{'to':2,'the':1,'grave':1,'an':1},'marvels':{'the':1},'meridian':{'while':1,'.':1},'whirlpool':{'of':1,'or':1},'employment':{'of':2},'pre-dravidians.':{'the':1},'obtaining':{'a':2,'considerable':1},'motion.':{'the':2},'photograph.':{'illustration':2},'evolution':{'and':2,'particularly':1,'is':13,'states':1,'as':1,'are':1,'in':8,'home':1,'if':2,'from':1,'no':1,'remains':1,'there':3,'.':12,'current':1,'to':4,'that':2,'going':11,'fig':1,'which':2,';':1,'has':6,'was':6,'real':1,'we':1,'led':1,'theory':3,'means':1,'but':3,'quite':1,'not':1,'animals':1,'1917':1,'chequered':1,'a':1,':':1,'implies':1,'especially':1,'practically':1,'of':54,'introductory':1,'53':1,'element':2,'will':1,'so':1,'agoing.':1,'though':1,'the':4},'delighted':{'darwin.':1},'underneath':{'things':1,'the':2,'her':1,'.':1},'expertness':{'the':1},'conquer':{'every':2,'for':1},'browns':{'and':1},'sowing':{'and':1,'but':1},'term':{'race':1,'commensalism':1},'name':{'given':1,'from':2,'for':1,'of':1,'cock-paidle':1,'electrons':1,'which':1,'mare.':1,'associated':1,'primates':1},'civilisation':{'of':1,'is':1,'there':1,'here':1,'.':1,'depends':2,'the':1,'more':1},'advent':{'of':1},'possibilities':{'and':1,'of':3,'.':1,'are':1,'in':1,'probably':1},'realise':{'of':1,'the':3,'what':1,'that':3},'telegraphic':{'and':1},'individually':{'and':1},'weighted':{'with':1},'gape':{'and':1,'two':1},'woodpeckers':{'are':1},'sprinkle':{'iron':1},'catching':{'and':2,'small':4,'the':2,'with':1,'some':1},'begun':{'to':1,'before':1,'some':1,'.':1},'distributor':{'under':1},'tumultuous':{'surging':1},'y.s.':{'which':1,'.':1},'ultimately':{'composed':1,'the':1,'dispensed':1},'intercourse':{'and':1,'.':1},'factors':{'and':1,'would':1,'that':2,'of':2,'which':1,'in':5,'the':1},'profit':{'a':1,'by':2,'501':1},'these--which':{'illustrate':1},'attracted':{'to':1,'one':1},'parallax':{'the':1},'kent':{'dating':1,'but':1,'cro-magnon':1},'picture-logic':{'which':1},'overflowing':{'waters':1},'eagle':{'lifts':1,'or':1},'--the':{'mind':1,'planets--venus--is':1},'performing':{'distributing':1,'other':1,'displaying':1,'chimpanzee':1,'copying':1},'theory':{'is':7,'as':1,'sec':1,'in':1,'bears':1,'.':1,'which':3,';':1,'has':1,'was':1,'more':1,'we':1,'provides':1,'that':5,'1796':1,'but':2,'vividly':1,'nor':1,'a':1,'implies':1,'of':16,'or':1},'stimuli.':{'animals':1},'interpose':{'when':1},'ascertain':{'how':1},'electrified':{'270':1,'and':1,'the':1,'with':1,'will':1},'gizzard--certainly':{'the':1},'explorers':{'of':1},'reptiles--snakes':{'lizards':1},'importance.':{'difficulties':1,'sec':1},'www.pgdp.net':{'updated':1,'illustration':1},'corroborating':{'individual':1},'motion':{'and':2,';':2,'would':1,'was':1,'whether':1,'of':3,'is':2,'within':1,'or':1,'to':1,'as':2,'than':1,'in':1,'into':1,'the':1,'.':3,'ever':1,'kinetic':1,'are':1},'turn':{'on':1,'form':1,'stiff':1,'of':3,'is':1,'it':1,'the':2,'to':4,'are':1,'in':1,'into':1,'making':1,'white':1,'with':1,'round':1,'becomes':1,'once':1},'butterflies':{'allied':1,'are':3},'place':{'and':2,'is':1,'inaccessible':1,'it':1,'itself':1,'in':1,'end':1,'for':3,'remains':1,'there':2,'favouring':1,'preventing':1,'to':4,'work;':1,';':1,'let':1,'by':1,'a':1,'on':1,'of':9,'work':1,'sea-anemones':1,'the':1,'where':1,'or':1},'retreating':{'forehead':1},'swing':{'of':1,'to':1},'deep-sea':{'life':1,'animals':2,'fish':3,'sponge':2,'corals.':1,'are':1,'fishes':2,'fauna':1},'gradually.':{'when':1},'close-set':{'eyes':1},'saucers':{'.':1},'weakling':{'it':1},'origin':{'and':3,'of':19,'is':1,'there':1,'direct':1,'are':1,'the':1},'pelican':{'s':2},'surviving':{'the':1,'symbol':1},'revenue':{'service':1},'faculty':{'in':1,'if':1},'greatest.':{'v':1},'soaring':{'upward':1},'them--':{'melanocetus':1},'array':{'of':1},'field-voles':{'perhaps':1},'george':{'h':1},'millions':{'of':39,'the':1,'is':1,'.':1},'gertrude':{'white':1},'given':{'because':1,'over':1,'sense-presentation':1,'as':2,'in':1,'.':1,'to':8,'illustrations':1,'conditions':1,'variability':1,'away--you':1,'sufficient':1,'rise':1,'but':1,'part':1,'an':2,'by':2,'a':5,'off':1,'up':1,'us':2,'place':2,'the':3},'necessarily':{'be':1,'progressive':1,'keep':1,'progressive;':1,'cooling':1,'difficult':1},'persons.':{'the':1},'marine.':{'in':1},'croaking-sacs':{'which':1},'trillion':{'100':1,'miles':5,'revolutions':1,'molecules':1,'waves':1},'tides--origin':{'of':1},'plastic':{'and':3,'appreciation':1,'stock--some':1},'stimulation':{'proves':1},'hardwood':{'forests':1},'returns':{'to':1,'.':1},'virgil':{'refers':1},'fortuitous':{'.':1},'legally':{'required':1},'white':{'and':1,'polar':1,'one':2,'hair':1,'ermine':1,'in':1,'dress':1,'surfaces':1,'winter':1,'except':1,'.':2,'surroundings':1,'combine':1,'stars':2,'cross':1,'save':1,'body':1,'then':1,'star':1,'of':1,'but':1,'pigment':1,'heat':2,'wake':1,'pelage':1,'background':1,'remarks':1,'with':1,'by':1,'card':1,'plumage':1,'fur':1,'coat':1,'colour':1,'will':2,'s':1,'mass':1,'light':9,'blackbird':1,'the':1,'or':1,'blood':1},'anguilla':{'vulgaris':1,'vulgalis':1},'farthing--contains':{'an':1},'gives':{'a':7,'rise':1,'up':1,'us':5,'.':1,'place':1,'the':2},'sex-call':{';':1,'.':1},'million.':{'there':1},'hug':{'the':1},'aurelia':{'.':1},'centipedes':{'and':2,'millipedes':1,'spiders':1},'hum':{'comparable':1},'circulated':{'round':1},'released':{'from':1},'suspended.':{'the':1},'freeze':{'throughout':1},'holder':{'found':1,'the':1,'.':1,'your':1,'on':1},'intrinsically':{'too':1},'population':{'consists':1,'of':5,'could':1,'contains':1,'.':1},'eohippus':{'about':1,';':1},'unfortunately':{'the':1,'we':1},'require':{'a':1,'extension':1,'no':1,'fifty':1,'to':3,'much':1,'such':1,'intelligent':1},'pigmy':{'representatives':1},'modelled':{'by':6},'computer':{'virus':1,'codes':1},'ooze':{'likewise':1,'so':1,'of':1},'aesthetic':{'reasons':1},'proteins':{'e.g':1},'1.e.9.':{'1.e.8':1,'1.e.3':1},'earth.':{'a':1,'we':1,'is':1,'it':1,'illustration':1,'making':1,'the':1,'establishment':1},'and':{'discards':1,'all':10,'pheasant':1,'consider':1,'caused':1,'stems':1,'results':1,'foul':1,'four':1,'crocodile':1,'avalanche':1,'debris':1,'broader':1,'dainty':1,'go':3,'honour.':1,'nematodes':1,'decisions':1,'causes':2,'skeleton':1,'hold':4,'depend':1,'hunting':1,'educable':1,'shrinkage':1,'father':1,'young':4,'send':1,'squirrels':2,'to':29,'finally':5,'reptiles':1,'skill.':1,'stable':1,'portentous':1,'hammers':1,'cochroaches':1,'sent':1,'ulna':1,'activities':1,'protective':1,'presently':1,'club-moss':1,'very':4,'einstein--the':1,'miners':1,'wave':1,'interglacial':1,'coal-measures':1,'fall':2,'mixing':1,'more.':1,'soles':1,'monkeys':2,'minute':2,'respiratory':1,'baking':1,'parrot':1,'ceased':1,'tear':1,'michael':1,'joined':1,'culminating':2,'large':1,'these':13,'sand':1,'guiding':1,'small':2,'venus':1,'mammoth.':1,'snails':1,'round':1,'degeneracy':1,'favoured':1,'smaller':2,'illustrating':1,'ten':1,'concise':1,'imagination.':1,'becquerel':1,'measurable':1,'seas.':1,'second':2,'notwithstanding':1,'further':1,'nests':1,'perish':1,'even':12,'established':2,'what':10,'stood':1,'constitution':2,'voluminous':1,'giving':1,'storks':1,'fingers':1,'emotions':1,'hereditary':1,'white-hot':1,'salamanders':1,'above':2,'new':5,'3a':1,'cycad':1,'guinea-pigs':1,'bird':2,'alertness':1,'scenery':1,'brain-case':2,'toes':5,'malaria':1,'gathered':1,'concepts':1,'here':2,'hundreds':2,'water':8,'reported':1,'humidity.':1,'let':3,'others':12,'lull.':2,'strong':2,'anchoring':1,'extreme':1,'dry':3,'great':1,'substance':1,'broken':1,'technical':1,'employees':2,'whine':1,'36':1,'animals--the':1,'apes':5,'credit':1,'smoke':1,'browsing':1,'bettered':1,'weird':1,'otters':1,'makes':1,'beautiful.':1,'sticking':1,'control':1,'adjustable':1,'love':2,'waves--light--what':1,'family':1,'distributed':2,'bathers':1,'feelings':1,'peahen':1,'retires':1,'preparatory':1,'comets--millions':1,'sugar':1,'herring':1,'select':1,'ape':1,'standing':1,'use':1,'from':10,'takes':1,'working':1,'distinct':1,'positive':1,'continuous':1,'give':3,'two':6,'trilobites.':1,'distributing':1,'ocean-basins.':1,'live':2,'touched':1,'untie':1,'therefore':6,'taken':2,'tell':1,'more':23,'brings':2,'habits--the':1,'about':1,'chimpanzee':2,'jellyfishes':1,'magnesium.':1,'carrying':2,'big':1,'rabbit':1,'lawlessly':1,'hjort':1,'tearing':2,'must':1,'swooping':2,'metazoa':1,'animals':15,'fro.':1,'this':23,'work':2,'sucks':2,'london':1,'guards':2,'diverse':1,'crickets':1,'can':2,'mr':1,'knocked':1,'making':2,'fauna':1,'scatter':2,'mud-fishes':1,'beautiful':1,'sinking':2,'squat':1,'escapes':1,'of':27,'share':1,'purposes':1,'accept':1,'pieces':1,'parachute':1,'heard':1,'rise':1,'masterfulness':1,'bones':1,'every':4,'provoke':1,'hydrogen':1,'offspring':2,'salts':5,'firmly':1,'sir':1,'winter':2,'decaying':1,'telephonic':1,'rather':1,'breaking':2,'gannets':1,'oligocene':1,'species':1,'fishes--a':1,'cycads':2,'hot':1,'occasionally':1,'aerates':1,'animal':1,'elephant':1,'relinquished':1,'willing--has':1,'expresses':1,'oceans':1,'maternal':1,'utilise':3,'inconceivably':2,'may':7,'digesting':2,'burrowing':1,'after':3,'southern':2,'permanent':2,'produce':1,'space.':1,'curiosity':2,'coming':1,'such':2,'flourish':2,'grow':2,'lids':1,'man':4,'a':67,'short':1,'calves':1,'remember':1,'third':2,'pithecanthropus':1,'light':6,'register':1,'descends':1,'think':1,'eye':2,'perhaps':5,'complexity':2,'gloomy':1,'so':35,'silence':1,'back--till':1,'reflux':1,'first':1,'moulton.':1,'make':1,'furnish':1,'grasshoppers':1,'digested':1,'help':1,'furnished':1,'unpalatable':3,'indeed':1,'over':5,'altogether':1,'orang':1,'soon':1,'years':2,'produced':1,'bounding':1,'toads':3,'thinner':1,'including':1,'looks':1,'drifters':1,'cuts':3,'mottlings':1,'still':1,'its':17,'roots':1,'before':2,'chemical':2,'26':1,'27':1,'curly':1,'thence':1,'willow':1,'mites':1,'coarser':1,'forms':2,'saturn--the':1,'absence':1,'dogfish':1,'marsh':1,'dwarfs':1,'hind-limb':1,'societies':1,'admirable':1,'no':12,'formosa':1,'finer':1,'then':22,'evening':1,'return':2,'fourth':1,'seeking':1,'africa.':1,'saltatory':1,'inter-relations':1,'kin.':1,'giraffe':2,'elephants.':1,'they':26,'not':5,'now':1,'lifelong':1,'smoothness':1,'down':2,'obviates':1,'bluffing':1,'rocky':1,'oxygen':1,'mathematician':1,'hunterian':1,'proteins':1,'identified':1,'composition':1,'explode':1,'did':1,'someone':1,'habits':2,'2a':1,'realise':1,'each':3,'veins':1,'feeds':1,'higher':4,'erratic':1,'lively':1,'enigmatic':1,'reactions':1,'clams':1,'matthew.':2,'snakes':3,'weight':1,'elephants':3,'there':42,'energy':8,'hard':1,'prolonged':1,'tobogganing':1,'unlock':1,'catching':4,'fewer':1,'primates':1,'year':2,'our':4,'beyond':2,'primitive':4,'conspicuous.':1,'out':2,'living':1,'opened':1,'present':2,'since':3,'research':1,'looking':1,'transforming':1,'laid':1,'mate':1,'pool':1,'got':4,'get':1,'receiving':1,'cause':1,'caucasian':1,'red':1,'shows':2,'buds':1,'turning':1,'inert':1,'telescoped':1,'horse':2,'decay.':1,'quite':1,'backboneless':1,'reason':1,'complicated':1,'splashes':1,'besides':1,'backed':2,'animals;':1,'cattle':1,'steering':1,'swimming':2,'lifts':1,'delight':1,'importance.':1,'organic':1,'mortar':2,'could':2,'put':3,'success':1,'keep':1,'motion':3,'turn':1,'butterflies':1,'massive':1,'withering':1,'hence':1,'stone':1,'pterosaurs':1,'zoophyte':1,'throws':1,'south':3,'toads--it':1,'knots':1,'copper':2,'finest':1,'possessing':1,'waves':2,'delicately':1,'one':7,'feet':1,'will':4,'unexpected':1,'disappearing':1,'another':7,'carry':2,'gripping':1,'blows':1,'ways':1,'earthworms':1,'size':2,'sheep':1,'continental':1,'given':3,'tadpoles':1,'monkey':1,'similarly':1,'apple.':1,'opportunity':1,'caught':1,'relations':1,'plastic':1,'1a':1,'their':23,'2':6,'wasps':4,'motility':1,'democracy':1,'embryology':1,'anatomises':1,'dogs':3,'opening':1,'gives':1,'muscles':1,'imperfect':1,'starfish':1,'that':57,'brains':1,'needle':1,'screwing':1,'bees.':1,'folded':1,'part':2,'because':2,'cereal':1,'manipulation':1,'rivers':3,'white':3,'explodes':1,'lays':2,'distance':1,'kind':1,'legs':1,'meteors':1,'looting':1,'showed':1,'depressed':1,'sea-squirts':1,'vocal':1,'instincts--of':1,'project':1,'matter':1,'future':1,'magnesium':1,'iron':1,'arboreal':1,'starfishes':1,'hailstones':1,'proofread':1,'dusty':1,'anthropoid':2,'extracting':1,'manatees':1,'dust--that':1,'sea':1,'7a':1,'violets':1,'gate-posts':1,'modern':1,'mind':4,'lice':1,'bugs':1,'disguise--other':1,'gentle':1,'say':1,'have':4,'need':1,'vigorous':1,'fishes':1,'clearly':1,'relatively':1,'forced':1,'strength':1,'built':1,'-':1,'peculiarities':1,'also':8,'fitting':1,'internal':1,'take':1,'which':5,'deepening':1,'swims':1,'foot--an':1,'surfaces':1,'begin':1,'shallow':1,'lion':1,'though':2,'any':5,'proving':1,'who':1,'fishermen;':1,'falls':2,'creek':1,'most':5,'microbic':1,'eight':1,'printed':1,'nothing':1,'foothold':2,'measured':2,'why':4,'behaviour.':1,'mineral':1,'feminine':2,'mobile':2,'pulled':1,'backwards':1,'sometimes':5,'hungry':1,'absorbing':1,'solemn':1,'dissolved':1,'reflecting':1,'electrons':3,'punting':1,'hurled':1,'distinctive':1,'velocity':1,'europe.':1,'physics':1,'molluscs':1,'repeatedly':1,'precise':3,'saying':2,'permeable':1,'selection':1,'one-eighth':1,'show':1,'insects':3,'disappear.':1,'scattered':1,'fifty':2,'discovered':1,'bring':2,'attempts':1,'fiord':1,'seaweed':1,'carefully':2,'corner':2,'continually':1,'find':1,'slow.':1,'sea-snakes':1,'sharks':1,'nearer':1,'judgments':1,'quaint':1,'varied':1,'heavily':1,'grotesque':1,'gouging':1,'should':1,'surroundings':2,'only':4,'going':1,'black':1,'deepest':1,'molecules':4,'germs':1,'uppermost':1,'pegged':1,'rice':1,'local':1,'do':2,'his':5,'means':1,'beat':1,'tissues':1,'leisure':1,'famous':1,'explosively':1,'rest':1,'lighter':1,'swiftest':1,'combinations':1,'instinctive':1,'thomson':1,'dr':1,'falling':1,'endless':1,'birds.':1,'playful':1,'evolution':1,'progressive':1,'alacrity':1,'exactitude':1,'kidneys':1,'rowing':1,'mathematicians':1,'eyebrow':1,'segregating':1,'she':1,'quaternary':1,'eventually':3,'through':1,'fixed':1,'farther':3,'body':1,'bars':1,'official':1,'predicts':1,'seas':2,'intelligence':1,'radium':2,'bears':1,'bolivia.':1,'decided':1,'cenozoic':1,'sea-serpents':1,'snow-capped':1,'violet':2,'collects':1,'frequency':1,'pliocene':1,'best':1,'sameness':1,'pebbles':1,'closes':1,'combustion':1,'brave':1,'inequalities':1,'plasticity':2,'rugged':1,'pattern':2,'away':1,'trilobite':1,'stealthy':1,'gaseous.':1,'weapons':1,'north-west':2,'3':5,'mind.':1,'various':1,'gases':1,'closed':1,'between':2,'progress':1,'open-sea':1,'timber':1,'birds':4,'beasts':1,'crookes':1,'we':37,'men':1,'explosive':1,'parental':1,'importance':1,'sole':2,'industrious':1,'craters':2,'fishermen':1,'saturn':4,'death':3,'drew':1,'energy--may':1,'proterozoic':1,'invisible':3,'carbon':1,'carnivorous':1,'come':2,'bronze':1,'c':2,'enables':3,'cox':1,'mongol':1,'borneo':1,'according':2,'attributed':1,'sea-urchin':1,'became':2,'figures':1,'wringing':1,'everything.':1,'loose':1,'comes':1,'unconvincing':1,'wade':1,'stretches':1,'diversity.':1,'simple':3,'structure':2,'fitness':1,'ganymede':1,'america':1,'lake':1,'moreover':1,'extinct':1,'suppressing':1,'ether':1,'better':1,'steamships':1,'described':1,'raise':2,'one-celled':1,'travailing':3,'fro':2,'three':3,'been':1,'jerks':1,'immense':1,'willing':2,'slowly':1,'sponges':1,'likewise':1,'degrees':1,'herbage':2,'spacious':1,'6a':1,'caterpillars.':1,'partly':5,'success.':1,'lakelets':1,'turned':2,'conifers':1,'mammals.':1,'amphibians':2,'drainpipes':1,'made':3,'kids':1,'demand':1,'sifting--the':1,'worked':1,'left-handed':1,'food-canal':1,'mammals--with':1,'spain':1,'inconspicuous':2,'plants':3,'tide':1,'heavier':2,'uncertain':1,'caucasians':1,'frozen':1,'leave':1,'sex':1,'as':16,'morley':1,'air':1,'growth.':1,'calcium':1,'while':1,'lichen':1,'cannot':3,'many':11,'wild':1,'valleys':1,'voice':1,'toothed':1,'leaves':1,'at':6,'comets':2,'streams':1,'palings':1,'almost':2,'soil':1,'is':33,'thus':7,'it':79,'expenses':2,'weighed':1,'trilobites':1,'against':2,'knocks':1,'in':42,'beaver':1,'vanish':1,'currents':1,'if':13,'different':1,'feebler':1,'cools':1,'inquire':1,'muscle-cells':4,'granted':1,'bat':1,'fading':1,'cultivated':3,'unity':1,'complex':1,'grand':1,'vegetable':1,'joy.':1,'gorging':1,'engravings.':1,'day':1,'difficult':2,'development':1,'alertness.':1,'used':1,'see':2,'planting':1,'comprehensive':1,'blue-greens':1,'blue':2,'hotter':1,'drives':1,'flows':1,'hand':1,'director':1,'much':1,'moving':1,'purpose':1,'dark':3,'brussels':1,'timid':1,'climb':1,'warming':1,'cycle':1,'poultry':1,'race-continuing':1,'narrow':1,'off':1,'modes':1,'cliff-loving':1,'changes':2,'variety':1,'neptune':2,'without':4,'severe':1,'rome':1,'trains':1,'position':1,'the':357,'chemistry':2,'drawing':2,'heaps':1,'indigo':1,'birth':1,'just':2,'flesh':1,'being':1,'uranium':1,'licensed':1,'distribute':3,'adjusted':1,'actions':1,'disguise':1,'violent':1,'radio-activity':1,'distant':1,'circling':1,'human':3,'touch':1,'useful':1,'skill':1,'yet':11,'captured':1,'addresses':2,'migration':1,'superficial':2,'enters':1,'evolution.':1,'legitimately':1,'far-reaching':1,'had':2,'melanocetus':1,'undulating':1,'crocodiles':1,'lets':1,'potential':1,'4':2,'easy':1,'hind':1,'usage':1,'hydrosphere.':1,'has':3,'5a':1,'peanuts':1,'good-humoured':1,'australia':1,'rodents':1,'depends':2,'transitional':1,'bristle-tails':1,'babylonia':1,'discontinue':1,'absorptive':1,'regard':1,'early':1,'sparrows':1,'ultra-violet':1,'facial':1,'dreamt':1,'grape-sugar':1,'redistributing':1,'string':1,'apart':2,'loss':1,'phenomena':1,'tail':1,'stingless':1,'lost':1,'ill':1,'cooler':1,'beyond-blue':1,'reduces':1,'sizes':1,'tend':1,'loses':1,'harmonising':1,'donations':3,'electro-magnetic':1,'night':2,'nerves':1,'downward':1,'disorder':1,'dentition':2,'newton':1,'portuguese':1,'performing':1,'old':1,'often':8,'habitat':1,'scents.':1,'hair-like':1,'difficulties':1,'some':15,'back':3,'pacific':3,'mosquitoes':1,'ideals':1,'understood':1,'therein':1,'towards':1,'jupiter':2,'convex':1,'duration':1,'diving':2,'bruising':1,'recognition':1,'feeling':1,'einstein':1,'dimensions':1,'for':5,'broad':1,'ice':1,'moon':5,'when':13,'critical':1,'passion':1,'meaningful':1,'conquering':1,'starch':1,'27-1':1,'nose':1,'limitations':2,'be':1,'depressions':1,'novelties':1,'selecting':1,'combative':1,'lakes':1,'expansion':1,'pressure':1,'enregistering':1,'fullest':1,'although':2,'become':6,'drawn':3,'stows':1,'repair':1,'by':14,'hearing':2,'on':9,'mammoths':1,'energetically':1,'would':1,'branch-gripping':1,'temper':1,'reappear':2,'theirs':1,'moths':1,'side':1,'cockroaches':2,'whence':1,'spreads':1,'three-quarter':1,'piled':1,'little-changed':1,'gamma':3,'plan':1,'heavy':1,'rats':1,'baboons':1,'sea-grass':1,'trademark':1,'into':2,'good':1,'habituations':1,'intellectual':1,'negative':7,'chemists':2,'spinal':1,'everyone':3,'bats':2,'rapid':1,'sow':1,'formidable':1,'financial':1,'error':5,'cross-fertilisation':1,'mental':2,'arctic':2,'deep-violet':1,'sticklebacks':1,'expositor':1,'chrysanthemum':1,'well-developed':1,'flying':4,'vigour':1,'fast':1,'reflectors':1,'rushes':1,'mudstones':2,'bees':5,'caterpillars':1,'physicists':1,'stars':3,'spring':1,'molecular':1,'wonderfully':1,'was':3,'fish':1,'naturally':1,'endeavour.':1,'deepened':1,'form':4,'kittens':1,'mammals':14,'spirit':1,'magnetism':1,'analyse':1,'within':2,'wireless':1,'mysterious':1,'heat':5,'brain':1,'competition':1,'flexible':1,'fastened':1,'ear':1,'with':15,'eat':1,'he':14,'balancing':1,'pull':1,'swamp':1,'places':1,'whether':1,'dangerous':2,'two-spined':1,'hind-limbs':2,'social':2,'up':1,'sticklebacks.':1,'foresight':2,'placed':2,'growth':1,'those':4,'shape':1,'how':7,'acting':1,'distribution':2,'piece':1,'similar':5,'professor':3,'storing':2,'proud':1,'constant':2,'mimicry--the':1,'taste':1,'certain':1,'measure':1,'porcelain':1,'deep':1,'an':11,'proper':2,'female':1,'senses':1,'periods':2,'planets':1,'crystals':2,'domesticated':1,'are':16,'struggled':1,'again':1,'functions':1,'ancestors':1,'readjustments':1,'entirely':1,'charitable':1,'mantises':1,'thither':2,'power':1,'other':21,'5':1,'adventure':1,'holding':3,'becomes':1,'u':1,'you':4,'smell':1,'chemist':1,'horsetails':1,'gaining':1,'consequent':1,'formed':1,'ordovician':1,'accidental':1,'shelter':1,'uniformly':1,'inherently':1,'planarian':1,'runs':3,'walton':1,'insect':1,'marshes':1,'scores':1,'lasso':1,'stocks':1,'carries':1,'died':2,'began':5,'your':1,'independently':1,'breaks':2,'faster':1,'sperm-cells':3,'practically':3,'controlled':1,'dog':1,'mme':1,'persistent':1,'walked':1,'gorilla':2,'ensuring':1,'redivides;':1,'conveying':1,'time':1,'fresh':1,'indirectly':1,'chimpanzee--and':1,'4a':1},'sea-gooseberries':{'which':1},'spectroscope:':{'it':1},'froth':{'which':1},'silvanus':{'p':1},'ant':{'to':2,'the':1,'has':1,'where':1,'.':1},'spectroscope.':{'we':1},'fall.':{'we':1},'mates':{'.':1},'any':{'woodwork':1,'money':2,'alternative':1,'snout':1,'hint':1,'alternate':1,'had':1,'permanent':1,'very':1,'pigment':1,'provision':1,'day':1,'condition':1,'sufficiently':1,'bad':1,'inherent':1,'disclaimer':1,'nitrogenous':1,'people':1,'idea':1,'rate':2,'distributor':1,'living':2,'mud':1,'body':1,'scientific':1,'use':3,'understanding':1,'protection':1,'collection':1,'monkey':1,'on':1,'substance':3,'country':1,'length':1,'suggestion':1,'copper':1,'statements':1,'point':1,'character':1,'one':3,'learning':1,'fees':1,'quality':1,'given':1,'additional':1,'zoologist':1,'cooling':1,'way':3,'suit':1,'white':1,'waste':1,'type':1,'more':2,'files':1,'hydrosphere':1,'muscles':1,'corresponding':1,'statement':1,'form':1,'ordinary':1,'apparent':2,'direct':1,'part':2,'virtue':1,'particular':2,'copy':1,'case':8,'kind':4,'word':1,'hour':1,'work':2,'project':3,'record':1,'of':3,'age':1,'sense':1,'influence':1,'defect':1,'agent':1,'rigorous':1,'in':1,'binary':1,'angle':1,'member':1,'other':16,'you':1,'star':1,'trace':1,'rain':1,'purpose.':1,'moment':2,'purpose':1,'necessity':1,'conscious':1,'light':1,'colour':1,'person':1,'time':1,'representation':1,'volunteers':1,'irregularity':1},'confirmation':{'of':2},'transcription':{'errors':1},'ideas':{'and':4,'meant':1,'what':1,'of':8,'is':1,'when':1,'but':2,'.':4,'are':1,'in':3,';':1,'or':1},'form-resemblance':{'for':1},'sciences':{'study':1,'forcing':1},'emphasis':{'on':1},'mesohippus':{'about':1,';':1},'fracture':{'of':1},'thermometer':{'seem':1},'resembling':{'a':1,'in':1},'shafts.':{'then':1},'primaries':{'pr':1},'inky':{'darkness':1},'sure':{'on':1,'that':2,'of':1,'but':1,'.':2,'effectiveness':1},'multiple':{'of':1,'pedigree':1},'nebulae--the':{'birth':1},'azores':{'or':1},'indelible':{'stamp':2},'harmonious':{'mingling':1},'clearer':{'to':2},'falls':{'on':1,'about':1,'of':4,'obliquely':1,'as':1,'they':1,'the':2,'286':1,'more':1},'hincks':{'astronomy':1},'boiling':{'a':2,'of':1,'point.':1,'ocean':1},'donation':{'methods':1},'multiply':{'quickly':1},'cleared':{'off':1},'spectroscopist':{'is':1},'dried-up':{'and':1},'study.':{'i':1},'thigh-bone':{'and':2,'indicates':1},'considered':{'what':1,'opaque':1,'only':1,'.':2,'also':1,'as':1,'they':1,'by':1},'proud':{'as':1,'.':1,'that':1},'science.':{'these':1,'the':1,'bibliography':1,'it':1,'illustration':1},'hungry':{'sharp-eyed':1,'hermit-crabs':1,'animals':1,'eyes':1},'idea.':{'what':1},'vulgaris':{'200':1},'prout':{'suggested':1},'quantity':{'of':7,';':1,'.':2},'detective':{'story':1},'pans':{'of':1,'as':1},'permeable':{'materials':1,'so':1},'spaced':{'from':1,'with':1},'solar':{'atmosphere':1,'observer':1,'system.':4,'phenomena':2,'prominences':4,'eclipse':3,'system':34,'surface':1,'system--regions':1,'electrons':1,'envelope':1,'spectrum':3,'system--with':2,'tides':1},'radiation.':{'that':1},'inshore':{'waters':1},'hustler':{'given':1},'homology':{'essential':2},'protrusion':{'of':2},'gulf':{'was':1,'in':1},'richness':{'of':1},'gull':{'with':1},'written':{'a':1,'confirmation':1,'recently':1,'explanation':2,'.':1,'in':2,'with':1,'by':1},'crime':{'and':1},'double-breather':{'dipnoan':1,'showing':1},'wood':{'jones':1,'of':1,'or':3,'but':1},'believing':{'that':1},'dreaded':{'it':1},'lighted':{'gas':1},'closed':{'the':1,'with':1,'in':1},'ink-bags':{'are':1,'.':1},'masking':{'the':1,'for':1},'expectation':{'of':2},'space.':{'many':1,'the':1},'bolometer':{'which':1},'radiations':{'the':1,'he':1},'vive':{'ready':1},'space;':{'and':1},'antler':{'or':1},'telescopes.':{'telescopes':1},'reveal':{'to':1,'the':1,'his':1},'reality--the':{'life':1},'aluminum':{'in':1},'floods':{'to':1,'or':1,'of':1},'naked':{'eye':2,'with':1,'body.':1},'scots':{'name':1},'bison':{'and':2,'delicately':2,'above':1,'.':1},'big-brained':{'modernised':1,'skulls':1,'extremely':1,'chimpanzee':1},'pouch;':{'while':1},'fainter':{'of':1},'borings':{'might':1},'orioles':{'.':1},'discussing':{'telescopes':1,'.':1},'ignored':{'.':1},'beholding':{'they':1},'encourages':{'us':1},'foetal':{'membrane':1,'membranes':1},'stars--or':{'rather':1},'1920':{'in':1},'1921':{'attention':1,'176-177':1,'.':4,'in':2,'the':1,'meeting':1},'1922':{'by':1,'third':1,'sixth':1,'seventh':1,'ninth':1,'twelfth':1,'second':1,'eleventh':1,'fourth':1,'tenth':1,'eighth':1,'fifth':1},'disarranged':{'.':1},'enregistered.':{'in':1},'obliging':{'in':1},'collects':{'a':1,'pollen':1,'some':1},'violates':{'the':1},'encouraged':{'by':1},'surfaces':{'and':1,'hooky':1,'for':1,'of':2,'reflect':1,'in':1,'such':2},'fails':{'to':1},'invoked':{'to':1},'crystal':{'we':1,'between':1},'federal':{'tax':1,'laws':1},'subsequent':{'research':1,'eras':1,'stage':1},'birds--intelligence':{'co-operating':1},'weapons':{'and':1,'or':1},'north-west':{'australia':2},'outside':{'and':1,'we':1,'his':1,'scientific':1,'these':1,'of':2,'it':1,'himself':1,'influences':1,'our':1,'nothing':1,'world':2,'the':6},'ages.':{'illustration':1},'hiss':{'.':1},'crookes':{'and':1,'sir':1,'experimented':1,'talked':1,'tube.':1,'tube':1,'had':1,'preferred':1,'247':1,'used':1,'but':1,'in':1,'really':1,'tubes':1,'at':1},'multiplied':{'by':1},'tylor':{'e':1},'hundredth':{'but':1},'originated':{'a':1,'from':1,'by':1,'in':1},'one-mile':{'thickness':1},'densely':{'packed':1},'kea':{'or':1,'parrot':1},'multiplies':{'by':1,'in':1},'coma':{'berenices':2},'oxalic':{'acid':1},'cities':{'150':1,'because':1,'.':1,'to':1,'of':1},'come':{'and':1,'nearest':1,'into':4,'back':3,'in':2,'mysteriously':1,'out':2,'from':2,'for':1,'next':1,'to':13,'under':1,'more':1,'up-stream.':1,'presently':1,'nutritive':1,'those':1,'a':1,'about':2,'up':2,'together':3,'near':2,'.':1},'reaction':{'of':2,'between':1,'at':1,'or':1},'pests':{'were':1},'successes':{'but':1,'.':1},'primus':{'berry':1},'23':{'photo':2,'saturn':1,'1914':2,'000':1},'water-ouzel--a':{'bird':1},'quiet':{'upper':1,'unobtrusive':1},'contract':{'.':1,'except':1,'it':1},'energies':{'light':1},'berry':{'the':1},'equatorials':{'and':1,'.':1},'railway':{'siding':1,'trucks':1},'utterance':{'to':1},'surface.':{'this':1,'open-sea':1},'radio-activity':{';':1,'has':4,'we':1,'were':1},'afterwards':{'found':1,'recommence':1,'it':2,'words':1,'requires':1},'bricks':{'of':2,'out':1,'are':2,'each':1},'course.':{'this':1},'employee':{'of':1},'colony':{'of':10,'is':2,'.':1,'are':1,';':1,'south':1},'period':{'often':1,'is':2,'as':1,'including':1,'in':2,'before':2,'perhaps':1,'there':2,'when':1,'.':1,'peopling':1,'which':1,'reptiles':1,';':1,'has':1,'was':7,'we':2,'that':5,'rise':5,'during':1,'a':1,'land':1,'showed':1,'e.g':1,'of':16,'either':1,'through':1,'the':5,'90':1,'first':2},'6.':{'enregistered':1},'satisfaction':{'and':1,'in':1,'.':1},'61':{'diagram':1,'a':1},'62':{'feet':1,'inches':1},'64':{'from':1},'straws.':{'the':1},'67':{'miles':1,'000':2},'68':{'photo':1},'69':{'green':1,'reproduced':1,'proterospongia':1},'pod':{'.':1},'skeletons':{'of':5,'are':1},'noisy':{'with':1},'song-thrush':{'when':1,'takes':1},'blend':{'into':1},'pilgrims':{'for':1},'deposited':{'as':1,'in':1},'cords':{'stretched':1,'.':1},'hardly':{'even':1,'be':6,'needs':1,'necessary':2,'pauses':1,'conceive':1,'seems':1,'change':1,'imagine':1,'counts':1,'tenable':1,'inferior':1,'too':1},'500':{'pounds':1,'000':4,'to':1,'miles':1,'fathoms':3,'yards':1,'extinct':1,'deg':1},'501':{'c':2},'6a':{'hipparion':1},'direction':{'towards':1,'whereby':2,'that':1,'of':6,'is':1,'when':1,'.':2,'as':1,'contrary':1,'in':4,'taken':1,';':1},'forecloses':{'the':1},'robbed':{'of':1},'radiates':{'heat':1},'tiger':{'begins':1,'the':1},'implied':{'a':3,'getting':1,'many':1,'.':4,'including':1,'in':2,'an':3,'was':1,'warranties':1},'sea-horses':{'phyllopteryx':1},'eaters':{'in':1},'attentive':{'persistent':1},'squirrels':{'quickly':1,'which':1,'.':1},'robber':{'crab':1},'paying':{'any':1,'copyright':1},'specialised':{'member':1,'instincts':1},'caucasians':{'we':1,'include':1},'mount':{'on':1,'wilson':16,'hermon':2,'everest':1},'twigs':{'very':1},'life;':{'precise':1},'premature':{'to':1},'vegetation--an':{'awkward':1},'slippery':{'bridge':1},'life.':{'origin':1,'wallace':1,'similarly':1,'many':1,'there':1,'wherever':1,'it':1,'illustration':1,'sec':2,'they':1,'volunteers':1,'if':1},'mound':{'.':1},'hunts':{'small':1,'vigorously':1},'focussed':{'on':1},'trackless':{'waste':1},'another--to':{'pass':1},'person.':{'besides':1},'someone':{'not':1,'said':1},'anti-bodies':{'which':1},'unsounded':{'i.e':1},'uncatchable':{'in':1},'meals.':{'there':1},'helmet':{'or':1,'.':1},'revolutions':{'a':1,'round':1},'author':{':':1},'alphabet':{'of':2,'the':1},'granted':{'tax':1,'but':1},'skips':{'the':1,'about':1},'knowable':{'way':1},'motley':{'crowd--we':1,'into':1},'a-b.':{'newer':1},'buys':{'a':1},'implement.':{'on':1},'generated':{':':1},'status':{'of':2,'with':1,'by':1},'wall-like':{'formation':1},'males':{'six':1,'especially':1,'that':1},'disadvantages':{'for':1},'pays.':{'when':1},'nest':{'and':2,'or':2,'to':1,'else':1,'of':3,'into':1,'191':1,'.':2,'how':1,'while':1,'which':2,'in':5,';':1,'several':1,'with':2,'the':6,'is':1,'out':1},'insects.':{'whether':1,'mesozoic':1,'devonian':1},'tree-toad':{'whose':1},'drives':{'off':2},'weed':{'120':1,'.':1},'director':{'of':1,'gbnewby':1},'persons':{'bearing':1,';':1,'is':1},'arose':{'and':1,'what':1,'we':1,'.':1,'as':1,'races':1,'various':1,'the':3,'or':1},'changing':{'natural':1,'energy':1,'process':1,'colour':1,'conditions':1,'its':1},'implements':{'a':1,'instruments':1,'were':1,'or':1,'.':1},'marsh.':{'the':1,'six':1},'perennial':{'tendency':1},'safely':{'be':1,'away':1},'shift.':{'we':1},'magical':{'glass':1,'way':1},'without':{'saying':1,'seeing':1,'being':2,'intelligence':1,'ceasing.':1,'an':2,'as':1,'at':1,'further':1,'domesticated':1,'any':6,'heat--forms':1,'trying':1,'thinking':1,'there':1,'.':4,'doing':1,'charge':1,'much':1,'too':1,'fatiguing':1,'prominently':1,'reading':1,'measuring':1,'mentioning':1,'them':2,'committing':1,'permission':1,'sufficient':1,'significance':1,'noticing':1,'free':1,'heat':2,'a':3,'supposing':1,'disparagement':1,'complying':1,'trouble--an':1,'conspicuous':1,'sacrificing':1,'paying':2,'wide':1,'that':1,'getting':1,'stimulus':1,'this':1,'fertilisation':1,'the':7,'having':1},'model':{'of':2,'is':1,'by':4,'seen':1},'reward':{'and':1,'of':1},'bodies':{'and':1,'certain':1,'held':1,'are':3,'in':1,'whose':1,'would':1,'had':1,'.':1,'behave':1,'which':1,'has':1,'we':1,'dependent':1,'acquire':1,'but':1,'fall':1,'represented':1,'i.e':1,'with':1,'like':1,'considered':1,'of':2,'up':2,'the':2,'having':1},'justify':{'themselves':1,'the':2,'all':1},'clog':{'the':1},'when':{'and':1,'this':4,'all':1,'full-grown':1,'dealing':1,'it':34,'competition':1,'one':3,'appropriate':1,'jupiter':1,'something':1,'human':1,'in':2,'seen':1,'cold':2,'abundant':1,'its':1,'even':1,'compared':2,'to':1,'observing':1,'caught':2,'there':6,'young':2,'sunlight':1,'birds':2,'needed':1,'only':3,'bombarded':1,'sponges':1,'lizzie':1,'tens':1,'you':3,'he':9,'resting':1,'we':31,'his':1,'scientific':1,'parental':1,'liberated':1,'however':2,'atoms':1,'water':1,'moving':2,'two':2,'they':16,'put':1,'an':7,'with':1,'man':3,'a':19,'great':1,'revolved':1,'animals':1,'these':2,'of':1,'professor':1,'applied':1,'she':2,'baits':1,'enough':1,'small':1,'hot.':1,'the':82,'grass':1,'at':1},'guided':{'astronomers':1},'actions':{'and':4,'among':1,'show':1,'becoming':1,'but':1,'.':4,'cease':1,'are':1,'which':2,'living':1,';':1},'violent':{'and':1,'death':1,'end':3,'disturbances':1,'agitation':1,'motion':3,'discharge':1,'movement':1},'cease':{'to':1,'is':1,'in':1,'using':1},'anamnia':{'the':1},'mongoose':{'riki-tiki-tavi':1},'differentiation':{'of':1,'.':1},'polish':{'wife':1},'colonise':{'the':2},'captured':{'a':2,'arm':1,'for':1,'.':1},'blow':{'from':1},'gentleness':{';':1},'widest':{'and':1,'array':1,'variety':1},'hint':{'of':5},'--from':{'unicellular':1},'rose':{'and':1,'on':1,'above':1,'in':1},'favouring':{'certain':1,'the':1},'except':{'about':1,'for':3,'that':6,'electricity':1,'when':1,'in':8,'upon':1,'to':1,'as':1,'red':1,'violet':1,'the':7,'those':1,'man':1},'great.':{'illustration':1},'lets':{'it':1},'interested':{'in':1},'samples':{'of':1},'hind':{'part':1,'end':1,'.':1},'engulfed':{'.':1},'stagnant':{'lifeless':1},'nekton':{'and':1},'sociality':{'.':1},'men-of-war':{';':1},'kingdom':{'we':1,'of':1,'.':2,'not':1,'the':1,'where':1},'crustaceans':{'and':3,'lamp-shells':1,'insects':1,'insect':2,'can':1,'which':2,';':1},'confines':{'the':1},'action.':{'what':1},'confined':{'to':2,'so':1,'our':1},'characteristically':{'vital':1},'shore-haunts.':{'following':1},'accepted':{'theory':1,'that':1,'it':1,'but':1,'which':1,'in':1},'left-hand':{'photograph':2,'side':1},'acute':{'senses':1,'especially':1},'standstill':{'that':1},'particle':{'that':1,'of':8,'is':1,'which':1,'becomes':1,'was':1},'harmonising':{'the':1},'patrick':{'sheriff':1},'reduces':{'to':1,'friction':1},'multifarious':{'tasks':1},'sieves':{'with':1,'by':1},'sternly':{'regulated':1},'petrie':{'has':1},'donations':{'received':1,'from':2,'1':1,'to':4,'can':1,'in':2,'or':1,'are':2},'always':{'new.':1,'human':1,'being':1,'have':1,'in':5,'ring':1,'giving':1,'regarded':1,'had':1,'tend':1,'presents':1,'to':2,'setting':1,'black':1,'going':2,'receiving':1,'that':1,'clear-cut':1,'refused':1,'lives':1,'recognise':1,'put':1,'envelops':1,'aiming':1,'present':2,'a':1,'on':1,'turns':1,'or':1,'overlappings':1,'remain':1,'points':1,'so':1,'hobbled':1,'the':2,'think':1},'tower':{'above':1},'reduced':{'to':3,'the':1,'from':1,'for':1,'.':1},'burdens':{'of':1},'competition':{'e.g':1,'is':1,'but':1,'.':1,'in':1,'or':1},'deduce':{'more':1},'respect':{'most':1,'with':1},'oftener':{'than':1},'intact':{'ones':1},'leadbeater.':{'an':2},'chewing':{'a':1},'provided':{'to':1,'you':1,'that':1,'by':1,'in':1},'mood':{'at':1},'prolific':{'and':2,'multiplication':2,'early':1,'have':1,'though':1},'defenceless':{'weaponless':1},'legal':{'fees':2},'moon':{'and':4,'because':1,'exert':1,'28':1,'is':5,'newton':1,'it':1,'as':1,'at':2,'entering':2,'------':1,'32':1,'are':1,'passes':1,'from':1,'takes':1,'would':1,'began':1,'when':1,'.':15,'to':1,'of':1,'fig':1,'mars':1,';':1,':':1,'was':6,'split':1,'do':1,'we':1,'nearer':1,'may':1,'showing':1,'were':2,'took':1,'but':7,'crosses':2,'gets':1,'by':1,'partially':1,'has':2,'turns':1,'s':6,'act':1,'the':2,'makes':1,'farther':1},'depletion':{'of':1},'moot':{'point':1},'provides':{'the':3,'means':1},'out-side':{'influences':1},'freed':{'from':2},'lop-eared':{'forms':1},'ovaries':{'and':1},'nails':{'and':1,'in':1},'stereotyped':{'routine':1,'was':1,'bee':1},'communicate':{'some':1},'voracious':{'and':1,'insect':1},'journeyman':{'.':1},'resurrection':{'of':1},'affording':{'food':1,'most':1,'as':1},'on':{'all':1,'minced':1,'september':1,'isolated':1,'disguise':2,'through':1,'human':2,'earth':5,'its':31,'apace':1,'dividing':1,'true':1,'young':1,'better':1,'to':21,'board':2,'stable':1,'photographs':1,'brown':1,'them':3,'his':4,'around':1,'returning':1,'possible':1,'trees':2,'firmer':1,'sea-lettuce':1,'five':1,'probably':1,'radio-active':1,'one':5,'jupiter.':1,'evolution':3,'likeness':1,'january':1,'sufficiently':1,'sand':2,'each':5,'small':1,'them.':1,'entirely':1,'page':1,'saturn.':1,'transcribe':1,'some':4,'biology':1,'yerkes':2,'individual':1,'entering':1,'our':2,'special':1,'creatures':1,'what':1,'for':2,'god':1,'mars.':1,'ice':3,'various':1,'affecting':1,'progress':1,';':2,'receiving':1,'red':1,'can':1,'columbus':1,'wheat':2,'whose':1,'evolving':1,'atoms':1,'water':1,'by':3,'dry':4,'both':2,'backwards':1,'repeating':1,'leaves':1,'american':1,'islands':2,'passing':2,'or':1,'this':11,'striking':1,'hearing':1,'another':3,'einstein':1,'trust':1,'from':2,'her':3,'their':10,'top':1,'there':1,'two':1,'.':12,'183':1,'moisture':1,'mars':10,'until':1,'life':1,'clever':1,'that':3,'mammals':1,'exactly':1,'back':1,'bipedal':1,'with':1,'those':1,'must':1,'plants':2,'account':2,'these':4,'mount':2,'up':1,'air':2,'three':1,'under':1,'and':3,'withered':1,'gate-posts':1,'in':9,'surpassing':1,'slowing':1,'an':10,'protective':1,'planets':1,'further':1,'floating':1,'any':1,'different':3,'inborn':1,'wits':1,'radiation':1,'snow':1,'close-packed':1,'other':1,'sandy':2,'animal':1,'accumulating':1,'towards':1,'lanky':1,'it':8,'herbs':1,'itself.':1,'occasion':1,'such':1,'intrinsic':1,'parallel':1,'a':63,'land':6,'to-day':1,'decaying':1,'we':1,'which':18,'green':2,'every':4,'the':294,'berries':1,'again.':1},'beavers':{'who':1},'discussed':{'elsewhere.':1,'separately':1,'in':2},'chamberlin':{'and':1,'s':1,'says':2},'shrimp':{'net':1},'20417.zip':{'this':1},'whence':{'the':3,'man':1,'is':2,'they':2,'he':1},'stop.':{'illustration':1},'stand':{'in':1,'out':1,'alone.':1},'prism--a':{'triangular-shaped':1},'discrimination':{'of':1,'with':1,'between':1},'gregory':{'b':1},'investigators':{'professor':1,'.':1},'or':{'partial':1,'suns':1,'four':3,'nursery':1,'go':2,'layers':1,'brackish':1,'hunting':2,'electricity':1,'unenforceability':1,'young':2,'to':10,'under':1,'teaching':1,'division':1,'devonian':1,'fall':1,'animals':2,'whirlpools':1,'elevations':1,'squids':1,'alevins':1,'redistribute':1,'corpuscles':1,'clouds':1,'die':1,'frozen':1,'glaciations':1,'greenish':1,'small':1,'mammal':1,'autotomy.':1,'caries':1,'upper':1,'frog-mouth':1,'pass':2,'further':1,'even':16,'what':1,'adds':1,'fitnesses':1,'pipes':1,'paddle':1,'access':1,'above':1,'new':3,'thereabouts':1,'movement':1,'segmentation':1,'men':1,'water':1,'protection':1,'along':1,'extreme':1,'sending':1,'thirty':2,'brilliant':1,'wherever':1,'experience':1,'patagium':1,'formation':1,'threes':1,'feelings':1,'semang':1,'total':1,'herring':1,'tertiary':1,'engrain':1,'use':2,'from':5,'two':4,'distributing':3,'almost':2,'more':8,'becomes':1,'envelope':1,'about':1,'train':1,'rabbit':1,'breach':1,'glad':1,'must':1,'flagellum':1,'strain':1,'averaged':1,'can':1,'nothing.':1,'marble':1,'mud-fishes':1,'proprietary':1,'brown':1,'pulling':1,'something':1,'serum':1,'axis':1,'disappearing.':1,'six':3,'chemical':2,'how':2,'fourth':1,'re-use':2,'stock':1,'gonads':1,'communicating':2,'after':3,'eighty':1,'mankind':1,'a':33,'elusive':1,'light':2,'hypotheses':1,'coal':2,'so':4,'deterioration':1,'playing':1,'foetal':1,'refund':3,'sperm-cell':1,'evolutionary':1,'self-destructively':1,'rottenness':1,'double-breather':1,'hypertext':1,'years':1,'lumpsucker':1,'secondaries':1,'pterodactyls':2,'group':1,'lateral':1,'destroyed':2,'animal':1,'pglaf':1,'repulsive':1,'they':1,'weeds':1,'not':2,'detach':1,'adventurous':1,'bubbles.':1,'magnitude':1,'fitness':1,'beneath':1,'mental':1,'agriculture':1,'out':1,'dying':1,'cause':1,'alevin':1,'shut':1,'approached':1,'siege':1,'eternal':1,'rotifer':1,'duck-billed':3,'telescopes':1,'nebulae':1,'rearrangements':1,'wanderers':1,'audacity':1,'disturbed':1,'lemurs':1,'stone':1,'unborn':1,'zoophyte':3,'south':1,'emotion':1,'blown':1,'another':1,'flagella':1,'foraminifera':2,'monkey':1,'pelagic':1,'anyone':1,'their':2,'185':1,'white':1,'muscles':1,'immediate':1,'sea-scorpions':1,'egg-producer':1,'patches':1,'meteors':1,'grey':1,'actively':1,'iron':1,'were':1,'providing':2,'sea-gooseberries':1,'chrysalis':1,'shell':2,'have':2,'cleverness':1,'organs':1,'any':9,'built':1,'lumps':1,'camouflage':1,'gunnel':1,'take':1,'online':3,'destroy':2,'spawns':1,'primaries':1,'easygoing':1,'centres':2,'breaking':1,'invertebrate':1,'successive':1,'measured':1,'darkness':1,'sea-butterflies':1,'nostrils':1,'later':3,'dissolved':1,'electrons':1,'salt':1,'planetary':1,'distributed:':1,'nest-building':1,'bright':1,'archimedes':1,'seaweed':1,'entity':3,'find':1,'only':3,'wood':1,'black':1,'employee':1,'shepherding':1,'fossil':1,'get':1,'eel-fare':1,'fronds':1,'cannot':1,'preparing':1,'instinctive':2,'primates':1,'stone.':1,'devoured':1,'amid':1,'parasitic':1,'remove':1,'twice':1,'steam':1,'kernel':1,'seventeen':1,'ebb':1,'intelligence':1,'testing':1,'computer':1,'are':2,'corrupt':1,'eoliths':1,'federal':1,'away':1,'rings':1,'waltzing':1,'its':1,'weapons':1,'mud':1,'between':1,'nestor':1,'across':1,'deletions':1,'incarnation':1,'creating':2,'sole':1,'podargus':2,'invisible':2,'1.e.9.':2,'sperm-producer':1,'many':3,'region':1,'water-ouzel--a':1,'strains':2,'expense':1,'expression':1,'experimental':1,'mutating':1,'among':1,'adjusted':1,'mutations':3,'whatever':1,'extinct':2,'late':1,'gregarious.':1,'one-celled':1,'create':1,'three':5,'protoplasm':1,'thrice':1,'rather':1,'general':1,'else':1,'elvers':1,'homes':1,'solid':1,'dendrites':1,'replaced':1,'argonaut':1,'wild':2,'layer':1,'diaphragm':1,'is':1,'squid':2,'it':5,'cluster':1,'to-morrow':1,'anti-bodies':1,'in':14,'if':1,'damaged':1,'perhaps':1,'cromagnard':3,'shorter':1,'dermis':1,'double-breathers':1,'big':1,'mud-skipper':2,'prominences':1,'foam':1,'infinite':1,'staving':1,'reflection':1,'charges':4,'well':1,'command':2,'comes':1,'mother':2,'the':23,'left':1,'less':14,'cromagnards':1,'distribute':2,'egg-cell':1,'obtain':1,'fishing':1,'anamnia':1,'multiples':1,'vibration':1,'absorption':1,'killed':1,'dipper':1,'irresponsive':1,'humanity':1,'photographed':1,'tracheae':1,'early':1,'possibly':1,'gyrating':1,'five':2,'using':1,'modifications':1,'appearing':1,'feral':2,'post-glacial':2,'incidental':1,'eel':1,'vortex':1,'ctenophores':1,'often':1,'crown':1,'dead':1,'sponge':1,'indirect':1,'bruising':1,'for':2,'memories':1,'does':1,'glacial':1,'disproved--e.g':1,'enregistering':1,'by':10,'on':5,'limitation':3,'chaff':1,'central':1,'of':11,'20417.zip':1,'octopus':2,'sea-grass':1,'down':1,'because':3,'determine':1,'protozoa':1,'additions':1,'her':1,'camouflaging':2,'incipient':1,'sneezing':1,'was':2,'pinna':1,'some':3,'amongst':1,'heat':1,'shoulder-blade':1,'trying':1,'with':3,'whether':1,'dangerous':1,'variations':2,'frugivorous':1,'associated':1,'taste':1,'an':3,'as':3,'furl':1,'again':1,'dimly':1,'inborn':1,'when':3,'other':8,'dies':1,'casque':1,'nucleus':2,'pycnogon':1,'sneeze':1,'vice':1,'vehicles':1,'implied':1,'indirectly':3},'amber':{'trade':1},'cambridge':{'university':1,'manual':1,'.':3},'columbia.':{'the':1,'fig':1},'communication':{'that':1,'between':2},'charts':{'we':1},'spinal':{'canal':1,'cord':4},'clams':{'in':1},'accounts':{'for':1},'determine':{'the':3,'what':1,'survival':1},'cro-magnon':{'in':1},'speculated':{'on':1},'theoretically':{'a':1,'that':1},'buds':{'out':1},'pycnogon':{'walking':1},'whales':{'and':1,'great':1,'.':1,'which':1,'largely':1},'distinctions':{'except':1},'strictly':{'marine':1},'there':{'and':1,'emerge':1,'exists':2,'being':1,'had':4,'is':259,'191':1,'results':2,'one':1,'diverged':2,'are':142,'have':7,'in':3,'.':5,'any':2,'seemed':1,'emerges':1,'rises':1,'appear':1,'would':2,'seems':7,'been':2,'actually':1,'may':10,'only':1,'other':1,'probably':2,';':1,'has':12,'was':42,'ought':1,'be':1,'life':2,'an':1,'intervened':1,'some':1,'took':1,'illustration':1,'soon':1,'depressing':1,'cannot':1,'lives':1,'arose':2,'they':1,'not':5,'now':1,'comes':1,'depended':1,'a':3,'on':1,'are.':1,'should':3,'could':2,'will':5,'remain':2,'must':7,'can':11,'evolved':4,'were':26,'the':1,'might':1,'makes':1,'came':3},'disposed':{'to':2},'dispersion':{'is':3,'can':1},'strict':{'liability':1,'sense':3},'world--weighs':{'nearly':1},'house':{'of':1,'.':2,'to':1,'against':1,'on':1},'macaques':{'and':1,'the':1},'fish':{'and':2,'is':4,'it':2,'117':1,'at':1,'118':1,'firmly':1,'takes':1,'lizards':1,'flying':1,'when':1,'.':2,'to':2,'which':4,'probably':1,'has':1,'arges':1,'stock':1,'that':1,'ceratodus':1,'chiasmodon':2,'with':2,'like':1,'of':1,'larger':1,'grows':1,'the':3,'male':1,'makes':1,'called':1},'eoanthropus':{'expresses':1},'relic':{'of':3,'were':1},'kittens':{'or':1},'account.':{'since':1},'troubles.':{'another':1},'amongst':{'fishes':1,'the':8,'themselves':1,'them':1,'all':1},'instrument.':{'a':1},'strenuous':{'life.':1,'life':3,'conditions':1,'time':2},'promote':{'variability':1},'faster':{'and':1,'than':4,'.':2},'applying':{'severe':1},'bullet':{'and':1,'thirty':1,'leaves':1,'illustration':1,'one':1,'itself':1,'does':1,'the':1},'multiplicity':{'.':1},'electroscope':{'is':1},'centenarian':{'tortoise':1},'grasp':{'begins':1,'probably':1,'the':1,'an':1},'grass':{'and':2,'gathering':1,'forming':1,'the':1,'was':1,'he':1},'creeping':{'of':1,'about':1,'upwards':1},'strongly':{'developed':1,'illumined':1},'accentuated':{'by':1},'words:':{'bone':1},'stock.':{'every':1},'taste':{'do':1,'may':1,'of':1,'seems':1,'which':1,'in':1},'yacht':{'and':1},'lingula':{'of':1},'tactics--self-effacement':{'on':1},'britain':{'and':2,'do':1,'we':1,'just':1,'it':1,'has':1,'having':1},'curly-or':{'wavy-haired':1},'diverged':{'far':1,'the':2,'from':1},'orchards':{'descended':1},'corresponding':{'ratio':1,'magnetic':1,'to':10,'bright':1,'stages':1,'hump':1},'russel':{'wallace':1},'operation':{'of':1,'to-day':1},'collared':{'lashed':1},'deserve':{'for':1},'discerned':{'in':1},'shore-haunt':{'and':2,'littoral':1,'as':1,'are':1,'exhibits':1},'compel':{'the':1},'erecting':{'standing':1},'spring-tails':{'and':1},'blackish-grey':{'.':1},'f.z.s.':{'seasonal':1,'professor':1,'banded':1,'rock':1,'the':3,'woodpecker':1},'meteorites--pieces':{'of':1},'cock-pigeon':{'very':1},'deviation':{'it':1},'briefly':{'the':1,'discussed':1,'outline':1},'separate':{'and':1,'animals':1,'study.':1,'engines':1,'tuft':1,'whirling':1,'off':1,'entity':1,'universes--':1,'threads':1,'molecules':1,'existence':1,'genus':1},'manipulate':{'puzzle-boxes':1},'symbol':{'of':1},'carnegie':{'institution':2},'includes':{'not':1,'information':1,'all':2,'thousands':1,'the':2},'gutenberg':{'web':1,'associated':1,'license':3,'is':3,'ebook':4,'literary':13,'are':1,'you':1,'volunteers':1,'appears':1},'nucleus':{'and':2,'then':1,'we':1,'gr':1,'rather':1,'of':5,'is':1,'but':1,'.':4,'to':1,'are':1,'in':1,'into':1,';':1,'has':1,'or':3},'recognise':{'a':1,'both':1,'them':1,'that':1,'these':1,'an':1,'as':2,'progress':1,'the':6,'accessory':1},'fasten':{'themselves':1},'included':{'a':1,'was':1,'with':2,'.':2,'in':2,'the':1,'has':1,'numerous':1},'stocks':{'began.':1,'of':3,'began':1,'within':1,'it':1,'but':1},'irretraceable':{'course.':1},'bustard.':{'such':1},'atromaculatus':{'121':1,'in':1},'missed':{';':1},'meadow':{'it':1},'bilateral':{'symmetry.':1,'symmetry':2},'calls':{'of':1,'the':3,'it':1,'adaptive':1},'wife':{'took':1},'splendour.':{'they':1},'environment.':{'1':1,'sec':1},'eighty-odd':{'chemical':2},'migrated':{'to':1,'from':2},'all':{'opinions':1,'over':3,'mending':1,'four':1,'thoughtful':1,'through':3,'its':2,'except':2,'monkeys':1,'forms':1,'to':3,'only':1,'reptiles':2,'easy':1,'circle':1,'his':5,'liability':2,'they':1,'day':2,'processes':1,'50':1,'these':6,'works':1,'cells':1,'mean':1,'angles--that':1,'because':1,'energy':1,'hard':1,'phenomena':1,'are':1,'our':3,'shoots':1,'enemies':1,'respects':1,'space':1,'access':1,'outside':1,';':3,'be':1,'we':1,'scientific':1,'here':1,'atoms':2,'magnetism':2,'directions.':1,'members':1,'clues':1,'directions':3,'along':1,'likelihood':3,'things.':1,'mingled':1,'of':7,'round':3,'speeds':1,'probability':2,'point':1,'three':1,'chemists':1,'references':2,'sounds':1,'use':1,'her':1,'flying':1,'copies':2,'.':7,'scions':1,'conceivable':1,'molecular':2,'was':1,'life':2,'that':3,'but':2,'cases':2,'white':3,'those':2,'inconspicuous':1,'animals':2,'this':4,'originally':2,'appearance':2,'air':1,'matter':7,'were':1,'meet':1,'stages':2,'at':2,'and':1,'associated':1,'sorts':6,'is':3,'modern':2,'it':1,'as':1,'manner':1,'walks':1,'perhaps':3,'things':4,'make':1,'when':2,'detail':1,'how':1,'other':1,'which':1,'creatures':1,'higher':2,'kinds':1,'moving':2,'such':1,'in':2,'attaining':1,'time':1,'the':81,'bodies':2},'lack':{'of':2},'muscle-fibres':{'grow':1,'in':1},'son.':{'the':1,'alsatian':1},'seals':{'and':1,'.':1},'light-waves':{'and':1,'into':1,'.':2,'are':1,'which':1,'the':2},'disc':{'and':1,'for':1,'of':4,'.':2,'eight':1,'was':1},'dish':{'and':1},'follow':{'sir':1,'that':1,'it':1,'however':1,'till':1,'the':4,'with':1,'their':1},'disk':{'or':1},'decisions':{'were':1},'synthetic':{'chemists':2,'chemist':1},'glimpse':{'of':8,'the':1,'in':1},'deliberateness':{'and':1,'.':1},'meteorites--a':{'great':1},'subjected':{'.':1},'extraneous':{'source':1},'presentation':{'of':1},'tethered':{'on':1},'activities':{'and':1,'influenced':1,'may':1,'of':1,'.':1,'implying':1,'as':1},'belonging':{'to':1},'means--light':{'without':1},'worse':{'to':1,'for':1,'.':1},'devonian':{'a':1,'age':1,'period':4,'seas.':1,'lung-fishes':1,'foot-print':1,'the':1,'red':1},'song':{'of':1},'infringement':{'a':1},'combustible':{'material':1},'educative':{'process':1},'induce':{'fresh':1},'psychologist':{'whom':1},'sons':{'new':1,'first':1},'fan':{'or':1,'like':1,'by':1},'hatching':{';':1,'out':2,'.':1},'awful':{'possibility--involution':1},'time--wherein':{'to':1},'soles':{'with':1},'rhodeus':{'amarus':2},'corpuscles':{'and':1,'called':1,'form':1,'.':1},'morley':{'tried':1},'stimulus':{'almost':1,'of':1,'.':1,'travels':1,'to':2,'such':1},'eye-sockets':{'the':1},'list':{'may':1,'of':3,'is':1,'to':1},'prolonged':{'training':1,'period':1,'ice':1,'youthfulness':1,'ante-natal':1,'the':1,'trying':1,'drought':2,'exposure':1},'rods.':{'2':1},'indemnity':{'-':1},'familiarly':{'seen':1},'dexterity':{'and':1,'until':1,'besides':1,'.':1},'lightner':{'witmer.':1},'rats':{'and':4,'learn':1},'depths.':{'a':1,'illustration':1},'ten':{'and':1,'pounds':3,'of':1,'thousand':3,'times':1,'hours':2,'to':1,'straws':1,'unseen':1,'moons':1,'hours--a':1,'our':1,'years':1,'minutes':2},'foreground':{'holding':1},'fringing':{'the':1,'teeth':1},'tea':{'or':1},'reins':{'at':1,'in':1},'breakers':{'.':1},'000-50':{'000':1},'rate':{'a':1,'from':2,'that':1,'of':15,'which':1,'than':1},'invention':{'and':1,'of':1,'.':1,'first':1,'that':1},'1904-5':{'in':1},'s-beak':{'jaws':1},'functioning':{'properly':1,'throughout':1,'.':1},'remarkably':{'representative':1},'toe.':{'illustration':1},'paralyse':{'and':1},'babylonia':{'egypt':1,'greece':1},'what':{'origin':1,'this':3,'all':1,'right':1,'followed':3,'is':49,'it':4,'evidence':1,'are':10,'in':1,'peter':1,'causes':1,'before':1,'happens':2,'sir':1,'would':1,'matter':1,'electricity':1,'agency':1,'does':1,'goes':2,'resulted':1,'new':1,'you':1,'has':4,'might':5,'energy':1,'crookes':1,'sort':1,'then':2,'we':20,'elements':2,'electric':1,'may':5,'mammals':1,'of':1,'looks':2,'took':1,'mimics':1,'heat':1,'fruit':1,'mankind':1,'they':9,'satellites':1,'an':1,'come':1,'appears':1,'those':1,'man':1,'a':7,'great':1,'animals':1,'these':1,'was':8,'professor':1,'osborn':1,'more':1,'she':2,'were':1,'happened':1,'about':1,'the':18,'gives':1,'makes':1,'could':1,'bond':1},'necessary.':{'a':1},'imported':{'from':1},'advantageous':{'to':1,'than':1,'power':1,'for':1},'sun':{'and':22,'compare':1,'already':1,'often':1,'produces':1,'is':20,'in':5,'constitute':1,'ceased':1,'as':3,'itself':2,'sec':1,'looks':1,'uranus':1,'year':1,'------':1,'our':1,'are':2,'before':1,'mercury':1,'passes':1,'from':1,'would':5,'seems':1,'.':23,'to':4,'must':2,'without':1,'which':4,'dying':2,';':1,'has':4,'was':2,'into':1,'photographed':2,'we':4,'goes':1,'that':4,'may':1,'forming':1,'obscures':1,'however':1,'but':2,'cannot':1,'every':1,'here':1,'somewhat':1,'not':1,'with':2,'nearly':1,'like':2,'a':1,'whose':1,'19':1,'18':1,'could':1,'sweeps':1,'or':1,'s':35,'became':1,'flame':1,'can':1,'have':1,'were':2,'at':2,'the':7,'called':1,'thanks':1},'sum':{'up':1},'ticks':{'of':1},'crust':{'and':2,'of':3,'.':3,'brought':1,'has':1,'with':2,'by':1},'brief':{'moments':1,'outline':1},'version':{'posted':1},'for--may':{'have':1},'maze--which':{'they':1},'discern':{'the':2,'that':1},'heat-measuring':{'instrument':1},'cheetahs':{'or':2,'occur':1},'segmentation':{'of':1},'toes':{'and':1,'a':1,'scrambling':1,'form':1,'shorten':1,'.':3,'as':1},'tags':{'of':2},'ceratodus':{'which':1},'berthelot':{'that':1},'behaviour':{'and':2,'show':1,'is':5,'reaches':1,'depends':1,'sec':1,'are':1,'had':1,'.':8,'may':3,'which':6,'was':1,'we':1,'that':1,'very':1,'but':2,'diagram':1,'76':1,'on':1,'both':1,'of':15,'without':2},'inverse':{'ratio':1,'order':1},'compressed':{'body':1,'marked':1},'directions':{'and':1,'becoming':1,'within':1,'.':3,'as':1,'indicative':1,'at':2,';':1},'steamships':{'to':1},'observing':{'carefully':1,'all':1,'the':1},'water-shed':{'to':1},'chlorophyll-possessing':{'plants':1},'29.46':{'73000':1},'difficulty':{'of':1,'is':1,'about':1,'in':3},'1843':{'had':1},'1842':{'.':1},'allows':{'life':1,'for':1},'1845':{'of':1},'miniature':{'frogs':1,'solar':1,'.':1},'extremes':{'of':1,'are':1,'to':1},'reshufflings':{'or':1},'m.f.':{'near':1},'2163':{'--':1},'cataract':{'gives':1},'sticking':{'out':3},'disposition':{'taking':1},'suddenly':{'seized':1,'fired':1,'attacked':1,'this':1,'lights':1,'into':1,'perceive':1,'being':1,'so':1,'in':1,'rising':1},'semites':{'nordics':1},'bathers':{'are':1},'screens':{'in':1},'mme':{'.':1},'color':{'of':1},'1908':{'33':2,'notice':1,'the':1},'rainbow-tinted':{'colours':1},'know.':{'the':1},'1907':{'by':2},'coatings':{'is':1},'1905':{'22':1,'illustration':1},'herring':{'and':1,'illustrations':1,'the':1,'family':1,'would':1},'1900':{'by':1,'that':1},'1901':{'but':1},'unthinkably':{'long':1},'pervades':{'everything--so':1},'proceed':{'to':1,'from':2,'at':1},'degree.':{'until':1},'faint':{'and':2,'indications':1,'star':1,'.':1,'to':2,'impressions':1,'or':1},'unthinkable':{'on':1},'minor':{'chapter':2,'invasions':1,'alterations':1,'ones':1,'idiosyncrasies':1,'speculated':1},'horses':{'and':5,'a':1,'or':1},'flat':{'forehead':1,'on':2,'as':1,'spider':1,'skull':1},'darting':{'hither':1},'knows':{'his':1,'for':1,'that':1,'of':1,'but':2,'to':1,'only':1,'how':1,'the':1,'monkeys':1},'light-years':{'polaris':1},'definition':{'is':1},'coating':{'and':1},'text.':{'illustration':3},'screen.':{'the':1,'now':1},'flit':{'by':1},'stick':{'might':1,'with':1,'so':1,'to':1,'it':1},'known':{'and':5,'sources':1,'as':10,'human':1,'in':2,'from':1,'excepting':1,'approximately':1,'.':4,'bird--evidences':1,'to':15,'only':2,'easy':1,'between':1,'bird--too':1,':':1,'type':1,'bird':4,'then':1,'that':4,'but':2,'atom':1,'predecessors':2,'on':1,'about':2,'attempt':1,'of':3,'amphibian':1,'the':1,'fact':1},'glad':{'to':1},'presumed':{'evolution':1},'primate':{'stem':2,'stock':2},'sense-presentation':{'and':1},'lung-fish':{'inside':1},'v':{'the':1,'.':2},'--jupiter':{'and':1},'excursion':{'in':1},'tennis':{'ball.':1},'computers':{'including':1,'.':1},'hormones--itself':{'of':1},'brown':{'and':2,'plants':1,'that':1,'colour':1,'variety':1,'box':1,'bear':3,'plumage':1,'ones':2,'seaweed':1,'in':1,'variable':1,';':1,'on':1,'stoat':1},'bright--the':{'light':1},'joints':{'in':1},'locating':{'sounds':1},'abandonment':{'of':1},'moorhens':{'was':1,'which':1},'protects':{'its':1},'imitation':{'counts':1,'so':1,'two':1,'but':1,'.':1},'arise':{'mysteriously':1,'from':3,'take':2,'directly':1},'pond':{'and':3,'of':1,'is':1,'it':1,'to':1,'nor':1},'air-dome':{'.':1},'mother-of-pearl':{'or':1},'terrestrial':{'plants':2,'mountains':1,'life':3,'animals':3,'rather':1,'support':1,'haunt':2,'standards':1,'dinosaurs':1,'journeyman':1,'animal':3,'backboned':1,'dragons':2},'influenced':{'all':1,'by':4},'court':{'maze':2,'maze--which':1},'goal':{'is':1},'unavailable.':{'what':1,'the':1},'breaking':{'on':2,'up':3,'down':5,'diverse':2,'down.':1,'the':1},'84.02':{'31900':1},'occasionally':{'with':1,'however':1,'in':1},'influences':{'such':1,'shutting':1,'from':1,'they':1},'extinguished':{'at':1},'shoulder-blade':{';':1},'hers.':{'illustration':1},'mould':{'so':1,'opening':1},'simplicity':{'and':1,'of':1},'sea-squirt':{'and':1},'orbits':{'.':1,'with':1,'at':1,'round':1},'trial-and-error':{'method':1,'methods':1},'twenty-thousandth':{'of':1},'moult':{'and':2},'pupae':{'tend':1,'less':1},'adventure':{'and':1,'the':1,'which':4,'.':1},'infects':{'him':1},'prospecting':{'for':1,'in':1},'concentrating':{'always':1},'profited':{'by':1},'dissolving':{'out':1},'short':{'a':1,'summer':1,'we':1,'and':2,'stump-like':1,'of':1,'powerful':1,'tail':1,'lists':1,'.':1,'list':1,'length':1,'folk':1,'words':1,'time':7,'the':1,'sojourn':1,'excursion':1,'to':1,'distance':3},'chiefly':{'on':1,'used':1,'from':1,'of':1,'through':1,'in':2,'sounds':1,'with':1},'dispersion--that':{'is':1},'prefers':{'a':1},'life-histories':{'and':1,'of':1},'departure':{'of':1,'in':1},'height':{'and':1,'of':8,'.':1,'so':1,'in':1,'the':1,'was':1},'shore':{'and':2,'area.':1,'is':4,'scene':1,'inland':1,'1921':1,'as':1,'starfishes':1,'at':1,'in':1,'.':3,'to':1,'varies':1,'hatch':1,';':1,'life':1,'seaweeds':1,'but':1,'they':1,'others':1,'come':1,'must':1,'animals':2,'of':9,'according':1,'the':1,'something':1},'conjugal':{'affection.':1},'kippax':{'call':1},'shade':{'of':2},'iron-mines':{'saturated':1},'encased':{'in':2},'plaice':{'and':2,'or':1},'indebted':{'climatic':1},'september':{'of':1,'1922':1,'29':2,'7':1},'developed':{'and':1,'on':1,'from':1,'for':1,'is':1,'except':1,'vocal':1,'.':3,'through':1,'collar-bone':1,'in':1,'along':1,'striped':1,'than':1,'more':1},'universals.':{'intelligent':1},'mission':{'of':4},'cross':{'upon':1,'x':1,'with':1,'was':1,'from':1},'gauged':{'from':1},'unfitting':{'that':1},'scientist':{'galileo':1,'is':1},'concentric':{'regions':1,'lines':1},'emphasized':{'by':1},'thirtieth':{'case':1,'forty':1},'variability--evolution':{'of':1},'style':{'.':2},'forwards':{'as':1,'for':1},'call':{'radio-activity':1,'magnetic':1,'mind':1,'life':2,'as':1,'electrons.':1,'our':2,'living':1,'gravitation':1,'them--or':1,'electro-magnetic':1,';':1,'into':2,'nebulae.':1,'neolithic':1,'himself':1,'them--which':1,'it':1,'helping':1,'them':1,'white.':1,'canals':1,'white':2,'a':2,'light':1,'ozone':1,'of':1,'the':4,'perceptual':1,'reason.':1},'susceptible':{'to':1},'fairbanks':{'ak':1},'example.':{'the':1},'obscure--sometimes':{'environmental':1},'harmless':{'from':1,'snakes':1},'strange':{'animals':2,'animal':1,'amalgams':1,'nest':1,'rings':1,'state':1,'to':2,'as':1,'objects':1,'colouring':1,'lowly':1,'spectacle':1,'creations':1,'conditions':1},'combination-boxes':{'where':1},'non-plastic':{'efficiency':1},'partitions':{'se':1},'might':{'on':1,'be':17,'almost':1,'injure':1,'speak':1,'see':1,'therefore':1,'have':2,'take':2,'happen':1,'hasten':1,'think':1,'possess':1},'alter':{'the':2},'pre-human':{'ape-man':1,'ancestor':1,'ancestors':1,'pedigree':1},'return':{'and':2,'from':1,'later':1,'to':10,'as':1,'the':1,'or':2},'sucking':{'tongue':1},'alighting':{'only':1},'hunter':{'with':1},'chalones':{'which':1},'2.--the':{'milky':1},'communities':{'and':1},'hunted':{'out':1},'adventurous':{'and':1,'life-history':1,'experiment':1,'worms':1},'bigger':{'and':1,'than':2},'instructions':{'to':1},'subtler':{'demands':1},'intricacy':{'of':1},'bolts':{'and':1},'mastered':{'the':1,'so':1,'.':1},'man':{'all':1,'over':1,'discovered':1,'whose':3,'had':3,'except':1,'forms':1,'to':3,'has':9,'noticing':1,'coloured':1,'represents':1,'did':1,'found':1,'photographically':1,'works':1,'bone':1,'often':1,'past':1,'homo':2,'sec':1,'are':2,'thinks':1,'established':1,'plays':1,'stands':2,'since':1,'does':2,'got':1,';':2,'we':2,'sprang':1,'alone':2,'appears':1,'on':2,'would':1,'of':12,'could':1,'s':48,'or':4,'first':1,'appeared':1,'171':1,'asks':1,'.':18,'too':1,':':2,'was':4,'himself':2,'knows':1,'that':1,'exterminated':1,'took':1,'but':2,'to-day':1,'167':1,'with':3,'161':1,'he':1,'plants':1,'grew':1,'these':1,'type':1,'will':2,'values':1,'were':2,'and':22,'153':1,'type.':1,'157':1,'is':11,'it':1,'an':1,'reconstructed':1,'as':2,'lived':1,'have':1,'in':5,'saw':1,'occur':1,'perhaps':2,'interferes':1,'1':1,'how':1,'a-b.':1,'interfered':1,'pursues':1,'nearer':1,'may':1,'preceding':2,'who':3,'prepared':1,'73':1,'included':1,'man':1,'a':1,'off':2,'pithecanthropus':1,'m':1,'the':7,'possesses':1,'came':1},'inherent':{'biological':1},'difficult':{'chapter':1,'on':1,'word':1,'for':3,'of':1,'question':1,'theories':1,'environment':1,'to':14,'not':1,'situation':1,'speculation':1,'conditions':1,'than':1},'saturn.':{'the':1},'constructing':{'its':1},'weighs':{'1':1,'about':3,'nearly':1},'weight':{'for':1,'of':6,'is':1,'two':1,'.':1,'they':1,'than':1},'needless':{'to':2},'generation':{'and':1,'people':1,'of':1,'is':1,'after':1,'to':3,'that':1,'have':1,'in':1,';':1,'if':1},'female--first':{'one':1},'notochord':{'is':2,'.':2},'recapitulate':{'racial':1,'in':1},'culminating':{'with':2,'in':2},'scratching':{'swimming':1},'inflated':{'and':1,'balloon.':1},'croaking':{'of':2},'wondered':{'why':1,'idly':1,'at':1},'induces':{'a':1},'progressive;':{'everything':1},'health':{'and':1,'which':1,'.':1},'hill':{'cave':2,'in':1},'absorb':{'either':1},'celebes':{'lay':1},'induced':{'to':2},'caucasian':{'arose':1,'.':1},'regards':{'many':1,'their':1,'sight':1,'wave-lengths':1,'the':4,'its':2,'size':1},'note--that':{'of':1},'exertions':{'and':1,'running':1},'lesser':{'degree':1},'coco-palms':{'has':1},'rotifer':{'is':1},'monotony':{'.':1},'tassels':{'on':1},'fuller':{'embodiment':2,'well-being.':1},'teach':{'her':1},'colonised':{'by':1,'at':1},'generate':{'heat':1,'thousands':1},'lag':{'behind':1},'thrown':{'a':1,'on':2,'dust':1,'off':1,'upon':1},'preliminary':{'training':1,'scaffolding':1},'thread':{'of':1,'needles':1},'e.g':{'.':38},'decipiens':{'and':1},'77':{'photo':1,'reproduced':1},'light--we':{'have':1},'circuit':{'of':2,';':1,'generates':1,'.':1},'twenty':{'thousand':1,'million':2,'years':5,'hours':2,'to':1,'miles':1,'or':2},'lemurs':{'and':1,'there':1},'experimenter':{'or':1},'fallen':{'and':1,'sufficiently':1},'throws':{'light':1,'it':1},'solidly':{'frozen':1},'sperm-cell':{'and':1,'adapted':1,'with':1},'sheep-driving':{'competition':1},'limestone':{'canyon':2,'which':1},'feel':{'and':1,'sure':1,'for':1,'over-anxious':1,'quite':1,'dare':1},'radical':{'difficulty':1,'changes':1},'churning':{'water':1},'linking':{'generation':1,'of':1},'well-known':{'case':1,'elements':2,'that':1,'mudfish':1,'examples':1,'soft-shell':1,'carpo-metacarpus':1},'sympathy':{'which':2},'sailor':{'expressed':1},'brave':{'self-forgetful':1},'defects':{'such':1},'fees':{'to':1,'.':1,'or':1,'that':1},'says':{'and':1,'a':1,'no.':1,'do':1,'that':3,'professor':1,'meteorites':1,'sir':1,'can':1,'the':2,';':1},'vapour-like':{'matter':1},'whale':{'and':2,'what':1,'showing':1,'there':1,'reaches':1,'.':1,'rushes':1,'the':1,'has':1,'118':1,'is':1,'must':1},'earthworms':{'and':1,'which':1,'centipedes':1,'many':1,'began':2,'have':1,'in':1},'fossil-bearing':{'rocks':1},'passes':{'a':1,'from':2,'into':1,'to':1,'near':1,'through':4,'directly':2,'between':1,'along':2,'the':1,'out':1},'story':{'of':19,'is':1,'when':1,'.':1,'will':1,'simply':2,'in':2,'the':1,'has':1,'went':1},'birgus':{'latro':2,'which':1},'temperature':{'and':3,'is':1,'it':1,'reaches':1,'say':1,'at':2,'in':1,'would':2,'seems':1,'.':7,'which':1,';':1,'was':1,'day':1,'then':1,'we':1,'falls':1,'rises':1,'than':1,'must':1,'of':10,'could':1,'allows':1,'will':1,'the':2},'redistributing':{'project':1,'or':1},'kin.':{'the':1},'leading':{'to':3,'peculiarities':1,'from':1,'authority':1},'coasts':{'but':1},'brisker':{'flow':1},'hangs':{'over':1},'swarm':{'of':3,'sometimes':1,'like':1,'has':1},'storm':{'note':1,'petrel':4,'effects':1,'they':1},'pitted':{'against':1},'soddy.':{'it':1},'aristocracy':{'and':1},'store':{'of':3,'the':1},'fire-mists':{'such':1,'would':1},'imperfect':{'core':2,';':1,'telescope':1,'the':1},'fish-lizards':{'and':1},'pump':{'.':1},'information:':{'dr':1},'convinces':{'us':1},'tugs':{'at':1},'sea-scorpions':{'belonged':1},'treasures':{'behind':1},'rifle':{'and':1,'bullet':3,'.':1},'convinced':{'of':1,'that':2},'explodes':{'without':1},'king':{'of':1},'kind':{'and':2,'we':2,'enable':1,'from':2,'whereas':1,'that':2,'of':34,'taking':1,'express':1,'upon':1,'.':2,'will':1,'set':1,'in':3,';':2,'throughout':1,'or':1,'present':1},'earth--as':{'a':1},'wonder-world':{'of':2},'double':{'this':1,'streaming':1,'blowhole':1,'fold':1,'that':1},'instruction':{'and':1},'indifferent.':{'they':1},'dispensed':{'with':1},'risks':{'and':2,'to':1,'are':1,'of':2},'coast.':{'illustration':1},'earth--an':{'electric':1},'tongues':{'of':2},'unrestricted.':{'animals':1},'7a':{'the':1},'outstanding':{'events':1},'greenwich':{'observatory':1},'disguise--other':{'kinds':1},'gale':{'bringing':1},'alike':{'of':1,'in':1},'cleaned':{'artificially':1},'shrews':{'tree-shrews':1},'cases--marvellous':{'apparatus':1},'cobras':{'brightly':1},'blowhole':{'or':1},'check':{'on':1,'the':2,'comes':1,'vegetation.':1},'interferes':{'is':1},'cropped':{'up':1},'port':{'knows':1,'in':1},'middlemen':{'is':1},'moist':{'winds':1,'and':1,'climate':2,'internal':1,'air':1},'finding':{'their':1},'interfered':{'but':1},'added':{'a':2,'to':4,'up':1},'electric':{'current':15,'power':2,'bells.':1,'bell':1,'charges':2,'shock':1,'phenomena':1,'charge':3,'magnet':1,'tram':1,'terminals':1,'dynamo.':1,'circuit':1,'trams':1,'discharge':6,'spark':8,'furnace':1},'bands':{'it':1,'140':1},'intervened':{'the':1},'instance.':{'organic':1},'measures':{'of':1,'about':1,'on':1,'the':1,'three':1},'reach':{'a':2,'and':1,'about':1,'us.':1,'us':1,'.':1,'their':1,'only':1,'but':2,'the':7,'upward':1,'out':1},'react':{'effectively':1,'on':1},'cigarette':{'and':1},'attempt':{'to':2,'at':1,'too':1},'74':{'diagram':1},'73':{'okapi':1},'72':{'photo':2,'earthworm':1,'reproduced':1},'enduring':{'satisfaction':1},'nothing':{'happens':1,'appeals':1,'like':1,'solid':1,'of':1,'had':1,'but':3,'.':6,'better':1,'more':1,'at':1,'which':1,'in':2,'colder':1,';':1,'out':2,'was':1,'gives':1},'measured':{'and':2,'cube':1,'in':2,'drop':1,'only':1,'fall':1,'the':2,'by':1,'movements':1},'achievement':{'and':1,'is':1},'constitution':{'of':10,'could':1,'which':1,'.':1},'equatorial':{'regions':1,'forests':1},'22.--a':{'nebular':1},'mineral':{'particles':1},'coincides':{'with':1},'chemical':{'reaction':3,'processes':3,'elements':3,'energy':2,'substances':1,'science':1,'screen':3,'conditions.':1,'messengers':6,'element':2,'leave':1,'transformation--the':1,'analysis':1,'routine':1,'action':1,'.':1,'changes':1,'compounds':1,'element.':1,'level':2},'zealand.':{'some':1},'amphibian':{'foot-print--an':1,'mind':1,'race':1,'in':1},'wood-snails':{'but':1},'notch':{'next':1},'artemia':{'salina':1},'institutions':{'.':1,'were':1},'lying':{'on':2,'head':1,'inert':1,'over':1,'upon':1,'beside':1,'low':3},'stones':{'and':3,'on':1,'from':1,'of':2,'.':1,'so':1,'in':1,'probably':1,';':1,'where':1,'or':1},'copy':{'and':1,'a':1,'of':2,'is':1,'upon':1,'it':2,'or':1,'in':1,'display':1,'if':1},'journeys':{'undertaken':1,'.':1},'pennies':{'and':1,'from':1},'wayside':{'.':1},'to-day.':{'as':1,'illustration':1,'an':1},'shares':{'with':1},'gilded':{'boxes':1},'securing':{'a':1,'change-provoking':1,'the':2},'mudfish':{'may':1,'of':1,'is':1,'or':1},'fishes--the':{'mind':1},'moulting':{'immature':1},'grotesque':{'delusions':1},'betray':{'themselves':1},'hip':{'joint':1},'birnam':{'when':1},'hit':{'a':1,'and':1,'upon':1,'by':1},'gains':{'of':2,'that':1},'assumed':{'on':1},'furnaces':{'as':1,'with':1},'whistle':{'is':1},'explosively':{'from':1},'longest':{'for':1,'of':1,'feathers':1,'are':1,'waves':2,'or':1,'pinions':1},'instinctive':{'aptitudes':5,'activities':1,'repertory.':1,'capacities.':1,'rather':1,'capacities':5,'due':1,'actions':1,'element':1,'behaviour':10,'obligations':1,'registration.':1,'ants':1,'capacities--limited':1,'routine':2,'capacity':2,';':1,'.':1,'awareness':1,'behaviour.':1},'shreds.':{'whenever':1},'stone.':{'and':1,'nearly':1},'eye-piece':{'magnifies':1,'.':1,'its':1,'at':1},'expositor':{'.':1},'thereabouts':{'.':1},'nibbles':{'at':1},'arges':{'that':1},'investigate':{'the':1},'ninety-two':{'elements--we':1,'.':1},'activity':{'and':1,'we':1,'which':1,'for':2,'almost':1,'heretofore':1,'is':1,'in':2,'s':2,'.':3,'also':1,'as':2,'besides':1,'of':3,'known':1,';':1,'where':1},'rischgitz':{'collection.':6},'engraved':{'on':2},'nibbled':{'away':1},'bars':{'of':1,'have':1,'which':1},'art':{'of':1,'expressing':1,'in':1},'achieved':{'.':2},'intelligence':{'and':9,'on':1,'--the':1,'deteriorates':1,'cooperated':1,'of':2,'is':2,'when':1,'what':1,'.':7,'will':1,'to':3,'increases':1,'are':1,'a':1,'in':3,'seen':1,'the':2,'--a':1,';':2,'co-operating':1},'arc':{'in':2},'bare':{'head':1},'are':{'limited':1,'all':9,'scooped':1,'caused':1,'landlocked':1,'commoner':1,'illustrated':3,'particularly':3,'poorly':1,'particles':2,'certainly':1,'concerned':3,'to':9,'preserved':1,'under':1,'worth':1,'activities':1,'comparatively':1,'seized':1,'returned':1,'sitting':1,'very':25,'trillions':1,'foul':1,'vastly':1,'vast':2,'dim':1,'clouds':1,'large':2,'quick':3,'smaller':1,'specially':1,'dealing':1,'likely':1,'further':1,'estimated':1,'giving':1,'hereditary':2,'fossil':1,'ever':1,'led':1,'loose':1,'here':3,'hundreds':5,'met':1,'others':1,'persecuted':1,'strong':3,'observing':1,'great':2,'thirty':1,'vibrating':1,'descended':5,'usually':4,'conveniently':1,'composed':2,'mimicked':1,'suddenly':1,'merely':5,'explained':1,'marked':2,'highly':1,'brought':1,'visible':2,'hard-and-fast':1,'from':1,'recalling':1,'two':11,'few':1,'wonderfully':1,'therefore':2,'taken':1,'themselves':1,'phosphorescent--they':1,'more':13,'separated':1,'staggering':1,'tested':1,'ignorant':2,'known':7,'mounted':2,'none':1,'vicissitudes':1,'excessively':1,'exceptions':2,'pent-up':1,'bent':1,'indicated':1,'oviparous':1,'tax':1,'allowed':1,'huge':1,'rather':1,'divided':1,'breaking':2,'entangled':3,'1':2,'located':2,'ordinary':1,'substances--':1,'tried':1,'undergoing':2,'inconceivably':1,'burrowing':1,'different':2,'waves':3,'such':5,'a':13,'free-swimming':1,'chiefly':2,'four':2,'crowded':1,'light':1,'so':13,'pulled':1,'minded':1,'over':1,'mainly':1,'produced':1,'held':1,'still':5,'its':2,'26':1,'interesting':1,'masses':1,'actually':2,'strange':1,'microscopic':1,'spoiling':1,'covered':1,'receptacles':1,'secondary':1,'split':1,'good':1,'locusts':1,'safe':1,'they':3,'not':35,'sorted':1,'now':11,'killed':1,'well-known':1,'always':2,'sufficiently':1,'each':1,'found':3,'entirely':1,'traces':1,'lifted':1,'doing':2,'sifted':5,'transmissible.':1,'borne':3,'living':1,'shown':2,'fundamentally':1,'content':1,'laid':2,'7':1,'induced':1,'red':1,'attended':1,'quite':4,'small':1,'put':1,'beginning':2,'cremated':1,'exhibited':1,'constantly':1,'adepts':1,'greatest.':1,'instances':1,'spots':2,'directly':1,'immensely':1,'mercury':1,'little':1,'ancient':2,'similarly':1,'unknown':1,'plastic':1,'their':3,'cooling':1,'2':1,'too':1,'wrapped':1,'legally':1,'white':1,'witnessing':1,'mostly':4,'that':1,'exactly':1,'predictable':1,'convinced':1,'peculiar':1,'double':1,'enabled':1,'extraordinarily':2,'matter':1,'determined':1,'supposed':1,'treated':1,'encumbered':1,'variable':1,'close':2,'seen':4,'clearly':2,'relatively':2,'built':3,'thoroughly':3,'speculative':1,'able':8,'also':11,'edge':1,'absorbed':1,'presently.':1,'most':1,'eight':1,'printed':1,'drought':1,'incursions':1,'extremely':1,'nutritive':1,'manifested':1,'especially':1,'considered':1,'clear':1,'sometimes':1,'repeated':1,'face':1,'short-lived':1,'points':2,'left':4,'normally':1,'molluscs':1,'shot':1,'sceptical':1,'supported':1,'scattered':1,'right-handed':1,'rotating':1,'unsurpassed.':1,'giant':1,'highest':1,'distributed':2,'outside':1,'buttons':2,'being':2,'only':5,'going':1,'employed':1,'thousands':1,'meant':1,'exceptional':1,'dependent':1,'closely':1,'altogether':1,'instinctive':1,'areas':1,'playful':1,'sheltered':1,'common':1,'rung':1,'doubles':1,'approaching':1,'set':2,'acquired':1,'observed':1,'sporadic':1,'luminous':1,'subject':1,'said':2,'prominent.':1,'circulating':1,'continually':5,'jewels.':1,'luminescent':1,'unable':1,'various':2,'markedly':1,'probably':3,'prodigally':1,'numerous':3,'we':4,'gratefully':1,'invisible':3,'precious':1,'favourable':1,'many':16,'taking':1,'equal':1,'present':2,'tree-toads':1,'adapted':3,'among':1,'hollow':1,'learning':1,'deflected':1,'ether':1,'startling':1,'there.':1,'capable':1,'tremendous':1,'due':1,'.':3,'attaching':1,'immense':3,'much':4,'slowly':1,'likewise':1,'repelled':1,'painted':1,'suns.':1,'worked':1,'those':3,'stolen':1,'these':3,'awakened':1,'seven':1,'almost':2,'violently':2,'obtrusive':1,'obeying':1,'tell-tale':1,'in':26,'ready':1,'confirmed':1,'perpetually':1,'stimulated':1,'parts':1,'arguments':1,'mixtures':1,'played--for':1,'used':3,'temporary':1,'arctic':1,'constantly--either':1,'moving':1,'kept':2,'paralysed':1,'well':2,'without':2,'the':43,'charged':1,'just':4,'less':1,'increasingly':1,'offensive':1,'mistaken':1,'reincarnated':1,'human':1,'alternative':1,'revealed.':1,'corroborated':1,'thinking':1,'agile':1,'spread':1,'exempt':1,'resolved':1,'easily':1,'dark':1,'apt':4,'long-haired':1,'accepted':1,'redistributing':1,'ruled':1,'like':4,'complicated.':1,'shed':1,'right':1,'often':16,'some':9,'neutralised':1,'amongst':3,'born':3,'universes':1,'provided':1,'gradually':1,'dense':1,'asking':1,'pre-eminent':1,'palatable':1,'slight':1,'manufactured':1,'broken':1,'on':6,'about':6,'cautious':1,'carried':3,'getting':1,'of':7,'discussed':1,'greatly':2,'connected':1,'hatched':4,'flying':2,'attached.':1,'billions':1,'three':3,'authorities':1,'mere':1,'impressed':1,'strictly':1,'there':3,'disposed':1,'long':3,'stars':3,'deposited':1,'naturally':1,'lowest':1,'complete':2,'deaf':1,'but':3,'somehow':1,'curiously':1,'removed':2,'considerable':1,'directed':1,'made':5,'arranged':2,'characteristic':1,'placed':1,'called':11,'storing':1,'vehicles':1,'affectionate':1,'certain':1,'slowing':1,'general':1,'as':8,'definite':1,'at':7,'floating':2,'no':7,'generally':1,'other':8,'blackish-grey':1,'really':3,'separate':1,'suited':1,'included':1,'--a':1,'reflectors':1,'longer':2,'practically':3,'required':1,'utilised':1,'beds':1,'far':4,'undoubted':1,'restored':1},'walking-stick':{'insects':1},'chambers':{'perforating':1},'bark':{'and':1,'of':1},'arm':{'and':1,'spawn':1,'of':2,'is':1,'stretching':1,'.':1,'skips':1,';':1},'declined':{'and':1},'crunching':{'insects.':1},'youth':{'to':1,'from':1},'learns':{'a':1,'the':1},'discovered--pulling':{'and':1},'distinctive':{'features':1,'colour':1,'spectrum':3,'arrangement':1,'peculiarities':1,'fauna':1,'is':1},'anatomists':{'have':1},'misjudge':{'our':1},'universe.':{'this':1,'but':1,'sec':1,'illustration':1,'in':1,'our':1,'are':1},'contrary':{'to':1,'has':1},'nestor':{'parrot':1},'numerous':{'and':1,'hard':1,'locations':1,'parachutists--':1,'attempts':1,'lobes':1,'prehensile':1,'ways':1,'separate':1,'young':1,'microscopic':1,'muscles':1,'kinds':1,'that':1,'hundreds':1,'gas-bubbles':1,'types':1,'ribs':1,'colour-varieties':1,'variations':1,'as':1,'mutually':1,'tubercles':1,'appendages':1},'hairs':{'may':1,'of':2,'and':1,';':1,'which':1},'vitality.':{'illustration':1},'1.f.2':{'.':1},'recently':{'named':1,'said':1,'that':1,'regarded':1,'shown':1,'been':1,'erected':1,'discovered':2,'as':1,'learned':1},'creating':{'derivative':2,'the':2},'1.f.3':{'a':1,'this':1,'the':1,'.':1},'sole':{'of':2,'which':1,'have':1,'are':1},'outfit':{'for':1},'days.':{'there':1,'sec':1},'succeed':{'not':1,'and':1,'in':3,'but':1,'.':1},'head.':{'compare':1,'illustration':1},'prelude':{'to':1},'inertia':{'of':1},'bronze':{'second':1,'was':1,'age':1},'c':{'a':1,'that':1,'of':1,'there':2,'but':1,'.':16,'thirdly':1,'3':2,'others':1,'any':1},'license':{'available':1,'and':1,'terms':1,'especially':1,'for':1,'please':1,'when':1,'.':2,'as':1,'included':2,'apply':1,'the':1,'must':1},'attainment':{'at':1},'sheaths':{'of':1},'distinctively':{'new':1,'north':1,'marine':1},'1.f.5':{'.':1},'roman':{'galley':1},'became':{'useful':1,'heated':1,'an':2,'as':1,'in':1,'extinct':2,'gradually':1,'unavailable':1,'for':1,'restricted':1,'extinct.':1,'much':1,'too':1,'easier':1,'more':2,'aware':1,'suited':1,'a':3,'longer':1,'equal':1,'enregistered':1,'the':4,'essential':1},'cloud-like':{'effect.':1,'patches':1},'bond':{'of':1,'could':1},'finds':{'its':3},'peripatus':{'a':1,'83':1,'centipedes':1,'which':2},'sloth':{'s':1},'flies':{'to':2,'into':1,'at':1,'.':1},'flier':{'.':2},'distress':{'is':1},'reasons':{'and':1,'great':1,'have':1,'for':3,'is':1,'are':2,'which':1,'why':1},'sweet':{'sap':1,'odours':1},'sweep':{'of':1},'whelk':{'on':1,'the':1,'requires':1,';':1,'or':2},'regulated':{'then':1,'harmony':1,'by':1},'incandescent':{'may':1,'world-cloud':1,'atoms':1,'gas.':1},'fibres':{'come':1},'newbigin':{'m':1},'simpler':{'and':3,'elements':1,'animals.':1,'forms':2,'so':1,'fossil':1,'in':1,'still':1},'pr':{'are':1},'decline':{'europe':1,'of':1,'sometimes':1,'markedly':1},'there.':{'so':1,'it':1},'jugglery':{'with':1},'java':{'and':1,'ape':1,'ape-man':3,'at':1,'in':1,'man':2,'ape-man--an':2},'scented':{'with':1},'illumined':{'seaweed-growing':1,';':1,'green':1,'than':1,'surface':1},'pigmies':{'of':1},'dug':{'as':1},'whom':{'we':2,'you':1,'they':1},'reduction':{'of':3,'in':1},'pg':{'search':1},'--an':{'internal':1},'brick':{'you':1,'contains':1,'moves':1},'yolk-laden':{'portion':1},'attractive':{'phenomenon':1},'affectionate':{'and':1},'flight':{'and':1,'from':1,'also':1,'may':1,'brings':1,'is':2,'.':3,'brought':1,'most':1,'as':1,'so':1,'which':2,'of':3,'implies':1,'has':1,'was':1},'flints':{'with':1},'flinty':{'sponge':1,'needles':1,'skeleton':2},'precision':{'what':1},'defect':{'you':1,'in':2},'1864':{'by':1},'temperament':{'as':1},'1869':{'that':1},'1868':{'sir':1},'depends.':{'separate':1},'plants':{'and':24,'already':1,'begun':1,'is':1,'it':2,'at':1,'have':2,'in':3,'before':1,'stands':1,'for':1,'.':5,'to':3,';':2,'laboriously':1,'may':1,'upon':1,'but':2,'such':1,'with':1,'by':1,'flourished':1,'asexual':1,'can':1,'were':2,'the':4,'or':3,'are':2},'stolen':{'by':1},'conception':{'of':6,'the':1,'.':1,'to':1},'boast':{'with':1},'yellow-brown':{'the':1},'frozen':{'gas':1,'masses':1,'hard':2,'rigid':1},'compactness':{'of':1},'intercepts':{'great':1,'all':1},'64-6221541':{'.':1},'parents.':{'strangest':1},'lenard':{'and':1,'found':1},'dublin':{'high':1,'zoo':1},'obtrusive':{'rather':1},'obstacle':{'of':1,'race':1},'rid':{'of':3},'hare--with':{'human':1},'currents':{'within':1,'of':1,'there':1,'.':1,'needed':1,'at':1,'moisture':1},'peopled':{'than':1,'.':1},'away.':{'3':1,'it':1,'illustration':1},'chapter.':{'the':1},'twofold':{'process':1,'caution':1},'illustration:':{'the':1,'star':1},'lengths':{'.':2,'part':1,'which':1,'in':1},'muscle-cells':{';':1,'which':2,'.':1},'foretells':{'the':1},'undersides':{'of':1},'blood-relationship':{'with':1,'between':1},'stimulated':{'brain':1,'cells':1,'if':1,'by':2,'to':1},'dermis':{'and':1},'widely':{'separated':1,'distributed':1,'open':1},'peoples':{'with':1,';':1,'who':1,'to-day':1,'indeed':1},'9':{'a':1,'feet':1,'inches':1,'million':1,'looking':1,'000':1,'the':1,'saturn':1},'shirk':{'the':1},'yucca':{'moth':6,'flowers':2,'flower':3,'moths.':1},'higher':{'and':3,'vertebrates':2,'still':2,'reaches':2,'apes--gorilla':1,'pitch':1,'expressions':1,'education':1,'terrestrial':1,'forms':2,'apes':2,'power':1,'there':1,'note':3,'animal':1,'life':1,'degree':1,'insects.':1,'mammals.':1,'standard':1,'adventures.':1,'controlling':1,'faculty':1,'flowering':1,'than':1,'land':1,'animals':4,'level':3,'turn':2,'centres':1,'mammal':1},'current.':{'each':1},'chequer':{'hen':1},'mountain':{'ranges':2,'hare':4,'torrents':1},'ultimate':{'particles':1,'object':1,'service':1,'atoms':1},'flows':{'as':1,'in':1},'brooding':{'on':1,'it':1},'moving':{'and':2,'speck':1,'through':1,'at':1,'rapidly':2,'hoofed':1,'her':1,'away':1,'.':1,'particles':2,'how':1,'parts':2,'body':1,'very':1,'amongst':2,'atoms':1,'water':1,'objects':2,'molecules.':1,'with':5,'on':2,'about':1,'mass':1,'toward':1,'round':1},'mistake.':{'we':1},'sagacious':{'indeed':1,'when':1},'birch':{'alder':1},'vertical;':{'the':1},'263':{'professor':1,'reproduced':1},'lower':{'and':1,'side.':1,'vertebrates':1,'surface':1,'one':1,'in':1,'female.':1,'photograph.':1,'miocene':1,'jaw':6,'vertebrate':1,'orders':2,'eocene':1,'picture':1,'ends':1,'mammals':1,'levels':1,'jaw.':1,'than':3,'types':1,'temperature':2,'photograph':1,'diagram.':1,'animals':1,'level':1,'part':1,'side':1},'people.':{'no':1},'dancing':{'mice':1,'mouse':1,'or':1},'chickens':{'that':1,'incubated':1,'in':1},'outflame':{'of':1},'analysis':{'of':1,'showing':1,'would':1},'magnified':{'to':2},'solids':{'.':1},'edge':{'on':1,'or':1,'of':5},'length.':{'now':1},'b.c':{'.':2},'beautiful.':{'in':1},'muscle-fibre':{'m.f.':1},'266':{'the':1},'pollen':{'to':1,'from':2,'.':1},'abilities':{'come':1},'endeavour':{'to':1,'after':3,'associated':1,'or':1,'.':1},'unseen':{'occupies':1,'earthworms':1,'.':1},'mimicked':{'butterflies':1,'.':2,'by':1,'for':1,'are':1},'mood.':{'certain':1},'pigeons':{'and':2,'to':1,'it':1,'were':1},'competitive':{'.':1},'reincarnated':{'in':1},'intervals':{';':1},'inachis':{'from':2},'questions':{'and':1,'besides':1,'that':1,'of':3,'introduce':1,'have':1,'with':1},'inter-relations--the':{'subject':1},'reliance':{'on':1},'continent':{'of':1,'when':1,'fixes':1,'from':1},'tamed':{'.':1},'ravine':{'near':1},'wedge-shaped':{'piece':1},'corroborated':{'or':1,'by':1},'extracted':{'from':1},'workers':{'fastened':1},'tentatives--new':{'departures':1},'ocean':{'and':1,'for':1,'of':4,'is':2,'it':1,'.':2,'s':1,'home':1},'exclusively':{'of':1},'exhibition':{'of':2},'inducing':{'strange':1},'finder':{';':1},'turtle-backs':{'is':1},'associations':{'and':1,'established':1,'of':1,'between':1,'.':1,'were':1,'such':1,'with':1},'up-stream.':{'sometimes':1},'balloon.':{'photos':1,'running':1},'sensatory':{'nerve-fibre':1},'entangled':{'and':2,'in':2,'together':1,'air':1},'earth--making':{'a':2},'modifications':{'are':1},'rotate':{'and':1,'on':3,'all':1,'at':1,'round':1},'line--are':{'represented':1},'neanderthaler':{'.':1},'confront':{'us':1},'incidental':{'damages':1},'separately':{'is':1,'.':1},'collect':{'pennies':1,'half':1},'arthur':{'the':1,'thomson':5,'keith':7,'thomson.':1,'antiquity':1},'retires':{'to':1},'under-water':{'world':1},'foot--an':{'obvious':1},'table.':{'illustration':1},'essential':{'features':2,'similarity':2,'that':1,'vertebrate':1,'to':2,'oneness':1,'part':3,'independence':1,'in':1,'bones':1,'construction':1,'difference':1,'correlation':1,'identity':1},'engravings':{';':1},'hinted':{'at':2},'feet--the':{'largest':1},'men--races':{'of':1},'eluding':{'the':1},'streaming':{'motion':1,'from':2},'newsletter':{'to':1},'hjort':{'dr':1},'saucer':{'or':1},'aptitudes':{'many':1,'what':1,'which':1,'inborn':1,'then':1},'stately':{'and':1},'gradually':{'division':1,'slow':1,'from':1,'radiating':1,'out':1,'turned':1,'as':1,'reduced':1,'cooling':1,'settle':1,'eliminate':1,'evolved':2,'curved':1,'become':1,'increasing':1,'adapted':1,'regrown':1,'realised':1},'bushy-tailed':{'almost':1},'tends':{'to':6},'prof':{'.':7},'fragments':{'a':1,'and':1,'broken':1,'doubled':1,'of':2},'pieces--a':{'kind':1},'jumps':{'along':1,'from':1},'weir':{'confessed':1},'refused':{'to':1,';':1},'race--there':{'is':1},'intense':{'white':1,'disturbance':1,'competition':1,'activity':1},'vivid':{'idea':1},'cautious':{'and':1,'for':1},'mingled':{'with':4,'together':1},'age.':{'photograph':1,'sand-pit':1,'some':1,'as':1,'cenozoic':1,'they':1,'the':1},'row':{'of':1},'tortuous':{'path':1},'firing':{'the':1},'deepish':{'water':1},'forbears':{'long':1},'penetration':{'implies':1,'.':1},'lifeless':{'world.':1},'range':{'of':7,'became':1,'in':2},'wonders':{'of':4,'that':1},'fluttering':{'.':1},'gamma':{'rays':4},'naturalists':{'who':2,'have':1},'feed':{'and':1,'on':5,'for':1,'there':1,'some':1,'at':2,'in':1},'enregistration':{'of':1},'moss':{'and':1,';':1,'by':1},'conquest':{'of':8,'implied':1,'both':1},'attached.':{'methods':1},'flagellates':{'in':1},'canal':{'in':1,'system':1,'round':1},'impressed':{'on':1,'with':1,'by':1},'acquiesce':{'as':1,'in':1},'extremely':{'rapid':1,'interesting':1,'alert':1,'rarified':1,'delicate':1,'conservative':1,'fine':1,'thin':1},'question':{'and':2,'what':1,'rises':1,'to-day':1,'that':1,'whether':2,'of':3,'is':4,'had':1,'but':1,'to':2,'as':1,'which':1,'in':2,':':2,'than':1,'must':1},'cocoon--the':{'bag':1},'cuticle':{'or':1},'enregister':{'outside':1,'ready-made':1,'or':1},'conceivable':{'ages':1},'mimicry':{'and':2,'is':1,'serves':1,'.':1,'in':1,'called':1},'sections':{'of':1,'3':1,'.':1},'files':{'of':1,'containing':1},'mountains':{'and':1,'on':1,'like':1,'of':3,'.':1,'to':1,'are':2,'the':1},'potassium':{'pill':1},'glamour':{'of':1},'cloth':{'if':1,'packets':1,'in':1},'began--a':{'small':1},'energy--traceable':{'back':1},'crane':{'and':1,'the':1},'ring-armour.':{'illustration':1},'raising':{'the':1},'penguin':{'notice':1,'213':1},'section.':{'influence':1},'nonplussed':{';':1},'consist':{'of':1,'themselves':1,'in':1},'characteristic':{'style':1,'set':1,'fossils':2,'pelagic':2,'of':4,'endeavour':1,'.':1,'contingencies--the':1,'sharp':1,'self-preservative':1,'bird':1,'population':1},'seize':{'the':1},'117':{'photo':1,'ten-armed':1},'stalking':{'about':1,'we':1,'carnivore':1},'homo':{'neanderthalensis':1,'sapiens':1,'heidelbergensis':1},'redistribution.':{'start':1},'etc.':{'are':1,'gives':1},'called':{'protists':1,'appropriately':1,'luidia':1,'nototrema':1,'negative.':1,'spring':1,'is':1,'labyrinthodonts':1,'chalones':1,'differentiation':1,'salps':1,'planets':1,'protozoa.':1,'obelia':2,'pontobdella':1,'helium':1,'zostera':1,'triticum':1,'viviparity':1,'peter':1,'informal':1,'positive':1,'educability.':1,'muellerian':1,'spiral':1,'peripatus':2,'aerial.':1,'their':1,'without':1,'pretty':1,'hormones':1,'lycosa':1,'energy':1,'red':1,'kelts':1,'we':1,'which':1,'convergences':1,'zoological':1,'glands':1,'the':23,'upon':1,'guanin':1,'learning':1,'phagocytes':1,'them':1,'amniota':1,'convergence':1,'batesian':1,'commensalism':1,'venus':1,'momentous':1,'a':5,'deeps':1,'into':1,'sun-spots':1,'chauliodus':1,'round':1,'cryptozoic':1,'physiological':1,'tropisms':2,'have':1,'were':1,'self-mutilation':1,'primitive':1,'cells':1,'experimental':1,'jasper':1},'x-ray':{'photograph':6,'spectra':1},'individuality':{':':1,'with':1},'freak':{'is':1},'sepia':{'from':2},'breast.':{'the':1},'problem.':{'1.f.4':1},'warning':{'colours':2,'note':1,'coloration':1},'reservoirs':{'of':1,'to':1},'trammels':{'of':1},'whirligig':{'beetle':2},'adams':{'10':1,'who':1},'knowledge.':{'astronomical':1},'rainbow':{'is':1,'.':1,'where':1,'in':1},'riot':{'in':1},'reason.':{'the':1,'sec':1,'what':1,'here':1},'tentative':{'men':3,'branches':1,'or':1,'experimental':1},'weight.':{'4':1},'endurance':{'patience':1},'peace':{'while':1,'or':1},'c.:':{'that':1},'reappearance':{'of':1},'club':{'can':1},'opalina':{'which':1},'income':{'.':2},'ferment':{'from':1},'intercrossing':{'or':1,'between':1},'generates':{'heat':2,'sufficient':1,'in':1},'backbone':{'and':1,'a':1,'of':1,'.':1,'which':1,'in':3,';':1},'problems':{'on':1,'that':1,'of':1,'but':1,'.':2,'which':1},'thirty-two':{'miles':1},'helping':{'to':1,'the':1},'develops':{'very':1,'into':1},'allowing':{'the':1,'elbow-room':1,'more':1},'-200':{'deg':1},'folds':{'its':1},'inventions':{'are':1},'vaseline':{'bottle':1},'fluorescence':{'on':1},'fan-like':{'cluster':1},'path.':{'there':1},'liquefy':{'air':1},'accumulations':{'of':1},'departments':{'of':1},'back.':{'the':1},'departs':{'209':1,'in':1},'appearance--an':{'epoch-making':1},'weights':{'or':1,'.':1},'well-being.':{'we':1},'hooky':{'surfaces':1,'that':1},'vue':{'gardens':1},'resistance':{'to':1,'.':1},'distributed:':{'this':1},'protuberant':{'the':1},'winds':{'rise':1,'from':1,'two':1},'open-minded.':{'the':1},'adjustment':{'to':1,'of':1},'contributions':{'and':1,'to':1,'from':3,'are':1},'magnifying':{'lens':1,'lens.':1},'tide-marks':{';':1},'copernicus':{'lower':1},'simon':{'newcomb':1},'e-mail':{'within':1},'disposal':{'however':1},'sparrow':{'to':1,'rise':1,'up':1},'deal.':{'the':1},'cradle':{'of':7,'whereas':1,'.':1,'in':1,'or':1,'is':1},'stable':{'kind':1,'lines':1,'crust':1,'.':1,'result':1,'curved':1,'stock':1,'equilibrium':1},'breach':{'of':2},'include':{'a':1,'all':1,'whales':1,'many':2,'one':1,'those':2,'the':2,'mediterraneans':1},'breathing':{'dry':1,'of':1,'by':2,'which':1,'movements':2},'wished':{'to':1},'wind.':{'in':1},'club-moss':{'forests':3},'talons':{'and':1},'alder':{'and':1},'sensation':{'of':4},'electron':{'and':3,'sir':1,'has':1,'theory':3,'theory--the':1,'is':4,'current':3,'when':1,'as':1,'.':2,'rotating':1,'to':2,'pump':1,'physicists':1,'in':1,';':1,':':1,'was':1,'merely':1,'sticks':1},'graphic':{'illustration':1},'dando':{'baby':1},'bounding':{'about':1},'posture':{'with':1},'redistribute':{'this':1},'ideas--the':{'living':1},'self-effacement':{'is':1,'often':1,'but':1},'fur':{'and':1,'of':2,'or':1},'notes':{'with':1},'phenomena.':{'sec':1},'agency.':{'yellow-crowned':1,'chimpanzee':1,'orang-utan':1,'penguins':1,'in':1,'baby':2},'deals':{'with':1,'.':1},'glaciations':{'and':1},'warranties':{'of':2,'or':1},'poisonous':{'snake':2,'species':1},'phoenix':{'electric':1},'moulding':{'effect':1},'blood-fluid':{'or':1},'noted':{'for':1,'that':4},'assemblage':{'of':2},'disclaimer':{'of':1,'or':2},'smaller':{'even':1,'and':1,'telescope':2,'cheek-bones':1,'constituents':1,'less':1,'.':1,'particles':2,'will':1,'electrons':1,'have':1,'globes':1,'magellanic':1,'particles.':1,'than':8},'gripping':{'grappling':1,'the':1,'them':1,'teeth':1},'possum.':{'the':1},'tides--another':{'instance':1},'coldrum':{'in':1},'euphrates':{'.':1},'chauliodus':{'a':1},'fold':{'of':3},'sea-anemones':{'and':1,'147':1,'we':1,'which':1,'on':2,'mask':1,'hermit-crabs':1,'they':1},'unsurpassed.':{'to':1},'protrude':{'greatly':1},'sifting-out':{'process':1},'fermenting':{'vegetation':1},'makers':{'of':1},'folk':{'or':1,'place':2,'two':1,'human':1,'in':1},'unavailable':{'the':1,'.':3,'heat':1,'energy':1,'having':1},'disentangle':{'these':1},'waiting':{'for':1},'chose':{'a':1,'compartment':2},'desires':{'.':1},'kangaroo':{'while':1,'carrying':2},'underwood':{'underwood.':2},'youngest':{'and':1,'.':1},'desired':{'.':1},'grilse.':{'in':1},'separation':{'of':2},'frilled':{'lizard':3,'lips':2},'fifteen-spined':{'stickleback':1},'--carrying':{'with':1},'fruit-eating':{'and':1},'little-brained':{'ants':1},'settling':{'on':1},'evolution--the':{'establishment':1},'survivor':{'of':1},'convolutions.':{'illustration':1},'mauer':{'near':2,'at':1},'ones.':{'various':1},'leaving':{'a':1,'no':2,'perhaps':1,'only':1,'the':2,'its':1},'suggests':{'the':3,'that':2,'motions':1,'.':1},'patagium':{'and':1,'is':1},'oar':{'reduces':1},'breeds':{'of':2,'it':1,'that':1},'hue':{'and':1,'is':1},'pent-up':{'reservoirs':1},'apple':{'.':1},'spy':{'in':1},'egypt':{'and':1,'crete':1,'the':1},'earth-moon':{'system.':1},'facilitating':{'their':1},'apt':{'to':9},'expect':{'great':1,'that':1,'very':1,'there':1,'it':1,'to':2,'much':1},'marmosets':{'and':2},'motor':{'nerve-fibre':2,'nerve-cell.':1,'nerve-cell':1,'nerve-fibres':1,'nerve-cells':2,'answer':1},'newby':{'chief':1},'apply':{'to':1},'repopulation':{'of':1},'segregating':{'their':1},'use':{'and':3,'some':1,'it':1,'at':1,'in':1,'its':1,'for':2,'to':3,'there':1,'when':1,'.':2,'their':2,'has':1,'was':1,'them':1,'unless':1,'very':1,'but':1,'part':1,'a':3,'this':3,'of':14,'carbonic':1,'the':5,'seaweed':1},'fee':{'of':1,'is':1,'as':1,'for':3,'or':2},'from':{'all':3,'being':7,'tip':2,'worms':3,'ignoble':1,'facts':1,'japan':1,'inshore':1,'its':16,'roots':2,'mingling':1,'outer':1,'electricity':1,'masses':1,'behind':1,'forms':1,'to':1,'crest':4,'photographs':2,'donors':1,'them':2,'his':1,'branch':1,'10':2,'very':1,'freezing':1,'within.':1,'five':1,'trough':1,'now':1,'monkeys':1,'sowing':1,'benevolent':1,'hawaii':1,'these':4,'slipping':1,'each':9,'where':1,'side':6,'view':1,'people':1,'generation':2,'intelligence':2,'fish':2,'some':3,'direct':1,'dead':1,'gumboil':1,'year':1,'our':4,'dawn':1,'what':3,'colour-varieties':1,'sun':1,'nebula':1,'asia':1,'your':1,'particles':1,'outside':2,'expressing':1,'public':1,'red':1,'scientific':6,'insects':1,'men':1,'seaweeds':1,'water':5,'protection':1,'great':1,'struggle':1,'others':1,'simpler':1,'both':1,'about':2,'actual':1,'experience':1,'stone':1,'railway':1,'osborn':4,'pre-human':1,'first':2,'among':1,'simple':2,'within':4,'inland':1,'one':23,'pole':2,'learning':1,'ether':1,'cloud':1,'millions':1,'ancient':1,'her':1,'body-cells.':1,'remains':2,'pre-existing':1,'three':2,'sunlight':2,'.':1,'uniting':1,'behind.':1,'which':12,'white':1,'injury':1,'specimens':1,'radium':6,'500':1,'gill-breathing':1,'elsewhere':1,'that':2,'mammals':2,'malay':1,'heat':1,'part':1,'another.':1,'body-cells':1,'atom':4,'infusorians':1,'knife-blade-like':2,'those':1,'fossil':1,'sponge':1,'animals':2,'this':7,'tree':3,'us':3,'air':2,'below':1,'diagrams':1,'more':1,'and':1,'egypt':1,'mexico':2,'certain':1,'modern':1,'india':3,'it':2,'an':2,'states':1,'collision':1,'something':3,'any':6,'sir':1,'different':1,'ancestors':1,'end':1,'negatively-electrified':1,'scotland':1,'innumerable':1,'other':5,'5':2,'copying':1,'ordinary':1,'several':1,'enormous':1,'star':1,'glands':1,'time':3,'hand':1,'eight':1,'two':2,'nothing':1,'such':3,'types':1,'man':2,'a':37,'ingersoll':2,'land':2,'natural':1,'age':3,'their':7,'without':5,'knipe':6,'not-living':2,'every':1,'the':256,'europe.':1},'figure':{'of':1,'is':2,'one':1,'2':1,'ninety-two':1,'in':1,'.':1},'animals--by':{'insects':1},'frog':{'about':1,'showed':1,'discriminates':1,'flying':1,'had':1,'catches':1,'answers':1,'192':1,'1':1,'s':1,'rhacophorus':1,'which':1,'rhinoderma':1,'the':1,'mouth.':1,'merged':1,'lays':1},'few':{'and':1,'insects':1,'years':1,'feet':2,'spiders':1,'protozoa':1,'offspring':1,'lessons':1,'things':3,'ticks':1,'opportunities':1,'astronomers':3,'rivals':1,'other':1,'black':1,'weeks':1,'hundred':2,'minor':1,'inches':1,'that':1,'thousand':1,'days.':1,'records':1,'representative':1,'yards':1,'cases':3,'now':1,'extremely':1,'conspicuous':1,'pounds':1,'of':3,'months':1,'days':4,'cases.':1,'corners':1,'exceptions':1,'minutes':1,'embryonic':1,'illustrations.':1},'apprenticeship--tentative':{'men--primitive':1},'gales':{'will':1},'diving-bell':{'to':1,'full':1},'eagles':{'gather':1},'possession':{'of':2},'grandest':{'and':1,'pictures':1,'as':1},'secretions':{'of':1},'humanly':{'impossible':1},'inclined':{'to':1,'pillar':1,'plane':6,'plane.':1},'rarest':{'type':1},'impress':{'him':1},'steadfastly':{'serving':1},'eagles.':{'similarly':1},'hilger':{'ltd.':2},'rabbit':{'and':1,'squirrel':1,'for':1,'when':1,'.':1,'which':1,'the':1},'scale.':{'sec':1,'if':1},'development--that':{'there':1},'women':{'show':1},'fro.':{'this':1},'us.':{'this':1,'the':1,'races':1,'sec':1},'getting':{'a':1,'on':4,'what':1,'thinner':1,'hotter':1,'into':3,'air':1,'possession':1,'farther':1,'wet':1,'rid':1,'out':1,'away':1,'transport':1,'at':1},'ice.':{'seeing':1},'overlappings':{'.':1},'anywhere':{'at':2,'else':1},'perched':{'on':1},'field--which':{'he':1},'three-chambered.':{'the':1},'dissolve':{'a':1,'the':1},'proof':{'of':12,'that':2},'have--there':{'is':1},'non-growing':{'non-moulting':1},'habitats':{'which':1},'proprietary':{'form':1},'mud-fish':{'protopterus':2},'thirsty':{'and':1},'calculation':{'suggests':1,'as':1,'ought':1},'inaccessible':{'to':1},'tax':{'returns':1,'deductible':1,'identification':1,'treatment':1,'exempt':2},'land-snails':{'representing':1,'for':1},'something':{'associated':1,'less':1,'is':1,'as':1,'beyond':1,'to':1,'which':1,'new':2,'has':1,'more':1,'corresponding':2,'that':3,'very':3,'new--a':1,'but':1,'else':1,'with':1,'simpler':1,'about':1,'like':6,'of':2,'could':1,'the':1},'serial':{'issue':1},'made':{'and':3,'among':1,'polished':1,'rudely':1,'it':5,'an':2,'visible':3,'incandescent':1,'in':6,'luminous':1,'their':1,'out':1,'perfect':1,'bridges':1,'till':1,'of.':1,'.':6,'1':1,'to':7,'pets':1,'man.':1,'lays':2,'do':1,'malaria':1,'that':2,'of':5,'possible':1,'but':1,'forbidding':1,'during':1,'with':1,'by':8,'a':5,'on':1,'great':1,'many':1,'clear':1,'no':1,'up':3,'large':1,'points':1,'so':2,'artificially':1,'january':2,'stone':1,'the':5,'more':1,'at':1},'sir':{'e.':1,'norman':3,'richard':1,'wm':1,'j':7,'william':8,'g':1,'arthur':7,'oliver':3,'w':3,'harry':1,'isaac':5,'ernest':6,'john':3,'george':1,'ray':4},'galls':{'on':1},'counting':{'the':1,'electrons':2},'decaying':{'vegetation--an':1,'leaves':1},'sit':{'on':1},'distinguishable':{'from':1},'justifiable':{'to':2},'past.':{'on':1,'one':1},'struggles':{'there':1,'upward':1},'moods':{'.':1},'fortunate':{'for':1},'brian':{'janes':2},'instead':{'of':8,'strong':1},'struggled':{'.':1},'substances--':{'phosphorescent':1},'tension':{'passes':1,'is':1,'grows':1},'cupboard':{'and':1},'attend':{'the':1,'too':1},'yolk-sac':{'y.s.':1},'slipher':{'of':1},'immersed':{'in':3},'masks':{'the':1},'tack':{'of':2,'however':1},'wrist':{';':1,'which':1},'understanded':{'of':1},'1887':{'michelson':1},'1885':{'another':1},'agglomerations':{'of':1},'superstitions':{'have':1},'are--measuring':{'them':1},'clauses.':{'experimentation':1},'inheritance':{'that':1,'of':1,'.':1,'which':2,'the':1,';':1},'interrupted':{'light':1},'polystomella':{'showing':2},'fortunately':{'fast':1},'ovipositor':{'inside':1},'locomotor':{'agility':1,'triumph':1,'activity':1},'summer.':{'there':1},'irregularity':{'in':1},'preparing':{'our':1,'the':2},'affection.':{'the':1},'spreads':{'sleeping':1,'out':1},'saturated':{'southwards':1},'farming':{'or':1},'minnow':{'and':1,'to':1,'could':1},'mentioned.':{'this':1,'illustration':1},'reptile':{'and':1,'from':1,'breathes':1,'but':1,'total':1,'95':1,'94':1,'at':1},'interpreted':{'to':1,'as':1},'whilst':{'its':1,'an':1},'mathematicians':{'upon':1},'130':{'000':1,'steps':1},'idiosyncrasies':{'crop':1,'.':1},'looks':{'a':1,'like':3,'less':1,'almost':1,'big':1,'after':1,'extraordinarily':1,'.':1,'as':4},'135':{'animal':1},'abstruse':{'speculations':1},'interpreter':{'.':1},'139':{'photo':1},'138':{'the':1,'protective':1},'ease.':{'more':1},'self-fertilisation':{'because':1},'primordial':{'substance':2},'choose':{'to':1},'orange':{'screen':1,'yellow':2},'clusters':{'of':1,'at':1},'receptacles':{'or':1},'forty-five':{'seconds':1,'degrees':1},'crowds':{'of':3},'refracting':{'telescope':3},'originator':{'of':2},'bumbling':{'bittern':1},'forty-one':{'years':1},'orthodox':{'head-on':1},'practice':{'however':1,'or':1},'flew':{'away':1,'round':1,'22':1},'impressing':{'other':1,'itself':1},'emerald':{'hue.':1},'satellites':{'of':3,'miles':1,'like':1},'attaining':{'a':1,'to':1,'various':1,'that':1},'successor':{'rather':1},'viscid':{'threads':2},'articles':{'will':1,'with':1,'are':1},'crumb-of-bread':{'sponge':1},'sleeve':{'.':1},'movements.':{'this':1},'profound':{'idea':1,'abysses':1,'practical':1,'.':1,'calm':1,'moulding':1},'tram':{'or':1},'seashore.':{'illustration':1},'transmitted':{'through':2,'.':1},'trap':{'formed':1,'.':1},'cocoon':{'flies':1,'when':1},'bills':{'and':1,'up':1,'upwards':2},'erratic':{'quantities':1,'scattered':1,'paths':1},'foot-print--an':{'eloquent':1},'fitting':{'their':1},'old-established':{'creature':1},'related':{'to':11,'half-monkeys':1,'fish':1,'which':1},'whitish':{'spots':1},'remove':{'the':1},'82':{'peripatus':1},'83':{'photo':1,'photograph':1},'80':{'per':1},'86':{'photo':1,'an':1},'87':{'animals':1},'ebooks':{'and':1,'unless':1,'.':1,'are':1,'in':1,'with':1},'respects':{'a':2,'very':1,'like':1},'loquacious':{'bird.':1},'cerebral':{'hemispheres':1,'advances':1},'blood-channels':{'and':1},'flattening':{'of':1},'exporting':{'a':1},'20.--comet':{'october':1},'carpo-metacarpus':{'bone':1},'supports':{'them':1},'dive':{'far':1,'neither':1},'despairing':{'of':1},'fun':{'but':1},'zoological':{'gardens.':1,'races':1,'park':1,'haunt':1,'park.':10},'pours':{'out':2},'mussels.':{'the':1},'maintains':{'that':1},'promptly':{'discovered':1},'york':{'and':1,'zoological':10},'waves--light--what':{'the':1},'obliteration':{'.':1},'tenant':{'.':1},'support.':{'project':1},'age-old':{'mystery':1},'weaves':{'its':1},'organic':{'evolution':9,'evolution.':3,'matter':1,'nature':1,'particles':1,'evolution--there':1,'dust':1},'g':{'notice':1,'.':10,'in':1},'musculature':{'integumentary':1},'curlews':{'both':1},'behaviour.':{'a':2,'evolution':1,'illustration':1,'comparing':1,'sec':1,'in':1,'the':2},'chisel-edged':{'teeth':1},'hence':{'a':1,'fall':1,'it':1,'appendicitis':1,'in':1,'the':2,'if':1},'pterosaurs':{'none':1},'californian':{'coast.':1},'incipient':{'race':1,'species':1},'embryo':{'-reptile':1,'there':2,'no':1,'-mammal':1,'is':2,'within':1,'.':3,'while':1,'of':2,'the':1,'has':1,'with':1,'-fish':1,'shows':1},'plainly':{'this':1,'how':1,'that':1},'arcturus':{'43.4':1},'pycraft':{'w':1},'echo':{'of':1},'bonnet':{'monkey':2},'foals':{'and':1,'to':1},'eleventh':{'printing':1,'moon':1},'placental':{'mammals':1},'representations':{'concerning':1},'imperial':{'war':4},'miles--in':{'itself':1},'dispersive':{'effect':1},'salient':{'aspects':1,'features':1,'examples':1},'droop':{'forward':1},'unknown':{'on':1,'gas':1,'but':1,'.':3,'to':1,'manner':1,'in':1,'until':1},'galley':{'hill':1,'.':1},'retreats':{'and':1},'their':{'distances':1,'interpretation':1,'perch':1,'orbits.':1,'boxed-in':1,'brain':1,'attempts':1,'relation':1,'salivary':1,'upturned':1,'speed':3,'lessons':2,'birthplace':2,'doom':1,'resemblance':1,'progeny':1,'masses':1,'possessors':2,'young':6,'opportunities':1,'wings':1,'environment':2,'surroundings':3,'neighbours':1,'bases':1,'parents':2,'marks':1,'resources':1,'appearance--an':1,'borrowed':1,'clutches':1,'fate':1,'distance':1,'food':4,'advances':1,'moons':1,'early':1,'smallness':1,'background':1,'hands':1,'slipperiness':1,'height':1,'day':1,'condition':1,'evolution':1,'success':1,'parrot':1,'course':1,'crops':1,'luminosity':2,'length.':1,'back-teeth':1,'activity':1,'distant':1,'bills':4,'soft':1,'breast-bone':1,'bond':1,'dwindled':1,'burrows':1,'old':1,'mental':1,'weight':1,'life-history':2,'appearance':1,'energy':3,'range.':1,'sifting':1,'relative':2,'rate':1,'individual':1,'year':1,'development':2,'foals':1,'enemies':3,'living':1,'constitution':1,'axes':1,'interference':1,'migrations':2,'artificial':1,'fellows':1,'colours':1,'wave-lengths.':1,'simplest':1,'approach':1,'bearers':1,'scaly':1,'body':2,'variability':1,'toes':1,'transparency':1,'power':3,'importance':1,'argument':1,'kindred':3,'limbs':1,'atoms':2,'behaviour':1,'host':1,'chances':1,'outlying':2,'substance':1,'allies':1,'brilliant':1,'dormancy':1,'insect':3,'discoveries':1,'motion':1,'turn':1,'length':2,'head':1,'youthful':1,'first':1,'origin':2,'golden':3,'own':9,'gizzard--certainly':1,'family':1,'presence':1,'reasons':1,'father':1,'bluish':1,'multiplication':1,'enlarged':1,'names':1,'passage':2,'size':1,'decline':1,'use':1,'palm-bones':1,'chisel-edged':1,'muddy':1,'destination':1,'secret':1,'thinnest':1,'prey':1,'predecessors':1,'way':7,'fixed':2,'repertory':1,'more':2,'function':1,'hue':1,'eyes':1,'tissues':1,'yolk-forming':1,'wits':2,'brains':1,'becoming':1,'back':1,'heat':2,'importance.':1,'lives':1,'adult':1,'impulse':1,'ring-armour.':1,'insect-visitors':1,'homes':1,'characteristic':1,'cells':3,'detachable':1,'ancestral':1,'lips':1,'vocal':1,'temperatures':1,'reproduction':1,'light':3,'photosynthesis':1,'remains':1,'parents.':1,'real':1,'furs':1,'modern':1,'mind':1,'discovery':2,'deep':1,'manner':1,'lifetime':1,'movements':2,'respective':1,'ancestors':1,'variety':1,'lengths':1,'ascent':1,'maximum':1,'arrangement':1,'pectoral':1,'field':1,'relatives':3,'numerous':1,'income':2,'tool':1,'contemporaries':1,'worldwide':1,'polar':1,'material':1,'cupboard':1,'mouths':1,'normal':1,'nest':1,'reach':1,'orbits':1,'counterparts':3,'visitors':1,'significance.':1,'strength':1,'mouth':1,'delicate':1,'ink-bags':2,'hair':1,'foothold':2,'coloration':1,'natural':1,'modes':1,'pigmy':1,'nostrils':1,'eggs':5,'life':3,'posterior':1,'incessant':1,'castings':1,'manipulative':1,'tentacles':1,'smooth':1,'mother':2,'reward':1,'wing':1,'bodies':3,'usual':1},'1500':{'west':1},'delusions':{'yet':1},'behind.':{'there':1,'illustration':1},'embryology':{'--these':1,'of':1},'unstereotyped':{'they':1},'invisibility':{'and':1,'may':1,'coloured':1,'does':1,'at':1,'.':1},'noteworthy.':{'penguins':1},'shell':{'and':3,'very':1,'of':11,'is':4,'tends':1,'against':1,'.':2,'were':1,'in':3,'not':1,'with':1,'or':1},'x-rays':{'and':2,'we':1,'ltd.':4,'were':1,'.':2,'discovered':1,'have':1,'so':1,'are':1,'they':1,'which':3,'not':1,'through':2,';':1},'bromogelatine':{'plates':1},'shelf':{'fringing':1,'around':1},'shallow':{'and':1,'there':1,'well-illumined':1,'.':1,'water':5,'trough':1,'water.':2,'pond':1,'areas':1},'reflecting':{'instrument':1,'telescope--the':1,'telescope':1,'others':1},'constituent':{'colours':1,'of':1,'element':1},'july':{'17':2},'reverses':{'its':1},'blind':{'flat-fish':1,'alley':1,'gut':2},'dynamical':{'principle':1},'succeeded':{'and':1,'sir':1,'or':1,'.':1,'every':1,'in':3,'by':1},'uninterested':{'to':1},'isolation':{'of':1,'from':1,'which':1},'richer':{'evolution':1},'instincts--of':{'insects':1},'dynamo':{'as':1,'does':1,'it':1,'which':1},'individualities':{'arise':1},'dusty':{'the':1},'varied.':{'a':1},'tracts':{'of':1},'safeguarded':{'the':1},'violets':{'would':1},'fowl':{';':1},'gate-posts':{'and':1,'green':1},'sifting.':{'but':1},'endeavour.':{'sec':1,'in':1},'mongolian':{'and':1},'germinal':{'changefulness':1,'variations':1},'siamang':{'.':1},'reaches':{'a':5,'on':1,'of':3,'it':1,'us':1,'which':1,'in':1,'such':1,'the':2,'its':3},'angle':{'and':1,'on':1,'to':2,'.':1},'pollen-tubes':{'grow':1},'agency':{'could':1},'olfactory':{'messages':1},'supplanted':{'by':1},'well-marked':{'chins':1,'breeds':1},'ungirt':{'loin':1},'which':{'all':9,'belong':2,'help':1,'just':1,'produces':2,'captures':1,'probe':1,'vary':1,'gulls':1,'leads':3,'stored':1,'thanks':1,'go':3,'still':1,'birds':1,'causes':4,'seemed':2,'bridges':1,'rapid':1,'depend':1,'had':6,'came':1,'actually':1,'forms':5,'simple':1,'only':1,'behave':1,'extends':2,'helps':1,'sulked':1,'under':1,'attained':2,'covered':1,'circle':1,'has':43,'alter':1,'happened':1,'grip':1,'eventually':1,'his':2,'means':3,'food':2,'breaks':1,'tends':1,'lurk':1,'floated':1,'confines':1,'feels':2,'cannot':5,'nearly':2,'they':19,'progress':1,'not':1,'during':1,'he':7,'now':2,'dr':1,'monkeys':1,'look':1,'indicate':2,'like':1,'did':1,'always':2,'generally':1,'modern':2,'make':4,'admitted':1,'travels':2,'this':5,'persisted':1,'she':1,'turns':1,'become':2,'speculation':1,'freshwater':1,'mount':1,'reaches':1,'often':1,'reference':1,'people':1,'sends':1,'ancestral':1,'some':4,'supplies':1,'recapitulate':1,'constitute':2,'individual':1,'lines':1,'are':66,'pass':1,'our':1,'kant':1,'parachuting':1,'even':1,'delivered':1,'plays':1,'opened':1,'lead':1,'constitutes':2,'rings':1,'its':1,'everything':1,'contained':1,'experiment':1,'huxley':1,'scientists':1,'probably':4,'learned':1,'dilutes':1,'roentgen':1,'can':2,'we':52,'led':4,'nature':2,'climbs':1,'never':2,'atoms':1,'water':2,'credits':1,'were':12,'sink':1,'lasts':1,'put':1,'from':1,'puzzled':1,'come':1,'by':5,'about':1,'enables':2,'rests':1,'deals':1,'could':4,'strikes':1,'contract':1,'mixes':1,'carries':2,'became':1,'stand':1,'professor':1,'swing':1,'usually':1,'disappears':1,'stimulate':1,'comes':1,'feed':2,'emerge':1,'radio-activity':1,'followed':1,'secure':3,'formerly':1,'supply':1,'suddenly':1,'seems':1,'habitual':1,'marked':2,'one':1,'brought':1,'lies':2,'spans':1,'comprises':1,'whalebone':1,'mark':1,'appeared':1,'presents':1,'differ':1,'light':1,'expresses':1,'takes':1,'would':8,'to':3,'there':11,'finally':1,'periodically':1,'rivals':1,'live':4,'spread':3,'slowly':1,'living':1,'grew':2,'was':18,'opens':1,'gives':1,'life':1,'enable':1,'arise':1,'molecules':1,'form':1,'afford':1,'becomes':1,'marks':1,'amphibians':1,'broke':1,'separates':2,'absorbs':1,'almost':1,'reverses':1,'must':4,'plants':2,'pull':1,'made':1,'animals':2,'unfortunately':1,'these':3,'prevents':1,'require':1,'work':1,'lessen':1,'will':7,'attacks':1,'remain':1,'lays':1,'many':1,'already':1,'meet':1,'circulate':1,'dr.':1,'hatch':1,'have':22,'bind':1,'give':3,'frogs':1,'again':1,'is':61,'occupies':1,'thus':1,'it':22,'eats':1,'helped':1,'case':1,'as':3,'lived':1,'protects':1,'at':2,'slip':1,'allowed':1,'regulate':1,'pit':1,'counteract':1,'granules':2,'lie':1,'date':1,'no':4,'suggest':1,'began':2,'holds':1,'when':2,'astronomers':2,'very':1,'take':4,'forces':1,'brings':1,'new':1,'you':2,'grows':1,'neolithic':1,'formed':2,'conveys':1,'attend':1,'though':1,'may':16,'dive':1,'faintly':1,'paid':1,'reflect':1,'most':1,'fell':2,'tackle':1,'two':1,'multiply':1,'infects':1,'grow':1,'man':8,'a':8,'demand':1,'land':2,'in':7,'i':2,'makes':7,'arrange':1,'mask':1,'lasted':1,'thought':1,'used':1,'eurypterids':1,'allow':1,'keeps':1,'masks':1,'the':57,'justify':1,'blend':1,'responded':1,'migrate':1,'once':1},'tree-frogs':{'are':2,'called':1},'spawns':{'in':1},'divers':{'come':1},'vegetation':{'marking':1,'that':1,'of':1,'only':1,'in':1,'probably':1,';':1,'lingering':1,'consisted':1},'hydrostatica':{'related':2},'centre':{'and':4,'of':4,'.':2,'to':1,'only':2,'at':1,'in':1,'or':1},'wind-blown':{'sand':1},'who':{'show':1,'is':3,'soon':1,'anticipating':1,'have':4,'estimated':1,'are':5,'intrude':1,'said':1,'described':1,'had':2,'does':1,'has':1,'lacks':1,'do':1,'knows':1,'found':1,'may':1,'came':1,'gnaw':1,'lives':1,'learns':1,'approach':1,'believe':1,'with':1,'by':2,'concentrated':1,'made':4,'to-day':1,'like':1,'was':1,'think':1,'will':1,'maintain':1,'can':1,'mounts':1,'desire':1,'agree':1,'restored':1,'notifies':1},'cohesion':{'of':1,'between':1},'1.d':{'.':1},'1.e':{'below.':1,'.':1},'microbic':{'or':1},'digestive':{'and':1,'filaments':1,'juice.':1},'1.a':{'.':1},'1.b':{'.':1},'1.c':{'below':1,'.':1},'emancipation':{'of':3,'from':1},'violet.':{'sorting':1},'class':{'a':1,'of':5,'we':1},'deny':{'a':1},'expert':{'opinion':1,'advice':1},'deccan':{'the':1},'wasp-like':{'impression':2},'.001':{'per':1},'pipe':{'to':1,'.':1},'different-lengthed':{'waves':1},'cloaked':{'by':1},'europe.':{'it':1,'illustration':1},'swarming':{'in':1},'goals':{'and':1},'unimpeded':{'five':1},'refund':{'set':1,'from':1,'of':3,'-':1,'.':2,'in':1,'described':1},'terrific':{'cold':1},'insulators':{'because':1,'for':1},'perceptions':{'and':1},'chances':{'of':1,'are':1},'sceptical':{'about':1},'agreed':{'to':1},'tidings':{'from':1},'chapters':{'of':1},'upright':{'forehead':1,'on':1,'nail':1},'purely':{'instinctive':2},'sabre-toothed':{'tiger':1},'seaweed':{'and':3,'for':1,'area':1,'of':1,'nest':1,'continues':1,'but':1,'.':1,'green':1,'nibbles':1,'each':1,'vegetation.':1,'or':1},'changeful':{'surroundings':1,'processes':1,'place':1},'utter':{'darkness--an':1,'sufficient':1,'darkness':1},'fear':{'of':2},'darkest':{'period':1},'feat':{'which':1},'agrees':{'in':1},'nearer':{'a':1,'and':1,'an':1,'to':3,'the':3,'.':1,'than':1},'cave-bear':{'became':1,'cave-lion':1},'implying':{'initiative':1},'cache':{'of':1,'after':1},'gouging':{'out':1},'surroundings':{'on':1,';':1,'like':2,'these':1,'many':1,'.':4,'admits':1,'their':1,'without':1,'including':1,'lighter':1,'in':1,'not':1,'the':4,'rests':1,'must':1},'postulated':{'by':1},'herald':{'the':1,'its':1},'inhabit':{'the':1},'local':{'influence':1,'drying':1,'changes':1,'thickness':1},'combe':{'capelle':1},'snow-capped':{'mountains':1},'dexterities':{'which':1},'helios':{'the':1},'cube':{'of':1},'skims':{'from':1},'watching':{'those':1,'in':1},'d.p.':{'it':1},'displayed':{'performed':1},'primeval.':{'the':1},'intensely':{'hot':1},'words':{'all':1,'as':1,'are':2,'what':1,'to':1,'true':1,'there':2,'.':1,'also':1,'written':1,'meant':1,'we':1,'signifying':1,'but':2,'indicative':1,'such':1,'with':1,'monkeys':1,'animals':1,'of':2,'became':1,'can':1,'positive':1,'become':1,'the':2,'or':1},'please.':{'it':1},'penetrate':{'everywhere':1,'the':1,'through':1},'spur':{'to':2},'burned':{'up':1},'ornithoscatoides':{'decipiens':1},'sweat':{'and':1},'prodigally':{'using':1},'belts':{'which':1},'monsters':{'1892':1},'insectivorous':{'and':1,'plant':1,'bats':1},'quaternary':{'at':1},'waterfalls':{'of':1},'sparrows':{'and':1,'to':1},'generations':{'reached':1,'afterwards--and':1,'yet':1,'to':1},'afterwards--and':{'suffering':1},'unison':{'with':1},'available':{'on':1,'.':1,'with':1,'for':1,'space':1},'ebb':{'of':1},'acquired':{'a':2,'an':1,'its':1,'dexterities':1},'monkeys--in':{'dogs':1},'distantly':{'related':1},'cross-fertilisation.':{'sec':1},'violet':{'then':1,'end':1,'light':1,'colour':1,'.':1,'will':1,'at':1,'the':1},'barrels':{'of':1},'this.':{'the':1},'responses':{';':1,'.':2},'closer':{'examination':1},'closes':{'with':1},'shore-frequenting':{'seals':1},'mentioned':{'that':1,'already.':1,'indicates':1,'part':1,'in':1,'the':1,'is':1},'monstrous':{'tortoise':1},'worship':{'and':1},'genius':{'a':1,'of':1,'.':1,'it':1,'than':1},'converted':{'almost':1,'into':1,'directly':1},'identification':{'number':1,'for':1},'colour-associations':{'.':1},'hebrides':{'southwards':1},'crude':{'flint':1},'limit':{'these':1,'to':1,'the':1,'.':1},'variability':{'on':1,'is':1,'.':1,'to':1,'along':1,';':1},'andromeda':{'messier':2},'ability':{'to':2,'.':1},'opening':{'and':1,'fir':1,'up':1,'to':1,'new':1,'the':2,'more':1},'joy':{'and':1,'.':1},'agencies':{'operating':1,'for':1,'.':1},'podargus':{'a':1,'190':1},'apes':{'and':6,'both':1,'from':1,'show':1,'though':1,'but':1,'.':3,'also':1,'as':2,'diverged':1,'can':1,'165':1,'monkeys':1},'hypothesis':{'that':1,'may':1,'.':3,'therefore':1,'which':1,'one':1,'apart':1},'probing':{'and':1,'its':1},'rhythm.':{'illustration':1},'air-bubble--air':{'entangled':1},'swift':{'stroke':1,'hardly':1,'runners':1,'stream':1},'commands':{'our':1,'such':1},'cliff.':{'energy':1},'acknowledge':{'as':2},'mentone':{'on':1},'grouse':{'and':2,'disease':2,'or':1},'april':{'1922':4},'grain':{'of':8,'contains':1,'planted':1,'.':1},'utilising':{'dry':1},'retrograde':{'direction':1},'canopy':{'over':1},'germ-cells':{'and':1,'do':1,'that':1,'perhaps':1,'is':1,'but':1,'are':1,'have':1,'has':1,'into':1},'mutating':{'mood.':1},'wall':{'of':7,'shown':1,'.':1},'wonder':{'of':2,'then':1},'walk':{'with':2},'walt':{'whitman':1},'subscribe':{'to':1},'heredity':{'is':1,'which':1},'stars--to':{'star':1},'animalcule':{'often':1,'is':1,'which':1,'the':1,'has':1,'or':1},'table':{'suggests':1,'colliding':1,'page':1,'.':2},'investigator':{'noted':1},'mesozoic':{'and':1,'is':1,'era':6,'three':1,'times':1},'provinces':{'and':1},'i.e.':{'eating':1},'cavities':{'in':1},'hunters':{'and':2,'fowlers':1},'trademark':{'and':2,'license':1,'copyright':1,'but':1,'.':3,'as':1,'owner':2},'window':{'.':1},'responds':{'to':1},'ant-eaters':{'lay':1},'reindeer':{'and':2,'wild':1,'men':1,'man':1},'cry':{'uttered':1,'for':1,'.':2},'735':{'years.':1},'bewildering':{'profusion':1},'twenty-nine':{'days':1},'conductors.':{'so':1},'remedies':{'for':1},'1.e.1.':{'1.e.7':1},'painted':{'on':1,'bison':1,'in':2},'sufficient':{'for':1,'supply':1,'of':1,'here':1,'to':6,'heat':1,'sounds':1,'quantity':1,'cause':1,'theoretical':1,'inducement':1,'if':1},'thrusting':{'their':2},'sub-aquatic':{'environment':1},'ensuring':{'that':1},'visible.':{'illustration':1},'present':{'features':1,'point':1,'is':4,'rate':1,'in':6,'our':1,'living':1,'unavailable':1,'when':1,'two':1,'.':2,'day.':1,'state':1,'form':2,'though':1,'after':1,'but':1,'standard':1,'purpose':1,'they':1,'trying':2,'with':1,'day':2,'stage':1,'whereby':1,'value':1,'time':1,'the':4},'inconspicuous':{'24':1,'among':2,'when':1,'against':2,'.':2,'as':1,'amidst':1,'in':2,'by':1},'interstices':{'they':1},'abandoned':{'by':1,'.':2},'unlike':{'the':2},'agreement.':{'illustration':1},'vanilla':{'ascii':2},'will':{'emerge':1,'learn':1,'deal':1,'supply':1,'almost':1,'cover':1,'pass':2,'replace':1,'say':1,'have':1,'measure':1,'radiate':1,'tend':3,'scent':1,'any':1,'select':1,'make':2,'again':1,'gradually':1,'detect':4,'proceed':1,'to':2,'prevail':1,'support':1,'show':1,'deal.':1,'.':1,'start':1,'finally':1,'suffocate':1,'take':2,'then':1,'hatch':1,'surprise':1,'confine':1,'cause':1,'tell':1,'dispute':1,'evolve':1,'notice':1,'enable':1,'return':1,'engender':1,'gnaw':1,'admit':1,'express':1,'stop':1,'rush':1,'bear':1,'intercept':1,'sink':1,'not':9,'last':1,'attract':1,'come':3,'throw':1,'summon':1,'knock':1,'do':3,'rotate':1,'give':2,'consist':1,'be':53,'science':1,'colour':1,'no':1,'liquefy':1,'spontaneously':1,'appear':1,'remain':2,'continue':2,'die':1,'become':1,'the':2,'tap.':1,'explain':1,'travel':1},'inequilibrium':{'results':1},'vastly':{'hotter':1,'greater':1,'more':3},'wild':{'plants':1,'horses':1,'life':1,'animals':1,'rock-dove':1,'nature':2,'mammals':1,'peoples':1,'dog':2,'.':1,'species':2,'wheat':1,'rabbit':1,'cattle':1,'boar':1,'life.':1,'fauna':1,'he':1,'or':2,'cabbage':1,'sheep':1},'2007':{'ebook':1},'tadpoles':{'of':1,'while':1,'are':1,'.':1},'layer':{'of':4,'is':1,'overpowering':1,'or':2,'.':2},'envelope.':{'thus':1},'zostera':{'form':1},'apprehend':{'the':1},'filaments':{'which':1,'in':1},'non':{'profit':1},'encouragement':{'to':1},'meteoritic':{'contributions':1},'life-forms':{'would':1},'perhaps':{'among':1,'all':1,'because':5,'stray':1,'is':2,'it':5,'an':3,'discovered':1,'are':1,'in':1,'25':4,'from':2,'to':1,'twenty':1,'sum':1,'there':2,'when':1,'next':1,'also':2,'too':1,'belong':1,'500':1,'we':1,'increased':1,'that':2,'300':1,'eight':1,'they':3,'100':2,'one':1,'beginning':1,'why':1,'a':6,'thirty':1,'this':2,'professor':1,'wild':1,'the':9,'came':1},'trailing':{'on':1},'cromagnard':{'representative':2,'in':1},'forceps':{'held':1,'the':1,'so':1,'.':1},'unite':{'with':1},'electro-magnetic':{'energy':1,'theory':1,'waves':2},'orionis':{'showing':1,'37':1},'unity':{'and':1,'of':1,'.':2,'at':1,';':1,'or':1},'exuberance':{'of':3},'geographical':{'barriers':1,'distribution':1},'largest':{'and':1,'in':1,'of':4,'flying':1,'refracting':1,'reflecting':1,'waves':1,'telescopes':2},'units':{'of':1,'the':1,'were':2,'or':1,'are':1},'gets':{'up':2,'worn':1,'will':1,'through':1,'the':1,'beyond':1,'its':2},'hammering':{'at':2},'firmament':{'is':1},'spirited':{'pictures':1},'elbows':{'.':1},'slave':{'of':1},'conceived':{'as':1},'overcrowded':{'or':1},'student':{'what':1,'but':1,'in':1},'vapour':{'layers':1,'shoot':1,'of':1,'to':1,'at':1,'out':1},'laborious':{'tasks':1},'collar':{'over':1,'round':1},'warming':{'the':1},'reached.':{'the':1},'banded':{'krait':3},'unpacked':{'the':1},'star-book':{'.':1},'electrified.':{'in':1},'spectator':{'after':1},'sound-waves':{'and':1},'undertaken':{'by':1},'realised':{'the':1,'in':2,'.':1},'tacchini':{'of':1},'heavily':{'armoured':1},'only.':{'3':1},'wren':{'.':1},'multitude':{'of':6},'obtain':{'a':3,'permission':2},'replenish':{'the':1},'batteries':{'of':1,'getting':1,'.':1},'fishing':{'farming':1},'rocked':{'from':1},'inturned':{'margin':1},'cuckoo-spit':{'147':1,'the':2,'on':1},'contractile':{'vacuole':1},'disturbance':{'around':2,'ceases':1,'being':1,'is':1,'which':1,'in':1,'such':1},'host.':{'illustration':1},'supply':{'will':1,'of':6,'the':4,'and':1,'our':1},'smith':{'woodward':1},'pitcher-plant':{'catching':1},'discuss':{'at':1},'book':{'and':1,'on':1,'of':2,'there':2,'it':1,'which':1,'the':1},'galloping':{'boar':2},'usage':{'spread':1,'had':1},'enacted':{'on':1},'unprecedented':{'development':1},'civilisation--coal':{'.':1},'knob':{'on':1},'wont':{'to':1},'diamond-like':{'eyes':1},'branch':{'and':4,'we':1,'after':1,'from':1,'of':3,'is':1,'within':1,'to':2,'at':1,'now':1,'or':1,'out':1},'community':{'at':1,'in':1},'facial':{'characteristics':1,'expressions':1,'expression':2},'denser':{'and':1,'along':1,'masses':1,'than':1},'press':{'professor':1,'copyright':1,'the':2,'agency.':7},'originative':{'stock':1},'feral':{'216':1,'it':1},'safest':{'coloration':1},'perpetual':{'unremitting':1},'loses':{'a':1,'weight.':1,'it':1,'least':1,'its':1},'colonising':{'of':1,'the':1},'vortex':{'may':1,'phenomena':1,'in':1},'james':{'ritchie':1,'s':8,'matter':1},'puzzle-boxes':{'and':2,'with':1},'smoothness':{'of':1},'herons':{'and':1,'storks':1},'exceed':{'20':1},'because':{'they':8,'mind':1,'it':7,'in':1,'sounds':1,'its':3,'to':1,'deeply':1,'there':1,'birds':1,'their':1,'many':2,'we':1,'some':2,'heat':2,'although':1,'he':2,'this':1,'light':1,'obviously':1,'of':8,'the':12},'ages--evolution':{'of':1},'vortices':{'or':1},'elevators':{'in':1},'scottish':{'history':1},'mosquitoes':{'which':2},'eventfulness':{'of':1},'flint-shelled':{'radiolarians':1},'116':{'a':1,'after':1},'113':{'the':1},'faraday':{'he':1},'119':{'sea-horse':1,'photo':1,'an':1},'118':{'greenland':1,'minute':1},'blood-vessel':{'nerve':1,'for':1},'gill-slits':{'of':1,'are':1},'lamprey--a':{'long':1},'leaf':{'and':1,'touches':1,'towards':1,'seventy-five':1,'is':1,'six':1,'when':1,'.':4,'near':1,'without':1,'in':2,'close':1,';':1,'before':1,'must':2},'lead':{'on':1,'has':2,'pencil':1,'these':1,'is':1,'us':3,'one':1,'.':3},'promotion':{'and':1},'high.':{'the':1},'mines':{'of':1},'philosopher':{'and':1,'professor':1},'instantaneous':{'abandonment':1},'arteries':{'of':1},'leap':{'and':2,'over':1,'due':1,'out':1},'glacial':{'climate':1,'time':1,'.':1},'repeopling':{'from':1},'trout':{'go':1,'we':1,'in':1,'or':1,'eluding':1},'locate':{'a':1},'obey':{'this':2,'an':1},'thoroughfare':{'for':1},'astounding':{'fact':2},'analysed':{'tons':1,'.':1,'in':1},'conveyed':{'by':1},'raise':{'a':1,'their':1,'the':2,'it':1},'rare':{'birds':1},'carried':{'to':2,'about':2,'by':3,'for':1,'back':1},'extension':{'of':2,'have':1},'unsurpassable':{';':1},'column':{'of':1},'universe':{'and':3,'transmitting':1,'is':13,'it':1,'an':1,'as':3,'sec':2,'are':1,'in':1,'even':1,'said':1,'opened':1,'remains':1,'tiny':1,'.':11,'how':1,'which':1,'has':1,'was':2,'comparable':1,'may':2,'why':1,'243':1,'than':1,'a':1,'of':1,'can':1,'were':2,'the':1,'or':1},'biscuit':{'from':1,'.':1},'eclipse.':{'this':1},'dependence':{'.':1},'urged':{'that':1},'sea-horse':{'is':1,'puts':2,'in':2},'carries':{'them':2,'many':1,'about':1,'in':1,'the':2,'its':1},'carrier':{'of':1,'pigeons':1,'pigeon':3},'places':{'on':2,'them':1,'for':1,'e.g':1,'of':2,'vary':1,'to':1,'have':1,'the':3,'where':1,'its':1},'wheats':{'.':1},'devouring':{'their':1,'potatoes':1},'warranty':{'or':1,'disclaimer':1},'splash':{'of':1},'own':{'and':3,'beautiful':1,'weight':2,'when':1,'mind':1,'invention':1,'in':1,'lambs':1,'.':7,'reward.':1,'before':1,'dispersive':1,'little':1,'sake':1,'distinctive':2,'definite':1,'system':2,'moon':1,'internal':1,'white':1,'was':1,'day':1,'then':1,'race':1,'that':1,'but':1,'atoms':1,'genealogical':1,'solar':2,';':1,'he':1,'kind':1,'enemies.':1,'planet':1,'circle':1},'polished':{'stones':1,'stone':2},'sugary':{'sap':2},'owe':{'to':3,'them':1,'it':1,'our':1},'habituations':{'and':1},'wearisome':{'reiteration':1},'promise':{'myriads':1,'that':1,'of':2,'is':1,'are':1,'considerable':1},'brush':{'and':1},'registration':{'of':3,';':1},'cell--a':{'fertilised':1},'to-morrow':{'might':1},'prompted':{'by':1,'reliance':1},'linnaeus':{'spoke':1},'van':{'was':1},'miles.':{'these':1},'transfer':{'energy':1,'her':1},'paperwork':{'and':1},'spiral':{'nebulae.':1,'facing':1,'nebulae':8,'nebula':11,'edge-on':1,'arms':2,'having':1,'arms.':1,'to':1,'than':1,'structure':1},'continental':{'islands':1,'masses':1,'elevation':1,'fish':1},'uniting':{'into':1,'with':1},'4.--the':{'great':1},'breeding':{'season':2,'only':1,'calls':1,'time':1},'phosphorus':{'is':1},'mouth.':{'everyone':1,'sec':1,'illustration':4},'limulus':{'may':1},'fundy':{'it':1},'dasypeltis':{'gets':1},'u.s.a.':{'this':1},'incursions':{'of':1},'volume':{'and':1},'larger':{'and':3,'animals':2,'particle':1,'variety':1,'rather':1,'of':1,'area':1,'parasite':1,'than':5,'supply':1,'in':1,'fifteen-spined':1,'.':1,'continent':1,'species':1},'counterparts':{'in':3},'millipedes':{'and':1},'shark-like':{'and':1},'tactics':{'of':1,'are':1},'instructive':{'case':1,'to':2,'because':1,'.':1},'whether':{'all':2,'gravitation':1,'hunting':1,'that':1,'these':1,'it':5,'bird':1,'we':1,'imitation':1,'they':1,'particular':1,'the':6,'astronomy':1,'similar':1,'or':1},'meeting':{'of':1,'the':1,'that':1},'fossilized':{'forests.':1},'moorhen':{'saw':1,'has':1,'dived':1,'in':1},'record':{'of':1,'is':1,'answers':1,'.':2,'how':1,'the':1,'tells':1},'below':{'and':1,'a':1,'this':1,'freezing-point.':1,'.':3,'their':1,'are':1,'freezing-point':1,'the':11},'graphite':{'similarly':1},'demonstrate':{'a':1},'percival':{'lowell':1,'lowell.':1},'arno':{'von':1},'stirring':{'times':1},'unfolding':{'of':1},'cynodonts':{'were':1},'roentgen.':{'discovery':1},'change-producing':{'factors':1},'--1':{'.':1},'pigment-cells':{'chromatophores':1,'change':1},'1781.9':{'84.02':1},'globules':{'of':1},'kind.':{'sec':1},'soft-shell':{'tortoise':1},'domesticated':{'sheep':1,'animals':7,'dog':2,'breeds':1,'type':1,'creature':1},'counteract':{'poisons':1},'limb':{';':1,'or':1},'mutual':{'benefit':1,'gravitation':1,'dependence':1,'assurance':1},'1898.':{'in':1},'incredible':{'refinement':1,'speed':1},'portion':{'consists':1,'of':5,'would':1},'other':{'all':1,'interpretation':1,'words':11,'four':1,'experiments':1,'facts':1,'birds':1,'causes':1,'chemical':1,'apes':2,'group':1,'shifts':1,'physiological':1,'interesting':1,'parts':1,'marsh':1,'main':1,'associations':1,'format':1,'inter-relations':1,'marked':1,'they':1,'new':2,'radio-active':1,'sensational':1,'worlds':1,'backboned':1,'sedimentary':1,'side':6,'investigators':2,'telescope.':1,'thinkers':1,'growths':1,'some':1,'mollusc':1,'sporadic':1,'bacteria':1,'creatures':3,'pigments':1,'organisms':1,'factors':1,'ways':3,'pictures':1,'heavenly':1,'got':1,';':3,'warranties':1,'body':1,'ends':1,'toes':1,'terms':1,'men':2,'atoms':3,'stellar':1,'objects':1,'by':1,'extreme':1,'digits':1,'great':1,'substance':1,'of':1,'haunts':1,'times':3,'thing':1,'s':1,'light--we':1,'host.':1,'useful':1,'features':1,'reasons':1,'intellectual':1,'highly':1,'fishes':1,'seashore':1,'protozoa':1,'sounds':1,'throughout':1,'persons.':1,'trifles':1,'sea-snail':2,'copies':1,'.':14,'way':4,'reptiles':1,'specimens':1,'direction':1,'senses':2,'spiral':1,'form':2,'substances':2,'mammals':7,'immediate':1,'known':1,'branches':1,'cases':9,'than':1,'circumstances':1,'animals':3,'liquid':1,'places':1,'work':2,'theories':1,'project':1,'wild':1,'stages':1,'colour':1,'and':1,'meant':1,'seven':1,'change-producing':1,'is':3,'experiments--indications':1,'it':1,'metals':2,'pieces':1,'medium':1,'universes.':1,'planets':3,'universes':1,'domesticated':1,'orders':1,'cotton':1,'end':2,'in':1,'things':1,'ideas':1,'species':1,'astronomers':2,'instance':1,'became':1,'animal':1,'party':1,'enemies':1,'intelligent':1,'creature':1,'kinds':2,'hand':9,'glimpses':1,'blood':1,'never':1,'authorities':1,'such':1,'acquisitions':1,'amoeboid':1,'modes':1,'consequences':1,'age':1,'obstacles':1,'lines':1,'shafts.':1,'fundamental':2,'mechanical':1,'the':1,'order':1,'bodies':2},'sunrise':{'the':1},'boon':{'to':1},'conclusion':{'we':1,'that':5,'is':2,'what':1,'to':1,'in':1},'supersaturated':{'vapour':1},'kinds':{'forms':1,'of':34,'neoceratodus':1,'with':1,'are':1},'june':{'1922':4},'inherently':{'liable':1},'4.29':{'vega':1},'--i':{'.':1},'supple':{'yet':1},'--a':{'sort':1,'quite':1},'opened':{'a':1,'cones':1,'up':1,'.':1,'with':1,'its':1},'association--why':{'is':1},'ranks':{'of':2},'half-second':{'that':1},'volumes':{'of':1,'g':1},'understand':{'them':1,'that':1,'very':1,'what':1,'why':2,'in':2,'not':1,'the':4,'now':1,'agree':1},'function.':{'interesting':1},'expands':{'as':1},'sun--the':{'surface':1,'planets':1},'sci.':{'volvox':1,'trypanosoma':1}}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L8_C0", "label": "FIRST_NAMES = split()", "type": "assigned_variable", "loc": [8, 8], "level": 0, "parent": null, "vector": [14, 0, 0.0296, 0.0037, 0, 0.66, 0.4545, 214, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "FIRST_NAMES", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": "FIRST_NAMES = \"James,John,Robert,Michael,William,David,Richard,Charles,Joseph,Thomas,Christopher,Daniel,Paul,Mark,Donald,George,Kenneth,Steven,Edward,Brian,Ronald,Anthony,Kevin,Jason,Matthew,Gary,Timothy,Jose,Larry,Jeffrey,Frank,Scott,Eric,Stephen,Andrew,Raymond,Gregory,Joshua,Jerry,Dennis,Walter,Patrick,Peter,Harold,Douglas,Henry,Carl,Arthur,Ryan,Roger,Joe,Juan,Jack,Albert,Jonathan,Justin,Terry,Gerald,Keith,Samuel,Willie,Ralph,Lawrence,Nicholas,Roy,Benjamin,Bruce,Brandon,Adam,Harry,Fred,Wayne,Billy,Steve,Louis,Jeremy,Aaron,Randy,Howard,Eugene,Carlos,Russell,Bobby,Victor,Martin,Ernest,Phillip,Todd,Jesse,Craig,Alan,Shawn,Clarence,Sean,Philip,Chris,Johnny,Earl,Jimmy,Antonio,Danny,Bryan,Tony,Luis,Mike,Stanley,Leonard,Nathan,Dale,Manuel,Rodney,Curtis,Norman,Allen,Marvin,Vincent,Glenn,Jeffery,Travis,Jeff,Chad,Jacob,Lee,Melvin,Alfred,Kyle,Francis,Bradley,Jesus,Herbert,Frederick,Ray,Joel,Edwin,Don,Eddie,Ricky,Troy,Randall,Barry,Alexander,Bernard,Mario,Leroy,Francisco,Marcus,Micheal,Theodore,Clifford,Miguel,Oscar,Jay,Jim,Tom,Calvin,Alex,Jon,Ronnie,Bill,Lloyd,Tommy,Leon,Derek,Warren,Darrell,Jerome,Floyd,Leo,Alvin,Tim,Wesley,Gordon,Dean,Greg,Jorge,Dustin,Pedro,Derrick,Dan,Lewis,Zachary,Corey,Herman,Maurice,Vernon,Roberto,Clyde,Glen,Hector,Shane,Ricardo,Sam,Rick,Lester,Brent,Ramon,Charlie,Tyler,Gilbert,Gene,Marc,Reginald,Ruben,Brett,Angel,Nathaniel,Rafael,Leslie,Edgar,Milton,Raul,Ben,Chester,Cecil,Duane,Franklin,Andre,Elmer,Brad,Gabriel,Ron,Mitchell,Roland,Arnold,Harvey,Jared,Adrian,Karl,Cory,Claude,Erik,Darryl,Jamie,Neil,Jessie,Christian,Javier,Fernando,Clinton,Ted,Mathew,Tyrone,Darren,Lonnie,Lance,Cody,Julio,Kelly,Kurt,Allan,Nelson,Guy,Clayton,Hugh,Max,Dwayne,Dwight,Armando,Felix,Jimmie,Everett,Jordan,Ian,Wallace,Ken,Bob,Jaime,Casey,Alfredo,Alberto,Dave,Ivan,Johnnie,Sidney,Byron,Julian,Isaac,Morris,Clifton,Willard,Daryl,Ross,Virgil,Andy,Marshall,Salvador,Perry,Kirk,Sergio,Marion,Tracy,Seth,Kent,Terrance,Rene,Eduardo,Terrence,Enrique,Freddie,Wade,Austin,Stuart,Fredrick,Arturo,Alejandro,Jackie,Joey,Nick,Luther,Wendell,Jeremiah,Evan,Julius,Dana,Donnie,Otis,Shannon,Trevor,Oliver,Luke,Homer,Gerard,Doug,Kenny,Hubert,Angelo,Shaun,Lyle,Matt,Lynn,Alfonso,Orlando,Rex,Carlton,Ernesto,Cameron,Neal,Pablo,Lorenzo,Omar,Wilbur,Blake,Grant,Horace,Roderick,Kerry,Abraham,Willis,Rickey,Jean,Ira,Andres,Cesar,Johnathan,Malcolm,Rudolph,Damon,Kelvin,Rudy,Preston,Alton,Archie,Marco,Wm,Pete,Randolph,Garry,Geoffrey,Jonathon,Felipe,Bennie,Gerardo,Ed,Dominic,Robin,Loren,Delbert,Colin,Guillermo,Earnest,Lucas,Benny,Noel,Spencer,Rodolfo,Myron,Edmund,Garrett,Salvatore,Cedric,Lowell,Gregg,Sherman,Wilson,Devin,Sylvester,Kim,Roosevelt,Israel,Jermaine,Forrest,Wilbert,Leland,Simon,Guadalupe,Clark,Irving,Carroll,Bryant,Owen,Rufus,Woodrow,Sammy,Kristopher,Mack,Levi,Marcos,Gustavo,Jake,Lionel,Marty,Taylor,Ellis,Dallas,Gilberto,Clint,Nicolas,Laurence,Ismael,Orville,Drew,Jody,Ervin,Dewey,Al,Wilfred,Josh,Hugo,Ignacio,Caleb,Tomas,Sheldon,Erick,Frankie,Stewart,Doyle,Darrel,Rogelio,Terence,Santiago,Alonzo,Elias,Bert,Elbert,Ramiro,Conrad,Pat,Noah,Grady,Phil,Cornelius,Lamar,Rolando,Clay,Percy,Dexter,Bradford,Merle,Darin,Amos,Terrell,Moses,Irvin,Saul,Roman,Darnell,Randal,Tommie,Timmy,Darrin,Winston,Brendan,Toby,Van,Abel,Dominick,Boyd,Courtney,Jan,Emilio,Elijah,Cary,Domingo,Santos,Aubrey,Emmett,Marlon,Emanuel,Jerald,Edmond,Emil,Dewayne,Will,Otto,Teddy,Reynaldo,Bret,Morgan,Jess,Trent,Humberto,Emmanuel,Stephan,Louie,Vicente,Lamont,Stacy,Garland,Miles,Micah,Efrain,Billie,Logan,Heath,Rodger,Harley,Demetrius,Ethan,Eldon,Rocky,Pierre,Junior,Freddy,Eli,Bryce,Antoine,Robbie,Kendall,Royce,Sterling,Mickey,Chase,Grover,Elton,Cleveland,Dylan,Chuck,Damian,Reuben,Stan,August,Leonardo,Jasper,Russel,Erwin,Benito,Hans,Monte,Blaine,Ernie,Curt,Quentin,Agustin,Murray,Jamal,Devon,Adolfo,Harrison,Tyson,Burton,Brady,Elliott,Wilfredo,Bart,Jarrod,Vance,Denis,Damien,Joaquin,Harlan,Desmond,Elliot,Darwin,Ashley,Gregorio,Buddy,Xavier,Kermit,Roscoe,Esteban,Anton,Solomon,Scotty,Norbert,Elvin,Williams,Nolan,Carey,Rod,Quinton,Hal,Brain,Rob,Elwood,Kendrick,Darius,Moises,Son,Marlin,Fidel,Thaddeus,Cliff,Marcel,Ali,Jackson,Raphael,Bryon,Armand,Alvaro,Jeffry,Dane,Joesph,Thurman,Ned,Sammie,Rusty,Michel,Monty,Rory,Fabian,Reggie,Mason,Graham,Kris,Isaiah,Vaughn,Gus,Avery,Loyd,Diego,Alexis,Adolph,Norris,Millard,Rocco,Gonzalo,Derick,Rodrigo,Gerry,Stacey,Carmen,Wiley,Rigoberto,Alphonso,Ty,Shelby,Rickie,Noe,Vern,Bobbie,Reed,Jefferson,Elvis,Bernardo,Mauricio,Hiram,Donovan,Basil,Riley,Ollie,Nickolas,Maynard,Scot,Vince,Quincy,Eddy,Sebastian,Federico,Ulysses,Heriberto,Donnell,Cole,Denny,Davis,Gavin,Emery,Ward,Romeo,Jayson,Dion,Dante,Clement,Coy,Odell,Maxwell,Jarvis,Bruno,Issac,Mary,Dudley,Brock,Sanford,Colby,Carmelo,Barney,Nestor,Hollis,Stefan,Donny,Art,Linwood,Beau,Weldon,Galen,Isidro,Truman,Delmar,Johnathon,Silas,Frederic,Dick,Kirby,Irwin,Cruz,Merlin,Merrill,Charley,Marcelino,Lane,Harris,Cleo,Carlo,Trenton,Kurtis,Hunter,Aurelio,Winfred,Vito,Collin,Denver,Carter,Leonel,Emory,Pasquale,Mohammad,Mariano,Danial,Blair,Landon,Dirk,Branden,Adan,Numbers,Clair,Buford,German,Bernie,Wilmer,Joan,Emerson,Zachery,Fletcher,Jacques,Errol,Dalton,Monroe,Josue,Dominique,Edwardo,Booker,Wilford,Sonny,Shelton,Carson,Theron,Raymundo,Daren,Tristan,Houston,Robby,Lincoln,Jame,Genaro,Gale,Bennett,Octavio,Cornell,Laverne,Hung,Arron,Antony,Herschel,Alva,Giovanni,Garth,Cyrus,Cyril,Ronny,Stevie,Lon,Freeman,Erin,Duncan,Kennith,Carmine,Augustine,Young,Erich,Chadwick,Wilburn,Russ,Reid,Myles,Anderson,Morton,Jonas,Forest,Mitchel,Mervin,Zane,Rich,Jamel,Lazaro,Alphonse,Randell,Major,Johnie,Jarrett,Brooks,Ariel,Abdul,Dusty,Luciano,Lindsey,Tracey,Seymour,Scottie,Eugenio,Mohammed,Sandy,Valentin,Chance,Arnulfo,Lucien,Ferdinand,Thad,Ezra,Sydney,Aldo,Rubin,Royal,Mitch,Earle,Abe,Wyatt,Marquis,Lanny,Kareem,Jamar,Boris,Isiah,Emile,Elmo,Aron,Leopoldo,Everette,Josef,Gail,Eloy,Dorian,Rodrick,Reinaldo,Lucio,Jerrod,Weston,Hershel,Barton,Parker,Lemuel,Lavern,Burt,Jules,Gil,Eliseo,Ahmad,Nigel,Efren,Antwan,Alden,Margarito,Coleman,Refugio,Dino,Osvaldo,Les,Deandre,Normand,Kieth,Ivory,Andrea,Trey,Norberto,Napoleon,Jerold,Fritz,Rosendo,Milford,Sang,Deon,Christoper,Alfonzo,Lyman,Josiah,Brant,Wilton,Rico,Jamaal,Dewitt,Carol,Brenton,Yong,Olin,Foster,Faustino,Claudio,Judson,Gino,Edgardo,Berry,Alec,Tanner,Jarred,Donn,Trinidad,Tad,Shirley,Prince,Porfirio,Odis,Maria,Lenard,Chauncey,Chang,Tod,Mel,Marcelo,Kory,Augustus,Keven,Hilario,Bud,Sal,Rosario,Orval,Mauro,Dannie,Zachariah,Olen,Anibal,Milo,Jed,Frances,Thanh,Dillon,Amado,Newton,Connie,Lenny,Tory,Richie,Lupe,Horacio,Brice,Mohamed,Delmer,Dario,Reyes,Dee,Mac,Jonah,Jerrold,Robt,Hank,Sung,Rupert,Rolland,Kenton,Damion,Chi,Antone,Waldo,Fredric,Bradly,Quinn,Kip,Burl,Walker,Tyree,Jefferey,Ahmed,Willy,Stanford,Oren,Noble,Moshe,Mikel,Enoch,Brendon,Quintin,Jamison,Florencio,Darrick,Tobias,Minh,Hassan,Giuseppe,Demarcus,Cletus,Tyrell,Lyndon,Keenan,Werner,Theo,Geraldo,Lou,Columbus,Chet,Bertram,Markus,Huey,Hilton,Dwain,Donte,Tyron,Omer,Isaias,Hipolito,Fermin,Chung,Adalberto,Valentine,Jamey,Bo,Barrett,Whitney,Teodoro,Mckinley,Maximo,Garfield,Sol,Raleigh,Lawerence,Abram,Rashad,King,Emmitt,Daron,Chong,Samual,Paris,Otha,Miquel,Lacy,Eusebio,Dong,Domenic,Darron,Buster,Antonia,Wilber,Renato,Jc,Hoyt,Haywood,Ezekiel,Chas,Florentino,Elroy,Clemente,Arden,Neville,Kelley,Edison,Deshawn,Carrol,Shayne,Nathanial,Jordon,Danilo,Claud,Val,Sherwood,Raymon,Rayford,Cristobal,Ambrose,Titus,Hyman,Felton,Ezequiel,Erasmo,Stanton,Lonny,Len,Ike,Milan,Lino,Jarod,Herb,Andreas,Walton,Rhett,Palmer,Jude,Douglass,Cordell,Oswaldo,Ellsworth,Virgilio,Toney,Nathanael,Del,Britt,Benedict,Mose,Hong,Leigh,Johnson,Isreal,Gayle,Garret,Fausto,Asa,Arlen,Zack,Warner,Modesto,Francesco,Manual,Jae,Gaylord,Gaston,Filiberto,Deangelo,Michale,Granville,Wes,Malik,Zackary,Tuan,Nicky,Eldridge,Cristopher,Cortez,Antione,Malcom,Long,Korey,Jospeh,Colton,Waylon,Von,Hosea,Shad,Santo,Rudolf,Rolf,Rey,Renaldo,Marcellus,Lucius,Lesley,Kristofer,Boyce,Benton,Man,Kasey,Jewell,Hayden,Harland,Arnoldo,Rueben,Leandro,Kraig,Jerrell,Jeromy,Hobert,Cedrick,Arlie,Winford,Wally,Patricia,Luigi,Keneth,Jacinto,Graig,Franklyn,Edmundo,Sid,Porter,Leif,Lauren,Jeramy,Elisha,Buck,Willian,Vincenzo,Shon,Michal,Lynwood,Lindsay,Jewel,Jere,Hai,Elden,Dorsey,Darell,Broderick,Alonso,Mary,Patricia,Linda,Barbara,Elizabeth,Jennifer,Maria,Susan,Margaret,Dorothy,Lisa,Nancy,Karen,Betty,Helen,Sandra,Donna,Carol,Ruth,Sharon,Michelle,Laura,Sarah,Kimberly,Deborah,Jessica,Shirley,Cynthia,Angela,Melissa,Brenda,Amy,Anna,Rebecca,Virginia,Kathleen,Pamela,Martha,Debra,Amanda,Stephanie,Carolyn,Christine,Marie,Janet,Catherine,Frances,Ann,Joyce,Diane,Alice,Julie,Heather,Teresa,Doris,Gloria,Evelyn,Jean,Cheryl,Mildred,Katherine,Joan,Ashley,Judith,Rose,Janice,Kelly,Nicole,Judy,Christina,Kathy,Theresa,Beverly,Denise,Tammy,Irene,Jane,Lori,Rachel,Marilyn,Andrea,Kathryn,Louise,Sara,Anne,Jacqueline,Wanda,Bonnie,Julia,Ruby,Lois,Tina,Phyllis,Norma,Paula,Diana,Annie,Lillian,Emily,Robin,Peggy,Crystal,Gladys,Rita,Dawn,Connie,Florence,Tracy,Edna,Tiffany,Carmen,Rosa,Cindy,Grace,Wendy,Victoria,Edith,Kim,Sherry,Sylvia,Josephine,Thelma,Shannon,Sheila,Ethel,Ellen,Elaine,Marjorie,Carrie,Charlotte,Monica,Esther,Pauline,Emma,Juanita,Anita,Rhonda,Hazel,Amber,Eva,Debbie,April,Leslie,Clara,Lucille,Jamie,Joanne,Eleanor,Valerie,Danielle,Megan,Alicia,Suzanne,Michele,Gail,Bertha,Darlene,Veronica,Jill,Erin,Geraldine,Lauren,Cathy,Joann,Lorraine,Lynn,Sally,Regina,Erica,Beatrice,Dolores,Bernice,Audrey,Yvonne,Annette,June,Samantha,Marion,Dana,Stacy,Ana,Renee,Ida,Vivian,Roberta,Holly,Brittany,Melanie,Loretta,Yolanda,Jeanette,Laurie,Katie,Kristen,Vanessa,Alma,Sue,Elsie,Beth,Jeanne,Vicki,Carla,Tara,Rosemary,Eileen,Terri,Gertrude,Lucy,Tonya,Ella,Stacey,Wilma,Gina,Kristin,Jessie,Natalie,Agnes,Vera,Willie,Charlene,Bessie,Delores,Melinda,Pearl,Arlene,Maureen,Colleen,Allison,Tamara,Joy,Georgia,Constance,Lillie,Claudia,Jackie,Marcia,Tanya,Nellie,Minnie,Marlene,Heidi,Glenda,Lydia,Viola,Courtney,Marian,Stella,Caroline,Dora,Jo,Vickie,Mattie,Terry,Maxine,Irma,Mabel,Marsha,Myrtle,Lena,Christy,Deanna,Patsy,Hilda,Gwendolyn,Jennie,Nora,Margie,Nina,Cassandra,Leah,Penny,Kay,Priscilla,Naomi,Carole,Brandy,Olga,Billie,Dianne,Tracey,Leona,Jenny,Felicia,Sonia,Miriam,Velma,Becky,Bobbie,Violet,Kristina,Toni,Misty,Mae,Shelly,Daisy,Ramona,Sherri,Erika,Katrina,Claire,Lindsey,Lindsay,Geneva,Guadalupe,Belinda,Margarita,Sheryl,Cora,Faye,Ada,Natasha,Sabrina,Isabel,Marguerite,Hattie,Harriet,Molly,Cecilia,Kristi,Brandi,Blanche,Sandy,Rosie,Joanna,Iris,Eunice,Angie,Inez,Lynda,Madeline,Amelia,Alberta,Genevieve,Monique,Jodi,Janie,Maggie,Kayla,Sonya,Jan,Lee,Kristine,Candace,Fannie,Maryann,Opal,Alison,Yvette,Melody,Luz,Susie,Olivia,Flora,Shelley,Kristy,Mamie,Lula,Lola,Verna,Beulah,Antoinette,Candice,Juana,Jeannette,Pam,Kelli,Hannah,Whitney,Bridget,Karla,Celia,Latoya,Patty,Shelia,Gayle,Della,Vicky,Lynne,Sheri,Marianne,Kara,Jacquelyn,Erma,Blanca,Myra,Leticia,Pat,Krista,Roxanne,Angelica,Johnnie,Robyn,Francis,Adrienne,Rosalie,Alexandra,Brooke,Bethany,Sadie,Bernadette,Traci,Jody,Kendra,Jasmine,Nichole,Rachael,Chelsea,Mable,Ernestine,Muriel,Marcella,Elena,Krystal,Angelina,Nadine,Kari,Estelle,Dianna,Paulette,Lora,Mona,Doreen,Rosemarie,Angel,Desiree,Antonia,Hope,Ginger,Janis,Betsy,Christie,Freda,Mercedes,Meredith,Lynette,Teri,Cristina,Eula,Leigh,Meghan,Sophia,Eloise,Rochelle,Gretchen,Cecelia,Raquel,Henrietta,Alyssa,Jana,Kelley,Gwen,Kerry,Jenna,Tricia,Laverne,Olive,Alexis,Tasha,Silvia,Elvira,Casey,Delia,Sophie,Kate,Patti,Lorena,Kellie,Sonja,Lila,Lana,Darla,May,Mindy,Essie,Mandy,Lorene,Elsa,Josefina,Jeannie,Miranda,Dixie,Lucia,Marta,Faith,Lela,Johanna,Shari,Camille,Tami,Shawna,Elisa,Ebony,Melba,Ora,Nettie,Tabitha,Ollie,Jaime,Winifred,Kristie,Marina,Alisha,Aimee,Rena,Myrna,Marla,Tammie,Latasha,Bonita,Patrice,Ronda,Sherrie,Addie,Francine,Deloris,Stacie,Adriana,Cheri,Shelby,Abigail,Celeste,Jewel,Cara,Adele,Rebekah,Lucinda,Dorthy,Chris,Effie,Trina,Reba,Shawn,Sallie,Aurora,Lenora,Etta,Lottie,Kerri,Trisha,Nikki,Estella,Francisca,Josie,Tracie,Marissa,Karin,Brittney,Janelle,Lourdes,Laurel,Helene,Fern,Elva,Corinne,Kelsey,Ina,Bettie,Elisabeth,Aida,Caitlin,Ingrid,Iva,Eugenia,Christa,Goldie,Cassie,Maude,Jenifer,Therese,Frankie,Dena,Lorna,Janette,Latonya,Candy,Morgan,Consuelo,Tamika,Rosetta,Debora,Cherie,Polly,Dina,Jewell,Fay,Jillian,Dorothea,Nell,Trudy,Esperanza,Patrica,Kimberley,Shanna,Helena,Carolina,Cleo,Stefanie,Rosario,Ola,Janine,Mollie,Lupe,Alisa,Lou,Maribel,Susanne,Bette,Susana,Elise,Cecile,Isabelle,Lesley,Jocelyn,Paige,Joni,Rachelle,Leola,Daphne,Alta,Ester,Petra,Graciela,Imogene,Jolene,Keisha,Lacey,Glenna,Gabriela,Keri,Ursula,Lizzie,Kirsten,Shana,Adeline,Mayra,Jayne,Jaclyn,Gracie,Sondra,Carmela,Marisa,Rosalind,Charity,Tonia,Beatriz,Marisol,Clarice,Jeanine,Sheena,Angeline,Frieda,Lily,Robbie,Shauna,Millie,Claudette,Cathleen,Angelia,Gabrielle,Autumn,Katharine,Summer,Jodie,Staci,Lea,Christi,Jimmie,Justine,Elma,Luella,Margret,Dominique,Socorro,Rene,Martina,Margo,Mavis,Callie,Bobbi,Maritza,Lucile,Leanne,Jeannine,Deana,Aileen,Lorie,Ladonna,Willa,Manuela,Gale,Selma,Dolly,Sybil,Abby,Lara,Dale,Ivy,Dee,Winnie,Marcy,Luisa,Jeri,Magdalena,Ofelia,Meagan,Audra,Matilda,Leila,Cornelia,Bianca,Simone,Bettye,Randi,Virgie,Latisha,Barbra,Georgina,Eliza,Leann,Bridgette,Rhoda,Haley,Adela,Nola,Bernadine,Flossie,Ila,Greta,Ruthie,Nelda,Minerva,Lilly,Terrie,Letha,Hilary,Estela,Valarie,Brianna,Rosalyn,Earline,Catalina,Ava,Mia,Clarissa,Lidia,Corrine,Alexandria,Concepcion,Tia,Sharron,Rae,Dona,Ericka,Jami,Elnora,Chandra,Lenore,Neva,Marylou,Melisa,Tabatha,Serena,Avis,Allie,Sofia,Jeanie,Odessa,Nannie,Harriett,Loraine,Penelope,Milagros,Emilia,Benita,Allyson,Ashlee,Tania,Tommie,Esmeralda,Karina,Eve,Pearlie,Zelma,Malinda,Noreen,Tameka,Saundra,Hillary,Amie,Althea,Rosalinda,Jordan,Lilia,Alana,Gay,Clare,Alejandra,Elinor,Michael,Lorrie,Jerri,Darcy,Earnestine,Carmella,Taylor,Noemi,Marcie,Liza,Annabelle,Louisa,Earlene,Mallory,Carlene,Nita,Selena,Tanisha,Katy,Julianne,John,Lakisha,Edwina,Maricela,Margery,Kenya,Dollie,Roxie,Roslyn,Kathrine,Nanette,Charmaine,Lavonne,Ilene,Kris,Tammi,Suzette,Corine,Kaye,Jerry,Merle,Chrystal,Lina,Deanne,Lilian,Juliana,Aline,Luann,Kasey,Maryanne,Evangeline,Colette,Melva,Lawanda,Yesenia,Nadia,Madge,Kathie,Eddie,Ophelia,Valeria,Nona,Mitzi,Mari,Georgette,Claudine,Fran,Alissa,Roseann,Lakeisha,Susanna,Reva,Deidre,Chasity,Sheree,Carly,James,Elvia,Alyce,Deirdre,Gena,Briana,Araceli,Katelyn,Rosanne,Wendi,Tessa,Berta,Marva,Imelda,Marietta,Marci,Leonor,Arline,Sasha,Madelyn,Janna,Juliette,Deena,Aurelia,Josefa,Augusta,Liliana,Young,Christian,Lessie,Amalia,Savannah,Anastasia,Vilma,Natalia,Rosella,Lynnette,Corina,Alfreda,Leanna,Carey,Amparo,Coleen,Tamra,Aisha,Wilda,Karyn,Cherry,Queen,Maura,Mai,Evangelina,Rosanna,Hallie,Erna,Enid,Mariana,Lacy,Juliet,Jacklyn,Freida,Madeleine,Mara,Hester,Cathryn,Lelia,Casandra,Bridgett,Angelita,Jannie,Dionne,Annmarie,Katina,Beryl,Phoebe,Millicent,Katheryn,Diann,Carissa,Maryellen,Liz,Lauri,Helga,Gilda,Adrian,Rhea,Marquita,Hollie,Tisha,Tamera,Angelique,Francesca,Britney,Kaitlin,Lolita,Florine,Rowena,Reyna,Twila,Fanny,Janell,Ines,Concetta,Bertie,Alba,Brigitte,Alyson,Vonda,Pansy,Elba,Noelle,Letitia,Kitty,Deann,Brandie,Louella,Leta,Felecia,Sharlene,Lesa,Beverley,Robert,Isabella,Herminia,Terra,Celina,Tori,Octavia,Jade,Denice,Germaine,Sierra,Michell,Cortney,Nelly,Doretha,Sydney,Deidra,Monika,Lashonda,Judi,Chelsey,Antionette,Margot,Bobby,Adelaide,Nan,Leeann,Elisha,Dessie,Libby,Kathi,Gayla,Latanya,Mina,Mellisa,Kimberlee,Jasmin,Renae,Zelda,Elda,Ma,Justina,Gussie,Emilie,Camilla,Abbie,Rocio,Kaitlyn,Jesse,Edythe,Ashleigh,Selina,Lakesha,Geri,Allene,Pamala,Michaela,Dayna,Caryn,Rosalia,Sun,Jacquline,Rebeca,Marybeth,Krystle,Iola,Dottie,Bennie,Belle,Aubrey,Griselda,Ernestina,Elida,Adrianne,Demetria,Delma,Chong,Jaqueline,Destiny,Arleen,Virgina,Retha,Fatima,Tillie,Eleanore,Cari,Treva,Birdie,Wilhelmina,Rosalee,Maurine,Latrice,Yong,Jena,Taryn,Elia,Debby,Maudie,Jeanna,Delilah,Catrina,Shonda,Hortencia,Theodora,Teresita,Robbin,Danette,Maryjane,Freddie,Delphine,Brianne,Nilda,Danna,Cindi,Bess,Iona,Hanna,Ariel,Winona,Vida,Rosita,Marianna,William,Racheal,Guillermina,Eloisa,Celestine,Caren,Malissa,Lona,Chantel,Shellie,Marisela,Leora,Agatha,Soledad,Migdalia,Ivette,Christen,Athena,Janel,Chloe,Veda,Pattie,Tessie,Tera,Marilynn,Lucretia,Karrie,Dinah,Daniela,Alecia,Adelina,Vernice,Shiela,Portia,Merry,Lashawn,Devon,Dara,Tawana,Oma,Verda,Christin,Alene,Zella,Sandi,Rafaela,Maya,Kira,Candida,Alvina,Suzan,Shayla,Lyn,Lettie,Alva,Samatha,Oralia,Matilde,Madonna,Larissa,Vesta,Renita,India,Delois,Shanda,Phillis,Lorri,Erlinda,Cruz,Cathrine,Barb,Zoe,Isabell,Ione,Gisela,Charlie,Valencia,Roxanna,Mayme,Kisha,Ellie,Mellissa,Dorris,Dalia,Bella,Annetta,Zoila,Reta,Reina,Lauretta,Kylie,Christal,Pilar,Charla,Elissa,Tiffani,Tana,Paulina,Leota,Breanna,Jayme,Carmel,Vernell,Tomasa,Mandi,Dominga,Santa,Melodie,Lura,Alexa,Tamela,Ryan,Mirna,Kerrie,Venus,Noel,Felicita,Cristy,Carmelita,Berniece,Annemarie,Tiara,Roseanne,Missy,Cori,Roxana,Pricilla,Kristal,Jung,Elyse,Haydee,Aletha,Bettina,Marge,Gillian,Filomena,Charles,Zenaida,Harriette,Caridad,Vada,Una,Aretha,Pearline,Marjory,Marcela,Flor,Evette,Elouise,Alina,Trinidad,David,Damaris,Catharine,Carroll,Belva,Nakia,Marlena,Luanne,Lorine,Karon,Dorene,Danita,Brenna,Tatiana,Sammie,Louann,Loren,Julianna,Andria,Philomena,Lucila,Leonora,Dovie,Romona,Mimi,Jacquelin,Gaye,Tonja,Misti,Joe,Gene,Chastity,Stacia,Roxann,Micaela,Nikita,Mei,Velda,Marlys,Johnna,Aura,Lavern,Ivonne,Hayley,Nicki,Majorie,Herlinda,George,Alpha,Yadira,Perla,Gregoria,Daniel,Antonette,Shelli,Mozelle,Mariah,Joelle,Cordelia,Josette,Chiquita,Trista,Louis,Laquita,Georgiana,Candi,Shanon,Lonnie,Hildegard,Cecil,Valentina,Stephany,Magda,Karol,Gerry,Gabriella,Tiana,Roma,Richelle,Ray,Princess,Oleta,Jacque,Idella,Alaina,Suzanna,Jovita,Blair,Tosha,Raven,Nereida,Marlyn,Kyla,Joseph,Delfina,Tena,Stephenie,Sabina,Nathalie,Marcelle,Gertie,Darleen,Thea,Sharonda,Shantel,Belen,Venessa,Rosalina,Ona,Genoveva,Corey,Clementine,Rosalba,Renate,Renata,Mi,Ivory,Georgianna,Floy,Dorcas,Ariana,Tyra,Theda,Mariam,Juli,Jesica,Donnie,Vikki,Verla,Roselyn,Melvina,Jannette,Ginny,Debrah,Corrie,Asia,Violeta,Myrtis,Latricia,Collette,Charleen,Anissa,Viviana,Twyla,Precious,Nedra,Latonia,Lan,Hellen,Fabiola,Annamarie,Adell,Sharyn,Chantal,Niki,Maud,Lizette,Lindy,Kia,Kesha,Jeana,Danelle,Charline,Chanel,Carrol,Valorie,Lia,Dortha,Cristal,Sunny,Leone,Leilani,Gerri,Debi,Andra,Keshia,Ima,Eulalia,Easter,Dulce,Natividad,Linnie,Kami,Georgie,Catina,Brook,Alda,Winnifred,Sharla,Ruthann,Meaghan,Magdalene,Lissette,Adelaida,Venita,Trena,Shirlene,Shameka,Elizebeth,Dian,Shanta,Mickey,Latosha,Carlotta,Windy,Soon,Rosina,Mariann,Leisa,Jonnie,Dawna,Cathie,Billy,Astrid,Sidney,Laureen,Janeen,Holli,Fawn,Vickey,Teressa,Shante,Rubye,Marcelina,Chanda,Cary,Terese,Scarlett,Marty,Marnie,Lulu,Lisette,Jeniffer,Elenor,Dorinda,Donita,Carman,Bernita,Altagracia,Aleta,Adrianna,Zoraida,Ronnie,Nicola,Lyndsey,Kendall,Janina,Chrissy,Ami,Starla,Phylis,Phuong,Kyra,Charisse,Blanch,Sanjuanita,Rona,Nanci,Marilee,Maranda,Cory,Brigette,Sanjuana,Marita,Kassandra,Joycelyn,Ira,Felipa,Chelsie,Bonny,Mireya,Lorenza,Kyong,Ileana,Candelaria,Tony,Toby,Sherie,Ok,Mark,Lucie,Leatrice,Lakeshia,Gerda,Edie,Bambi,Marylin,Lavon,Hortense,Garnet,Evie,Tressa,Shayna,Lavina,Kyung,Jeanetta,Sherrill,Shara,Phyliss,Mittie,Anabel,Alesia,Thuy,Tawanda,Richard,Joanie,Tiffanie,Lashanda,Karissa,Enriqueta,Daria,Daniella,Corinna,Alanna,Abbey,Roxane,Roseanna,Magnolia,Lida,Kyle,Joellen,Era,Coral,Carleen,Tresa,Peggie,Novella,Nila,Maybelle,Jenelle,Carina,Nova,Melina,Marquerite,Margarette,Josephina,Evonne,Devin,Cinthia,Albina,Toya,Tawnya,Sherita,Santos,Myriam,Lizabeth,Lise,Keely,Jenni,Giselle,Cheryle,Ardith,Ardis,Alesha,Adriane,Shaina,Linnea,Karolyn,Hong,Florida,Felisha,Dori,Darci,Artie,Armida,Zola,Xiomara,Vergie,Shamika,Nena,Nannette,Maxie,Lovie,Jeane,Jaimie,Inge,Farrah,Elaina,Caitlyn,Starr,Felicitas,Cherly,Caryl,Yolonda,Yasmin,Teena,Prudence,Pennie,Nydia,Mackenzie,Orpha,Marvel,Lizbeth,Laurette,Jerrie,Hermelinda,Carolee,Tierra,Mirian,Meta,Melony,Kori,Jennette,Jamila,Ena,Anh,Yoshiko,Susannah,Salina,Rhiannon,Joleen,Cristine,Ashton,Aracely,Tomeka,Shalonda,Marti,Lacie,Kala,Jada,Ilse,Hailey,Brittani,Zona,Syble,Sherryl,Randy,Nidia,Marlo,Kandice,Kandi,Deb,Dean,America,Alycia,Tommy,Ronna,Norene,Mercy,Jose,Ingeborg,Giovanna,Gemma,Christel,Audry,Zora,Vita,Van,Trish,Stephaine,Shirlee,Shanika,Melonie,Mazie,Jazmin,Inga,Hoa,Hettie,Geralyn,Fonda,Estrella,Adella,Su,Sarita,Rina,Milissa,Maribeth,Golda,Evon,Ethelyn,Enedina,Cherise,Chana,Velva,Tawanna,Sade,Mirta,Li,Karie,Jacinta,Elna,Davina,Cierra,Ashlie,Albertha,Tanesha,Stephani,Nelle,Mindi,Lu,Lorinda,Larue,Florene,Demetra,Dedra,Ciara,Chantelle,Ashly,Suzy,Rosalva,Noelia,Lyda,Leatha,Krystyna,Kristan,Karri,Darline,Darcie,Cinda,Cheyenne,Cherrie,Awilda,Almeda,Rolanda,Lanette,Jerilyn,Gisele,Evalyn,Cyndi,Cleta,Carin,Zina,Zena,Velia,Tanika,Paul,Charissa,Thomas,Talia,Margarete,Lavonda,Kaylee,Kathlene,Jonna,Irena,Ilona,Idalia,Candis,Candance,Brandee,Anitra,Alida,Sigrid,Nicolette,Maryjo,Linette,Hedwig,Christiana,Cassidy,Alexia,Tressie,Modesta,Lupita,Lita,Gladis,Evelia,Davida,Cherri,Cecily,Ashely,Annabel,Agustina,Wanita,Shirly,Rosaura,Hulda,Eun,Bailey,Yetta,Verona,Thomasina,Sibyl,Shannan,Mechelle,Lue,Leandra,Lani,Kylee,Kandy,Jolynn,Ferne,Eboni,Corene,Alysia,Zula,Nada,Moira,Lyndsay,Lorretta,Juan,Jammie,Hortensia,Gaynell,Cameron,Adria,Vina,Vicenta,Tangela,Stephine,Norine,Nella,Liana,Leslee,Kimberely,Iliana,Glory,Felica,Emogene,Elfriede,Eden,Eartha,Carma,Bea,Ocie,Marry,Lennie,Kiara,Jacalyn,Carlota,Arielle,Yu,Star,Otilia,Kirstin,Kacey,Johnetta,Joey,Joetta,Jeraldine,Jaunita,Elana,Dorthea,Cami,Amada,Adelia,Vernita,Tamar,Siobhan,Renea,Rashida,Ouida,Odell,Nilsa,Meryl,Kristyn,Julieta,Danica,Breanne,Aurea,Anglea,Sherron,Odette,Malia,Lorelei,Lin,Leesa,Kenna,Kathlyn,Fiona,Charlette,Suzie,Shantell,Sabra,Racquel,Myong,Mira,Martine,Lucienne,Lavada,Juliann,Johnie,Elvera,Delphia,Clair,Christiane,Charolette,Carri,Augustine,Asha,Angella,Paola,Ninfa,Leda,Lai,Eda,Sunshine,Stefani,Shanell,Palma,Machelle,Lissa,Kecia,Kathryne,Karlene,Julissa,Jettie,Jenniffer,Hui,Corrina,Christopher,Carolann,Alena,Tess,Rosaria,Myrtice,Marylee,Liane,Kenyatta,Judie,Janey,In,Elmira,Eldora,Denna,Cristi,Cathi,Zaida,Vonnie,Viva,Vernie,Rosaline,Mariela,Luciana,Lesli,Karan,Felice,Deneen,Adina,Wynona,Tarsha,Sheron,Shasta,Shanita,Shani,Shandra,Randa,Pinkie,Paris,Nelida,Marilou,Lyla,Laurene,Laci,Joi,Janene,Dorotha,Daniele,Dani,Carolynn,Carlyn,Berenice,Ayesha,Anneliese,Alethea,Thersa,Tamiko,Rufina,Oliva,Mozell,Marylyn,Madison,Kristian,Kathyrn,Kasandra,Kandace,Janae,Gabriel,Domenica,Debbra,Dannielle,Chun,Buffy,Barbie,Arcelia,Aja,Zenobia,Sharen,Sharee,Patrick,Page,My,Lavinia,Kum,Kacie,Jackeline,Huong,Felisa,Emelia,Eleanora,Cythia,Cristin,Clyde,Claribel,Caron,Anastacia,Zulma,Zandra,Yoko,Tenisha,Susann,Sherilyn,Shay,Shawanda,Sabine,Romana,Mathilda,Linsey,Keiko,Joana,Isela,Gretta,Georgetta,Eugenie,Dusty,Desirae,Delora,Corazon,Antonina,Anika,Willene,Tracee,Tamatha,Regan,Nichelle,Mickie,Maegan,Luana,Lanita,Kelsie,Edelmira,Bree,Afton,Teodora,Tamie,Shena,Meg,Linh,Keli,Kaci,Danyelle,Britt,Arlette,Albertine,Adelle,Tiffiny,Stormy,Simona,Numbers,Nicolasa,Nichol,Nia,Nakisha,Mee,Maira,Loreen,Kizzy,Johnny,Jay,Fallon,Christene,Bobbye,Anthony,Ying,Vincenza,Tanja,Rubie,Roni,Queenie,Margarett,Kimberli,Irmgard,Idell,Hilma,Evelina,Esta,Emilee,Dennise,Dania,Carl,Carie,Antonio,Wai,Sang,Risa,Rikki,Particia,Mui,Masako,Mario,Luvenia,Loree,Loni,Lien,Kevin,Gigi,Florencia,Dorian,Denita,Dallas,Chi,Billye,Alexander,Tomika,Sharita,Rana,Nikole,Neoma,Margarite,Madalyn,Lucina,Laila,Kali,Jenette,Gabriele,Evelyne,Elenora,Clementina,Alejandrina,Zulema,Violette,Vannessa,Thresa,Retta,Pia,Patience,Noella,Nickie,Jonell,Delta,Chung,Chaya,Camelia,Bethel,Anya,Andrew,Thanh,Suzann,Spring,Shu,Mila,Lilla,Laverna,Keesha,Kattie,Gia,Georgene,Eveline,Estell,Elizbeth,Vivienne,Vallie,Trudie,Stephane,Michel,Magaly,Madie,Kenyetta,Karren,Janetta,Hermine,Harmony,Drucilla,Debbi,Celestina,Candie,Britni,Beckie,Amina,Zita,Yun,Yolande,Vivien,Vernetta,Trudi,Sommer,Pearle,Patrina,Ossie,Nicolle,Loyce,Letty,Larisa,Katharina,Joselyn,Jonelle,Jenell,Iesha,Heide,Florinda,Florentina,Flo,Elodia,Dorine,Brunilda,Brigid,Ashli,Ardella,Twana,Thu,Tarah,Sung,Shea,Shavon,Shane,Serina,Rayna,Ramonita,Nga,Margurite,Lucrecia,Kourtney,Kati,Jesus,Jesenia,Diamond,Crista,Ayana,Alica,Alia,Vinnie,Suellen,Romelia,Rachell,Piper,Olympia,Michiko,Kathaleen,Jolie,Jessi,Janessa,Hana,Ha,Elease,Carletta,Britany,Shona,Salome,Rosamond,Regena,Raina,Ngoc,Nelia,Louvenia,Lesia,Latrina,Laticia,Larhonda,Jina,Jacki,Hollis,Holley,Emmy,Deeann,Coretta,Arnetta,Velvet,Thalia,Shanice,Neta,Mikki,Micki,Lonna,Leana,Lashunda,Kiley,Joye,Jacqulyn,Ignacia,Hyun,Hiroko,Henry,Henriette,Elayne,Delinda,Darnell,Dahlia,Coreen,Consuela,Conchita,Celine,Babette,Ayanna,Anette,Albertina,Skye,Shawnee,Shaneka,Quiana,Pamelia,Min,Merri,Merlene,Margit,Kiesha,Kiera,Kaylene,Jodee,Jenise,Erlene,Emmie,Else,Daryl,Dalila,Daisey,Cody,Casie,Belia,Babara,Versie,Vanesa,Shelba,Shawnda,Sam,Norman,Nikia,Naoma,Marna,Margeret,Madaline,Lawana,Kindra,Jutta,Jazmine,Janett,Hannelore,Glendora,Gertrud,Garnett,Freeda,Frederica,Florance,Flavia,Dennis,Carline,Beverlee,Anjanette,Valda,Trinity,Tamala,Stevie,Shonna,Sha,Sarina,Oneida,Micah,Merilyn,Marleen,Lurline,Lenna,Katherin,Jin,Jeni,Hae,Gracia,Glady,Farah,Eric,Enola,Ema,Dominque,Devona,Delana,Cecila,Caprice,Alysha,Ali,Alethia,Vena,Theresia,Tawny,Song,Shakira,Samara,Sachiko,Rachele,Pamella,Nicky,Marni,Mariel,Maren,Malisa,Ligia,Lera,Latoria,Larae,Kimber,Kathern,Karey,Jennefer,Janeth,Halina,Fredia,Delisa,Debroah,Ciera,Chin,Angelika,Andree,Altha,Yen,Vivan,Terresa,Tanna,Suk,Sudie,Soo,Signe,Salena,Ronni,Rebbecca,Myrtie,Mckenzie,Malika,Maida,Loan,Leonarda,Kayleigh,France,Ethyl,Ellyn,Dayle,Cammie,Brittni,Birgit,Avelina,Asuncion,Arianna,Akiko,Venice,Tyesha,Tonie,Tiesha,Takisha,Steffanie,Sindy,Santana,Meghann,Manda,Macie,Lady,Kellye,Kellee,Joslyn,Jason,Inger,Indira,Glinda,Glennis,Fernanda,Faustina,Eneida,Elicia,Dot,Digna,Dell,Arletta,Andre,Willia,Tammara,Tabetha,Sherrell,Sari,Refugio,Rebbeca,Pauletta,Nieves,Natosha,Nakita,Mammie,Kenisha,Kazuko,Kassie,Gary,Earlean,Daphine,Corliss,Clotilde,Carolyne,Bernetta,Augustina,Audrea,Annis,Annabell,Yan,Tennille,Tamica,Selene,Sean,Rosana,Regenia,Qiana,Markita,Macy,Leeanne,Laurine,Kym,Jessenia,Janita,Georgine,Genie,Emiko,Elvie,Deandra,Dagmar,Corie,Collen,Cherish,Romaine,Porsha,Pearlene,Micheline,Merna,Margorie,Margaretta,Lore,Kenneth,Jenine,Hermina,Fredericka,Elke,Drusilla,Dorathy,Dione,Desire,Celena,Brigida,Angeles,Allegra,Theo,Tamekia,Synthia,Stephen,Sook,Slyvia,Rosann,Reatha,Raye,Marquetta,Margart,Ling,Layla,Kymberly,Kiana,Kayleen,Katlyn,Karmen,Joella,Irina,Emelda,Eleni,Detra,Clemmie,Cheryll,Chantell,Cathey,Arnita,Arla,Angle,Angelic,Alyse,Zofia,Thomasine,Tennie,Son,Sherly,Sherley,Sharyl,Remedios,Petrina,Nickole,Myung,Myrle,Mozella,Louanne,Lisha,Latia,Lane,Krysta,Julienne,Joel,Jeanene,Jacqualine,Isaura,Gwenda,Earleen,Donald,Cleopatra,Carlie,Audie,Antonietta,Alise,Alex,Verdell,Val,Tyler,Tomoko,Thao,Talisha,Steven,So,Shemika,Shaun,Scarlet,Savanna,Santina,Rosia,Raeann,Odilia,Nana,Minna,Magan,Lynelle,Le,Karma,Joeann,Ivana,Inell,Ilana,Hye,Honey,Hee,Gudrun,Frank,Dreama,Crissy,Chante,Carmelina,Arvilla,Arthur,Annamae,Alvera,Aleida,Aaron,Yee,Yanira,Vanda,Tianna,Tam,Stefania,Shira,Perry,Nicol,Nancie,Monserrate,Minh,Melynda,Melany,Matthew,Lovella,Laure,Kirby,Kacy,Jacquelynn,Hyon,Gertha,Francisco,Eliana,Christena,Christeen,Charise,Caterina,Carley,Candyce,Arlena,Ammie,Yang,Willette,Vanita,Tuyet,Tiny,Syreeta,Silva,Scott,Ronald,Penney,Nyla,Michal,Maurice,Maryam,Marya,Magen,Ludie,Loma,Livia,Lanell,Kimberlie,Julee,Donetta,Diedra,Denisha,Deane,Dawne,Clarine,Cherryl,Bronwyn,Brandon,Alla,Valery,Tonda,Sueann,Soraya,Shoshana,Shela,Sharleen,Shanelle,Nerissa,Micheal,Meridith,Mellie,Maye,Maple,Magaret,Luis,Lili,Leonila,Leonie,Leeanna,Lavonia,Lavera,Kristel,Kathey,Kathe,Justin,Julian,Jimmy,Jann,Ilda,Hildred,Hildegarde,Genia,Fumiko,Evelin,Ermelinda,Elly,Dung,Doloris,Dionna,Danae,Berneice,Annice,Alix,Verena,Verdie,Tristan,Shawnna,Shawana,Shaunna,Rozella,Randee,Ranae,Milagro,Lynell,Luise,Louie,Loida,Lisbeth,Karleen,Junita,Jona,Isis,Hyacinth,Hedy,Gwenn,Ethelene,Erline,Edward,Donya,Domonique,Delicia,Dannette,Cicely,Branda,Blythe,Bethann,Ashlyn,Annalee,Alline,Yuko,Vella,Trang,Towanda,Tesha,Sherlyn,Narcisa,Miguelina,Meri,Maybell,Marlana,Marguerita,Madlyn,Luna,Lory,Loriann,Liberty,Leonore,Leighann,Laurice,Latesha,Laronda,Katrice,Kasie,Karl,Kaley,Jadwiga,Glennie,Gearldine,Francina,Epifania,Dyan,Dorie,Diedre,Denese,Demetrice,Delena,Darby,Cristie,Cleora,Catarina,Carisa,Bernie,Barbera,Almeta,Trula,Tereasa,Solange,Sheilah,Shavonne,Sanora,Rochell,Mathilde,Margareta,Maia,Lynsey,Lawanna,Launa,Kena,Keena,Katia,Jamey,Glynda,Gaylene,Elvina,Elanor,Danuta,Danika,Cristen,Cordie,Coletta,Clarita,Carmon,Brynn,Azucena,Aundrea,Angele,Yi,Walter,Verlie,Verlene,Tamesha,Silvana,Sebrina,Samira,Reda,Raylene,Penni,Pandora,Norah,Noma,Mireille,Melissia,Maryalice,Laraine,Kimbery,Karyl,Karine,Kam,Jolanda,Johana,Jesusa,Jaleesa,Jae,Jacquelyne,Irish,Iluminada,Hilaria,Hanh,Gennie,Francie,Floretta,Exie,Edda,Drema,Delpha,Bev,Barbar,Assunta,Ardell,Annalisa,Alisia,Yukiko,Yolando,Wonda,Wei,Waltraud,Veta,Tequila,Temeka,Tameika,Shirleen,Shenita,Piedad,Ozella,Mirtha,Marilu,Kimiko,Juliane,Jenice,Jen,Janay,Jacquiline,Hilde,Fe,Fae,Evan,Eugene,Elois,Echo,Devorah,Chau,Brinda,Betsey,Arminda,Aracelis,Apryl,Annett,Alishia,Veola,Usha,Toshiko,Theola,Tashia,Talitha,Shery,Rudy,Renetta,Reiko,Rasheeda,Omega,Obdulia,Mika,Melaine,Meggan,Martin,Marlen,Marget,Marceline,Mana,Magdalen,Librada,Lezlie,Lexie,Latashia,Lasandra,Kelle,Isidra,Isa,Inocencia,Gwyn,Francoise,Erminia,Erinn,Dimple,Devora,Criselda,Armanda,Arie,Ariane,Angelo,Angelena,Allen,Aliza,Adriene,Adaline,Xochitl,Twanna,Tran,Tomiko,Tamisha,Taisha,Susy,Siu,Rutha,Roxy,Rhona,Raymond,Otha,Noriko,Natashia,Merrie,Melvin,Marinda,Mariko,Margert,Loris,Lizzette,Leisha,Kaila,Ka,Joannie,Jerrica,Jene,Jannet,Janee,Jacinda,Herta,Elenore,Doretta,Delaine,Daniell,Claudie,China,Britta,Apolonia,Amberly,Alease,Yuri,Yuk,Wen,Waneta,Ute,Tomi,Sharri,Sandie,Roselle,Reynalda,Raguel,Phylicia,Patria,Olimpia,Odelia,Mitzie,Mitchell,Miss,Minda,Mignon,Mica,Mendy,Marivel,Maile,Lynetta,Lavette,Lauryn,Latrisha,Lakiesha,Kiersten,Kary,Josphine,Jolyn,Jetta,Janise,Jacquie,Ivelisse,Glynis,Gianna,Gaynelle,Emerald,Demetrius,Danyell,Danille,Dacia,Coralee,Cher,Ceola,Brett,Bell,Arianne,Aleshia,Yung,Williemae,Troy,Trinh,Thora,Tai,Svetlana,Sherika,Shemeka,Shaunda,Roseline,Ricki,Melda,Mallie,Lavonna,Latina,Larry,Laquanda,Lala,Lachelle,Klara,Kandis,Johna,Jeanmarie,Jaye,Hang,Grayce,Gertude,Emerita,Ebonie,Clorinda,Ching,Chery,Carola,Breann,Blossom,Bernardine,Becki,Arletha,Argelia,Ara,Alita,Yulanda,Yon,Yessenia,Tobi,Tasia,Sylvie,Shirl,Shirely,Sheridan,Shella,Shantelle,Sacha,Royce,Rebecka,Reagan,Providencia,Paulene,Misha,Miki,Marline,Marica,Lorita,Latoyia,Lasonya,Kerstin,Kenda,Keitha,Kathrin,Jaymie,Jack,Gricelda,Ginette,Eryn,Elina,Elfrieda,Danyel,Cheree,Chanelle,Barrie,Avery,Aurore,Annamaria,Alleen,Ailene,Aide,Yasmine,Vashti,Valentine,Treasa,Tory,Tiffaney,Sheryll,Sharie,Shanae,Sau,Raisa,Pa,Neda,Mitsuko,Mirella,Milda,Maryanna,Maragret,Mabelle,Luetta,Lorina,Letisha,Latarsha,Lanelle,Lajuana,Krissy,Karly,Karena,Jon,Jessika,Jerica,Jeanelle,January,Jalisa,Jacelyn,Izola,Ivey,Gregory,Euna,Etha,Drew,Domitila,Dominica,Daina,Creola,Carli,Camie,Bunny,Brittny,Ashanti,Anisha,Aleen,Adah,Yasuko,Winter,Viki,Valrie,Tona,Tinisha,Thi,Terisa,Tatum,Taneka,Simonne,Shalanda,Serita,Ressie,Refugia,Paz,Olene,Na,Merrill,Margherita,Mandie,Man,Maire,Lyndia,Luci,Lorriane,Loreta,Leonia,Lavona,Lashawnda,Lakia,Kyoko,Krystina,Krysten,Kenia,Kelsi,Jude,Jeanice,Isobel,Georgiann,Genny,Felicidad,Eilene,Deon,Deloise,Deedee,Dannie,Conception,Clora,Cherilyn,Chang,Calandra,Berry,Armandina,Anisa,Ula,Timothy,Tiera,Theressa,Stephania,Sima,Shyla,Shonta,Shera,Shaquita,Shala,Sammy,Rossana,Nohemi,Nery,Moriah,Melita,Melida,Melani,Marylynn,Marisha,Mariette,Malorie,Madelene,Ludivina,Loria,Lorette,Loralee,Lianne,Leon,Lavenia,Laurinda,Lashon,Kit,Kimi,Keila,Katelynn,Kai,Jone,Joane,Ji,Jayna,Janella,Ja,Hue,Hertha,Francene,Elinore,Despina,Delsie,Deedra,Clemencia,Carry,Carolin,Carlos,Bulah,Brittanie,Bok,Blondell,Bibi,Beaulah,Beata,Annita,Agripina,Virgen,Valene,Un,Twanda,Tommye,Toi,Tarra,Tari,Tammera,Shakia,Sadye,Ruthanne,Rochel,Rivka,Pura,Nenita,Natisha,Ming,Merrilee,Melodee,Marvis,Lucilla,Leena,Laveta,Larita,Lanie,Keren,Ileen,Georgeann,Genna,Genesis,Frida,Ewa,Eufemia,Emely,Ela,Edyth,Deonna,Deadra,Darlena,Chanell,Chan,Cathern,Cassondra,Cassaundra,Bernarda,Berna,Arlinda,Anamaria,Albert,Wesley,Vertie,Valeri,Torri,Tatyana,Stasia,Sherise,Sherill,Season,Scottie,Sanda,Ruthe,Rosy,Roberto,Robbi,Ranee,Quyen,Pearly,Palmira,Onita,Nisha,Niesha,Nida,Nevada,Nam,Merlyn,Mayola,Marylouise,Maryland,Marx,Marth,Margene,Madelaine,Londa,Leontine,Leoma,Leia,Lawrence,Lauralee,Lanora,Lakita,Kiyoko,Keturah,Katelin,Kareen,Jonie,Johnette,Jenee,Jeanett,Izetta,Hiedi,Heike,Hassie,Harold,Giuseppina,Georgann,Fidela,Fernande,Elwanda,Ellamae,Eliz,Dusti,Dotty,Cyndy,Coralie,Celesta,Argentina,Alverta,Xenia,Wava,Vanetta,Torrie,Tashina,Tandy,Tambra,Tama,Stepanie,Shila,Shaunta,Sharan,Shaniqua,Shae,Setsuko,Serafina,Sandee,Rosamaria,Priscila,Olinda,Nadene,Muoi,Michelina,Mercedez,Maryrose,Marin,Marcene,Mao,Magali,Mafalda,Logan,Linn,Lannie,Kayce,Karoline,Kamilah,Kamala,Justa,Joline,Jennine,Jacquetta,Iraida,Gerald,Georgeanna,Franchesca,Fairy,Emeline,Elane,Ehtel,Earlie,Dulcie,Dalene,Cris,Classie,Chere,Charis,Caroyln,Carmina,Carita,Brian,Bethanie,Ayako,Arica,An,Alysa,Alessandra,Akilah,Adrien,Zetta,Youlanda,Yelena,Yahaira,Xuan,Wendolyn,Victor,Tijuana,Terrell,Terina,Teresia,Suzi,Sunday,Sherell,Shavonda,Shaunte,Sharda,Shakita,Sena,Ryann,Rubi,Riva,Reginia,Rea,Rachal,Parthenia,Pamula,Monnie,Monet,Michaele,Melia,Marine,Malka,Maisha,Lisandra,Leo,Lekisha,Lean,Laurence,Lakendra,Krystin,Kortney,Kizzie,Kittie,Kera,Kendal,Kemberly,Kanisha,Julene,Jule,Joshua,Johanne,Jeffrey,Jamee,Han,Halley,Gidget,Galina,Fredricka,Fleta,Fatimah,Eusebia,Elza,Eleonore,Dorthey,Doria,Donella,Dinorah,Delorse,Claretha,Christinia,Charlyn,Bong,Belkis,Azzie,Andera,Aiko,Adena,Yer,Yajaira,Wan,Vania,Ulrike,Toshia,Tifany,Stefany,Shizue,Shenika,Shawanna,Sharolyn,Sharilyn,Shaquana,Shantay,See,Rozanne,Roselee,Rickie,Remona,Reanna,Raelene,Quinn,Phung,Petronila,Natacha,Nancey,Myrl,Miyoko,Miesha,Merideth,Marvella,Marquitta,Marhta,Marchelle,Lizeth,Libbie,Lahoma,Ladawn,Kina,Katheleen,Katharyn,Karisa,Kaleigh,Junie,Julieann,Johnsie,Janean,Jaimee,Jackqueline,Hisako,Herma,Helaine,Gwyneth,Glenn,Gita,Eustolia,Emelina,Elin,Edris,Donnette,Donnetta,Dierdre,Denae,Darcel,Claude,Clarisa,Cinderella,Chia,Charlesetta,Charita,Celsa,Cassy,Cassi,Carlee,Bruna,Brittaney,Brande,Billi,Bao,Antonetta,Angla,Angelyn,Analisa,Alane,Wenona,Wendie,Veronique,Vannesa,Tobie,Tempie,Sumiko,Sulema,Sparkle,Somer,Sheba,Shayne,Sharice,Shanel,Shalon,Sage,Roy,Rosio,Roselia,Renay,Rema,Reena,Porsche,Ping,Peg,Ozie,Oretha,Oralee,Oda,Nu,Ngan,Nakesha,Milly,Marybelle,Marlin,Maris,Margrett,Maragaret,Manie,Lurlene,Lillia,Lieselotte,Lavelle,Lashaunda,Lakeesha,Keith,Kaycee,Kalyn,Joya,Joette,Jenae,Janiece,Illa,Grisel,Glayds,Genevie,Gala,Fredda,Fred,Elmer,Eleonor,Debera,Deandrea,Dan,Corrinne,Cordia,Contessa,Colene,Cleotilde,Charlott,Chantay,Cecille,Beatris,Azalee,Arlean,Ardath,Anjelica,Anja,Alfredia,Aleisha,Adam,Zada,Yuonne,Xiao,Willodean,Whitley,Vennie,Vanna,Tyisha,Tova,Torie,Tonisha,Tilda,Tien,Temple,Sirena,Sherril,Shanti,Shan,Senaida,Samella,Robbyn,Renda,Reita,Phebe,Paulita,Nobuko,Nguyet,Neomi,Moon,Mikaela,Melania,Maximina,Marg,Maisie,Lynna,Lilli,Layne,Lashaun,Lakenya,Lael,Kirstie,Kathline,Kasha,Karlyn,Karima,Jovan,Josefine,Jennell,Jacqui,Jackelyn,Hyo,Hien,Grazyna,Florrie,Floria,Eleonora,Dwana,Dorla,Dong,Delmy,Deja,Dede,Dann,Crysta,Clelia,Claris,Clarence,Chieko,Cherlyn,Cherelle,Charmain,Chara,Cammy,Bee,Arnette,Ardelle,Annika,Amiee,Amee,Allena,Yvone,Yuki,Yoshie,Yevette,Yael,Willetta,Voncile,Venetta,Tula,Tonette,Timika,Temika,Telma,Teisha,Taren,Ta,Stacee,Shin,Shawnta,Saturnina,Ricarda,Pok,Pasty,Onie,Nubia,Mora,Mike,Marielle,Mariella,Marianela,Mardell,Many,Luanna,Loise,Lisabeth,Lindsy,Lilliana,Lilliam,Lelah,Leigha,Leanora,Lang,Kristeen,Khalilah,Keeley,Kandra,Junko,Joaquina,Jerlene,Jani,Jamika,Jame,Hsiu,Hermila,Golden,Genevive,Evia,Eugena,Emmaline,Elfreda,Elene,Donette,Delcie,Deeanna,Darcey,Cuc,Clarinda,Cira,Chae,Celinda,Catheryn,Catherin,Casimira,Carmelia,Camellia,Breana,Bobette,Bernardina,Bebe,Basilia,Arlyne,Amal,Alayna,Zonia,Zenia,Yuriko,Yaeko,Wynell,Willow,Willena,Vernia,Tu,Travis,Tora,Terrilyn,Terica,Tenesha,Tawna,Tajuana,Taina,Stephnie,Sona,Sol,Sina,Shondra,Shizuko,Sherlene,Sherice,Sharika,Rossie,Rosena,Rory,Rima,Ria,Rheba,Renna,Peter,Natalya,Nancee,Melodi,Meda,Maxima,Matha,Marketta,Maricruz,Marcelene,Malvina,Luba,Louetta,Leida,Lecia,Lauran,Lashawna,Laine,Khadijah,Katerine,Kasi,Kallie,Julietta,Jesusita,Jestine,Jessia,Jeremy,Jeffie,Janyce,Isadora,Georgianne,Fidelia,Evita,Eura,Eulah,Estefana,Elsy,Elizabet,Eladia,Dodie,Dion,Dia,Denisse,Deloras,Delila,Daysi,Dakota,Curtis,Crystle,Concha,Colby,Claretta,Chu,Christia,Charlsie,Charlena,Carylon,Bettyann,Asley,Ashlea,Amira,Ai,Agueda,Agnus,Yuette,Vinita,Victorina,Tynisha,Treena,Toccara,Tish,Thomasena,Tegan,Soila,Shiloh,Shenna,Sharmaine,Shantae,Shandi,September,Saran,Sarai,Sana,Samuel,Salley,Rosette,Rolande,Regine,Otelia,Oscar,Olevia,Nicholle,Necole,Naida,Myrta,Myesha,Mitsue,Minta,Mertie,Margy,Mahalia,Madalene,Love,Loura,Lorean,Lewis,Lesha,Leonida,Lenita,Lavone,Lashell,Lashandra,Lamonica,Kimbra,Katherina,Karry,Kanesha,Julio,Jong,Jeneva,Jaquelyn,Hwa,Gilma,Ghislaine,Gertrudis,Fransisca,Fermina,Ettie,Etsuko,Ellis,Ellan,Elidia,Edra,Dorethea,Doreatha,Denyse,Denny,Deetta,Daine,Cyrstal,Corrin,Cayla,Carlita,Camila,Burma,Bula,Buena,Blake,Barabara,Avril,Austin,Alaine,Zana,Wilhemina,Wanetta,Virgil,Vi,Veronika,Vernon,Verline,Vasiliki,Tonita,Tisa,Teofila,Tayna,Taunya,Tandra,Takako,Sunni,Suanne,Sixta,Sharell,Seema,Russell,Rosenda,Robena,Raymonde,Pei,Pamila,Ozell,Neida,Neely,Mistie,Micha,Merissa,Maurita,Maryln,Maryetta,Marshall,Marcell,Malena,Makeda,Maddie,Lovetta,Lourie,Lorrine,Lorilee,Lester,Laurena,Lashay,Larraine,Laree,Lacresha,Kristle,Krishna,Keva,Keira,Karole,Joie,Jinny,Jeannetta,Jama,Heidy,Gilberte,Gema,Faviola,Evelynn,Enda,Elli,Ellena,Divina,Dagny,Collene,Codi,Cindie,Chassidy,Chasidy,Catrice,Catherina,Cassey,Caroll,Carlena,Candra,Calista,Bryanna,Britteny,Beula,Bari,Audrie,Audria,Ardelia,Annelle,Angila,Alona,Allyn\".split(',')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L10_C0", "label": "LAST_NAMES = split()", "type": "assigned_variable", "loc": [10, 10], "level": 0, "parent": null, "vector": [14, 0, 0.037, 0.0037, 0, 0.66, 0.5455, 522, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "LAST_NAMES", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": "LAST_NAMES=\"Smith,Johnson,Williams,Jones,Brown,Davis,Miller,Wilson,Moore,Taylor,Anderson,Thomas,Jackson,White,Harris,Martin,Thompson,Garcia,Martinez,Robinson,Clark,Rodriguez,Lewis,Lee,Walker,Hall,Allen,Young,Hernandez,King,Wright,Lopez,Hill,Scott,Green,Adams,Baker,Gonzalez,Nelson,Carter,Mitchell,Perez,Roberts,Turner,Phillips,Campbell,Parker,Evans,Edwards,Collins,Stewart,Sanchez,Morris,Rogers,Reed,Cook,Morgan,Bell,Murphy,Bailey,Rivera,Cooper,Richardson,Cox,Howard,Ward,Torres,Peterson,Gray,Ramirez,James,Watson,Brooks,Kelly,Sanders,Price,Bennett,Wood,Barnes,Ross,Henderson,Coleman,Jenkins,Perry,Powell,Long,Patterson,Hughes,Flores,Washington,Butler,Simmons,Foster,Gonzales,Bryant,Alexander,Russell,Griffin,Diaz,Hayes,Myers,Ford,Hamilton,Graham,Sullivan,Wallace,Woods,Cole,West,Jordan,Owens,Reynolds,Fisher,Ellis,Harrison,Gibson,Mcdonald,Cruz,Marshall,Ortiz,Gomez,Murray,Freeman,Wells,Webb,Simpson,Stevens,Tucker,Porter,Hunter,Hicks,Crawford,Henry,Boyd,Mason,Morales,Kennedy,Warren,Dixon,Ramos,Reyes,Burns,Gordon,Shaw,Holmes,Rice,Robertson,Hunt,Black,Daniels,Palmer,Mills,Nichols,Grant,Knight,Ferguson,Rose,Stone,Hawkins,Dunn,Perkins,Hudson,Spencer,Gardner,Stephens,Payne,Pierce,Berry,Matthews,Arnold,Wagner,Willis,Ray,Watkins,Olson,Carroll,Duncan,Snyder,Hart,Cunningham,Bradley,Lane,Andrews,Ruiz,Harper,Fox,Riley,Armstrong,Carpenter,Weaver,Greene,Lawrence,Elliott,Chavez,Sims,Austin,Peters,Kelley,Franklin,Lawson,Fields,Gutierrez,Ryan,Schmidt,Carr,Vasquez,Castillo,Wheeler,Chapman,Oliver,Montgomery,Richards,Williamson,Johnston,Banks,Meyer,Bishop,Mccoy,Howell,Alvarez,Morrison,Hansen,Fernandez,Garza,Harvey,Little,Burton,Stanley,Nguyen,George,Jacobs,Reid,Kim,Fuller,Lynch,Dean,Gilbert,Garrett,Romero,Welch,Larson,Frazier,Burke,Hanson,Day,Mendoza,Moreno,Bowman,Medina,Fowler,Brewer,Hoffman,Carlson,Silva,Pearson,Holland,Douglas,Fleming,Jensen,Vargas,Byrd,Davidson,Hopkins,May,Terry,Herrera,Wade,Soto,Walters,Curtis,Neal,Caldwell,Lowe,Jennings,Barnett,Graves,Jimenez,Horton,Shelton,Barrett,Obrien,Castro,Sutton,Gregory,Mckinney,Lucas,Miles,Craig,Rodriquez,Chambers,Holt,Lambert,Fletcher,Watts,Bates,Hale,Rhodes,Pena,Beck,Newman,Haynes,Mcdaniel,Mendez,Bush,Vaughn,Parks,Dawson,Santiago,Norris,Hardy,Love,Steele,Curry,Powers,Schultz,Barker,Guzman,Page,Munoz,Ball,Keller,Chandler,Weber,Leonard,Walsh,Lyons,Ramsey,Wolfe,Schneider,Mullins,Benson,Sharp,Bowen,Daniel,Barber,Cummings,Hines,Baldwin,Griffith,Valdez,Hubbard,Salazar,Reeves,Warner,Stevenson,Burgess,Santos,Tate,Cross,Garner,Mann,Mack,Moss,Thornton,Dennis,Mcgee,Farmer,Delgado,Aguilar,Vega,Glover,Manning,Cohen,Harmon,Rodgers,Robbins,Newton,Todd,Blair,Higgins,Ingram,Reese,Cannon,Strickland,Townsend,Potter,Goodwin,Walton,Rowe,Hampton,Ortega,Patton,Swanson,Joseph,Francis,Goodman,Maldonado,Yates,Becker,Erickson,Hodges,Rios,Conner,Adkins,Webster,Norman,Malone,Hammond,Flowers,Cobb,Moody,Quinn,Blake,Maxwell,Pope,Floyd,Osborne,Paul,Mccarthy,Guerrero,Lindsey,Estrada,Sandoval,Gibbs,Tyler,Gross,Fitzgerald,Stokes,Doyle,Sherman,Saunders,Wise,Colon,Gill,Alvarado,Greer,Padilla,Simon,Waters,Nunez,Ballard,Schwartz,Mcbride,Houston,Christensen,Klein,Pratt,Briggs,Parsons,Mclaughlin,Zimmerman,French,Buchanan,Moran,Copeland,Roy,Pittman,Brady,Mccormick,Holloway,Brock,Poole,Frank,Logan,Owen,Bass,Marsh,Drake,Wong,Jefferson,Park,Morton,Abbott,Sparks,Patrick,Norton,Huff,Clayton,Massey,Lloyd,Figueroa,Carson,Bowers,Roberson,Barton,Tran,Lamb,Harrington,Casey,Boone,Cortez,Clarke,Mathis,Singleton,Wilkins,Cain,Bryan,Underwood,Hogan,Mckenzie,Collier,Luna,Phelps,Mcguire,Allison,Bridges,Wilkerson,Nash,Summers,Atkins,Wilcox,Pitts,Conley,Marquez,Burnett,Richard,Cochran,Chase,Davenport,Hood,Gates,Clay,Ayala,Sawyer,Roman,Vazquez,Dickerson,Hodge,Acosta,Flynn,Espinoza,Nicholson,Monroe,Wolf,Morrow,Kirk,Randall,Anthony,Whitaker,Oconnor,Skinner,Ware,Molina,Kirby,Huffman,Bradford,Charles,Gilmore,Dominguez,Oneal,Bruce,Lang,Combs,Kramer,Heath,Hancock,Gallagher,Gaines,Shaffer,Short,Wiggins,Mathews,Mcclain,Fischer,Wall,Small,Melton,Hensley,Bond,Dyer,Cameron,Grimes,Contreras,Christian,Wyatt,Baxter,Snow,Mosley,Shepherd,Larsen,Hoover,Beasley,Glenn,Petersen,Whitehead,Meyers,Keith,Garrison,Vincent,Shields,Horn,Savage,Olsen,Schroeder,Hartman,Woodard,Mueller,Kemp,Deleon,Booth,Patel,Calhoun,Wiley,Eaton,Cline,Navarro,Harrell,Lester,Humphrey,Parrish,Duran,Hutchinson,Hess,Dorsey,Bullock,Robles,Beard,Dalton,Avila,Vance,Rich,Blackwell,York,Johns,Blankenship,Trevino,Salinas,Campos,Pruitt,Moses,Callahan,Golden,Montoya,Hardin,Guerra,Mcdowell,Carey,Stafford,Gallegos,Henson,Wilkinson,Booker,Merritt,Miranda,Atkinson,Orr,Decker,Hobbs,Preston,Tanner,Knox,Pacheco,Stephenson,Glass,Rojas,Serrano,Marks,Hickman,English,Sweeney,Strong,Prince,Mcclure,Conway,Walter,Roth,Maynard,Farrell,Lowery,Hurst,Nixon,Weiss,Trujillo,Ellison,Sloan,Juarez,Winters,Mclean,Randolph,Leon,Boyer,Villarreal,Mccall,Gentry,Carrillo,Kent,Ayers,Lara,Shannon,Sexton,Pace,Hull,Leblanc,Browning,Velasquez,Leach,Chang,House,Sellers,Herring,Noble,Foley,Bartlett,Mercado,Landry,Durham,Walls,Barr,Mckee,Bauer,Rivers,Everett,Bradshaw,Pugh,Velez,Rush,Estes,Dodson,Morse,Sheppard,Weeks,Camacho,Bean,Barron,Livingston,Middleton,Spears,Branch,Blevins,Chen,Kerr,Mcconnell,Hatfield,Harding,Ashley,Solis,Herman,Frost,Giles,Blackburn,William,Pennington,Woodward,Finley,Mcintosh,Koch,Best,Solomon,Mccullough,Dudley,Nolan,Blanchard,Rivas,Brennan,Mejia,Kane,Benton,Joyce,Buckley,Haley,Valentine,Maddox,Russo,Mcknight,Buck,Moon,Mcmillan,Crosby,Berg,Dotson,Mays,Roach,Church,Chan,Richmond,Meadows,Faulkner,Oneill,Knapp,Kline,Barry,Ochoa,Jacobson,Gay,Avery,Hendricks,Horne,Shepard,Hebert,Cherry,Cardenas,Mcintyre,Whitney,Waller,Holman,Donaldson,Cantu,Terrell,Morin,Gillespie,Fuentes,Tillman,Sanford,Bentley,Peck,Key,Salas,Rollins,Gamble,Dickson,Battle,Santana,Cabrera,Cervantes,Howe,Hinton,Hurley,Spence,Zamora,Yang,Mcneil,Suarez,Case,Petty,Gould,Mcfarland,Sampson,Carver,Bray,Rosario,Macdonald,Stout,Hester,Melendez,Dillon,Farley,Hopper,Galloway,Potts,Bernard,Joyner,Stein,Aguirre,Osborn,Mercer,Bender,Franco,Rowland,Sykes,Benjamin,Travis,Pickett,Crane,Sears,Mayo,Dunlap,Hayden,Wilder,Mckay,Coffey,Mccarty,Ewing,Cooley,Vaughan,Bonner,Cotton,Holder,Stark,Ferrell,Cantrell,Fulton,Lynn,Lott,Calderon,Rosa,Pollard,Hooper,Burch,Mullen,Fry,Riddle,Levy,David,Duke,Odonnell,Guy,Michael,Britt,Frederick,Daugherty,Berger,Dillard,Alston,Jarvis,Frye,Riggs,Chaney,Odom,Duffy,Fitzpatrick,Valenzuela,Merrill,Mayer,Alford,Mcpherson,Acevedo,Donovan,Barrera,Albert,Cote,Reilly,Compton,Raymond,Mooney,Mcgowan,Craft,Cleveland,Clemons,Wynn,Nielsen,Baird,Stanton,Snider,Rosales,Bright,Witt,Stuart,Hays,Holden,Rutledge,Kinney,Clements,Castaneda,Slater,Hahn,Emerson,Conrad,Burks,Delaney,Pate,Lancaster,Sweet,Justice,Tyson,Sharpe,Whitfield,Talley,Macias,Irwin,Burris,Ratliff,Mccray,Madden,Kaufman,Beach,Goff,Cash,Bolton,Mcfadden,Levine,Good,Byers,Kirkland,Kidd,Workman,Carney,Dale,Mcleod,Holcomb,England,Finch,Head,Burt,Hendrix,Sosa,Haney,Franks,Sargent,Nieves,Downs,Rasmussen,Bird,Hewitt,Lindsay,Le,Foreman,Valencia,Oneil,Delacruz,Vinson,Dejesus,Hyde,Forbes,Gilliam,Guthrie,Wooten,Huber,Barlow,Boyle,Mcmahon,Buckner,Rocha,Puckett,Langley,Knowles,Cooke,Velazquez,Whitley,Noel,Vang,Shea,Rouse,Hartley,Mayfield,Elder,Rankin,Hanna,Cowan,Lucero,Arroyo,Slaughter,Haas,Oconnell,Minor,Kendrick,Shirley,Kendall,Boucher,Archer,Boggs,Odell,Dougherty,Andersen,Newell,Crowe,Wang,Friedman,Bland,Swain,Holley,Felix,Pearce,Childs,Yarbrough,Galvan,Proctor,Meeks,Lozano,Mora,Rangel,Bacon,Villanueva,Schaefer,Rosado,Helms,Boyce,Goss,Stinson,Smart,Lake,Ibarra,Hutchins,Covington,Reyna,Gregg,Werner,Crowley,Hatcher,Mackey,Bunch,Womack,Polk,Jamison,Dodd,Childress,Childers,Camp,Villa,Dye,Springer,Mahoney,Dailey,Belcher,Lockhart,Griggs,Costa,Connor,Brandt,Winter,Walden,Moser,Tracy,Tatum,Mccann,Akers,Lutz,Pryor,Law,Orozco,Mcallister,Lugo,Davies,Shoemaker,Madison,Rutherford,Newsome,Magee,Chamberlain,Blanton,Simms,Godfrey,Flanagan,Crum,Cordova,Escobar,Downing,Sinclair,Donahue,Krueger,Mcginnis,Gore,Farris,Webber,Corbett,Andrade,Starr,Lyon,Yoder,Hastings,Mcgrath,Spivey,Krause,Harden,Crabtree,Kirkpatrick,Hollis,Brandon,Arrington,Ervin,Clifton,Ritter,Mcghee,Bolden,Maloney,Gagnon,Dunbar,Ponce,Pike,Mayes,Heard,Beatty,Mobley,Kimball,Butts,Montes,Herbert,Grady,Eldridge,Braun,Hamm,Gibbons,Seymour,Moyer,Manley,Herron,Plummer,Elmore,Cramer,Gary,Rucker,Hilton,Blue,Pierson,Fontenot,Field,Rubio,Grace,Goldstein,Elkins,Wills,Novak,John,Hickey,Worley,Gorman,Katz,Dickinson,Broussard,Fritz,Woodruff,Crow,Christopher,Britton,Forrest,Nance,Lehman,Bingham,Zuniga,Whaley,Shafer,Coffman,Steward,Delarosa,Nix,Neely,Numbers,Mata,Manuel,Davila,Mccabe,Kessler,Emery,Bowling,Hinkle,Welsh,Pagan,Goldberg,Goins,Crouch,Cuevas,Quinones,Mcdermott,Hendrickson,Samuels,Denton,Bergeron,Lam,Ivey,Locke,Haines,Thurman,Snell,Hoskins,Byrne,Milton,Winston,Arthur,Arias,Stanford,Roe,Corbin,Beltran,Chappell,Hurt,Downey,Dooley,Tuttle,Couch,Payton,Mcelroy,Crockett,Groves,Clement,Leslie,Cartwright,Dickey,Mcgill,Dubois,Muniz,Erwin,Self,Tolbert,Dempsey,Cisneros,Sewell,Latham,Garland,Vigil,Tapia,Sterling,Rainey,Norwood,Lacy,Stroud,Meade,Amos,Tipton,Lord,Kuhn,Hilliard,Bonilla,Teague,Courtney,Gunn,Ho,Greenwood,Correa,Reece,Weston,Poe,Trent,Pineda,Phipps,Frey,Kaiser,Ames,Paige,Gunter,Schmitt,Milligan,Espinosa,Carlton,Bowden,Vickers,Lowry,Pritchard,Costello,Piper,Mcclellan,Lovell,Drew,Sheehan,Quick,Hatch,Dobson,Singh,Jeffries,Hollingsworth,Sorensen,Meza,Fink,Donnelly,Burrell,Bruno,Tomlinson,Colbert,Billings,Ritchie,Helton,Sutherland,Peoples,Mcqueen,Gaston,Thomason,Mckinley,Givens,Crocker,Vogel,Robison,Dunham,Coker,Swartz,Keys,Lilly,Ladner,Hannah,Willard,Richter,Hargrove,Edmonds,Brantley,Albright,Murdock,Boswell,Muller,Quintero,Padgett,Kenney,Daly,Connolly,Pierre,Inman,Quintana,Lund,Barnard,Villegas,Simons,Land,Huggins,Tidwell,Sanderson,Bullard,Mcclendon,Duarte,Draper,Meredith,Marrero,Dwyer,Abrams,Stover,Goode,Fraser,Crews,Bernal,Smiley,Godwin,Fish,Conklin,Mcneal,Baca,Esparza,Crowder,Bower,Nicholas,Chung,Brewster,Mcneill,Dick,Rodrigues,Leal,Coates,Raines,Mccain,Mccord,Miner,Holbrook,Swift,Dukes,Carlisle,Aldridge,Ackerman,Starks,Ricks,Holliday,Ferris,Hairston,Sheffield,Lange,Fountain,Marino,Doss,Betts,Kaplan,Carmichael,Bloom,Ruffin,Penn,Kern,Bowles,Sizemore,Larkin,Dupree,Jewell,Silver,Seals,Metcalf,Hutchison,Henley,Farr,Castle,Mccauley,Hankins,Gustafson,Deal,Curran,Ash,Waddell,Ramey,Cates,Pollock,Major,Irvin,Cummins,Messer,Heller,Dewitt,Lin,Funk,Cornett,Palacios,Galindo,Cano,Hathaway,Singer,Pham,Enriquez,Aaron,Salgado,Pelletier,Painter,Wiseman,Blount,Hand,Feliciano,Temple,Houser,Doherty,Mead,Mcgraw,Toney,Swan,Melvin,Capps,Blanco,Blackmon,Wesley,Thomson,Mcmanus,Fair,Burkett,Post,Gleason,Rudolph,Ott,Dickens,Cormier,Voss,Rushing,Rosenberg,Hurd,Dumas,Benitez,Arellano,Story,Marin,Caudill,Bragg,Jaramillo,Huerta,Gipson,Colvin,Biggs,Vela,Platt,Cassidy,Tompkins,Mccollum,Kay,Gabriel,Dolan,Daley,Crump,Street,Sneed,Kilgore,Grove,Grimm,Davison,Brunson,Prater,Marcum,Devine,Kyle,Dodge,Stratton,Rosas,Choi,Tripp,Ledbetter,Lay,Hightower,Haywood,Feldman,Epps,Yeager,Posey,Sylvester,Scruggs,Cope,Stubbs,Richey,Overton,Trotter,Sprague,Cordero,Butcher,Burger,Stiles,Burgos,Woodson,Horner,Bassett,Purcell,Haskins,Gee,Akins,Abraham,Hoyt,Ziegler,Spaulding,Hadley,Grubbs,Sumner,Murillo,Zavala,Shook,Lockwood,Jarrett,Driscoll,Dahl,Thorpe,Sheridan,Redmond,Putnam,Mcwilliams,Mcrae,Cornell,Felton,Romano,Joiner,Sadler,Hedrick,Hager,Hagen,Fitch,Coulter,Thacker,Mansfield,Langston,Guidry,Ferreira,Corley,Conn,Rossi,Lackey,Cody,Baez,Saenz,Mcnamara,Darnell,Michel,Mcmullen,Mckenna,Mcdonough,Link,Engel,Browne,Roper,Peacock,Eubanks,Drummond,Stringer,Pritchett,Parham,Mims,Landers,Ham,Grayson,Stacy,Schafer,Egan,Timmons,Ohara,Keen,Hamlin,Finn,Cortes,Mcnair,Louis,Clifford,Nadeau,Moseley,Michaud,Rosen,Oakes,Kurtz,Jeffers,Calloway,Beal,Bautista,Winn,Suggs,Stern,Stapleton,Lyles,Laird,Montano,Diamond,Dawkins,Roland,Hagan,Goldman,Bryson,Barajas,Lovett,Segura,Metz,Lockett,Langford,Hinson,Eastman,Rock,Hooks,Woody,Smallwood,Shapiro,Crowell,Whalen,Triplett,Hooker,Chatman,Aldrich,Cahill,Youngblood,Ybarra,Stallings,Sheets,Samuel,Reeder,Person,Pack,Lacey,Connelly,Bateman,Abernathy,Winkler,Wilkes,Masters,Hackett,Granger,Gillis,Schmitz,Sapp,Napier,Souza,Lanier,Gomes,Weir,Otero,Ledford,Burroughs,Babcock,Ventura,Siegel,Dugan,Clinton,Christie,Bledsoe,Atwood,Wray,Varner,Spangler,Otto,Anaya,Staley,Kraft,Fournier,Eddy,Belanger,Wolff,Thorne,Bynum,Burnette,Boykin,Swenson,Purvis,Pina,Khan,Duvall,Darby,Xiong,Kauffman,Ali,Yu,Healy,Engle,Corona,Benoit,Valle,Steiner,Spicer,Shaver,Randle,Lundy,Dow,Chin,Calvert,Staton,Neff,Kearney,Darden,Oakley,Medeiros,Mccracken,Crenshaw,Block,Beaver,Perdue,Dill,Whittaker,Tobin,Cornelius,Washburn,Hogue,Goodrich,Easley,Bravo,Dennison,Vera,Shipley,Kerns,Jorgensen,Crain,Abel,Villalobos,Maurer,Longoria,Keene,Coon,Sierra,Witherspoon,Staples,Pettit,Kincaid,Eason,Madrid,Echols,Lusk,Wu,Stahl,Currie,Thayer,Shultz,Sherwood,Mcnally,Seay,North,Maher,Kenny,Hope,Gagne,Barrow,Nava,Myles,Moreland,Honeycutt,Hearn,Diggs,Caron,Whitten,Westbrook,Stovall,Ragland,Queen,Munson,Meier,Looney,Kimble,Jolly,Hobson,London,Goddard,Culver,Burr,Presley,Negron,Connell,Tovar,Marcus,Huddleston,Hammer,Ashby,Salter,Root,Pendleton,Oleary,Nickerson,Myrick,Judd,Jacobsen,Elliot,Bain,Adair,Starnes,Sheldon,Matos,Light,Busby,Herndon,Hanley,Bellamy,Jack,Doty,Bartley,Yazzie,Rowell,Parson,Gifford,Cullen,Christiansen,Benavides,Barnhart,Talbot,Mock,Crandall,Connors,Bonds,Whitt,Gage,Bergman,Arredondo,Addison,Marion,Lujan,Dowdy,Jernigan,Huynh,Bouchard,Dutton,Rhoades,Ouellette,Kiser,Rubin,Herrington,Hare,Denny,Blackman,Babb,Allred,Rudd,Paulson,Ogden,Koenig,Jacob,Irving,Geiger,Begay,Parra,Champion,Lassiter,Hawk,Esposito,Cho,Waldron,Vernon,Ransom,Prather,Keenan,Jean,Grover,Chacon,Vick,Sands,Roark,Parr,Mayberry,Greenberg,Coley,Bruner,Whitman,Skaggs,Shipman,Means,Leary,Hutton,Romo,Medrano,Ladd,Kruse,Friend,Darling,Askew,Valentin,Schulz,Alfaro,Tabor,Mohr,Gallo,Bermudez,Pereira,Isaac,Bliss,Reaves,Flint,Comer,Boston,Woodall,Naquin,Guevara,Earl,Delong,Carrier,Pickens,Brand,Tilley,Schaffer,Read,Lim,Knutson,Fenton,Doran,Chu,Vogt,Vann,Prescott,Mclain,Landis,Corcoran,Ambrose,Zapata,Hyatt,Hemphill,Faulk,Call,Dove,Boudreaux,Aragon,Whitlock,Trejo,Tackett,Shearer,Saldana,Hanks,Gold,Driver,Mckinnon,Koehler,Champagne,Bourgeois,Pool,Keyes,Goodson,Foote,Early,Lunsford,Goldsmith,Flood,Winslow,Sams,Reagan,Mccloud,Hough,Esquivel,Naylor,Loomis,Coronado,Ludwig,Braswell,Bearden,Sherrill,Huang,Fagan,Ezell,Edmondson,Cyr,Cronin,Nunn,Lemon,Guillory,Grier,Dubose,Traylor,Ryder,Dobbins,Coyle,Aponte,Whitmore,Smalls,Rowan,Malloy,Cardona,Braxton,Borden,Humphries,Carrasco,Ruff,Metzger,Huntley,Hinojosa,Finney,Madsen,Hong,Hills,Ernst,Dozier,Burkhart,Bowser,Peralta,Daigle,Whittington,Sorenson,Saucedo,Roche,Redding,Loyd,Fugate,Avalos,Waite,Lind,Huston,Hay,Benedict,Hawthorne,Hamby,Boyles,Boles,Regan,Faust,Crook,Beam,Barger,Hinds,Gallardo,Elias,Willoughby,Willingham,Wilburn,Eckert,Busch,Zepeda,Worthington,Tinsley,Russ,Li,Hoff,Hawley,Carmona,Varela,Rector,Newcomb,Mallory,Kinsey,Dube,Whatley,Strange,Ragsdale,Ivy,Bernstein,Becerra,Yost,Mattson,Ly,Felder,Cheek,Luke,Handy,Grossman,Gauthier,Escobedo,Braden,Beckman,Mott,Hillman,Gil,Flaherty,Dykes,Doe,Stockton,Stearns,Lofton,Kitchen,Coats,Cavazos,Beavers,Barrios,Tang,Parish,Mosher,Lincoln,Cardwell,Coles,Burnham,Weller,Lemons,Beebe,Aguilera,Ring,Parnell,Harman,Couture,Alley,Schumacher,Redd,Dobbs,Blum,Blalock,Merchant,Ennis,Denson,Cottrell,Chester,Brannon,Bagley,Aviles,Watt,Sousa,Rosenthal,Rooney,Dietz,Blank,Paquette,Mcclelland,Duff,Velasco,Lentz,Grubb,Burrows,Barbour,Ulrich,Shockley,Rader,German,Beyer,Mixon,Layton,Altman,Alonzo,Weathers,Titus,Stoner,Squires,Shipp,Priest,Lipscomb,Cutler,Caballero,Zimmer,Willett,Thurston,Storey,Medley,Lyle,Epperson,Shah,Mcmillian,Baggett,Torrez,Laws,Hirsch,Dent,Corey,Poirier,Peachey,Jacques,Farrar,Creech,Barth,Trimble,France,Dupre,Albrecht,Sample,Lawler,Crisp,Conroy,Chadwick,Wetzel,Nesbitt,Murry,Jameson,Wilhelm,Patten,Minton,Matson,Kimbrough,Iverson,Guinn,Gale,Fortune,Croft,Toth,Pulliam,Nugent,Newby,Littlejohn,Dias,Canales,Bernier,Baron,Barney,Singletary,Renteria,Pruett,Mchugh,Mabry,Landrum,Brower,Weldon,Stoddard,Ruth,Cagle,Stjohn,Scales,Kohler,Kellogg,Hopson,Gant,Tharp,Gann,Zeigler,Pringle,Hammons,Fairchild,Deaton,Chavis,Carnes,Rowley,Matlock,Libby,Kearns,Irizarry,Carrington,Starkey,Pepper,Lopes,Jarrell,Fay,Craven,Beverly,Baum,Spain,Littlefield,Linn,Humphreys,Hook,High,Etheridge,Cuellar,Chastain,Chance,Bundy,Speer,Skelton,Quiroz,Pyle,Portillo,Ponder,Moulton,Machado,Liu,Killian,Hutson,Hitchcock,Ellsworth,Dowling,Cloud,Burdick,Spann,Pedersen,Levin,Leggett,Hayward,Hacker,Dietrich,Beaulieu,Barksdale,Wakefield,Snowden,Paris,Briscoe,Bowie,Berman,Ogle,Mcgregor,Laughlin,Helm,Burden,Wheatley,Schreiber,Pressley,Parris,Ng,Alaniz,Agee,Urban,Swann,Snodgrass,Schuster,Radford,Monk,Mattingly,Main,Lamar,Harp,Girard,Cheney,Yancey,Wagoner,Ridley,Lombardo,Lau,Hudgins,Gaskins,Duckworth,Coe,Coburn,Willey,Prado,Newberry,Magana,Hammonds,Elam,Whipple,Slade,Serna,Ojeda,Liles,Dorman,Diehl,Angel,Upton,Reardon,Michaels,Kelsey,Goetz,Eller,Bauman,Baer,Augustine,Layne,Hummel,Brenner,Amaya,Adamson,Ornelas,Dowell,Cloutier,Christy,Castellanos,Wing,Wellman,Saylor,Orourke,Moya,Montalvo,Kilpatrick,Harley,Durbin,Shell,Oldham,Kang,Garvin,Foss,Branham,Bartholomew,Templeton,Maguire,Holton,Alonso,Rider,Monahan,Mccormack,Beaty,Anders,Streeter,Nieto,Nielson,Moffett,Lankford,Keating,Heck,Gatlin,Delatorre,Callaway,Adcock,Worrell,Unger,Robinette,Nowak,Jeter,Brunner,Ashton,Steen,Parrott,Overstreet,Nobles,Montanez,Luther,Clevenger,Brinkley,Trahan,Quarles,Pickering,Pederson,Jansen,Grantham,Gilchrist,Crespo,Aiken,Schell,Schaeffer,Lorenz,Leyva,Harms,Dyson,Wallis,Pease,Leavitt,Hyman,Cheng,Cavanaugh,Batts,Warden,Seaman,Rockwell,Quezada,Paxton,Linder,Houck,Fontaine,Durant,Caruso,Adler,Pimentel,Mize,Lytle,Donald,Cleary,Cason,Acker,Switzer,Salmon,Isaacs,Higginbotham,Han,Waterman,Vandyke,Stamper,Sisk,Shuler,Riddick,Redman,Mcmahan,Levesque,Hatton,Bronson,Bollinger,Arnett,Okeefe,Gerber,Gannon,Farnsworth,Baughman,Silverman,Satterfield,Royal,Mccrary,Kowalski,Joy,Grigsby,Greco,Cabral,Trout,Rinehart,Mahon,Linton,Gooden,Curley,Baugh,Wyman,Weiner,Schwab,Schuler,Morrissey,Mahan,Coy,Bunn,Andrew,Thrasher,Spear,Waggoner,Shelley,Robert,Qualls,Purdy,Mcwhorter,Mauldin,Mark,Jordon,Gilman,Perryman,Newsom,Menard,Martino,Graf,Billingsley,Artis,Simpkins,Salisbury,Quintanilla,Gilliland,Fraley,Foust,Crouse,Scarborough,Ngo,Grissom,Fultz,Rico,Marlow,Markham,Madrigal,Lawton,Barfield,Whiting,Varney,Schwarz,Huey,Gooch,Arce,Wheat,Truong,Poulin,Mackenzie,Leone,Hurtado,Selby,Gaither,Fortner,Culpepper,Coughlin,Brinson,Boudreau,Barkley,Bales,Stepp,Holm,Tan,Schilling,Morrell,Kahn,Heaton,Gamez,Douglass,Causey,Brothers,Turpin,Shanks,Schrader,Meek,Isom,Hardison,Carranza,Yanez,Way,Scroggins,Schofield,Runyon,Ratcliff,Murrell,Moeller,Irby,Currier,Butterfield,Yee,Ralston,Pullen,Pinson,Estep,East,Carbone,Lance,Hawks,Ellington,Casillas,Spurlock,Sikes,Motley,Mccartney,Kruger,Isbell,Houle,Francisco,Burk,Bone,Tomlin,Shelby,Quigley,Neumann,Lovelace,Fennell,Colby,Cheatham,Bustamante,Skidmore,Hidalgo,Forman,Culp,Bowens,Betancourt,Aquino,Robb,Rea,Milner,Martel,Gresham,Wiles,Ricketts,Gavin,Dowd,Collazo,Bostic,Blakely,Sherrod,Power,Kenyon,Gandy,Ebert,Deloach,Cary,Bull,Allard,Sauer,Robins,Olivares,Gillette,Chestnut,Bourque,Paine,Lyman,Hite,Hauser,Devore,Crawley,Chapa,Vu,Tobias,Talbert,Poindexter,Millard,Meador,Mcduffie,Mattox,Kraus,Harkins,Choate,Bess,Wren,Sledge,Sanborn,Outlaw,Kinder,Geary,Cornwell,Barclay,Adam,Abney,Seward,Rhoads,Howland,Fortier,Easter,Benner,Vines,Tubbs,Troutman,Rapp,Noe,Mccurdy,Harder,Deluca,Westmoreland,South,Havens,Guajardo,Ely,Clary,Seal,Meehan,Herzog,Guillen,Ashcraft,Waugh,Renner,Milam,Jung,Elrod,Churchill,Buford,Breaux,Bolin,Asher,Windham,Tirado,Pemberton,Nolen,Noland,Knott,Emmons,Cornish,Christenson,Brownlee,Barbee,Waldrop,Pitt,Olvera,Lombardi,Gruber,Gaffney,Eggleston,Banda,Archuleta,Still,Slone,Prewitt,Pfeiffer,Nettles,Mena,Mcadams,Henning,Gardiner,Cromwell,Chisholm,Burleson,Box,Vest,Oglesby,Mccarter,Malcolm,Lumpkin,Larue,Grey,Wofford,Vanhorn,Thorn,Teel,Swafford,Stclair,Stanfield,Ocampo,Herrmann,Hannon,Arsenault,Roush,Mcalister,Hiatt,Gunderson,Forsythe,Duggan,Delvalle,Cintron,Wilks,Weinstein,Uribe,Rizzo,Noyes,Mclendon,Gurley,Bethea,Winstead,Maples,Harry,Guyton,Giordano,Alderman,Valdes,Polanco,Pappas,Lively,Grogan,Griffiths,Bobo,Arevalo,Whitson,Sowell,Rendon,Matthew,Julian,Fernandes,Farrow,Edmond,Benavidez,Ayres,Alicea,Stump,Smalley,Seitz,Schulte,Gilley,Gallant,Dewey,Casper,Canfield,Wolford,Omalley,Mcnutt,Mcnulty,Mcgovern,Hardman,Harbin,Cowart,Chavarria,Brink,Beckett,Bagwell,Armstead,Anglin,Abreu,Reynoso,Krebs,Jett,Hoffmann,Greenfield,Forte,Burney,Broome,Sisson,Parent,Jude,Younger,Trammell,Partridge,Marvin,Mace,Lomax,Lemieux,Gossett,Frantz,Fogle,Cooney,Broughton,Pence,Paulsen,Neil,Muncy,Mcarthur,Hollins,Edward,Beauchamp,Withers,Osorio,Mulligan,Hoyle,Foy,Dockery,Cockrell,Begley,Amador,Roby,Rains,Lindquist,Gentile,Everhart,Bohannon,Wylie,Thao,Sommers,Purnell,Palma,Fortin,Dunning,Breeden,Vail,Phelan,Phan,Marx,Cosby,Colburn,Chong,Boling,Biddle,Ledesma,Gaddis,Denney,Chow,Bueno,Berrios,Wicker,Tolliver,Thibodeaux,Nagle,Lavoie,Fisk,Do,Crist,Barbosa,Reedy,March,Locklear,Kolb,Himes,Behrens,Beckwith,Beckham,Weems,Wahl,Shorter,Shackelford,Rees,Muse,Free,Cerda,Valadez,Thibodeau,Saavedra,Ridgeway,Reiter,Mchenry,Majors,Lachance,Keaton,Israel,Ferrara,Falcon,Clemens,Blocker,Applegate,Paz,Needham,Mojica,Kuykendall,Hamel,Escamilla,Doughty,Burchett,Ainsworth,Wilbur,Vidal,Upchurch,Thigpen,Strauss,Spruill,Sowers,Riggins,Ricker,Mccombs,Harlow,Garnett,Buffington,Yi,Sotelo,Olivas,Negrete,Morey,Macon,Logsdon,Lapointe,Florence,Cathey,Bigelow,Bello,Westfall,Stubblefield,Peak,Lindley,Jeffrey,Hein,Hawes,Farrington,Edge,Breen,Birch,Wilde,Steed,Sepulveda,Reinhardt,Proffitt,Minter,Messina,Mcnabb,Maier,Keeler,Gamboa,Donohue,Dexter,Basham,Shinn,Orlando,Crooks,Cota,Borders,Bills,Bachman,Tisdale,Tavares,Schmid,Pickard,Jasper,Gulley,Fonseca,Delossantos,Condon,Clancy,Batista,Wicks,Wadsworth,New,Martell,Lo,Littleton,Ison,Haag,Folsom,Brumfield,Broyles,Brito,Mireles,Mcdonnell,Leclair,Hamblin,Gough,Fanning,Binder,Winfield,Whitworth,Soriano,Palumbo,Newkirk,Mangum,Hutcherson,Comstock,Cecil,Carlin,Beall,Bair,Wendt,Watters,Walling,Putman,Otoole,Oliva,Morley,Mares,Lemus,Keener,Jeffery,Hundley,Dial,Damico,Billups,Strother,Mcfarlane,Lamm,Eaves,Crutcher,Caraballo,Canty,Atwell,Taft,Siler,Rust,Rawls,Rawlings,Prieto,Niles,Mcneely,Mcafee,Hulsey,Harlan,Hackney,Galvez,Escalante,Delagarza,Crider,Charlton,Bandy,Wilbanks,Stowe,Steinberg,Samson,Renfro,Masterson,Massie,Lanham,Haskell,Hamrick,Fort,Dehart,Card,Burdette,Branson,Bourne,Babin,Aleman,Worthy,Tibbs,Sweat,Smoot,Slack,Paradis,Packard,Mull,Luce,Houghton,Gantt,Furman,Danner,Christianson,Burge,Broderick,Ashford,Arndt,Almeida,Stallworth,Shade,Searcy,Sager,Noonan,Mclemore,Mcintire,Maxey,Lavigne,Jobe,Ireland,Ferrer,Falk,Edgar,Coffin,Byrnes,Aranda,Apodaca,Stamps,Rounds,Peek,Olmstead,Lewandowski,Kaminski,Her,Dunaway,Bruns,Brackett,Amato,Reich,Mcclung,Lacroix,Koontz,Herrick,Hardesty,Flanders,Cousins,Close,Cato,Cade,Vickery,Shank,Nagel,Dupuis,Croteau,Cotter,Cable,Stuckey,Stine,Porterfield,Pauley,Nye,Moffitt,Lu,Knudsen,Hardwick,Goforth,Dupont,Blunt,Barrows,Barnhill,Shull,Rash,Ralph,Penny,Lorenzo,Loftis,Lemay,Kitchens,Horvath,Grenier,Fuchs,Fairbanks,Culbertson,Calkins,Burnside,Beattie,Ashworth,Albertson,Wertz,Vo,Vaught,Vallejo,Tyree,Turk,Tuck,Tijerina,Sage,Picard,Peterman,Otis,Marroquin,Marr,Lantz,Hoang,Demarco,Daily,Cone,Berube,Barnette,Wharton,Stinnett,Slocum,Scanlon,Sander,Pinto,Mancuso,Lima,Judge,Headley,Epstein,Counts,Clarkson,Carnahan,Brice,Boren,Arteaga,Adame,Zook,Whittle,Whitehurst,Wenzel,Saxton,Rhea,Reddick,Puente,Hazel,Handley,Haggerty,Earley,Devlin,Dallas,Chaffin,Cady,Ahmed,Acuna,Solano,Sigler,Pollack,Pendergrass,Ostrander,Janes,Francois,Fine,Crutchfield,Cordell,Chamberlin,Brubaker,Baptiste,Willson,Reis,Neeley,Mullin,Mercier,Lira,Layman,Keeling,Higdon,Guest,Forrester,Espinal,Dion,Chapin,Carl,Warfield,Toledo,Pulido,Peebles,Nagy,Montague,Mello,Lear,Jaeger,Hogg,Graff,Furr,Derrick,Cave,Canada,Soliz,Poore,Mendenhall,Mclaurin,Maestas,Low,Gable,Belt,Barraza,Tillery,Snead,Pond,Neill,Mcculloch,Mccorkle,Lightfoot,Hutchings,Holloman,Harness,Dorn,Council,Bock,Zielinski,Turley,Treadwell,Stpierre,Starling,Somers,Oswald,Merrick,Marquis,Ivory,Easterling,Bivens,Truitt,Poston,Parry,Ontiveros,Olivarez,Neville,Moreau,Medlin,Ma,Lenz,Knowlton,Fairley,Cobbs,Chisolm,Bannister,Woodworth,Toler,Ocasio,Noriega,Neuman,Moye,Milburn,Mcclanahan,Lilley,Hanes,Flannery,Dellinger,Danielson,Conti,Blodgett,Beers,Weatherford,Strain,Karr,Hitt,Denham,Custer,Coble,Clough,Casteel,Bolduc,Batchelor,Ammons,Whitlow,Tierney,Staten,Sibley,Seifert,Schubert,Salcedo,Mattison,Laney,Haggard,Grooms,Dix,Dees,Cromer,Cooks,Colson,Caswell,Zarate,Swisher,Stacey,Shin,Ragan,Pridgen,Mcvey,Matheny,Leigh,Lafleur,Franz,Ferraro,Dugger,Whiteside,Rigsby,Mcmurray,Lehmann,Large,Jacoby,Hildebrand,Hendrick,Headrick,Goad,Fincher,Drury,Borges,Archibald,Albers,Woodcock,Trapp,Soares,Seaton,Richie,Monson,Luckett,Lindberg,Kopp,Keeton,Hsu,Healey,Garvey,Gaddy,Fain,Burchfield,Badger,Wentworth,Strand,Stack,Spooner,Saucier,Sales,Ruby,Ricci,Plunkett,Pannell,Ness,Leger,Hoy,Freitas,Fong,Elizondo,Duval,Chun,Calvin,Beaudoin,Urbina,Stock,Rickard,Partin,Moe,Mcgrew,Mcclintock,Ledoux,Forsyth,Faison,Devries,Bertrand,Wasson,Tilton,Scarbrough,Pride,Oh,Leung,Larry,Irvine,Garber,Denning,Corral,Colley,Castleberry,Bowlin,Bogan,Beale,Baines,True,Trice,Rayburn,Parkinson,Pak,Nunes,Mcmillen,Leahy,Lea,Kimmel,Higgs,Fulmer,Carden,Bedford,Taggart,Spearman,Register,Prichard,Morrill,Koonce,Heinz,Hedges,Guenther,Grice,Findley,Earle,Dover,Creighton,Boothe,Bayer,Arreola,Vitale,Valles,See,Raney,Peter,Osgood,Lowell,Hanlon,Burley,Bounds,Worden,Weatherly,Vetter,Tanaka,Stiltner,Sell,Nevarez,Mosby,Montero,Melancon,Harter,Hamer,Goble,Gladden,Gist,Ginn,Akin,Zaragoza,Towns,Tarver,Sammons,Royster,Oreilly,Muir,Morehead,Luster,Kingsley,Kelso,Grisham,Glynn,Baumann,Alves,Yount,Tamayo,Tam,Paterson,Oates,Menendez,Longo,Hargis,Greenlee,Gillen,Desantis,Conover,Breedlove,Wayne,Sumpter,Scherer,Rupp,Reichert,Heredia,Fallon,Creel,Cohn,Clemmons,Casas,Bickford,Belton,Bach,Williford,Whitcomb,Tennant,Sutter,Stull,Sessions,Mccallum,Manson,Langlois,Keel,Keegan,Emanuel,Dangelo,Dancy,Damron,Clapp,Clanton,Bankston,Trinidad,Oliveira,Mintz,Mcinnis,Martens,Mabe,Laster,Jolley,Irish,Hildreth,Hefner,Glaser,Duckett,Demers,Brockman,Blais,Back,Alcorn,Agnew,Toliver,Tice,Song,Seeley,Najera,Musser,Mcfall,Laplante,Galvin,Fajardo,Doan,Coyne,Copley,Clawson,Cheung,Barone,Wynne,Woodley,Tremblay,Stoll,Sparrow,Sparkman,Schweitzer,Sasser,Samples,Roney,Ramon,Legg,Lai,Joe,Heim,Farias,Concepcion,Colwell,Christman,Bratcher,Alba,Winchester,Upshaw,Southerland,Sorrell,Shay,Sells,Mount,Mccloskey,Martindale,Luttrell,Loveless,Lovejoy,Linares,Latimer,Holly,Embry,Coombs,Bratton,Bostick,Boss,Venable,Tuggle,Toro,Staggs,Sandlin,Jefferies,Heckman,Griffis,Crayton,Clem,Button,Browder,Allan,Thorton,Sturgill,Sprouse,Royer,Rousseau,Ridenour,Pogue,Perales,Peeples,Metzler,Mesa,Mccutcheon,Mcbee,Jay,Hornsby,Heffner,Corrigan,Armijo,Vue,Romeo,Plante,Peyton,Paredes,Macklin,Hussey,Hodgson,Granados,Frias,Carman,Brent,Becnel,Batten,Almanza,Turney,Teal,Sturgeon,Meeker,Mcdaniels,Limon,Keeney,Kee,Hutto,Holguin,Gorham,Fishman,Fierro,Blanchette,Rodrigue,Reddy,Osburn,Oden,Lerma,Kirkwood,Keefer,Haugen,Hammett,Chalmers,Carlos,Brinkman,Baumgartner,Zhang,Valerio,Tellez,Steffen,Shumate,Sauls,Ripley,Kemper,Jacks,Guffey,Evers,Craddock,Carvalho,Blaylock,Banuelos,Balderas,Wooden,Wheaton,Turnbull,Shuman,Pointer,Mosier,Mccue,Ligon,Kozlowski,Johansen,Ingle,Herr,Briones,Southern,Snipes,Rickman,Pipkin,Peace,Pantoja,Orosco,Moniz,Lawless,Kunkel,Hibbard,Galarza,Enos,Bussey,Settle,Schott,Salcido,Perreault,Mcdougal,Mccool,Haight,Garris,Ferry,Easton,Conyers,Atherton,Wimberly,Utley,Stephen,Spellman,Smithson,Slagle,Skipper,Ritchey,Rand,Petit,Osullivan,Oaks,Nutt,Mcvay,Mccreary,Mayhew,Knoll,Jewett,Harwood,Hailey,Cardoza,Ashe,Arriaga,Andres,Zeller,Wirth,Whitmire,Stauffer,Spring,Rountree,Redden,Mccaffrey,Martz,Loving,Larose,Langdon,Humes,Gaskin,Faber,Doll,Devito,Cass,Almond,Wingfield,Wingate,Villareal,Tyner,Smothers,Severson,Reno,Pennell,Maupin,Leighton,Janssen,Hassell,Hallman,Halcomb,Folse,Fitzsimmons,Fahey,Cranford,Bolen,Battles,Battaglia,Wooldridge,Weed,Trask,Rosser,Regalado,Mcewen,Keefe,Fuqua,Echevarria,Domingo,Dang,Caro,Boynton,Andrus,Wild,Viera,Vanmeter,Taber,Spradlin,Seibert,Provost,Prentice,Oliphant,Laporte,Hwang,Hatchett,Hass,Greiner,Freedman,Covert,Chilton,Byars,Wiese,Venegas,Swank,Shrader,Roderick,Roberge,Mullis,Mortensen,Mccune,Marlowe,Kirchner,Keck,Isaacson,Hostetler,Halverson,Gunther,Griswold,Gerard,Fenner,Durden,Blackwood,Bertram,Ahrens,Sawyers,Savoy,Nabors,Mcswain,Mackay,Loy,Lavender,Lash,Labbe,Jessup,Hubert,Fullerton,Donnell,Cruse,Crittenden,Correia,Centeno,Caudle,Canady,Callender,Alarcon,Ahern,Winfrey,Tribble,Tom,Styles,Salley,Roden,Musgrove,Minnick,Fortenberry,Carrion,Bunting,Bethel,Batiste,Woo,Whited,Underhill,Stillwell,Silvia,Rauch,Pippin,Perrin,Messenger,Mancini,Lister,Kinard,Hartmann,Fleck,Broadway,Wilt,Treadway,Thornhill,Speed,Spalding,Sam,Rafferty,Pitre,Patino,Ordonez,Linkous,Kelleher,Homan,Holiday,Galbraith,Feeney,Dorris,Curtin,Coward,Camarillo,Buss,Bunnell,Bolt,Beeler,Autry,Alcala,Witte,Wentz,Stidham,Shively,Nunley,Meacham,Martins,Lemke,Lefebvre,Kaye,Hynes,Horowitz,Hoppe,Holcombe,Estrella,Dunne,Derr,Cochrane,Brittain,Bedard,Beauregard,Torrence,Strunk,Soria,Simonson,Shumaker,Scoggins,Packer,Oconner,Moriarty,Leroy,Kuntz,Ives,Hutcheson,Horan,Hales,Garmon,Fitts,Dell,Bohn,Atchison,Worth,Wisniewski,Will,Vanwinkle,Sturm,Sallee,Prosser,Moen,Lundberg,Kunz,Kohl,Keane,Jorgenson,Jaynes,Funderburk,Freed,Frame,Durr,Creamer,Cosgrove,Candelaria,Berlin,Batson,Vanhoose,Thomsen,Teeter,Sommer,Smyth,Sena,Redmon,Orellana,Maness,Lennon,Heflin,Goulet,Frick,Forney,Dollar,Bunker,Asbury,Aguiar,Talbott,Southard,Pleasant,Mowery,Mears,Lemmon,Krieger,Hickson,Gracia,Elston,Duong,Delgadillo,Dayton,Dasilva,Conaway,Catron,Bruton,Bradbury,Bordelon,Bivins,Bittner,Bergstrom,Beals,Abell,Whelan,Travers,Tejada,Pulley,Pino,Norfleet,Nealy,Maes,Loper,Held,Gerald,Gatewood,Frierson,Freund,Finnegan,Cupp,Covey,Catalano,Boehm,Bader,Yoon,Walston,Tenney,Sipes,Roller,Rawlins,Medlock,Mccaskill,Mccallister,Marcotte,Maclean,Hughey,Henke,Harwell,Gladney,Gilson,Dew,Chism,Caskey,Brandenburg,Baylor,Villasenor,Veal,Van,Thatcher,Stegall,Shore,Petrie,Nowlin,Navarrete,Muhammad,Lombard,Loftin,Lemaster,Kroll,Kovach,Kimbrell,Kidwell,Hershberger,Fulcher,Eng,Cantwell,Bustos,Boland,Bobbitt,Binkley,Wester,Weis,Verdin,Tong,Tiller,Sisco,Sharkey,Seymore,Rosenbaum,Rohr,Quinonez,Pinkston,Nation,Malley,Logue,Lessard,Lerner,Lebron,Krauss,Klinger,Halstead,Haller,Getz,Burrow,Brant,Alger,Victor,Shores,Scully,Pounds,Pfeifer,Perron,Nelms,Munn,Mcmaster,Mckenney,Manns,Knudson,Hutchens,Huskey,Goebel,Flagg,Cushman,Click,Castellano,Carder,Bumgarner,Blaine,Bible,Wampler,Spinks,Robson,Neel,Mcreynolds,Mathias,Maas,Loera,Kasper,Jose,Jenson,Florez,Coons,Buckingham,Brogan,Berryman,Wilmoth,Wilhite,Thrash,Shephard,Seidel,Schulze,Roldan,Pettis,Obryan,Maki,Mackie,Hatley,Frazer,Fiore,Falls,Chesser,Bui,Bottoms,Bisson,Benefield,Allman,Wilke,Trudeau,Timm,Shifflett,Rau,Mundy,Milliken,Mayers,Leake,Kohn,Huntington,Horsley,Hermann,Guerin,Fryer,Frizzell,Foret,Flemming,Fife,Criswell,Carbajal,Bozeman,Boisvert,Archie,Antonio,Angulo,Wallen,Tapp,Silvers,Ramsay,Oshea,Orta,Moll,Mckeever,Mcgehee,Luciano,Linville,Kiefer,Ketchum,Howerton,Groce,Gaylord,Gass,Fusco,Corbitt,Blythe,Betz,Bartels,Amaral,Aiello,Yoo,Weddle,Troy,Sun,Sperry,Seiler,Runyan,Raley,Overby,Osteen,Olds,Mckeown,Mauro,Matney,Lauer,Lattimore,Hindman,Hartwell,Fredrickson,Fredericks,Espino,Clegg,Carswell,Cambell,Burkholder,August,Woodbury,Welker,Totten,Thornburg,Theriault,Stitt,Stamm,Stackhouse,Simone,Scholl,Saxon,Rife,Razo,Quinlan,Pinkerton,Olivo,Nesmith,Nall,Mattos,Leak,Lafferty,Justus,Giron,Geer,Fielder,Eagle,Drayton,Dortch,Conners,Conger,Chau,Boatwright,Billiot,Barden,Armenta,Antoine,Tibbetts,Steadman,Slattery,Sides,Rinaldi,Raynor,Rayford,Pinckney,Pettigrew,Nickel,Milne,Matteson,Halsey,Gonsalves,Fellows,Durand,Desimone,Cowley,Cowles,Brill,Barham,Barela,Barba,Ashmore,Withrow,Valenti,Tejeda,Spriggs,Sayre,Salerno,Place,Peltier,Peel,Merriman,Matheson,Lowman,Lindstrom,Hyland,Homer,Ha,Giroux,Fries,Frasier,Earls,Dugas,Damon,Dabney,Collado,Briseno,Baxley,Andre,Word,Whyte,Wenger,Vanover,Vanburen,Thiel,Schindler,Schiller,Rigby,Pomeroy,Passmore,Marble,Manzo,Mahaffey,Lindgren,Laflamme,Greathouse,Fite,Ferrari,Calabrese,Bayne,Yamamoto,Wick,Townes,Thames,Steel,Reinhart,Peeler,Naranjo,Montez,Mcdade,Mast,Markley,Marchand,Leeper,Kong,Kellum,Hudgens,Hennessey,Hadden,Guess,Gainey,Coppola,Borrego,Bolling,Beane,Ault,Slaton,Poland,Pape,Null,Mulkey,Lightner,Langer,Hillard,Glasgow,Fabian,Ethridge,Enright,Derosa,Baskin,Alfred,Weinberg,Turman,Tinker,Somerville,Pardo,Noll,Lashley,Ingraham,Hiller,Hendon,Glaze,Flora,Cothran,Cooksey,Conte,Carrico,Apple,Abner,Wooley,Swope,Summerlin,Sturgis,Sturdivant,Stott,Spurgeon,Spillman,Speight,Roussel,Popp,Nutter,Mckeon,Mazza,Magnuson,Lanning,Kozak,Jankowski,Heyward,Forster,Corwin,Callaghan,Bays,Wortham,Usher,Theriot,Sayers,Sabo,Rupert,Poling,Nathan,Loya,Lieberman,Levi,Laroche,Labelle,Howes,Harr,Garay,Fogarty,Everson,Durkin,Dominquez,Chaves,Chambliss,Alfonso,Witcher,Wilber,Vieira,Vandiver,Terrill,Stoker,Schreiner,Nestor,Moorman,Liddell,Lew,Lawhorn,Krug,Irons,Hylton,Hollenbeck,Herrin,Hembree,Hair,Goolsby,Goodin,Gilmer,Foltz,Dinkins,Daughtry,Caban,Brim,Briley,Bilodeau,Bear,Wyant,Vergara,Tallent,Swearingen,Stroup,Sherry,Scribner,Roger,Quillen,Pitman,Monaco,Mccants,Maxfield,Martinson,Landon,Holtz,Flournoy,Brookins,Brody,Baumgardner,Angelo,Straub,Sills,Roybal,Roundtree,Oswalt,Money,Mcgriff,Mcdougall,Mccleary,Maggard,Gragg,Gooding,Godinez,Doolittle,Donato,Cowell,Cassell,Bracken,Appel,Ahmad,Zambrano,Reuter,Perea,Olive,Nakamura,Monaghan,Mickens,Mcclinton,Mcclary,Marler,Kish,Judkins,Gilbreath,Freese,Flanigan,Felts,Erdmann,Dodds,Chew,Brownell,Brazil,Boatright,Barreto,Slayton,Sandberg,Saldivar,Pettway,Odum,Narvaez,Moultrie,Montemayor,Merrell,Lees,Keyser,Hoke,Hardaway,Hannan,Gilbertson,Fogg,Dumont,Deberry,Coggins,Carrera,Buxton,Bucher,Broadnax,Beeson,Araujo,Appleton,Amundson,Aguayo,Ackley,Yocum,Worsham,Shivers,Shelly,Sanches,Sacco,Robey,Rhoden,Pender,Ochs,Mccurry,Madera,Luong,Luis,Knotts,Jackman,Heinrich,Hargrave,Gault,Forest,Comeaux,Chitwood,Child,Caraway,Boettcher,Bernhardt,Barrientos,Zink,Wickham,Whiteman,Thorp,Stillman,Settles,Schoonover,Roque,Riddell,Rey,Pilcher,Phifer,Novotny,Maple,Macleod,Hardee,Haase,Grider,Fredrick,Earnest,Doucette,Clausen,Christmas,Bevins,Beamon,Badillo,Tolley,Tindall,Soule,Snook,Sebastian,Seale,Pitcher,Pinkney,Pellegrino,Nowell,Nemeth,Nail,Mondragon,Mclane,Lundgren,Ingalls,Hudspeth,Hixson,Gearhart,Furlong,Downes,Dionne,Dibble,Deyoung,Cornejo,Camara,Brookshire,Boyette,Wolcott,Tracey,Surratt,Sellars,Segal,Salyer,Reeve,Rausch,Philips,Labonte,Haro,Gower,Freeland,Fawcett,Eads,Driggers,Donley,Collett,Cage,Bromley,Boatman,Ballinger,Baldridge,Volz,Trombley,Stonge,Silas,Shanahan,Rivard,Rhyne,Pedroza,Matias,Mallard,Jamieson,Hedgepeth,Hartnett,Estevez,Eskridge,Denman,Chiu,Chinn,Catlett,Carmack,Buie,Book,Bechtel,Beardsley,Bard,Ballou,Windsor,Ulmer,Storm,Skeen,Robledo,Rincon,Reitz,Piazza,Pearl,Munger,Moten,Mcmichael,Loftus,Ledet,Kersey,Groff,Fowlkes,Folk,Crumpton,Collette,Clouse,Bettis,Villagomez,Timmerman,Strom,Saul,Santoro,Roddy,Phillip,Penrod,Musselman,Macpherson,Leboeuf,Harless,Haddad,Guido,Golding,Fulkerson,Fannin,Dulaney,Dowdell,Deane,Cottle,Ceja,Cate,Bosley,Benge,Albritton,Voigt,Trowbridge,Soileau,Seely,Rome,Rohde,Pearsall,Paulk,Orth,Nason,Mota,Mcmullin,Marquardt,Madigan,Hoag,Gillum,Gayle,Gabbard,Fenwick,Fender,Eck,Danforth,Cushing,Cress,Creed,Cazares,Casanova,Bey,Bettencourt,Barringer,Baber,Stansberry,Schramm,Rutter,Rivero,Race,Oquendo,Necaise,Mouton,Montenegro,Miley,Mcgough,Marra,Macmillan,Lock,Lamontagne,Jasso,Jaime,Horst,Hetrick,Heilman,Gaytan,Gall,Fried,Fortney,Eden,Dingle,Desjardins,Dabbs,Burbank,Brigham,Breland,Beaman,Banner,Arriola,Yarborough,Wallin,Treat,Toscano,Stowers,Reiss,Pichardo,Orton,Mitchel,Michels,Mcnamee,Mccrory,Leatherman,Kell,Keister,Jerome,Horning,Hargett,Guay,Friday,Ferro,Deboer,Dagostino,Clemente,Christ,Carper,Bowler,Blanks,Beaudry,Willie,Towle,Tafoya,Stricklin,Strader,Soper,Sonnier,Sigmon,Schenk,Saddler,Rodman,Pedigo,Mendes,Lunn,Lohr,Lahr,Kingsbury,Jarman,Hume,Holliman,Hofmann,Haworth,Harrelson,Hambrick,Flick,Edmunds,Dacosta,Crossman,Colston,Chaplin,Carrell,Budd,Weiler,Waits,Viola,Valentino,Trantham,Tarr,Straight,Solorio,Roebuck,Powe,Plank,Pettus,Palm,Pagano,Mink,Luker,Leathers,Joslin,Hartzell,Gambrell,Fears,Deutsch,Cepeda,Carty,Caputo,Brewington,Bedell,Ballew,Applewhite,Warnock,Walz,Urena,Tudor,Reel,Pigg,Parton,Mickelson,Meagher,Mclellan,Mcculley,Mandel,Leech,Lavallee,Kraemer,Kling,Kipp,Kingston,Kehoe,Hochstetler,Harriman,Gregoire,Grabowski,Gosselin,Gammon,Fancher,Edens,Desai,Butt,Brannan,Armendariz,Woolsey,Whitehouse,Whetstone,Ussery,Towne,Tower,Testa,Tallman,Studer,Strait,Steinmetz,Sorrells,Sauceda,Rolfe,Rae,Paddock,Mitchem,Mcginn,Mccrea,Luck,Lovato,Ling,Hazen,Gilpin,Gaynor,Fike,Devoe,Delrio,Curiel,Burkhardt,Bristol,Bode,Backus,Alton,Zinn,Watanabe,Wachter,Vanpelt,Turnage,Shaner,Schroder,Sato,Riordan,Quimby,Portis,Natale,Mckoy,Mccown,Marker,Lucio,Kilmer,Karl,Hotchkiss,Hesse,Halbert,Gwinn,Godsey,Desmond,Delisle,Chrisman,Canter,Brook,Arbogast,Angell,Acree,Yancy,Woolley,Wesson,Weatherspoon,Trainor,Stockman,Spiller,Sipe,Rooks,Reavis,Propst,Porras,Neilson,Mullens,Loucks,Llewellyn,Lamont,Kumar,Koester,Klingensmith,Kirsch,Kester,Honaker,Hodson,Hennessy,Helmick,Garrity,Garibay,Fee,Drain,Casarez,Callis,Botello,Bay,Aycock,Avant,Angle,Wingard,Wayman,Tully,Theisen,Szymanski,Stansbury,Segovia,Rudy,Rainwater,Preece,Pirtle,Padron,Mincey,Mckelvey,Mathes,Marty,Larrabee,Kornegay,Klug,Judy,Ingersoll,Hecht,Germain,Eggers,Dykstra,Denis,Deering,Decoteau,Deason,Dearing,Cofield,Carrigan,Brush,Bonham,Bahr,Aucoin,Appleby,Almonte,Yager,Womble,Wimmer,Weimer,Vanderpool,Stancil,Sprinkle,Romine,Remington,Pfaff,Peckham,Olivera,Meraz,Maze,Lathrop,Koehn,Jonas,Hazelton,Halvorson,Hallock,Haddock,Ducharme,Dehaven,Colton,Caruthers,Brehm,Bosworth,Bost,Blow,Bias,Beeman,Basile,Bane,Aikens,Zachary,Wold,Walther,Tabb,Suber,Strawn,Stocks,Stocker,Shirey,Schlosser,Salvador,Riedel,Rembert,Reimer,Pyles,Pickle,Peele,Merriweather,Letourneau,Latta,Kidder,Hixon,Hillis,Hight,Herbst,Henriquez,Haygood,Hamill,Gabel,Fritts,Eubank,Duty,Dawes,Correll,Coffee,Cha,Bushey,Buchholz,Brotherton,Bridge,Botts,Barnwell,Auger,Atchley,Westphal,Veilleux,Ulloa,Truman,Stutzman,Shriver,Ryals,Prior,Pilkington,Newport,Moyers,Miracle,Marrs,Mangrum,Maddux,Lockard,Laing,Kuhl,Harney,Hammock,Hamlett,Felker,Doerr,Depriest,Carrasquillo,Carothers,Bogle,Blood,Bischoff,Bergen,Albanese,Wyckoff,Vermillion,Vansickle,Thibault,Tetreault,Stickney,Shoemake,Ruggiero,Rawson,Racine,Philpot,Paschal,Mcelhaney,Mathison,Legrand,Lapierre,Kwan,Kremer,Jiles,Hilbert,Geyer,Faircloth,Ehlers,Egbert,Desrosiers,Dalrymple,Cotten,Cashman,Cadena,Breeding,Boardman,Alcaraz,Ahn,Wyrick,Therrien,Tankersley,Strickler,Puryear,Plourde,Pattison,Pardue,Milan,Mcginty,Mcevoy,Landreth,Kuhns,Koon,Hewett,Giddens,Everette,Emerick,Eades,Deangelis,Cosme,Ceballos,Birdsong,Benham,Bemis,Armour,Anguiano,Angeles,Welborn,Tsosie,Storms,Shoup,Sessoms,Samaniego,Rood,Rojo,Rhinehart,Raby,Northcutt,Myer,Munguia,Morehouse,More,Mcdevitt,Mateo,Mallett,Lozada,Lemoine,Kuehn,Hallett,Grim,Gillard,Gaylor,Garman,Gallaher,Feaster,Faris,Darrow,Dardar,Coney,Carreon,Byron,Braithwaite,Boylan,Boyett,Born,Bixler,Bigham,Benford,Barragan,Barnum,Zuber,Wyche,Westcott,Vining,Stoltzfus,Simonds,Shupe,Sabin,Ruble,Rittenhouse,Richman,Perrone,Mulholland,Millan,Meister,Mathew,Lomeli,Kite,Jemison,Hulett,Holler,Hickerson,Herold,Hazelwood,Griffen,Gause,Forde,Eisenberg,Dilworth,Charron,Chaisson,Brodie,Bristow,Breunig,Brace,Boutwell,Bentz,Belk,Bayless,Batchelder,Baran,Baeza,Zimmermann,Weathersby,Volk,Toole,Theis,Tedesco,Shine,Searle,Schenck,Satterwhite,Sandy,Ruelas,Royce,Rankins,Partida,Nesbit,Morel,Menchaca,Levasseur,Kaylor,Johnstone,Hulse,Hollar,Hersey,Harrigan,Harbison,Guyer,Gish,Giese,Gerlach,Geller,Geisler,Falcone,Ernest,Elwell,Doucet,Deese,Darr,Corder,Chafin,Byler,Bussell,Burdett,Brasher,Bowe,Bellinger,Bastian,Barner,Alleyne,Wilborn,Weil,Wegner,Wales,Tatro,Spitzer,Smithers,Schoen,Resendez,Pete,Parisi,Overman,Obrian,Mudd,Moy,Mclaren,Mahler,Maggio,Lindner,Lalonde,Lacasse,Laboy,Killion,Kahl,Jessen,Jamerson,Houk,Henshaw,Gustin,Groom,Graber,Durst,Duenas,Davey,Cundiff,Conlon,Colunga,Coakley,Chiles,Capers,Buell,Bricker,Bissonnette,Birmingham,Bartz,Bagby,Zayas,Volpe,Treece,Toombs,Thom,Terrazas,Swinney,Skiles,Silveira,Shouse,Senn,Rambo,Ramage,Nez,Moua,Marlin,Malik,Langham,Kyles,Holston,Hoagland,Herd,Hector,Feller,Emory,Denison,Corliss,Carraway,Burford,Bickel,Ambriz,Abercrombie,Yamada,Winner,Weidner,Waddle,Verduzco,Thurmond,Swindle,Schrock,Sanabria,Rosenberger,Probst,Peabody,Olinger,Neighbors,Nazario,Mccafferty,Mcbroom,Mcabee,Mazur,Matherne,Mapes,Leverett,Killingsworth,Heisler,Griego,Grande,Gosnell,Frankel,Franke,Ferrante,Fenn,Elmer,Ehrlich,Christopherso,Chick,Chasse,Chancellor,Caton,Brunelle,Bly,Bloomfield,Babbitt,Azevedo,Abramson,Ables,Abeyta,Youmans,Wozniak,Wainwright,Summer,Stowell,Smitherman,Sites,Samuelson,Runge,Rule,Rothman,Rosenfeld,Quan,Peake,Oxford,Owings,Olmos,Munro,Moreira,Leatherwood,Larkins,Krantz,Kovacs,Kizer,Kindred,Karnes,Jaffe,Hubbell,Hosey,Hauck,Harold,Goodell,Favors,Erdman,Dvorak,Doane,Cureton,Cofer,Buehler,Bierman,Berndt,Banta,Annis,Abram,Abdullah,Warwick,Waltz,Turcotte,Trinh,Torrey,Stith,Seger,Sachs,Quesada,Pinder,Peppers,Pascual,Paschall,Parkhurst,Ozuna,Oster,Nicholls,Mortimer,Lheureux,Lavalley,Kimura,Jablonski,Haun,Gourley,Gilligan,Fix,Derby,Croy,Cotto,Cargill,Burwell,Burgett,Buckman,Brett,Booher,Adorno,Wrenn,Whittemore,Urias,Szabo,Sayles,Saiz,Rutland,Rael,Plant,Pharr,Penney,Pelkey,Ogrady,Nickell,Musick,Moats,Mather,Massa,Laurent,Kirschner,Kieffer,Kellar,Hendershot,Gott,Godoy,Gadson,Furtado,Fiedler,Erskine,Edison,Dutcher,Dever,Daggett,Chevalier,Chao,Brake,Ballesteros,Amerson,Alejandro,Wingo,Waldon,Trott,Spikes,Silvey,Showers,Schlegel,Rue,Ritz,Pepin,Pelayo,Parsley,Palermo,Moorehead,Mchale,Lett,Kocher,Kilburn,Iglesias,Humble,Hulbert,Huckaby,Hix,Haven,Hartford,Hardiman,Gurney,Grigg,Grasso,Goings,Fillmore,Farber,Depew,Dandrea,Dame,Cowen,Covarrubias,Cory,Burrus,Bracy,Ardoin,Thompkins,Suzuki,Standley,Russel,Radcliffe,Pohl,Persaud,Percy,Parenteau,Pabon,Newson,Newhouse,Napolitano,Mulcahy,Maya,Malave,Keim,Hooten,Hernandes,Heffernan,Hearne,Greenleaf,Glick,Fuhrman,Fetter,Faria,Dishman,Dickenson,Crites,Criss,Clapper,Chenault,Castor,Casto,Bugg,Bove,Bonney,Blessing,Ard,Anderton,Allgood,Alderson,Woodman,Wisdom,Warrick,Toomey,Tooley,Tarrant,Summerville,Stebbins,Sokol,Sink,Searles,Schutz,Schumann,Scheer,Remillard,Raper,Proulx,Palmore,Monroy,Miguel,Messier,Melo,Melanson,Mashburn,Manzano,Lussier,Lovely,Lien,Jenks,Huneycutt,Hartwig,Grimsley,Fulk,Fielding,Fidler,Engstrom,Eldred,Dantzler,Crandell,Ching,Calder,Brumley,Breton,Brann,Bramlett,Boykins,Bianco,Bancroft,Almaraz,Alcantar,Whitmer,Whitener,Welton,Vineyard,Su,Rahn,Paquin,Mizell,Mix,Mcmillin,Mckean,Marston,Maciel,Lundquist,Louie,Liggins,Lampkin,Kranz,Koski,Kirkham,Jiminez,Hazzard,Harrod,Graziano,Grammer,Gendron,Garrido,Fordham,Englert,Elwood,Dryden,Demoss,Deluna,Crabb,Comeau,Claudio,Brummett,Blume,Benally,Wessel,Vanbuskirk,Thorson,Stumpf,Stockwell,Rocco,Reams,Radtke,Rackley,Pelton,Niemi,Newland,Nelsen,Morrissette,Miramontes,Mcginley,Mccluskey,Marley,Marchant,Luevano,Lampe,Lail,Jeffcoat,Infante,Hu,Hinman,Gaona,Erb,Eady,Desmarais,Decosta,Dansby,Cisco,Choe,Breckenridge,Bostwick,Borg,Bianchi,Beer,Alberts,Adrian,Wilkie,Whorton,Vargo,Tait,Sylvia,Soucy,Schuman,Ousley,Mumford,Lum,Lippert,Leath,Lavergne,Laliberte,Kirksey,Kenner,Johnsen,Izzo,Hiles,Gullett,Greenwell,Gaspar,Galbreath,Gaitan,Ericson,Duck,Delapaz,Croom,Cottingham,Clift,Bushnell,Boozer,Bice,Bernardo,Beason,Arrowood,Waring,Voorhees,Truax,Shreve,Shockey,Schatz,Sandifer,Rubino,Rozier,Roseberry,Roll,Player,Pieper,Peden,Nester,Nave,Murphey,Malinowski,Macgregor,Liang,Lafrance,Kunkle,Kirkman,Jorge,Hipp,Hasty,Haddix,Gervais,Gerdes,Garfield,Gamache,Fouts,Fitzwater,Dillingham,Deming,Deanda,Cedeno,Cannady,Burson,Bouldin,Arceneaux,Woodhouse,Whitford,Wescott,Welty,Weigel,Torgerson,Toms,Surber,Sunderland,Sterner,Setzer,Salvatore,Riojas,Pumphrey,Puga,Pedro,Patch,Metts,Mcgarry,Mccandless,Magill,Lupo,Loveland,Llamas,Leclerc,Koons,Kahler,Huss,Holbert,Heintz,Haupt,Grimmett,Gaskill,Flower,Ellingson,Dorr,Dingess,Deweese,Desilva,Crossley,Cordeiro,Converse,Conde,Cheeks,Caldera,Cairns,Burmeister,Burkhalter,Brawner,Bott,Youngs,Vierra,Valladares,Tiffany,Shrum,Shropshire,Sevilla,Rusk,Roof,Rodarte,Pedraza,Nino,Montana,Merino,Mcminn,Markle,Mapp,Lucia,Lajoie,Koerner,Kittrell,Kato,Hyder,Hollifield,Heiser,Hazlett,Greenwald,Fant,Eldredge,Dreher,Delafuente,Cravens,Claypool,Beecher,Aronson,Alanis,Worthen,Wojcik,Winger,Whitacre,Wellington,Valverde,Valdivia,Troupe,Thrower,Swindell,Suttles,Suh,Stroman,Spires,Slate,Shealy,Sarver,Sartin,Sadowski,Rondeau,Rolon,Rick,Rex,Rascon,Priddy,Pine,Paulino,Nolte,Munroe,Molloy,Mellon,Mciver,Lykins,Loggins,Lillie,Lenoir,Klotz,Kempf,Jone,Hupp,Hollowell,Hollander,Haynie,Hassan,Harkness,Harker,Gottlieb,Frith,Eddins,Driskell,Doggett,Densmore,Charette,Cassady,Carrol,Byrum,Burcham,Buggs,Benn,Whitted,Warrington,Vandusen,Vaillancourt,Steger,Spell,Siebert,Scofield,Quirk,Purser,Plumb,Orcutt,Northern,Nordstrom,Mosely,Michalski,Mcphail,Mcdavid,Mccraw,Martini,Marchese,Mannino,Leo,Lefevre,Largent,Lanza,Kress,Isham,Hunsaker,Hoch,Hildebrandt,Guarino,Grijalva,Graybill,Fick,Ewell,Ewald,Deangelo,Cusick,Crumley,Coston,Cathcart,Carruthers,Bullington,Brian,Bowes,Blain,Blackford,Barboza,Yingling,Woodland,Wert,Weiland,Varga,Silverstein,Sievers,Shuster,Shumway,Scudder,Runnels,Rumsey,Renfroe,Provencher,Polley,Mohler,Middlebrooks,Kutz,Koster,Korn,Grow,Groth,Glidden,Fazio,Deen,Corn,Copper,Chipman,Chenoweth,Champlin,Cedillo,Carrero,Carmody,Buckles,Brien,Boutin,Bosch,Bill,Berkowitz,Altamirano,Wilfong,Wiegand,Waites,Truesdale,Toussaint,Tobey,Tedder,Steelman,Sirois,Schnell,Robichaud,Ridge,Richburg,Pray,Plumley,Pizarro,Piercy,Ortego,Oberg,Neace,Music,Mickey,Mertz,Mcnew,Matta,Lawyer,Lapp,Lair,Kibler,Jessie,Howlett,Hollister,Hofer,Hatten,Hagler,Germany,Falgoust,Engelhardt,Eberle,Eastwood,Dombrowski,Dinsmore,Daye,Cool,Casares,Capone,Braud,Balch,Autrey,Wendel,Tyndall,Toy,Strobel,Stoltz,Spinelli,Serrato,Rochester,Reber,Real,Rathbone,Palomino,Noah,Nickels,Mayle,Mathers,Mach,Loeffler,Littrell,Levinson,Leong,Lemire,Lejeune,Lazo,Lasley,Koller,Kennard,Jester,Hoelscher,Hintz,Hagerman,Greaves,Fore,Eudy,Engler,Corrales,Cordes,Brunet,Bidwell,Bennet,Bare,Tyrrell,Tharpe,Swinton,Stribling,Steven,Southworth,Sisneros,Shane,Savoie,Samons,Ruvalcaba,Roscoe,Ries,Ramer,Omara,Mosqueda,Millar,Mcpeak,Macomber,Luckey,Litton,Lehr,Lavin,Hubbs,Hoard,Hibbs,Hagans,Futrell,Exum,Evenson,Dicks,Culler,Chou,Carbaugh,Callen,Brashear,Bloomer,Blakeney,Bigler,Addington,Woodford,Witter,Unruh,Tolentino,Sumrall,Stgermain,Smock,Sherer,Salem,Rochelle,Rayner,Pooler,Oquinn,Nero,Milano,Mcglothlin,Mars,Linden,Kowal,Kerrigan,Ibrahim,Harvell,Hanrahan,Goodall,Geist,Fussell,Fung,Ferebee,Federico,Eley,Eggert,Dorsett,Dingman,Destefano,Colucci,Clemmer,Caesar,Burnell,Brumbaugh,Boddie,Berryhill,Avelar,Alcantara,Abbey,Winder,Winchell,Vandenberg,Trotman,Thurber,Thibeault,Stlouis,Stilwell,Sperling,Shattuck,Sarmiento,Ruppert,Rumph,Renaud,Randazzo,Rademacher,Quiles,Pearman,Palomo,Mercurio,Lowrey,Lindeman,Lawlor,Larosa,Lander,Labrecque,Kimber,Hovis,Holifield,Henninger,Hawkes,Hartfield,Hann,Hague,Genovese,Garrick,Fudge,Frink,Eddings,Dinh,Dear,Cutter,Cribbs,Constant,Calvillo,Bunton,Brodeur,Bolding,Blanding,Agosto,Zahn,Wiener,Trussell,Tew,Tello,Teixeira,Stephan,Speck,Sharma,Shanklin,Sealy,Scanlan,Santamaria,Roundy,Robichaux,Ringer,Rigney,Prevost,Polson,Philip,Pass,Nord,Moxley,Mohammed,Medford,Mccaslin,Mcardle,Macarthur,Lewin,Lasher,Ketcham,Keiser,Heine,Hackworth,Grose,Grizzle,Grass,Gillman,Gartner,Garth,Frazee,Fleury,Fast,Edson,Edmonson,Derry,Deck,Cronk,Conant,Burress,Burgin,Broom,Brockington,Bolick,Boger,Birchfield,Billington,Baily,Bahena,Armbruster,Anson,Yoho,Wilcher,Tinney,Timberlake,Thoma,Thielen,Sutphin,Stultz,Sikora,Serra,Schulman,Scheffler,Santillan,Robin,Rego,Preciado,Pinkham,Monday,Mickle,Luu,Lomas,Lizotte,Lent,Lenard,Kellerman,Keil,Juan,Johanson,Hernadez,Hartsfield,Hang,Haber,Gorski,Farkas,Eberhardt,Duquette,Delano,Cropper,Cozart,Cockerham,Chamblee,Cartagena,Cahoon,Buzzell,Brister,Brewton,Blackshear,Benfield,Aston,Ashburn,Arruda,Wetmore,Weise,Vaccaro,Tucci,Sudduth,Stromberg,Stoops,Showalter,Shears,Runion,Rowden,Rosenblum,Riffle,Renfrow,Peres,Obryant,Nicolas,Leftwich,Lark,Landeros,Kistler,Killough,Kerley,Kastner,Hoggard,Hartung,Guertin,Govan,Gatling,Gailey,Fullmer,Fulford,Flatt,Esquibel,Endicott,Edmiston,Edelstein,Dufresne,Dressler,Dickman,Chee,Busse,Bonnett,Bogart,Berard,Barrington,Arena,Anton,Yoshida,Velarde,Veach,Vanhouten,Vachon,Tolson,Tolman,Tennyson,Stites,Soler,Shutt,Ruggles,Rhone,Pegues,Ong,Neese,Muro,Moncrief,Mefford,Mcphee,Mcmorris,Mceachern,Mcclurg,Mansour,Mai,Mader,Leija,Lecompte,Lafountain,Labrie,Jaquez,Heald,Hash,Hartle,Gainer,Frisby,Farina,Eidson,Edgerton,Dyke,Durrett,Duhon,Cuomo,Cobos,Cervantez,Bybee,Brockway,Borowski,Binion,Beery,Arguello,Amaro,Acton,Yuen,Winton,Wigfall,Weekley,Vidrine,Vannoy,Tardiff,Shoop,Shilling,Schick,Sand,Safford,Prendergast,Pilgrim,Pellerin,Osuna,Nissen,Nalley,Moritz,Moller,Messner,Messick,Merry,Merrifield,Mcguinness,Matherly,Marcano,Mahone,Lemos,Lebrun,Jara,Hoffer,Hewlett,Herren,Hecker,Haws,Haug,Hack,Gwin,Gober,Gilliard,Fredette,Favela,Echeverria,Downer,Donofrio,Desrochers,Dee,Crozier,Corson,Clyde,Bechtold,Argueta,Aparicio,Zamudio,Willette,Westover,Westerman,Utter,Troyer,Thies,Tapley,Slavin,Shirk,Sandler,Roop,Rimmer,Raymer,Range,Radcliff,Otten,Moorer,Millet,Mckibben,Mccutchen,Mcavoy,Mcadoo,Mayorga,Mastin,Martineau,Marek,Madore,Leflore,Kroeger,Kennon,Jimerson,Javier,Hostetter,Hornback,Hendley,Hance,Guardado,Granado,Gowen,Goodale,Flinn,Fleetwood,Fitz,Durkee,Duprey,Dipietro,Dilley,Clyburn,Brawley,Beckley,Arana,Weatherby,Vollmer,Victoria,Vestal,Tunnell,Trigg,Tingle,Takahashi,Sweatt,Storer,Snapp,Shiver,Rooker,Red,Rathbun,Poisson,Perrine,Perri,Pastor,Parmer,Parke,Pare,Papa,Palmieri,Nottingham,Midkiff,Mecham,Mccomas,Mcalpine,Lovelady,Lillard,Lally,Knopp,Kile,Kiger,Haile,Gupta,Goldsberry,Gilreath,Fulks,Friesen,Franzen,Flack,Findlay,Ferland,Dreyer,Dore,Dennard,Deckard,Debose,Crim,Coulombe,Cork,Chancey,Cantor,Branton,Bissell,Barns,Woolard,Witham,Wasserman,Waldo,Spiegel,Shoffner,Scholz,Ruch,Rossman,Ready,Petry,Palacio,Paez,Neary,Mortenson,Millsap,Miele,Mick,Menke,Mckim,Mcanally,Martines,Manor,Malcom,Lemley,Larochelle,Klaus,Klatt,Kaufmann,Kapp,Helmer,Hedge,Halloran,Glisson,Frechette,Fontana,Enoch,Eagan,Drum,Distefano,Danley,Creekmore,Chartier,Chaffee,Carillo,Burg,Bolinger,Berkley,Benz,Basso,Bash,Barrier,Zelaya,Woodring,Witkowski,Wilmot,Wilkens,Wieland,Virgil,Verdugo,Urquhart,Tsai,Timms,Swiger,Swaim,Sussman,Scarlett,Pires,Molnar,Mcatee,Maurice,Lowder,Loos,Linker,Landes,Kingery,Keeley,Hufford,Higa,Hendren,Hammack,Hamann,Gillam,Gerhardt,Fell,Eugene,Edelman,Eby,Delk,Deans,Curl,Constantine,Cleaver,Claar,Casiano,Carruth,Carlyle,Bump,Brophy,Bolanos,Bibbs,Bessette,Beggs,Baugher,Bartel,Averill,Andresen,Amin,Alden,Adames,Wildman,Via,Valente,Turnbow,Tse,Swink,Sublett,Stroh,Stringfellow,Ridgway,Pugliese,Poteat,Pang,Ohare,Neubauer,Murchison,Mohamed,Mingo,Lucky,Lemmons,Kwon,Kellam,Kean,Jarmon,Hyden,Hudak,Hollinger,Henkel,Hemingway,Hasson,Hansel,Halter,Haire,Goodnight,Ginsberg,Gillispie,Fogel,Flory,Etter,Elledge,Eckman,Deas,Currin,Crafton,Coomer,Colter,Claxton,Bulter,Braddock,Bowyer,Blizzard,Binns,Bing,Bellows,Baskerville,Barros,Ansley,Woolf,Wight,Waldman,Wadley,Tull,Trull,Tesch,Struck,Stouffer,Stadler,Slay,Shubert,Sedillo,Santacruz,Reinke,Raleigh,Poynter,Neri,Neale,Natividad,Mowry,Moralez,Monger,Mitchum,Merryman,Manion,Macdougall,Lux,Litchfield,Ley,Levitt,Lepage,Lasalle,Laine,Khoury,Kavanagh,Karns,Ivie,Huebner,Hodgkins,Halpin,Garica,Eversole,Dutra,Dunagan,Duffey,Dillman,Dillion,Deville,Dearborn,Damato,Courson,Coulson,Burdine,Bryce,Bousquet,Bonin,Bish,Atencio,Westbrooks,Wages,Vaca,Tye,Toner,Tomas,Tillis,Swett,Surface,Struble,Stanfill,Son,Solorzano,Slusher,Sipple,Sim,Silvas,Shults,Schexnayder,Saez,Rodas,Rager,Pulver,Plaza,Penton,Paniagua,Meneses,Mcfarlin,Mcauley,Matz,Maloy,Magruder,Lohman,Landa,Lacombe,Jaimes,Hom,Holzer,Holst,Heil,Hackler,Grundy,Gregor,Gilkey,Farnham,Durfee,Dunton,Dunston,Duda,Dews,Dana,Craver,Corriveau,Conwell,Colella,Chambless,Bremer,Boutte,Bourassa,Blaisdell,Backman,Babineaux,Audette,Alleman,Towner,Taveras,Tarango,Sullins,Suiter,Stallard,Solberg,Schlueter,Poulos,Pimental,Owsley,Olivier,Okelley,Nations,Moffatt,Metcalfe,Meekins,Medellin,Mcglynn,Mccowan,Marriott,Marable,Lennox,Lamoureux,Koss,Kerby,Karp,Jason,Isenberg,Howze,Hockenberry,Highsmith,Harbour,Hallmark,Gusman,Greeley,Giddings,Gaudet,Gallup,Fleenor,Eicher,Edington,Dimaggio,Dement,Demello,Decastro,Cruise,Bushman,Brundage,Brooker,Brooke,Bourg,Board,Blackstock,Bergmann,Beaton,Banister,Argo,Appling,Wortman,Watterson,Villalpando,Tillotson,Tighe,Sundberg,Sternberg,Stamey,Speaks,Shipe,Seeger,Scarberry,Sattler,Sain,Rothstein,Poteet,Plowman,Pettiford,Penland,Peach,Partain,Pankey,Oyler,Ogletree,Ogburn,Moton,Million,Merkel,Mask,Markus,Lucier,Lazarus,Lavelle,Lakey,Kratz,Kinser,Kershaw,Josephson,Jesse,Imhoff,Ibanez,Hendry,Hammon,Frisbie,Friedrich,Frawley,Fraga,Forester,Eskew,Emmert,Drennan,Doyon,Dominick,Dandridge,Cumming,Cawley,Carvajal,Bracey,Belisle,Batey,Ahner,Wysocki,Weiser,Veliz,Tincher,Sherlock,Santo,Sansone,Sankey,Sandstrom,Sale,Rohrer,Risner,Pridemore,Pfeffer,Persinger,Peery,Oubre,Orange,Nowicki,Musgrave,Murdoch,Mullinax,Mccary,Mathieu,Livengood,Leonardo,Kyser,Klink,Kimes,Kellner,Kavanaugh,Kasten,Imes,Hoey,Hinshaw,Halley,Hake,Gurule,Grube,Grillo,Geter,Gatto,Garver,Garretson,Farwell,Eiland,Dunford,Decarlo,Corso,Core,Colman,Collard,Cleghorn,Chasteen,Cavender,Carlile,Calvo,Byerly,Brogdon,Broadwater,Breault,Bono,Bergin,Behr,Ballenger,Amick,Yan,Vice,Tamez,Stiffler,Steinke,Simmon,Shankle,Schaller,Salmons,Sackett,Saad,Rideout,Reader,Ratcliffe,Rao,Ranson,Randell,Plascencia,Petterson,Olszewski,Olney,Olguin,Nilsson,Nevels,Morelli,Montiel,Monge,Michell,Michaelson,Mertens,Mcchesney,Mcalpin,Mathewson,Lower,Loudermilk,Lineberry,Liggett,Lamp,Kinlaw,Kight,Just,Jost,Hereford,Hardeman,Halpern,Halliday,Hafer,Gaul,Friel,Freitag,Frances,Forsberg,Evangelista,Doering,Dicarlo,Dendy,Delp,Deguzman,Dameron,Curtiss,Cousin,Cosper,Charley,Cauthen,Cao,Camper,Bradberry,Bouton,Bonnell,Bixby,Bieber,Beveridge,Belle,Bedwell,Barhorst,Bannon,Baltazar,Baier,Ayotte,Attaway,Arenas,Alex,Abrego,Watford,Valley,Turgeon,Tunstall,Thaxton,Thai,Tenorio,Stotts,Sthilaire,Spiker,Shedd,Seng,Seabolt,Scalf,Salyers,Ruhl,Rowlett,Robinett,Pfister,Perlman,Pepe,Parkman,Paradise,Olin,Nunnally,Norvell,Napper,Modlin,Mckellar,Mcclean,Mascarenas,Manchester,Leibowitz,Ledezma,Kuhlman,Kobayashi,Hunley,Holmquist,Hinkley,Hazard,Hartsell,Gribble,Gravely,Fifield,Eliason,Doctor,Doak,Crossland,Cover,Clair,Carleton,Butters,Bridgeman,Bojorquez,Boggess,Banker,Auten,Woosley,Wine,Whiteley,Wexler,Twomey,Tullis,Townley,To,Standridge,Stamp,Springs,Santoyo,Rueda,Riendeau,Revell,Pless,Ottinger,Nigro,Nickles,Mulvey,Menefee,Mcshane,Mcloughlin,Mckinzie,Marrow,Markey,Mariano,Lockridge,Lipsey,Knisley,Knepper,Kitts,Kiel,Jinks,Hathcock,Godin,Gallego,Fikes,Fecteau,Estabrook,Ellinger,Dustin,Dunlop,Dudek,Diego,Countryman,Chauvin,Chatham,Bullins,Brownfield,Boughton,Bloodworth,Bibb,Baucom,Barbieri,Aubin,Armitage,Alessi,Absher,Abbate,Zito,Woolery,Wiggs,Wacker,Violette,Tynes,Tolle,Telles,Tarter,Swarey,Strode,Stockdale,Stella,Stalnaker,Spina,Schiff,Saari,Risley,Reading,Rameriz,Rakes,Pettaway,Penner,Paulus,Palladino,Omeara,Montelongo,Melnick,Mehta,Mcgary,Mccourt,Mccollough,Marchetti,Manzanares,Lowther,Leiva,Lauderdale,Lafontaine,Kowalczyk,Knighton,Joubert,Jaworski,Ide,Huth,Hurdle,Hung,Housley,Hackman,Gulick,Gordy,Gilstrap,Gehrke,Gebhart,Gaudette,Foxworth,Finger,Essex,Endres,Dunkle,Clare,Cimino,Cardinal,Caddell,Brauer,Braley,Bodine,Blackmore,Belden,Backer,Ayer,Andress,Alva,Wisner,Walk,Vuong,Valliere,Twigg,Tso,Tavarez,Strahan,Steib,Staub,Sowder,Shoulders,Seiber,Schutt,Scharf,Schade,Rodriques,Risinger,Renshaw,Rath,Rahman,Presnell,Pillow,Piatt,Pasquale,Nieman,Nicol,Nevins,Milford,Mcilwain,Mcgaha,Mccully,Mccomb,Maye,Massengale,Macedo,Lines,Lesher,Leland,Kearse,Jauregui,Husted,Hudnall,Holmberg,Hertel,Hershey,Hardie,Glidewell,Frausto,Fassett,Dash,Dalessandro,Dahlgren,Corum,Constantino,Conlin,Colquitt,Colombo,Claycomb,Carley,Cardin,Cancel,Buller,Boring,Boney,Bocanegra,Blazer,Biggers,Benedetto,Araiza,Andino,Albin,Zorn,Werth,Weisman,Walley,Vanegas,Ulibarri,Towers,Towe,Tedford,Teasley,Suttle,Steffens,Stcyr,Squire,Smythe,Singley,Sifuentes,Shuck,Session,Schram,Sass,Rieger,Ridenhour,Rickert,Richerson,Rayborn,Rabe,Raab,Pendley,Pastore,Ordway,Moynihan,Mellott,Mckissick,Mcgann,Mccready,Mauney,Marrufo,List,Lenhart,Lazar,Lafave,Keele,Kautz,Jardine,Jahnke,Jacobo,Hord,Hardcastle,Hageman,Griffey,Giglio,Gehring,Fortson,Duque,Duplessis,Donner,Dicken,Derosier,Deitz,Dalessio,Cyrus,Cram,Chi,Center,Castleman,Candelario,Callison,Caceres,Bozarth,Biles,Bejarano,Beech,Bashaw,Avina,Armentrout,Angus,Alverez,Acord,Zack,Waterhouse,Vereen,Vanlandingham,Uhl,Strawser,Shotwell,Severance,Seltzer,Schoonmaker,Schock,Schaub,Schaffner,Roeder,Rodrigez,Riffe,Rhine,Rasberry,Rancourt,Railey,Quade,Pursley,Prouty,Perdomo,Oxley,Osterman,Nickens,Murphree,Mounts,Monte,Merida,Maus,Mattern,Masse,Martinelli,Mangan,Lutes,Ludwick,Loney,Laureano,Lasater,Knighten,Kissinger,Kimsey,Kessinger,Honea,Hollingshead,Hockett,Heyer,Heron,Gurrola,Gove,Glasscock,Gillett,Galan,Featherstone,Eckhardt,Duron,Dunson,Dasher,Culbreth,Cowden,Cowans,Claypoole,Churchwell,Chabot,Caviness,Cater,Caston,Callan,Byington,Burkey,Boden,Beckford,Atwater,Arms,Archambault,Alvey,Alsup,Yon,Whisenant,Weese,Voyles,Verret,Tsang,Tessier,Sweitzer,Sherwin,Shaughnessy,Revis,Remy,Prine,Philpott,Peavy,Paynter,Parmenter,Ovalle,Offutt,Nightingale,Newlin,Nakano,Myatt,Muth,Mohan,Mcmillon,Mccarley,Mccaleb,Maxson,Marinelli,Maley,Macy,Liston,Letendre,Kain,Huntsman,Hirst,Hagerty,Gulledge,Greenway,Grajeda,Gorton,Goines,Gittens,Frederickson,Fanelli,Embree,Eichelberger,Dunkin,Dull,Dixson,Dillow,Defelice,Chumley,Burleigh,Borkowski,Binette,Biggerstaff,Berglund,Beller,Audet,Arbuckle,Allain,Alfano,Zander,Youngman,Wittman,Weintraub,Vanzant,Vaden,Twitty,Trader,Toon,Till,Stollings,Standifer,Spinner,Sines,Shope,Scalise,Saville,Romans,Posada,Pisano,Otte,Nolasco,Napoli,Mier,Merkle,Mendiola,Melcher,Mejias,Mcmurry,Mccalla,Markowitz,Marine,Manis,Mallette,Macfarlane,Lough,Looper,Landin,Kittle,Kinsella,Kinnard,Hobart,Herald,Helman,Hellman,Hartsock,Halford,Hage,Gordan,Glasser,Gayton,Gattis,Gastelum,Gaspard,Frisch,Force,Fitzhugh,Eckstein,Eberly,Dowden,Despain,Crumpler,Crotty,Cornelison,Collin,Colin,Chouinard,Chamness,Catlin,Cann,Bumgardner,Budde,Branum,Bradfield,Braddy,Borst,Birdwell,Bent,Bazan,Bank,Banas,Bade,Aubrey,Arango,Ahearn,Addis,Zumwalt,Wurth,Wilk,Widener,Wagstaff,Vella,Urrutia,Terwilliger,Tart,Steinman,Staats,Sloat,Rives,Riggle,Revels,Reichard,Prickett,Poff,Pitzer,Petro,Pell,Northrup,Nicks,Moline,Mielke,Maynor,Mallon,Magness,Lingle,Lindell,Lieb,Lesko,Lebeau,Lammers,Lafond,Kiernan,Ketron,Jurado,Holmgren,Hilburn,Hayashi,Hashimoto,Harbaugh,Hans,Guillot,Gard,Froehlich,Felipe,Feinberg,Falco,Dufour,Drees,Doney,Diep,Delao,Daves,Dail,Cutting,Crowson,Coss,Congdon,Carner,Camarena,Butterworth,Burlingame,Bouffard,Bloch,Bilyeu,Barta,Bakke,Baillargeon,Avent,Aquilar,Ake,Aho,Zeringue,Yeh,Yarber,Wolfson,Wendell,Vogler,Voelker,Truss,Troxell,Thrift,Strouse,Spielman,Sistrunk,Shows,Sevigny,Schuller,Schaaf,Ruffner,Routh,Roseman,Ricciardi,Peraza,Pegram,Overturf,Olander,Odaniel,Neu,Millner,Melchor,Maxie,Marvel,Maroney,Machuca,Macaluso,Livesay,Layfield,Laskowski,Kwiatkowski,Ko,Kiley,Kilby,Julien,Hovey,Heywood,Hayman,Havard,Harville,Haigh,Hagood,Grieco,Glassman,Gebhardt,Garry,Freeze,Fleischer,Fann,Elson,Eccles,Cunha,Crumb,Crew,Blakley,Bardwell,Abshire,Woodham,Wines,Welter,Wargo,Varnado,Tutt,Traynor,Swaney,Svoboda,Stricker,Stoffel,Stambaugh,Sickler,Shackleford,Selman,Seaver,Sansom,Sanmiguel,Royston,Rourke,Rockett,Rioux,Puleo,Pitchford,Persons,Normand,Nardi,Mulvaney,Middaugh,Manners,Malek,Lodge,Leos,Lathan,Kujawa,Kimbro,Killebrew,Joshua,Houlihan,Hobby,Hinckley,Herod,Hepler,Hamner,Hammel,Hallowell,Gonsalez,Gingerich,Gambill,Funkhouser,Fricke,Fewell,Falkner,Endsley,Dulin,Drennen,Deaver,Dambrosio,Clover,Chadwell,Ceasar,Castanon,Canon,Burkes,Brune,Brisco,Brinker,Bowker,Boldt,Berner,Bee,Beaumont,Beaird,Bazemore,Barrick,Arnette,Albano,Younts,Wunderlich,Weidman,Vanness,Tu,Toland,Theobald,Stickler,Steiger,Stanger,Spies,Spector,Sollars,Smedley,Seibel,Scoville,Saito,Rye,Rummel,Rude,Rowles,Rouleau,Roos,Rogan,Roemer,Ream,Raya,Purkey,Priester,Perreira,Penick,Paulin,Parkins,Overcash,Oleson,Nicely,Neves,Muldrow,Minard,Midgett,Michalak,Melgar,Mcentire,Mcauliffe,Marti,Marte,Lydon,Lindholm,Leyba,Leader,Langevin,Lagasse,Lafayette,Kesler,Kelton,Kao,Kaminsky,Jump,Jaggers,Humbert,Huck,Howarth,Hinrichs,Higley,Gupton,Guimond,Gravois,Giguere,Fretwell,Fontes,Feeley,Faucher,Fall,Evan,Eichhorn,Ecker,Earp,Dole,Dinger,Derryberry,Demars,Deel,Copenhaver,Collinsworth,Colangelo,Cloyd,Claiborne,Caulfield,Carlsen,Calzada,Caffey,Broadus,Brenneman,Bouie,Bodnar,Blaney,Blanc,Blades,Beltz,Behling,Begin,Barahona,Yun,Yockey,Winkle,Windom,Wimer,Wilford,Wash,Villatoro,Trexler,Teran,Taliaferro,Sydnor,Swinson,Snelling,Smtih,Siu,Simonton,Simoneaux,Simoneau,Sherrer,Seavey,Scheel,Rushton,Rupe,Ruano,Rodney,Rippy,Reiner,Reiff,Rabinowitz,Quach,Penley,Odle,Nock,Minnich,Mckown,Mccarver,Mcandrew,Longley,Laux,Lamothe,Lafreniere,Kropp,Krick,Kates,Jepson,Huie,Howse,Howie,Henriques,Haydon,Haught,Hatter,Hartzog,Harkey,Grimaldo,Goshorn,Gormley,Gluck,Gilroy,Gillenwater,Giffin,Folks,Fluker,Feder,Eyre,Eshelman,Eakins,Dryer,Disney,Detwiler,Delrosario,Davisson,Celestine,Catalan,Canning,Calton,Buster,Brammer,Botelho,Blakney,Bartell,Averett,Askins,Aker,Zak,Worcester,Witmer,Wiser,Winkelman,Widmer,Whittier,Western,Weitzel,Wardell,Wagers,Ullman,Tupper,Tingley,Tilghman,Talton,Simard,Seda,Scheller,Sala,Rundell,Rost,Roa,Ribeiro,Rabideau,Primm,Porch,Polite,Pinon,Peart,Ostrom,Ober,Nystrom,Nussbaum,Nurse,Naughton,Murr,Moorhead,Monti,Monteiro,Melson,Meissner,Mclin,Mcgruder,Marotta,Makowski,Majewski,Madewell,Lunt,Lukens,Leininger,Lebel,Lakin,Laguna,Kepler,Jaques,Hunnicutt,Hungerford,Hoopes,Hertz,Heins,Hammers,Halliburton,Grosso,Gravitt,Glasper,Gideon,Gallman,Gallaway,Funke,Fulbright,Falgout,Eakin,Dostie,Dorado,Dewberry,Derose,Cutshall,Crampton,Costanzo,Colletti,Cloninger,Claytor,Chiang,Canterbury,Campagna,Burd,Brokaw,Broaddus,Bretz,Brainard,Binford,Bilbrey,Alpert,Aitken,Ahlers,Zajac,Yale,Woolfolk,Witten,Windle,Wayland,Tramel,Tittle,Talavera,Suter,Straley,Stetson,Specht,Sommerville,Soloman,So,Skeens,Sigman,Sibert,Shavers,Schuck,Schmit,Sartain,Sabol,Rosenblatt,Rollo,Rashid,Rabb,Province,Polston,Nyberg,Northrop,Navarra,Muldoon,Mulder,Mikesell,Mcdougald,Mcburney,Mauricio,Mariscal,Lui,Lozier,Lingerfelt,Legere,Latour,Lagunas,Lacour,Kurth,Ku,Killen,Kiely,Kayser,Kahle,Julius,Isley,Huertas,Hower,Hinz,Haugh,Gumm,Given,Galicia,Fortunato,Flake,Dunleavy,Duggins,Doby,Digiovanni,Devaney,Deltoro,Cribb,Crank,Corpuz,Coronel,Comfort,Coen,Charbonneau,Caine,Burchette,Blakey,Blakemore,Bergquist,Beene,Beaudette,Bayles,Ballance,Bakker,Bailes,Asberry,Arwood,Zucker,Willman,Whitesell,Wald,Walcott,Vancleave,Trump,Trail,Strasser,Simas,Shorts,Shick,Schleicher,Schaal,Saleh,Rotz,Resnick,Raphael,Rainer,Partee,Ollis,Oller,Oday,Noles,Munday,Mountain,Mong,Millican,Merwin,Mazzola,Mansell,Magallanes,Llanes,Lewellen,Lepore,Kisner,Keesee,Jim,Jeanlouis,Ingham,Hornbeck,Hermes,Hawn,Hartz,Harber,Haffner,Gutshall,Guth,Grays,Grams,Gowan,Finlay,Finkelstein,Eyler,Enloe,Dungan,Diez,Dearman,Dann,Cull,Crosson,Creek,Chronister,Cassity,Campion,Callihan,Butz,Breazeale,Blumenthal,Billy,Berkey,Batty,Batton,Barge,Arvizu,Alexis,Alderete,Aldana,Albaugh,Abernethy,Work,Wolter,Wille,Tweed,Tollefson,Thomasson,Teter,Testerman,Sproul,Spates,Southwick,Soukup,Skelly,Senter,Sealey,Sawicki,Sargeant,Rossiter,Rosemond,Repp,Pound,Pink,Pifer,Ormsby,Nickelson,Naumann,Morabito,Monzon,Millsaps,Millen,Mcelrath,Marcoux,Mantooth,Madson,Macneil,Mackinnon,Louque,Leister,Lampley,Kushner,Krouse,Kirwan,June,Jessee,Janson,Jahn,Jacquez,Islas,Hutt,Holladay,Hillyer,Hepburn,Hensel,Harrold,Guadalupe,Gingrich,Geis,Gales,Fults,Finnell,Ferri,Featherston,Epley,Ebersole,Eames,Dunigan,Drye,Dismuke,Devaughn,Delorenzo,Damiano,Confer,Collum,Clower,Clow,Claussen,Clack,Caylor,Cawthon,Casias,Carreno,Carlo,Bluhm,Bingaman,Bewley,Belew,Beckner,Beamer,Barefoot,Auld,Amey,Wolfenbarger,Wilkey,Wicklund,Waltman,Villalba,Valero,Valdovinos,Ung,Ullrich,Tyus,Twyman,Trost,Tardif,Tanguay,Stripling,Steinbach,Shumpert,Sasaki,Sappington,Sandusky,Reinhold,Reinert,Quijano,Pye,Poor,Placencia,Pinkard,Phinney,Perrotta,Pernell,Parrett,Oxendine,Owensby,Orman,Nuno,Mori,Mcroberts,Mcneese,Mckamey,Mccullum,Markel,Mardis,Maines,Lueck,Lubin,Lefler,Leffler,Lavery,Larios,Labarbera,Kershner,Josey,Jeanbaptiste,Izaguirre,Hermosillo,Haviland,Hartshorn,Hamlet,Hafner,Ginter,Getty,Franck,Fiske,Emmett,Dufrene,Doody,Davie,Dangerfield,Dahlberg,Cuthbertson,Crone,Coffelt,Claus,Chidester,Chesson,Cauley,Caudell,Cantara,Campo,Caines,Bullis,Bucci,Brochu,Bosco,Bogard,Bickerstaff,Benning,Arzola,Antonelli,Adkinson,Zellers,Wulf,Worsley,Woolridge,Whitton,Westerfield,Walczak,Vassar,Truett,Trueblood,Trawick,Townsley,Topping,Tobar,Telford,Sung,Steverson,Stagg,Sitton,Sill,Sherrell,Sergent,Schoenfeld,Sarabia,Rutkowski,Rubenstein,Rigdon,Prentiss,Pomerleau,Plumlee,Phoenix,Philbrick,Peer,Patty,Patnode,Oloughlin,Obregon,Nuss,Napoleon,Morell,Moose,Mikell,Mele,Mcinerney,Mcguigan,Mcbrayer,Lore,Lor,Look,Lollar,Lakes,Kuehl,Kinzer,Kamp,Joplin,Jacobi,Howells,Holstein,Hedden,Hassler,Harty,Halle,Greig,Granville,Gouge,Goodrum,Gerhart,Geier,Geddes,Gast,Forehand,Ferree,Fendley,Feltner,Fang,Esqueda,Encarnacion,Eichler,Egger,Edmundson,Eatmon,Dragon,Doud,Donohoe,Donelson,Dilorenzo,Digiacomo,Diggins,Delozier,Dejong,Danford,Crippen,Coppage,Cogswell,Clardy,Cioffi,Cabe,Brunette,Bresnahan,Bramble,Blomquist,Blackstone,Biller,Bevis,Bevan,Bethune,Benbow,Baty,Basinger,Balcom,Andes,Aman,Aguero,Adkisson,Yandell,Wilds,Whisenhunt,Weigand,Weeden,Voight,Villar,Trottier,Tillett,Suazo,Setser,Scurry,Schuh,Schreck,Schauer,Samora,Roane,Rinker,Reimers,Reason,Ratchford,Popovich,Parkin,Nichol,Natal,Melville,Mcbryde,Magdaleno,Loehr,Lockman,Lingo,Leduc,Larocca,Lao,Lamere,Laclair,Krall,Korte,Koger,Jumper,Jalbert,Hughs,Higbee,Henton,Heaney,Haith,Gump,Greeson,Goodloe,Gholston,Gasper,Gagliardi,Fregoso,Farthing,Fabrizio,Ensor,Elswick,Elgin,Eklund,Eaddy,Drouin,Dorton,Dizon,Derouen,Delia,Deherrera,Davy,Dark,Dampier,Cullum,Culley,Cowgill,Cardoso,Cardinale,Brodsky,Broadbent,Brimmer,Briceno,Branscum,Bolyard,Boley,Bennington,Beadle,Baur,Ballentine,Azure,Aultman,Augustus,Asuncion,Arciniega,Aguila,Aceves,Yepez,Yap,Woodrum,Wethington,Weissman,Veloz,Trusty,Troup,Trammel,Theodore,Tarpley,Stivers,Steck,Sprayberry,Spraggins,Spitler,Spiers,Sohn,Seagraves,Schiffman,Rudnick,Rizo,Riccio,Rennie,Quinton,Quackenbush,Puma,Plott,Pearcy,Parada,Paiz,Munford,Moskowitz,Mease,Mcnary,Mccusker,Matt,Lozoya,Longmire,Loesch,Lasky,Kuhlmann,Krieg,Koziol,Kowalewski,Konrad,Kindle,Jowers,Jolin,Jaco,Hua,Horgan,Hine,Hileman,Hepner,Heise,Heady,Hawkinson,Hannigan,Haberman,Guilford,Grimaldi,Gilles,Garton,Gagliano,Fruge,Follett,Fiscus,Ferretti,Ebner,Easterday,Eanes,Dirks,Dimarco,Depalma,Deforest,Dance,Cruce,Craighead,Christner,Candler,Cadwell,Burchell,Buettner,Brinton,Breed,Brazier,Brannen,Brame,Bova,Bomar,Blakeslee,Belknap,Bangs,Balzer,Athey,Armes,Alvis,Alverson,Alvardo,Alter,Zhao,Yeung,Yen,Wheelock,Westlund,Wessels,Volkman,Threadgill,Thelen,Tandy,Tague,Ta,Symons,Swinford,Sturtevant,Straka,Stier,Stagner,Segarra,Seawright,Sack,Rutan,Roux,Ringler,Riker,Ramsdell,Quattlebaum,Purifoy,Poulson,Permenter,Peloquin,Pasley,Pagel,Osman,Obannon,Nygaard,Nipper,Newcomer,Munos,Motta,Meadors,Mcquiston,Mcniel,Mcmann,Mccrae,Mayne,Matte,Martine,Lucy,Legault,Lechner,Lack,Kucera,Krohn,Kratzer,Koopman,Judson,Jeske,Horrocks,Homes,Hock,Hibbler,Hesson,Hersh,Harvin,Halvorsen,Griner,Grindle,Glen,Gladstone,Garofalo,Frampton,Forbis,Fernando,Eddington,Diorio,Dingus,Dewar,Desalvo,Curcio,Creasy,Cortese,Cordoba,Connally,Cluff,Cascio,Capuano,Canaday,Calabro,Bussard,Brayton,Borja,Bigley,Arnone,Arguelles,Acuff,Zamarripa,Wooton,Wolfgang,Widner,Wideman,Threatt,Thiele,Templin,Teeters,Synder,Swint,Swick,Sturges,Stogner,Stedman,Spratt,Six,Siegfried,Shetler,Scull,Savino,Sather,Rothwell,Rook,Rone,Rolf,Rhee,Quevedo,Privett,Pouliot,Poche,Pickel,Petrillo,Pellegrini,Peaslee,Partlow,Otey,Nunnery,Morelock,Morello,Meunier,Messinger,Mckie,Mccubbin,Mccarron,Maria,Lerch,Lavine,Laverty,Lariviere,Lamkin,Kugler,Krol,Kissel,Keeter,Hummer,Hubble,Hickox,Hetzel,Hayner,Hagy,Hadlock,Groh,Gregorio,Gottschalk,Goodsell,Gloria,Gerry,Gassaway,Garrard,Galligan,Fye,Firth,Fenderson,Feinstein,Etienne,Engleman,Emrick,Ellender,Drews,Doiron,Degraw,Deegan,Dart,Crissman,Corr,Cookson,Coil,Cleaves,Charest,Chapple,Chaparro,Castano,Carpio,Byer,Bufford,Bridgewater,Bridgers,Brandes,Borrero,Bonanno,Aube,Ancheta,Abarca,Abad,Yung,Yim,Wooster,Woodrow,Wimbush,Willhite,Willams,Wigley,Weisberg,Wardlaw,Vigue,Vanhook,Unknow,Torre,Tasker,Tarbox,Strachan,Standard,Slover,Shamblin,Semple,Schuyler,Schrimsher,Sayer,Salzman,Salomon,Rubalcava,Riles,Rickey,Reneau,Reichel,Rayfield,Rabon,Pyatt,Prindle,Poss,Polito,Plemmons,Pesce,Perrault,Pereyra,Ostrowski,Nilsen,Niemeyer,Nick,Munsey,Mundell,Moncada,Miceli,Meader,Mcmasters,Mckeehan,Matsumoto,Marron,Marden,Lizarraga,Lingenfelter,Lewallen,Laurence,Langan,Lamanna,Kovac,Kinsler,Kephart,Keown,Kass,Kammerer,Jeffreys,Hysell,Householder,Hosmer,Hardnett,Hanner,Guyette,Greening,Glazer,Ginder,Fromm,Fortuna,Fluellen,Finkle,Fey,Fessler,Essary,Eisele,Duren,Dittmer,Crochet,Cosentino,Cogan,Coelho,Cavin,Carrizales,Campuzano,Brough,Bow,Bopp,Bookman,Bobb,Blouin,Beesley,Battista,Bascom,Bakken,Badgett,Arneson,Anselmo,Albino,Ahumada,Agustin,Woodyard,Wolters,Wireman,Wilton,Willison,Warman,Wan,Waldrup,Vowell,Vantassel,Vale,Twombly,Toomer,Tennison,Teets,Tedeschi,Swanner,Swallow,Stutz,Stelly,Sheehy,Schermerhorn,Scala,Sandidge,Salters,Salo,Saechao,Roseboro,Rolle,Ressler,Renz,Renn,Redford,Raposa,Rainbolt,Pompey,Pelfrey,Orndorff,Oney,Nolin,Nimmons,Ney,Nardone,Myhre,Morman,Mines,Menjivar,Mcglone,Mccammon,Maxon,Maris,Marciano,Manus,Maiden,Lowrance,Lorenzen,Lonergan,Lollis,Littles,Lindahl,Lansing,Lamas,Lach,Kuster,Krawczyk,Knuth,Knecht,Kirkendall,Keitt,Keever,Kantor,Jarboe,Hoye,Houchens,Holter,Holsinger,Hickok,Herb,Helwig,Helgeson,Heater,Hassett,Harner,Hamman,Hames,Hadfield,Goree,Goldfarb,Gaughan,Gaudreau,Gantz,Gallion,Frady,Foti,Flesher,Ferrin,Faught,Engram,Elbert,Donegan,Desouza,Degroot,Cutright,Crowl,Criner,Coke,Coan,Clinkscales,Chewning,Chavira,Catchings,Carlock,Bye,Bulger,Buenrostro,Bramblett,Brack,Boulware,Bordeaux,Bookout,Bitner,Birt,Baranowski,Baisden,Augustin,Allmon,Alberto,Acklin,Yoakum,Wilbourn,Whisler,Weinberger,Washer,Vasques,Vanzandt,Vanatta,Troxler,Tomes,Tindle,Tims,Throckmorton,Thach,Stpeter,Stlaurent,Stenson,Spry,Spitz,Songer,Snavely,Sly,Sleeper,Shroyer,Shortridge,Shenk,Sevier,Seabrook,Scrivner,Saltzman,Rosenberry,Rockwood,Robeson,Roan,Reiser,Redwine,Ramires,Raber,Profit,Posner,Popham,Pipes,Piotrowski,Pinard,Peterkin,Pelham,Peiffer,Peay,Peavey,Nadler,Musso,Milo,Millett,Mestas,Mcgowen,Marques,Marasco,Manriquez,Manos,Mair,Lipps,Lesser,Leiker,Leeds,Krumm,Knorr,Kinslow,Kessel,Kendricks,Kelm,Ito,Irick,Ickes,Hurlburt,Horta,Hoekstra,Heuer,Helmuth,Heatherly,Hampson,Hagar,Haga,Greenlaw,Grau,Godbey,Gingras,Gillies,Gibb,Gayden,Gauvin,Garrow,Fontanez,Florio,Fleischman,Finke,Fasano,Fan,Faith,Ezzell,Ewers,Eveland,Eckenrode,Duclos,Drumm,Dimmick,Delancey,Defazio,Deacon,Dashiell,Damian,Cusack,Crowther,Crigger,Cray,Coolidge,Coldiron,Cleland,Chalfant,Cassel,Cape,Camire,Cabrales,Broomfield,Brittingham,Brisson,Brickey,Braziel,Brazell,Bragdon,Boulanger,Bos,Boman,Bohannan,Beem,Barto,Barre,Barley,Baptist,Azar,Ashbaugh,Armistead,Almazan,Adamski,Zendejas,Winburn,Willaims,Wilhoit,Westberry,Wentzel,Wendling,Wager,Visser,Vanscoy,Vankirk,Vallee,Tweedy,Thornberry,Sweeny,Stalker,Spradling,Spano,Smelser,Shim,Sechrist,Schall,Scaife,Rugg,Ruben,Rothrock,Roesler,Riehl,Ridings,Render,Ransdell,Radke,Pinero,Petree,Pendergast,Peluso,Pecoraro,Pascoe,Panek,Oshiro,Noon,Navarrette,Murguia,Moores,Moberg,Mike,Michaelis,Mcwhirter,Mcsweeney,Mcquade,Mccay,Mauk,Mariani,Marceau,Mandeville,Maeda,Lunde,Ludlow,Loeb,Lindo,Linderman,Leveille,Leith,Larock,Lambrecht,Kulp,Kinsley,Kimberlin,Kesterson,Jacinto,Ice,Hui,Hoyos,Helfrich,Hanke,Hail,Guillermo,Grisby,Goyette,Gouveia,Glazier,Gile,Gerena,Gelinas,Gasaway,Garden,Funches,Fujimoto,Flynt,Fenske,Fellers,Fehr,Eslinger,Escalera,Enciso,Duley,Dittman,Dineen,Diller,Devault,Dao,Collings,Clymer,Clowers,Chavers,Charland,Castorena,Castello,Camargo,Bunce,Bullen,Boyes,Borchers,Borchardt,Birnbaum,Birdsall,Billman,Benites,Bankhead,Ange,Ammerman,Adkison,Yuan,Winegar,Wickman,Wear,Warr,Warnke,Villeneuve,Veasey,Vassallo,Vannatta,Vadnais,Twilley,Truelove,Towery,Tomblin,Tippett,Theiss,Talkington,Talamantes,Swart,Swanger,Streit,Straw,Stines,Stabler,Spurling,Sobel,Sine,Simmers,Shippy,Shiflett,Shearin,Sauter,Sanderlin,Rusch,Runkle,Ruckman,Rorie,Roesch,Roberto,Richert,Rehm,Randel,Ragin,Quesenberry,Puentes,Plyler,Plotkin,Paugh,Oshaughnessy,Ohalloran,Norsworthy,Niemann,Nader,Moorefield,Mooneyham,Modica,Miyamoto,Mickel,Mebane,Mckinnie,Mazurek,Mancilla,Lukas,Lovins,Loughlin,Lotz,Lindsley,Liddle,Levan,Lederman,Leclaire,Lasseter,Lapoint,Lamoreaux,Lafollette,Kubiak,Kirtley,Keffer,Kaczmarek,Jennette,Housman,Honey,Hiers,Hibbert,Herrod,Hegarty,Hathorn,Harsh,Greenhaw,Grafton,Govea,Gardener,Futch,Furst,Frisbee,Fred,Franko,Forcier,Foran,Flickinger,Fairfield,Eure,Emrich,Embrey,Edgington,Ecklund,Eckard,Durante,Deyo,Delvecchio,Deeds,Dade,Currey,Cuff,Creswell,Cottrill,Casavant,Cartier,Cargile,Capel,Cammack,Calfee,Buzzard,Burse,Burruss,Brust,Brousseau,Bridwell,Braaten,Borkholder,Bloomquist,Bjork,Bartelt,Arp,Amburgey,Yeary,Yao,Whitefield,Vinyard,Vicente,Vanvalkenburg,Twitchell,Timmins,Tester,Tapper,Stringham,Starcher,Spotts,Slaugh,Simonsen,Sheffer,Sequeira,Rosati,Rode,Rhymes,Reza,Record,Quint,Pollak,Peirce,Patillo,Parkerson,Paiva,Nilson,Nice,Nevin,Narcisse,Nair,Mitton,Merriam,Merced,Meiners,Mckain,Mcelveen,Mcbeth,Marsden,Marez,Manke,Mahurin,Mabrey,Luper,Krull,Kees,Iles,Hunsicker,Hornbuckle,Holtzclaw,Hirt,Hinnant,Heston,Hering,Hemenway,Hegwood,Hearns,Halterman,Halls,Guiterrez,Grote,Granillo,Grainger,Glasco,Gilder,Garren,Garlock,Garey,Fu,Fryar,Fredricks,Fraizer,Foxx,Foshee,Ferrel,Felty,Feathers,Everitt,Evens,Esser,Elkin,Eberhart,Durso,Duguay,Driskill,Doster,Dewall,Deveau,Demps,Demaio,Delreal,Deleo,Delay,Deem,Darrah,Cumberbatch,Culberson,Cranmer,Cordle,Colgan,Chesley,Cavallo,Castellon,Castelli,Carreras,Carnell,Carmon,Carmen,Carlucci,Bottom,Bontrager,Blumberg,Blasingame,Becton,Ayon,Artrip,Arline,Andujar,Alkire,Alder,Agan,Zukowski,Zuckerman,Zehr,Wroblewski,Wrigley,Woodside,Wigginton,Westman,Westgate,Werts,Washam,Wardlow,Walser,Waiters,Teller,Tadlock,Stuck,Stringfield,Stimpson,Stickley,Starbuck,Standish,Spurlin,Spindler,Speller,Spaeth,Sotomayor,Sok,Sluder,Shryock,Shepardson,Shatley,Scannell,Santistevan,Rosner,Rolland,Rhode,Resto,Reinhard,Rathburn,Prisco,Poulsen,Pinney,Phares,Pennock,Pastrana,Oviedo,Ostler,Noto,Nauman,Mulford,Moise,Moberly,Mirabal,Ming,Metoyer,Metheny,Mentzer,Meldrum,Mcinturff,Mcelyea,Mcdougle,Massaro,Lumpkins,Loveday,Lofgren,Loe,Lirette,Lesperance,Lefkowitz,Ledger,Lauzon,Lain,Lachapelle,Kurz,Klassen,Keough,Kempton,Kaelin,Jeffords,Im,Huot,Hsieh,Hoyer,Horwitz,Hopp,Hoeft,Hennig,Haskin,Grill,Gourdine,Golightly,Girouard,Fulgham,Fritsch,Freer,Frasher,Foulk,Firestone,Fiorentino,Fedor,Feather,Ensley,Englehart,Eells,Ebel,Dunphy,Donahoe,Dimas,Dileo,Dibenedetto,Dabrowski,Crick,Coonrod,Conder,Coddington,Chunn,Choy,Chaput,Cerna,Carreiro,Calahan,Braggs,Bourdon,Boner,Bollman,Bittle,Ben,Behm,Bauder,Batt,Barreras,Aubuchon,Anzalone,Adamo,Zhou,Zerbe,Zachery,Witty,Wirt,Willcox,Westberg,Weikel,Waymire,Vroman,Vinci,Vallejos,Tutor,Truesdell,Troutt,Trotta,Tollison,Toles,Tichenor,Tai,Symonds,Surles,Sunday,Strayer,Stgeorge,Sroka,Sorrentino,Solares,Snelson,Silvestri,Sikorski,Shawver,Schumaker,Schorr,Schooley,Scates,Satterlee,Satchell,Sacks,Rymer,Roselli,Robitaille,Riegel,Richer,Regis,Reames,Provenzano,Proper,Priestley,Plaisance,Pettey,Palomares,Oman,Nowakowski,Nace,Monette,Minyard,Mclamb,Mchone,Mccarroll,Masson,Marco,Magoon,Maddy,Lundin,Loza,Licata,Lesley,Leonhardt,Lema,Landwehr,Kircher,Kinch,Karpinski,Johannsen,Hussain,Houghtaling,Hoskinson,Hollaway,Holeman,Hobgood,Hilt,Hiebert,Gros,Gram,Goggin,Gentle,Geissler,Gadbois,Gabaldon,Fleshman,Flannigan,Files,Fairman,Epp,Eilers,Dycus,Dunmire,Duffield,Dowler,Ditto,Deloatch,Dehaan,Deemer,Corner,Clayborn,Christofferso,Chilson,Chesney,Chatfield,Charlie,Caster,Carron,Canale,Camden,Buff,Brigman,Branstetter,Bosse,Borton,Bonar,Blau,Biron,Beagle,Barroso,Arvin,Arispe,Zacharias,Zabel,Yaeger,Works,Woolford,Whetzel,Weakley,Veatch,Vandeusen,Tufts,Troxel,Troche,Traver,Townsel,Tosh,Talarico,Swilley,Sterrett,Stenger,Springfield,Speakman,Sowards,Sours,Souders,Souder,Soles,Sobers,Snoddy,Smither,Sias,Shute,Shoaf,Shahan,Schuetz,Scaggs,Santini,Rosson,Rolen,Robidoux,Rentas,Recio,Pixley,Pawlowski,Pawlak,Paull,Pascal,Overbey,Orear,Oliveri,Oldenburg,Nutting,Naugle,Mote,Mossman,Moor,Misner,Milazzo,Michelson,Mei,Mcentee,Mccullar,Mccree,Mcaleer,Mazzone,Maxim,Marshal,Mandell,Manahan,Malott,Maisonet,Mailloux,Lumley,Lowrie,Louviere,Lipinski,Lindemann,Leppert,Leopold,Leasure,Leaf,Labarge,Kubik,Knisely,Knepp,Kenworthy,Kennelly,Kelch,Karg,Kanter,Ignacio,Hyer,Houchin,Hosley,Hosler,Hollon,Holleman,Heitman,Hebb,Haggins,Gwaltney,Guin,Greenman,Goulding,Gorden,Goodyear,Geraci,Georges,Gathers,Frison,Feagin,Falconer,Espada,Erving,Erikson,Eisenhauer,Eder,Ebeling,Durgin,Drown,Dowdle,Dinwiddie,Delcastillo,Dedrick,Crimmins,Covell,Cournoyer,Coria,Cohan,Cataldo,Carpentier,Canas,Campa,Brode,Brashears,Blaser,Bicknell,Berk,Bednar,Barwick,Ascencio,Althoff,Almodovar,Alamo,Zirkle,Zabala,Xu,Wolverton,Winebrenner,Wetherell,Westlake,Wegener,Weddington,Vong,Tuten,Trosclair,Trim,Tressler,Theroux,Teske,Sword,Swinehart,Swensen,Sundquist,Southall,Socha,Sizer,Silverberg,Shortt,Shimizu,Sherrard,Shen,Shaeffer,Seth,Scheid,Scheetz,Saravia,Sanner,Rubinstein,Rozell,Romer,Ringo,Rheaume,Reisinger,Raven,Randles,Pullum,Petrella,Payan,Papp,Pablo,Nordin,Norcross,Nicoletti,Nicholes,Newbold,Nakagawa,Mraz,Monteith,Milstead,Milliner,Mellen,Mccardle,Matthias,Marcy,Luft,Loo,Locker,Liptak,Lipp,Leitch,Latimore,Larrison,Landau,Laborde,Koval,Izquierdo,Hymel,Hoskin,Holte,Hoefer,Hayworth,Hausman,Harrill,Harrel,Hardt,Gully,Groover,Grinnell,Greenspan,Graver,Grandberry,Gorrell,Goldenberg,Goguen,Gilleland,Garr,Fuson,Foye,Felt,Feldmann,Everly,Dyess,Dyal,Dunnigan,Downie,Dolby,Divine,Deatherage,Dates,Danna,Cosey,Corrado,Cheever,Celaya,Caver,Cashion,Caplinger,Cansler,Byrge,Bruder,Brew,Breuer,Breslin,Brazelton,Botkin,Bonneau,Bones,Bondurant,Bohanan,Bogue,Boes,Bodner,Boatner,Blatt,Bickley,Belliveau,Beiler,Beier,Beckstead,Bart,Bang,Bachmann,Atkin,Aron,Andreas,Altizer,Alloway,Allaire,Albro,Abron,Zellmer,Yetter,Yelverton,Wiltshire,Wiens,Whidden,Wait,Viramontes,Vanwormer,Topper,Tarantino,Tanksley,Sumlin,Strauch,Strang,Stice,Spahn,Sosebee,Sigala,Shrout,Seamon,Schrum,Schneck,Schantz,Said,Ruddy,Romig,Roehl,Renninger,Reding,Pyne,Polak,Pohlman,Pasillas,Oldfield,Oldaker,Ohanlon,Ogilvie,Norberg,Nolette,Nies,Neufeld,Nellis,Mummert,Mulvihill,Mullaney,Monteleone,Mendonca,Meisner,Mcmullan,Mccluney,Mattis,Massengill,Manfredi,Luedtke,Lounsbury,Lora,Liberatore,Leek,Lease,Lazaro,Lamphere,Laforge,Kuo,Koo,Jourdan,Ismail,Iorio,Iniguez,Ikeda,Hubler,Hodgdon,Hocking,Heacock,Haslam,Haralson,Hanshaw,Hannum,Hallam,Haden,Garnes,Garces,Gammage,Gambino,Finkel,Faucett,Fahy,Esteban,Ehrhardt,Eggen,Dusek,Durrant,Dubay,Dones,Dey,Depasquale,Delucia,Degraff,Deer,Decamp,Davalos,Darwin,Dan,Cullins,Conard,Clouser,Clontz,Cifuentes,Chico,Chappel,Chaffins,Celis,Carwile,Byram,Bruggeman,Brick,Bressler,Brathwaite,Brasfield,Bradburn,Boose,Boon,Bodie,Blosser,Blas,Bise,Bertsch,Bernardi,Bernabe,Bengtson,Barrette,Astorga,Armand,Antone,Alday,Albee,Abrahamson,Yarnell,Wiltse,Wile,Wiebe,Waguespack,Vasser,Upham,Tyre,Turek,Tune,Traxler,Torain,Tomaszewski,Tinnin,Tiner,Tindell,Teed,Styron,Stahlman,Staab,Spoon,Spells,Skiba,Shih,Sheperd,Seidl,Secor,Schutte,Sanfilippo,Ruder,Rondon,Reina,Rearick,Rank,Procter,Prochaska,Pettengill,Pauly,Neilsen,Nally,Mutter,Mullenax,Morano,Meads,Mcnaughton,Mcmurtry,Mcmath,Mckinsey,Matthes,Massenburg,Marlar,Margolis,Marcos,Malin,Magallon,Mackin,Lovette,Loughran,Loring,Longstreet,Loiselle,Lenihan,Laub,Kunze,Kull,Koepke,Knights,Kerwin,Kalinowski,Kagan,Innis,Innes,Husband,Holtzman,Heinemann,Harshman,Haider,Haack,Guss,Grondin,Grissett,Greenawalt,Gravel,Goudy,Goodlett,Goldston,Gokey,Goin,Gardea,Galaviz,Gafford,Gabrielson,Furlow,Fritch,Fordyce,Folger,Elizalde,Ehlert,Eckhoff,Eccleston,Ealey,Dubin,Dolphin,Dieter,Diemer,Deschamps,Delapena,Decicco,Debolt,Daum,Cullinan,Crittendon,Crase,Cossey,Coppock,Coots,Colyer,Columbus,Cluck,Chamberland,Cane,Burkhead,Bumpus,Buchan,Borman,Bork,Boe,Birkholz,Berardi,Benda,Behnke,Barter,Auer,Amezquita,Wotring,Wirtz,Wingert,Wiesner,Whitesides,Weyant,Wainscott,Vivian,Venezia,Varnell,Tussey,Trainer,Toll,Thurlow,Tack,Tabares,Stiver,Stell,Starke,Stanhope,Stanek,Sisler,Sinnott,Sidney,Siciliano,Shehan,Selph,Seager,Scurlock,Scranton,Santucci,Santangelo,Saltsman,Ruel,Ropp,Rolling,Rogge,Rettig,Renwick,Reidy,Reider,Redfield,Quam,Premo,Port,Pier,Peet,Parente,Paolucci,Pan,Palmquist,Orme,Ohler,Ogg,Netherton,Mutchler,Morita,Mistretta,Minnis,Middendorf,Menzel,Mendosa,Mendelson,Meaux,Mcspadden,Mcquaid,Mcnatt,Manigault,Maney,Mager,Lung,Lukes,Lopresti,Liriano,Lipton,Letson,Lechuga,Lazenby,Lauria,Larimore,Kwok,Kwak,Krupp,Krupa,Krum,Kopec,Kinchen,Kifer,Kerney,Kerner,Kennison,Kegley,Kays,Karcher,Justis,Johson,Jellison,Janke,Isabell,Huskins,Holzman,Hollie,Hinojos,Highland,Hefley,He,Hatmaker,Harte,Halloway,Hallenbeck,Goodwyn,Glaspie,Gillian,Geise,Fullwood,Fryman,Frew,Frakes,Fraire,Farrer,Enlow,Engen,Ellzey,Eckles,Earles,Ealy,Dunkley,Drinkard,Dreiling,Draeger,Dinardo,Dills,Desroches,Desantiago,Current,Curlee,Crumbley,Critchlow,Coury,Courtright,Coffield,Cleek,Christen,Charpentier,Cardone,Caples,Cantin,Buntin,Bugbee,Brinkerhoff,Brackin,Bourland,Bohl,Bogdan,Blassingame,Beacham,Banning,Auguste,Andreasen,Amann,Almon,Alejo,Adelman,Abston,Zeno,Yerger,Wymer,Woodberry,Windley,Whiteaker,Westfield,Weibel,Wanner,Waldrep,Vital,Villani,Vanarsdale,Utterback,Updike,Triggs,Topete,Tolar,Tigner,Thoms,Tauber,Tarvin,Tally,Swiney,Sweatman,Studebaker,Streets,Stennett,States,Starrett,Stannard,Stalvey,Sonnenberg,Smithey,Sieber,Sickles,Shinault,Segars,Sanger,Salmeron,Rothe,Rizzi,Rine,Ricard,Restrepo,Ralls,Ragusa,Quiroga,Ping,Phung,Pero,Pegg,Pavlik,Papenfuss,Oropeza,Omar,Okane,Neer,Nee,Nathaniel,Mudge,Mozingo,Molinaro,Mikel,Mcvicker,Mcgarvey,Mcfalls,Mccraney,Matus,Magers,Llanos,Livermore,Liss,Linehan,Leto,Leitner,Laymon,Lawing,Lawerence,Lacourse,Kwong,Kollar,Kneeland,Keo,Kennett,Kellett,Kangas,Janzen,Hutter,Huse,Huling,Hoss,Hohn,Hofmeister,Hewes,Hern,Harjo,Habib,Gust,Guice,Grullon,Greggs,Grayer,Granier,Grable,Gowdy,Giannini,Getchell,Gartman,Garnica,Ganey,Gallimore,Fray,Fetters,Fergerson,Farlow,Fagundes,Exley,Esteves,Enders,Edenfield,Easterwood,Drakeford,Dipasquale,Desousa,Deshields,Deeter,Dedmon,Debord,Daughtery,Cutts,Courtemanche,Coursey,Copple,Coomes,Collis,Coll,Cogburn,Clopton,Choquette,Chaidez,Castrejon,Calhoon,Burbach,Bulloch,Buchman,Bruhn,Bohon,Blough,Bien,Belmont,Baynes,Barstow,Zeman,Zackery,Yardley,Yamashita,Wulff,Wilken,Wiliams,Wickersham,Wible,Whipkey,Wedgeworth,Walmsley,Walkup,Vreeland,Verrill,Valera,Umana,Traub,Timothy,Swingle,Swing,Summey,Stroupe,Stockstill,Steffey,Stefanski,Statler,Stapp,Speights,Sons,Solari,Soderberg,Slick,Shunk,Shorey,Shewmaker,Sheilds,Schiffer,Schank,Schaff,Sagers,Rodger,Rochon,Riser,Rickett,Reale,Raglin,Poon,Polly,Polen,Plata,Pitcock,Percival,Palen,Pahl,Orona,Oberle,Nocera,Navas,Nault,Mullings,Mouser,Moos,Montejano,Monreal,Minick,Middlebrook,Meece,Mcmillion,Mccullen,Mauck,Marshburn,Maillet,Mahaney,Magner,Maclin,Lucey,Litteral,Lippincott,Leite,Leis,Leaks,Laurie,Lamarre,Kost,Jurgens,Jesus,Jerkins,Jager,Hurwitz,Hughley,Hotaling,Horstman,Hohman,Hocker,Hively,Hipps,Hile,Hessler,Hermanson,Hepworth,Henn,Helland,Hedlund,Harkless,Haigler,Gutierez,Gum,Grindstaff,Glantz,Giardina,Gerken,Gadsden,Freda,Finnerty,Feld,Farnum,Encinas,Elton,Eager,Drakes,Dennie,Cutlip,Curtsinger,Couto,Cortinas,Corby,Choice,Chiasson,Carle,Carballo,Brindle,Borum,Bober,Blagg,Birk,Berthiaume,Beahm,Batres,Basnight,Barbara,Backes,Axtell,Aust,Au,Atterberry,Alvares,Alt,Alegria,Abe,Yow,Yip,Woodell,Wojciechowski,Winfree,Winbush,Wiest,Wesner,Wax,Wamsley,Wakeman,Verner,Truex,Trafton,Toman,Thorsen,Thor,Theus,Tellier,Tallant,Szeto,Strope,Stills,Stage,Sorg,Simkins,Shuey,Shaul,Servin,Serio,Serafin,Senior,Sebring,Salguero,Saba,Ryerson,Rudder,Ruark,Rother,Rohrbaugh,Rohrbach,Rohan,Rogerson,Risher,Rigg,Reeser,Pryce,Prokop,Prins,Priebe,Prejean,Pinheiro,Petrone,Petri,Penson,Pearlman,Parikh,Pal,Pair,Natoli,Murakami,Mullikin,Mullane,Motes,Morningstar,Monks,Mcveigh,Mcgrady,Mcgaughey,Mccurley,Masi,Marchan,Manske,Maine,Maez,Lusby,Linde,Lile,Likens,Licon,Leroux,Lemaire,Legette,Lax,Laskey,Laprade,Laplant,Lady,Kolar,Kittredge,Kinley,Kerber,Kanagy,Johannes,Jetton,Jayne,January,Janik,Ippolito,Inouye,Hunsinger,Howley,Howery,Horrell,Hoosier,Holthaus,Hiner,Hilson,Hilderbrand,Hasan,Hartzler,Harnish,Harada,Hansford,Halligan,Hagedorn,Gwynn,Gudino,Greenstein,Greear,Gracey,Goudeau,Gose,Goodner,Ginsburg,Gerth,Gerner,Fyfe,Fujii,Frier,Frenette,Folmar,Fleisher,Fleischmann,Fetzer,Fern,Eisenman,Earhart,Dupuy,Dunkelberger,Drummer,Drexler,Dillinger,Dilbeck,Diana,Dewald,Demby,Deford,Daniell,Dake,Craine,Como,Clever,Chesnut,Casady,Carstens,Carrick,Carino,Carignan,Canchola,Cale,Bushong,Burman,Buono,Brownlow,Broach,Britten,Brickhouse,Boyden,Boulton,Borne,Borland,Bohrer,Blubaugh,Bever,Berggren,Benevides,Arocho,Arends,Amezcua,Almendarez,Zalewski,Witzel,Winkfield,Wilhoite,Vara,Vangundy,Vanfleet,Vanetten,Vandergriff,Urbanski,Tyrell,Troiano,Tickle,Thibodaux,Straus,Stoneking,Stjean,Stillings,Stiff,Stange,Square,Speicher,Speegle,Sowa,Smeltzer,Slawson,Simmonds,Shuttleworth,Serpa,Senger,Seidman,Schweiger,Schloss,Schimmel,Schechter,Sayler,Sabb,Sabatini,Ronan,Rodiguez,Riggleman,Richins,Reep,Reamer,Prunty,Porath,Plunk,Piland,Philbrook,Pettitt,Perna,Peralez,Pascale,Padula,Oboyle,Nivens,Nickols,Murph,Mundt,Munden,Montijo,Mcmanis,Mcgrane,Mccrimmon,Manzi,Mangold,Malick,Mahar,Maddock,Lust,Losey,Loop,Litten,Liner,Leff,Leedy,Leavell,Ladue,Krahn,Kluge,Junker,Iversen,Imler,Hurtt,Huizar,Hubbert,Howington,Hollomon,Holdren,Hoisington,Hise,Heiden,Hauge,Hartigan,Gutirrez,Griffie,Greenhill,Gratton,Granata,Gottfried,Gertz,Gautreaux,Furry,Furey,Funderburg,Flippen,Fitzgibbon,Fergus,Felice,Eye,Dyar,Drucker,Donoghue,Dildy,Devers,Detweiler,Despres,Denby,Degeorge,Cueto,Cranston,Courville,Clukey,Cirillo,Chon,Chivers,Caudillo,Catt,Butera,Bulluck,Buckmaster,Braunstein,Bracamonte,Bourdeau,Border,Bonnette,Bobadilla,Boaz,Blackledge,Beshears,Bernhard,Bergeson,Baver,Barthel,Balsamo,Bak,Aziz,Awad,Authement,Altom,Altieri,Abels,Zigler,Zhu,Younker,Yeomans,Yearwood,Wurster,Winget,Whitsett,Wechsler,Weatherwax,Wathen,Warriner,Wanamaker,Walraven,Viens,Vandemark,Vancamp,Uchida,Triana,Tinoco,Terpstra,Tellis,Tarin,Taranto,Takacs,Studdard,Struthers,Strout,Stiller,Spataro,Soderquist,Sliger,Silberman,Shurtleff,Sheetz,Schillinger,Ritch,Reif,Raybon,Ratzlaff,Radley,Putt,Putney,Prime,Press,Pinette,Piner,Petrin,Parise,Osbourne,Nyman,Northington,Noblitt,Nishimura,Nell,Neher,Nalls,Naccarato,Mucha,Mounce,Miron,Millis,Meaney,Mcnichols,Mckinnis,Mcjunkin,Mcduffy,Max,Marcello,Manrique,Mannion,Mangual,Malveaux,Mains,Lumsden,Lucien,Lohmann,Lipe,Lightsey,Lemasters,Leist,Laxton,Laverriere,Latorre,Lamons,Kral,Kopf,Knauer,Kitt,Kaul,Karas,Kamps,Jusino,Janis,Islam,Hullinger,Huges,Hornung,Hiser,Hempel,Helsel,Hassinger,Hargraves,Hammes,Hallberg,Gutman,Gumbs,Gruver,Graddy,Gonsales,Goncalves,Glennon,Gilford,Geno,Freshour,Flippo,Fifer,Few,Fermin,Fason,Farrish,Fallin,Ewert,Estepp,Escudero,Ensminger,Emmanuel,Emberton,Elms,Ellerbe,Eide,Dysart,Dougan,Dierking,Dicus,Detrick,Deroche,Depue,Demartino,Delosreyes,Dalke,Culbreath,Crownover,Crisler,Crass,Corsi,Chagnon,Centers,Cavanagh,Casson,Carollo,Cadwallader,Burnley,Burciaga,Burchard,Broadhead,Boris,Booze,Bolte,Body,Berens,Bellman,Bellard,Baril,Arden,Antonucci,Amado,Allie,Wolfgram,Winsor,Wimbish,Wilbert,Wier,Wallach,Viveros,Vento,Varley,Vanslyke,Vangorder,Touchstone,Tomko,Tiemann,Throop,Tamura,Talmadge,Swayze,Sturdevant,Strauser,Stolz,Stenberg,Stayton,Spohn,Spillers,Spillane,Sluss,Sloane,Slavens,Simonetti,Shofner,Shead,Senecal,Seales,Schueler,Schley,Schacht,Sauve,Sarno,Salsbury,Rothschild,Rosier,Rines,Reveles,Rein,Redus,Redfern,Reck,Ranney,Raggs,Prout,Prill,Preble,Prager,Plemons,Pippen,Pilon,Piccirillo,Pewitt,Pesina,Pecora,Otani,Orsini,Ollie,Oestreich,Odea,Ocallaghan,Northup,Niehaus,Newberg,Nasser,Narron,Monarrez,Mishler,Mcsherry,Mcelfresh,Mayon,Mauer,Mattice,Mash,Marrone,Marmolejo,Marini,Marie,Mara,Malm,Machen,Lunceford,Loewen,Liverman,Litwin,Linscott,Levins,Lenox,Legaspi,Leeman,Leavy,Lannon,Lamson,Lambdin,Labarre,Knouse,Klemm,Kleinschmidt,Kirklin,Keels,Juliano,Howser,Hott,Hosier,Hosea,Hopwood,Holyfield,Hodnett,Hirsh,Heimann,Height,Heckel,Harger,Hamil,Hajek,Gurganus,Gunning,Grange,Gonzalas,Goggins,Gerow,Gaydos,Garduno,Ganley,Galey,Farner,Ester,Engles,Emond,Emert,Ellenburg,Edick,Duell,Dublin,Dorazio,Dong,Dimond,Diederich,Dewalt,Depuy,Dempster,Demaria,Dehoyos,Dearth,Dealba,Dane,Czech,Crose,Crespin,Cogdill,Clinard,Cipriano,Chretien,Chalk,Cerny,Ceniceros,Celestin,Caple,Cacho,Burrill,Buhr,Buckland,Branam,Boysen,Bovee,Boos,Boler,Blom,Blasko,Beyers,Belz,Belmonte,Bednarz,Beckmann,Beaudin,Bazile,Barbeau,Balentine,Abrahams,Able,Zielke,Yunker,Yeates,Wrobel,Wike,Whisnant,Wherry,Wagnon,Vogan,Vansant,Vannest,Vallo,Ullery,Towles,Towell,Tiger,Thill,Taormina,Tannehill,Taing,Storrs,Stickles,Stetler,Sparling,Solt,Silcox,Sheard,Shadle,Seman,Selleck,Schlemmer,Scher,Sapien,Sainz,Rumble,Roye,Rosamond,Romain,Rizzuto,Resch,Rentz,Rather,Rasch,Ranieri,Purtell,Primmer,Portwood,Pontius,Pons,Pletcher,Pledger,Pirkle,Pillsbury,Pentecost,Peng,Paxson,Ortez,Organ,Oles,Newborn,Mullett,Muirhead,Mouzon,Mork,Mollett,Mohn,Mitcham,Melillo,Mee,Medders,Mcmiller,Mccleery,Mccaughey,Manders,Mak,Maciejewski,Macaulay,Lute,Lipman,Lewter,Larocque,Langton,Kriner,Knipp,Killeen,Karn,Kalish,Kaczor,Jonson,Jerez,Jarrard,Janda,Hymes,Hollman,Hollandsworth,Holl,Hobdy,Hitch,Hennen,Hemmer,Hagins,Haddox,Guitierrez,Guernsey,Gorsuch,Gholson,Genova,Gazaway,Gauna,Gammons,Freels,Fonville,Fly,Florian,Fleet,Fetterman,Fava,Farquhar,Farish,Fabela,Escoto,Eisen,Dossett,Dority,Dorfman,Demmer,Dehn,Dawley,Darbonne,Damore,Damm,Crosley,Cron,Crompton,Crichton,Cotner,Cordon,Conerly,Colvard,Clauson,Chess,Cheeseman,Charity,Cavallaro,Castille,Cabello,Burgan,Buffum,Bruss,Brassfield,Bowerman,Bothwell,Borgen,Bonaparte,Bombard,Boivin,Boissonneault,Bogner,Bodden,Boan,Blanche,Bittinger,Bickham,Bedolla,Bale,Bainbridge,Aybar,Avendano,Ashlock,Amidon,Almanzar,Akridge,Ackermann,Zager,Yong,Xavier,Worrall,Winans,Wilsey,Wightman,Westrick,Wenner,Warne,Warford,Verville,Utecht,Upson,Tuma,Tseng,Troncoso,Trollinger,Torbert,Taulbee,Sutterfield,Stough,Storch,Stonebraker,Stolle,Stilson,Stiefel,Steptoe,Stepney,Stender,Stemple,Staggers,Spurrier,Spray,Spinney,Spengler,Smartt,Skoog,Silvis,Sieg,Shuford,Selfridge,Seguin,Sedgwick,Sease,Scotti,Schroer,Schlenker,Schill,Savarese,Sapienza,Sanson,Sandefur,Salamone,Rusnak,Rudisill,Royalty,Rothermel,Roca,Resendiz,Reliford,Rasco,Raiford,Quisenberry,Quijada,Pullins,Puccio,Postell,Poppe,Pinter,Piche,Petrucci,Pellegrin,Pelaez,Patti,Paton,Pasco,Parkes,Paden,Pabst,Orchard,Olmsted,Newlon,Mynatt,Mustafa,Mower,Morrone,Moree,Moffat,Mixson,Minner,Min,Millette,Mederos,Mcgahan,Mcconville,Maughan,Massingill,Marano,Macri,Lovern,Lichtenstein,Leonetti,Lehner,Lawley,Laramie,Lappin,Lahti,Lago,Lacayo,Kuester,Knee,Kincade,Junior,Juhl,Joslyn,Jiron,Jessop,Jerry,Jarosz,Jain,Hults,Hoge,Hodgins,Hoban,Hinkson,Hillyard,Herzig,Hervey,Henriksen,Hawker,Hause,Hard,Hankerson,Gregson,Golliday,Gilcrease,Gessner,Gerace,Garwood,Garst,Gaillard,Flinchum,Fishel,Fishback,Filkins,Fentress,Fabre,Ethier,Espana,Eisner,Ehrhart,Efird,Drennon,Dominy,Dominique,Domingue,Dipaolo,Dinan,Dimartino,Deskins,Dengler,Defreitas,Defranco,Dancer,Dahlin,Cutshaw,Cuthbert,Croyle,Crothers,Critchfield,Cowie,Costner,Coppedge,Copes,Ciccone,Champ,Cesar,Caufield,Capo,Cambron,Cambridge,Buser,Burnes,Buhl,Buendia,Brindley,Brecht,Bourgoin,Boomer,Blackshire,Birge,Benninger,Bembry,Beil,Begaye,Barrentine,Barks,Banton,Balmer,Baity,Auerbach,Ambler,Alexandre,Ackerson,Zurcher,Zell,Wynkoop,Wallick,Waid,Vos,Vizcaino,Vester,Veale,Vandermark,Vanderford,Tuthill,Trivette,Thiessen,Tewksbury,Tao,Tabron,Swim,Swasey,Swanigan,Stoughton,Stoudt,Stimson,Stecker,Stead,Stall,Spady,Souther,Smoak,Sklar,Simcox,Sidwell,Sharon,Seybert,Sesco,Seeman,Seaborn,Schwenk,Schmeling,Rossignol,Robillard,Robicheaux,Riveria,Rippeon,Ridgley,Remaley,Rehkop,Reddish,Reach,Rauscher,Rachel,Quirion,Pusey,Pruden,Pressler,Potvin,Pospisil,Paradiso,Pangburn,Palmateer,Ownby,Otwell,Osterberg,Osmond,Olsson,Old,Oberlander,Nusbaum,Novack,Nokes,Nicastro,Nehls,Nay,Naber,Mulhern,Motter,Moretz,Milian,Mercedes,Mckeel,Mcclay,Mccart,Matsuda,Mary,Martucci,Marple,Marko,Marciniak,Manes,Mancia,Maker,Macrae,Lybarger,Lint,Lineberger,Levingston,Lecroy,Lattimer,Laseter,Kulick,Krier,Knutsen,Klem,Kinne,Kinkade,Ketterman,Kerstetter,Kersten,Karam,Jury,Joshi,Jin,Jent,Jefcoat,Hillier,Hillhouse,Hettinger,Henthorn,Henline,Helzer,Heitzman,Heineman,Heenan,Haughton,Haris,Harbert,Haman,Grinstead,Gremillion,Gorby,Giraldo,Gioia,Gerardi,Geraghty,Gaunt,Gatson,Gardin,Gans,Gammill,Games,Gain,Friedlander,Frahm,Fossett,Fosdick,Forth,Forbush,Fondren,Fleckenstein,Fitchett,Filer,Feliz,Feist,Ewart,Evelyn,Esters,Elsner,Edgin,Eddie,Easterly,Dussault,Durazo,Don,Devereaux,Deshotel,Deckert,Dargan,Dare,Cornman,Conkle,Condit,Commander,Claunch,Clabaugh,Chute,Cheesman,Chea,Charney,Charleston,Casella,Carone,Carbonell,Canipe,Campana,Calles,Cabezas,Cabell,Buttram,Bustillos,Buskirk,Boyland,Bourke,Blakeley,Big,Berumen,Berrier,Bench,Belli,Behrendt,Baumbach,Bartsch,Baney,Arambula,Alldredge,Allbritton,Ziemba,Zanders,Youngquist,Yoshioka,Yohe,Wunder,Woodfin,Wojtowicz,Winkel,Wilmore,Willbanks,Wesolowski,Wendland,Walko,Votaw,Vanek,Uriarte,Urbano,Turnipseed,Triche,Trautman,Towler,Tokarz,Temples,Tefft,Teegarden,Syed,Swigart,Stryker,Stoller,Stapler,Stansfield,Smit,Smelley,Sicard,Shulman,Shew,Shear,Sheahan,Sharpton,Selvidge,Schlesinger,Savell,Sandford,Sabatino,Rosenbloom,Roepke,Rish,Rhames,Renken,Reger,Rappaport,Quarterman,Puig,Prasad,Poplar,Pizano,Pigott,Pick,Phair,Petrick,Patt,Pascua,Paramore,Papineau,Olivieri,Ogren,Norden,Noga,Nisbet,Munk,Munch,Mui,Morvant,Moro,Moloney,Merz,Meng,Meltzer,Mellinger,Mehl,Mcnealy,Mckernan,Mchaney,Mccleskey,Mcandrews,Mayton,Mayor,Markert,Maresca,Marcellus,Maner,Mandujano,Malpass,Macintyre,Lytton,Lyall,Lummus,Longshore,Longfellow,Lokey,Locher,Leverette,Lepe,Lefever,Leeson,Lederer,Lampert,Lagrone,La,Kreider,Korth,Knopf,Kleist,Kiss,Keltner,Kelling,Kaspar,Kappler,Justin,Josephs,Jiang,Huckins,Horace,Holub,Hofstetter,Hoehn,Higginson,Hennings,Heid,Havel,Hauer,Harnden,Hargreaves,Hanger,Guild,Guidi,Grate,Grandy,Grandstaff,Goza,Goodridge,Goodfellow,Goggans,Godley,Giusti,Gilyard,Geoghegan,Galyon,Gaeta,Funes,Font,Flor,Flanary,Fales,Erlandson,Ellett,Elia,Edinger,Dziedzic,Duerr,Draughn,Donoho,Dimatteo,Devos,Dematteo,Degnan,Darlington,Danis,Dam,Dahlstrom,Dahlke,Czajkowski,Cumbie,Culbert,Crosier,Croley,Corry,Clinger,Cheshire,Chalker,Cephas,Caywood,Cavalier,Capehart,Cales,Cadiz,Bussiere,Burriss,Burkart,Brundidge,Bronstein,Breeze,Bradt,Boydston,Bostrom,Borel,Bolles,Blay,Blackwelder,Bissett,Bevers,Bester,Bernardino,Benefiel,Belote,Beedle,Beckles,Baysinger,Bassler,Bartee,Barlett,Bargas,Barefield,Baptista,Arterburn,Armas,Apperson,Amoroso,Amedee,Zullo,Zellner,Yelton,Willems,Wilkin,Wiggin,Widman,Welk,Weingarten,Walla,Viers,Vess,Verdi,Veazey,Vannote,Tullos,Trudell,Trower,Trosper,Trimm,Trew,Tousignant,Topp,Tocco,Thoreson,Terhune,Tatom,Suniga,Sumter,Steeves,Stansell,Soltis,Sloss,Slaven,Sing,Shisler,Sheriff,Shanley,Servantes,Selders,Segrest,Seese,Seeber,Schaible,Savala,Sartor,Rutt,Rumbaugh,Ruis,Roten,Roessler,Ritenour,Riney,Restivo,Rene,Renard,Rakestraw,Rake,Rachal,Quiros,Pullin,Prudhomme,Primeaux,Prestridge,Presswood,Ponte,Polzin,Poarch,Pittenger,Piggott,Pickell,Phaneuf,Parvin,Parmley,Palmeri,Paisley,Ozment,Ormond,Ordaz,Ono,Olea,Obanion,Oakman,Novick,Nicklas,Nemec,Nappi,Mund,Morfin,Mera,Melgoza,Melby,Mcgoldrick,Mcelwain,Mcchristian,Mccaw,Marquart,Marlatt,Markovich,Mahr,Lupton,Lucus,Lorusso,Lerman,Leddy,Leaman,Leachman,Lavalle,Laduke,Kummer,Koury,Konopka,Koh,Koepp,Kloss,Klock,Khalil,Kernan,Kappel,Jakes,Inoue,Hutsell,Howle,Honore,Hole,Hockman,Hockaday,Hiltz,Hetherington,Hesser,Hershman,Heng,Heffron,Headen,Haskett,Hartline,Harned,Guillemette,Guglielmo,Guercio,Greenbaum,Goris,Glines,Gilmour,Gardella,Gadd,Gabler,Gabbert,Fuselier,Freudenburg,Fragoso,Follis,Flemings,Feltman,Febus,Farren,Fallis,Evert,Ekstrom,Eastridge,Dyck,Dufault,Dubreuil,Dresser,Drapeau,Domingues,Dolezal,Dinkel,Didonato,Devitt,Devane,Demott,Daughtrey,Daubert,Das,Darrell,Creason,Crary,Costilla,Chipps,Cheatwood,Carmean,Canton,Caffrey,Burgher,Buker,Brunk,Brodbeck,Brantner,Brandy,Bolivar,Boerner,Bodkin,Biel,Betty,Bencomo,Bellino,Beliveau,Beauvais,Beaupre,Baylis,Baskett,Barcus,Barbera,Baltz,Asay,Arney,Arcuri,Ankney,Agostini,Addy,Zwilling,Zubia,Zollinger,Zeitz,Yard,Yanes,Winship,Winningham,Wickline,Webre,Waddington,Vosburgh,Vessels,Verrett,Vedder,Varnum,Vandeventer,Vacca,Usry,Towry,Touchet,Tookes,Tonkin,Timko,Tibbitts,Thedford,Tarleton,Talty,Talamantez,Tafolla,Sugg,Strecker,Stirling,Steffan,Spiva,Slape,Siemens,Shatzer,Seyler,Seamans,Schmaltz,Schipper,Sasso,Sailor,Ruppe,Runner,Royals,Roudebush,Ripple,Riemer,Richarson,Revilla,Reichenbach,Ratley,Railsback,Quayle,Poplin,Poorman,Ponton,Polo,Pollitt,Poitras,Piscitelli,Piedra,Pickles,Pew,Perera,People,Penwell,Pelt,Pauline,Parkhill,Paladino,Ore,Oram,Olmo,Oliveras,Olivarria,Ogorman,Near,Naron,Na,Muncie,Mowbray,Morones,Moretti,Monn,Mitts,Minks,Minarik,Mimms,Milliron,Millington,Millhouse,Messersmith,Mcnett,Mckinstry,Mcgeorge,Mcdill,Mcateer,Mazzeo,Matchett,Mahood,Mabery,Lundell,Louden,Losoya,Lisk,Lezama,Leib,Lebo,Lanoue,Lanford,Lafortune,Kump,Krone,Kreps,Kott,Kopecky,Kolodziej,Knuckles,Kinman,Kimmons,Kelty,Kaster,Karlson,Kania,Jules,Joyal,Job,Jenner,Jasinski,Jandreau,Isenhour,Hunziker,Huhn,Houde,Houchins,Holtman,Hodo,Heyman,Hentges,Hedberg,Hayne,Haycraft,Harshbarger,Harshaw,Harriss,Haring,Hansell,Hanford,Handler,Hamburg,Hamblen,Gunnell,Groat,Gorecki,Gochenour,Gleeson,Genest,Geiser,Gabriele,Fulghum,Friese,Fridley,Freeborn,Frailey,Flaugher,Fiala,Ettinger,Etheredge,Espitia,Eriksen,Engelbrecht,Engebretson,Elie,Eickhoff,Edney,Edelen,Eberhard,Eastin,Eakes,Driggs,Doner,Donaghy,Disalvo,Deshong,Dahms,Dahlquist,Curren,Cripe,Cree,Creager,Corle,Conatser,Commons,Coggin,Coder,Coaxum,Closson,Clodfelter,Classen,Chittenden,Castilleja,Casale,Cartee,Carriere,Canup,Canizales,Burgoon,Bunger,Bugarin,Buchanon,Bruning,Bruck,Brookes,Broadwell,Brier,Brekke,Breese,Bracero,Bowley,Bowersox,Bose,Bogar,Blossom,Blauser,Blacker,Bjorklund,Belair,Baumer,Basler,Barb,Baltimore,Baize,Baden,Auman,Amundsen,Amore,Alvarenga,Adan,Adamczyk,Yerkes,Yerby,Yawn,Yamaguchi,Worthey,Wolk,Wixom,Wiersma,Wieczorek,Whiddon,Weyer,Wetherington,Wein,Watchman,Warf,Wansley,Vesely,Velazco,Vannorman,Valasquez,Utz,Urso,Turco,Turbeville,Trivett,Torrance,Toothaker,Toohey,Tondreau,Thaler,Sylvain,Swindler,Swigert,Swider,Stiner,Stever,Steffes,Stampley,Stair,Smidt,Skeete,Silvestre,Shy,Shutts,Shock,Shealey,Seigler,Schweizer,Schuldt,Schlichting,Scherr,Saulsberry,Saner,Rosin,Rosato,Roling,Rohn,Rix,Rister,Remley,Remick,Recinos,Ramm,Raabe,Pursell,Poythress,Poli,Pokorny,Plum,Pettry,Petrey,Petitt,Penman,Payson,Paquet,Pappalardo,Outland,Oscar,Orenstein,Nuttall,Nuckols,Nott,Nimmo,Murtagh,Mousseau,Moulder,Mooneyhan,Moak,Minch,Miera,Mercuri,Meighan,Mcnelly,Mcguffin,Mccreery,Mcclaskey,Man,Mainor,Luongo,Lundstrom,Loughman,Loose,Lobo,Lobb,Linhart,Liberty,Lever,Leu,Leiter,Lehoux,Lehn,Lares,Lapan,Langhorne,Lamon,Ladwig,Ladson,Kuzma,Kreitzer,Knop,Keech,Kea,Kadlec,Jo,Jhonson,Jantz,Inglis,Husk,Hulme,Housel,Hofman,Hillery,Heidenreich,Heaps,Haslett,Harting,Hartig,Hamler,Halton,Hallum,Gutierres,Guida,Guerrier,Grossi,Gress,Greenhalgh,Gravelle,Gow,Goslin,Gonyea,Gipe,Gerstner,Gasser,Garceau,Gannaway,Gama,Gallop,Gaiser,Fullilove,Foutz,Fossum,Flannagan,Farrior,Faller,Ericksen,Entrekin,Enochs,Englund,Ellenberger,Eastland,Earwood,Dudash,Du,Drozd,Desoto,Delph,Dekker,Dejohn,Degarmo,Defeo,Defalco,Deblois,Dacus,Cudd,Crossen,Crooms,Cronan,Costin,Costanza,Cordray,Comerford,Collie,Colegrove,Coldwell,Claassen,Chartrand,Castiglione,Carte,Cardella,Carberry,Capp,Capobianco,Cangelosi,Buch,Brunell,Brucker,Brockett,Brizendine,Brinegar,Brimer,Brase,Bosque,Bonk,Bolger,Bohanon,Bohan,Blazek,Berning,Bergan,Bennette,Beauchemin,Battiste,Barra,Balogh,Avis,Avallone,Aubry,Ashcroft,Asencio,Arledge,Anchondo,Amy,Alvord,Acheson,Zaleski,Yonker,Wyss,Wycoff,Woodburn,Wininger,Winders,Willmon,Wiechmann,Westley,Weatherholt,Warnick,Wardle,Warburton,Volkert,Virgin,Villanveva,Veit,Vass,Vanallen,Tung,Toribio,Toothman,Tiggs,Thornsberry,Thome,Tepper,Teeple,Tebo,Tassone,Tann,Sultan,Stucker,Stotler,Stoneman,Stehle,Stanback,Stallcup,Spurr,Speers,Spada,Solum,Smolen,Sinn,Silvernail,Sholes,Shives,Shain,Secrest,Seagle,Schuette,Schoch,Schnieders,Schild,Schiavone,Schiavo,Scharff,Santee,Sandell,Salvo,Rollings,Rollin,Rivenburg,Ritzman,Rist,Rio,Ricardo,Reynosa,Retana,Reiber,Regnier,Rarick,Ransome,Rall,Propes,Prall,Poyner,Ponds,Poitra,Plaster,Pippins,Pinion,Piccolo,Phu,Perillo,Penrose,Pendergraft,Pelchat,Peed,Patenaude,Palko,Odoms,Oddo,Novoa,Noone,Newburn,Negri,Nantz,Mosser,Moshier,Molter,Molinari,Moler,Millman,Meurer,Mendel,Mcray,Mcnicholas,Mcnerney,Mckillip,Mcilvain,Mcadory,Matter,Master,Marmol,Marinez,Manzer,Mankin,Makris,Majeski,Magnus,Maffei,Luoma,Luman,Luebke,Luby,Lomonaco,Loar,Litchford,Lintz,Licht,Levenson,Legge,Laughter,Lanigan,Krom,Kreger,Koop,Kober,Klima,Kitterman,Kinkead,Kimbell,Kilian,Kibbe,Kendig,Kemmer,Kash,Jenkin,Inniss,Hurlbut,Hunsucker,Hugo,Huckabee,Hoxie,Hoglund,Hockensmith,Hoadley,Hinkel,Higuera,Herrman,Heiner,Hausmann,Haubrich,Hassen,Hanlin,Hallinan,Haglund,Hagberg,Gullo,Gullion,Groner,Greenwalt,Grand,Goodwill,Gong,Gobert,Glowacki,Glessner,Gines,Gildersleeve,Gildea,Gerke,Gerhard,Gebhard,Gatton,Gately,Galasso,Fralick,Fouse,Fluharty,Faucette,Fairfax,Evanoff,Elser,Ellard,Egerton,Edie,Ector,Ebling,Dunkel,Duhart,Drysdale,Dostal,Dorey,Dolph,Doles,Dismukes,Digregorio,Digby,Dewees,Deramus,Denniston,Dennett,Deloney,Delaughter,Darcy,Cuneo,Cumberland,Crotts,Crosswhite,Cremeans,Creasey,Cottman,Cothern,Costales,Cosner,Corpus,Cora,Constable,Colligan,Cobble,Clutter,Chupp,Chevez,Chatmon,Chaires,Caplan,Caffee,Cabana,Burrough,Burditt,Buckler,Brunswick,Brouillard,Broady,Bowlby,Bouley,Borgman,Boltz,Boddy,Blackston,Birdsell,Bedgood,Bate,Basil,Bartos,Barriga,Barrie,Barna,Barcenas,Banach,Baccus,Auclair,Ashman,Arter,Arendt,Ansell,Allums,Allsop,Allender,Alber,Albarran,Adelson,Zoll,Wysong,Wimbley,Wildes,Whitis,Whitehill,Whicker,Weymouth,Well,Weldy,Wark,Wareham,Waddy,Viveiros,Vito,Vides,Vecchio,Vath,Vandoren,Vanderhoof,Unrein,Uecker,Tsan,Trepanier,Tregre,Torkelson,Ton,Tobler,Tineo,Timmer,Swopes,Swofford,Sweeten,Swarts,Summerfield,Sumler,Stucky,Strozier,Stigall,Stickel,Stennis,Stelzer,Steely,Solar,Slayden,Skillern,Shurtz,Shelor,Shellenbarger,Shand,Shabazz,Seo,Scroggs,Schwandt,Schrecengost,Schoenrock,Schirmer,Sandridge,Ruzicka,Rozek,Rowlands,Roser,Rosendahl,Romanowski,Romaine,Rolston,Rink,Riggio,Reichman,Redondo,Reay,Rawlinson,Raskin,Raine,Quandt,Purpura,Purdue,Pruneda,Prevatte,Prettyman,Pinedo,Pierro,Pidgeon,Phillippi,Pfeil,Penix,Peasley,Paro,Overall,Ospina,Ortegon,Ogata,Ogara,Normandin,Nordman,Nims,Nassar,Motz,Morlan,Mooring,Moles,Moir,Mizrahi,Mire,Minaya,Millwood,Mikula,Messmer,Meikle,Mctaggart,Mcgonagle,Mcewan,Mccasland,Mccane,Mccaffery,Mcalexander,Mattocks,Mattie,Matranga,Martone,Markland,Maravilla,Manno,Manly,Mancha,Mallery,Magno,Lorentz,Locklin,Livingstone,Lipford,Lininger,Line,Liao,Lepley,Leming,Lemelin,Leadbetter,Lawhon,Lattin,Langworthy,Lampman,Lambeth,Lamarr,Lahey,Krajewski,Klopp,Kinnison,Kestner,Kerry,Kennell,Karim,Jozwiak,Jakubowski,Jagger,Ivery,Ishmael,Iliff,Iddings,Hudkins,Houseman,Holz,Holderman,Hoehne,Highfill,Hiett,Heskett,Heldt,Hedman,Hayslett,Hatchell,Hasse,Hamon,Hamada,Hakala,Haislip,Haffey,Hackbarth,Guo,Gullickson,Guerrette,Guan,Greenblatt,Goudreau,Gongora,Godbout,Glaude,Gills,Gillison,Gigliotti,Gargano,Gallucci,Galli,Galante,Frasure,Fodor,Fizer,Fishburn,Finkbeiner,Finck,Fager,Estey,Espiritu,Eppinger,Epperly,Emig,Eckley,Dray,Dorsch,Dille,Devita,Deslauriers,Demery,Delorme,Delbosque,Dauphin,Dantonio,Curd,Crume,Crown,Cozad,Cossette,Comacho,Climer,Chadbourne,Cespedes,Cayton,Castaldo,Carpino,Carls,Capozzi,Canela,Cadet,Buzard,Busick,Burlison,Brinkmann,Bridgeforth,Bourbeau,Bornstein,Boots,Bonfiglio,Boice,Boese,Biondi,Bilski,Betton,Berwick,Berlanga,Behan,Becraft,Barrientez,Banh,Balke,Balderrama,Bahe,Bachand,Atlas,Armer,Arceo,Aliff,Alatorre,Zermeno,Zane,Younce,You,Yeoman,Yamasaki,Wroten,Worm,Woodby,Winer,Wilmer,Willits,Wilcoxon,Wehmeyer,Waterbury,Wass,Wann,Wake,Wachtel,Vizcarra,Vince,Victory,Veitch,Vanderbilt,Vallone,Vallery,Ureno,Tyer,Tipps,Tiedeman,Theberge,Texeira,Taub,Tapscott,Stutts,Stults,Stukes,Staff,Spink,Sottile,Smithwick,Slane,Simeone,Silvester,Siegrist,Shiffer,Sheedy,Sheaffer,Severin,Sellman,Scotto,Schupp,Schueller,Schreier,Schoolcraft,Schoenberger,Schnabel,Sangster,Samford,Saliba,Ryles,Ryans,Rossetti,Rodriguz,Risch,Riel,Rezendes,Rester,Rencher,Recker,Rathjen,Profitt,Poteete,Polizzi,Perrigo,Patridge,Osby,Orvis,Opperman,Oppenheim,Onorato,Olaughlin,Ohagan,Ogles,Oehler,Obyrne,Nuzzo,Nickle,Nease,Neagle,Navarette,Nagata,Musto,Morning,Morison,Montz,Mogensen,Mizer,Miraglia,Mingus,Migliore,Merideth,Menges,Mellor,Mcnear,Mcnab,Mcloud,Mcelligott,Mccollom,Maynes,Marquette,Markowski,Marcantonio,Mar,Maldanado,Makin,Macey,Lundeen,Lovin,Longino,Lisle,Linthicum,Limones,Lesure,Lesage,Leisure,Lauver,Laubach,Latshaw,Lary,Lapham,Lacoste,Lacher,Kutcher,Knickerbocker,Klos,Klingler,Kleiman,Kittleson,Kimbrel,Kimberly,Kemmerer,Kelson,Keese,Kam,Kallas,Jurgensen,Junkins,Juneau,Juergens,Jolliff,Jelks,Janicki,Jang,Innocent,Ingles,Inge,Huguley,Huggard,Howton,Hone,Holford,Holding,Hogle,Hipple,Heimbach,Heider,Heidel,Havener,Hattaway,Harrah,Hanscom,Hankinson,Hamdan,Gridley,Goulette,Goulart,Goodspeed,Goodrow,Go,Girardi,Gent,Gautreau,Ganz,Gandara,Gamblin,Galipeau,Fyffe,Furrow,Fulp,Fricks,Frase,Frandsen,Fout,Foulks,Fouche,Foskey,Forgey,Foor,Fobbs,Finklea,Fincham,Figueiredo,Festa,Ferrier,Fellman,Eslick,Eilerman,Eckart,Eaglin,Dunfee,Dumond,Drewry,Douse,Domino,Dimick,Diener,Dickert,Deines,Degree,Declue,Daw,Dattilo,Danko,Custodio,Cuccia,Crunk,Crispin,Corp,Cornwall,Corea,Coppin,Considine,Coniglio,Conboy,Collar,Cockrum,Clute,Clewis,Claude,Christiano,Channell,Channel,Cerrato,Cecere,Catoe,Castillon,Castile,Carstarphen,Carmouche,Caperton,Buteau,Bury,Bumpers,Brey,Brenton,Brazeal,Brassard,Brass,Braga,Bradham,Bourget,Borrelli,Borba,Boothby,Bohr,Bohm,Boehme,Bodin,Bloss,Blocher,Bizzell,Bieker,Berthelot,Bernardini,Berends,Benard,Belser,Baze,Bartling,Barrientes,Barras,Barcia,Banfield,Aurand,Artman,Arnott,Arend,Ardis,Amon,Almaguer,Allee,Albarado,Alameda,Abdo,Zuehlke,Zoeller,Yokoyama,Yocom,Wyllie,Woolum,Wint,Winland,Wink,Wilner,Wilmes,Whitlatch,Westervelt,Walthall,Walkowiak,Walburn,Viviano,Vanderhoff,Valez,Ugalde,Trumbull,Todaro,Tilford,Tidd,Tibbits,Terranova,Templeman,Tannenbaum,Talmage,Tabarez,Swearengin,Swartwood,Svendsen,Strum,Strack,Storie,Stockard,Steinbeck,Starns,Stanko,Stankiewicz,Stacks,Stach,Sproles,Spenser,Smotherman,Slusser,Sinha,Silber,Siefert,Siddiqui,Shuff,Sherburne,Seldon,Seddon,Schweigert,Schroeter,Schmucker,Saffold,Rutz,Rundle,Rosinski,Rosenow,Rogalski,Ridout,Rhymer,Replogle,Regina,Reda,Raygoza,Ratner,Rascoe,Rahm,Quincy,Quast,Pry,Pressnell,Predmore,Pou,Porto,Pleasants,Pigford,Pavone,Patnaude,Parramore,Papadopoulos,Palmatier,Ouzts,Oshields,Ortis,Olmeda,Olden,Okamoto,Norby,Nitz,Niebuhr,Nevius,Neiman,Neidig,Neece,Murawski,Mroz,Moylan,Moultry,Mosteller,Moring,Morganti,Mook,Moffet,Mettler,Merlo,Mengel,Mendelsohn,Meli,Melchior,Mcmeans,Mcfaddin,Mccullers,Mccollister,Mccloy,Mcclaine,Maury,Maser,Martelli,Manthey,Malkin,Maio,Magwood,Maginnis,Mabon,Luton,Lusher,Lucht,Lobato,Levis,Letellier,Legendre,Laurel,Latson,Larmon,Largo,Landreneau,Landgraf,Lamberson,Kurland,Kresge,Korman,Korando,Klapper,Kitson,Kinyon,Kincheloe,Kawamoto,Kawakami,Jenney,Jeanpierre,Ivers,Issa,Ince,Hugh,Hug,Honda,Hollier,Hollars,Hoerner,Hodgkinson,Hiott,Hibbitts,Herlihy,Henricks,Heavner,Hayhurst,Harvill,Harewood,Hanselman,Hanning,Gwyn,Gustavson,Grounds,Grizzard,Grinder,Graybeal,Gravley,Gorney,Goll,Goehring,Godines,Gobeil,Glickman,Giuliano,Gimbel,Gift,Geib,Gayhart,Gatti,Gains,Gadberry,Frei,Fraise,Fouch,Forst,Forsman,Folden,Fogleman,Figaro,Fetty,Feely,Fabry,Eury,Estill,Epling,Elamin,Echavarria,Dutil,Duryea,Dumais,Drago,Downard,Douthit,Doolin,Dobos,Dison,Dinges,Diebold,Desilets,Deshazo,Depaz,Degennaro,Dall,Cyphers,Cryer,Croce,Crisman,Credle,Coriell,Copp,Coop,Compos,Colmenero,Cogar,Cliff,Chapel,Carnevale,Campanella,Caley,Calderone,Burtch,Brouwer,Brehmer,Brassell,Brafford,Bourquin,Bourn,Bohnert,Blewett,Blass,Blakes,Bhakta,Besser,Berge,Bellis,Balfour,Avera,Austria,Applin,Ammon,Alsop,Aleshire,Akbar,Zoller,Zapien,Wymore,Wyble,Wolken,Wix,Wickstrom,Whobrey,Whigham,Westerlund,Welsch,Weisser,Weisner,Weinstock,Wehner,Watlington,Wakeland,Wafer,Virgen,Victorino,Veltri,Veith,Urich,Uresti,Umberger,Twedt,Tuohy,Tschida,Trumble,Troia,Tristan,Trimmer,Topps,Tonn,Tiernan,Threet,Thrall,Thetford,Teneyck,Tartaglia,Swords,Strohl,Streater,Strausbaugh,Stradley,Stonecipher,Steadham,Stansel,Stalcup,Stabile,Sprenger,Spradley,Speier,Southwood,Sorrels,Slezak,Skow,Sirmans,Simental,Silk,Sifford,Sievert,Shover,Sheley,Selzer,Scriven,Schwindt,Schwan,Schroth,Saylors,Saragosa,Sant,Salaam,Saephan,Routt,Rousey,Ros,Rolfes,Rieke,Rieder,Richeson,Redinger,Rasnick,Rapoza,Rambert,Rafael,Quist,Pyron,Punch,Pullman,Przybylski,Pridmore,Pooley,Pines,Perkinson,Perine,Perham,Pecor,Peavler,Partington,Panton,Oliverio,Olague,Ohman,Ohearn,Noyola,Nicolai,Nebel,Murtha,Muff,Mowrey,Moroney,Morgenstern,Morant,Monty,Monsour,Mohammad,Moffit,Mijares,Meriwether,Mendieta,Melendrez,Mejorado,Mckittrick,Mckey,Mckenny,Mckelvy,Mckechnie,Mcelvain,Mccoin,Mazzarella,Mazon,Maurin,Matthies,Maston,Maske,Marzano,Marmon,Marburger,Mangus,Mangino,Mallet,Luo,Losada,Londono,Lobdell,Lipson,Lesniak,Leighty,Lei,League,Lavallie,Lareau,Laperle,Lape,Laforce,Laffey,Kuehner,Kravitz,Kowalsky,Kohr,Kinsman,Keppler,Kennemer,Keiper,Keely,Kaler,Jun,Jelinek,Jarnagin,Issac,Isakson,Hypes,Hutzler,Huls,Horak,Hitz,Hice,Herrell,Henslee,Heitz,Heiss,Heiman,Hasting,Hartwick,Harmer,Harland,Hammontree,Haldeman,Hakes,Guse,Guillotte,Guard,Groleau,Greve,Greenough,Golub,Golson,Goldschmidt,Golder,Godbolt,Gilmartin,Gies,Gibby,Geren,Genthner,Gendreau,Gemmill,Gaymon,Galyean,Galeano,Friar,Folkerts,Fleeman,Fitzgibbons,Ferranti,Felan,Farrand,Eoff,Enger,Engels,Ducksworth,Duby,Dry,Drumheller,Douthitt,Doris,Donis,Dixion,Dittrich,Dials,Dessert,Descoteaux,Depaul,Denker,Demuth,Demelo,Delacerda,Deforge,Danos,Dalley,Daigneault,Cybulski,Crystal,Cristobal,Cothren,Corns,Corkery,Copas,Coco,Clubb,Clore,Chitty,Chichester,Chery,Charon,Chamber,Chace,Catanzaro,Castonguay,Cassella,Caroll,Carlberg,Cammarata,Calle,Cajigas,Byas,Buzbee,Busey,Burling,Bufkin,Brzezinski,Brun,Brickner,Brabham,Boller,Bodily,Bockman,Bleich,Blakeman,Bisbee,Bier,Bezanson,Bevilacqua,Besaw,Berrian,Berkeley,Bequette,Beauford,Baumgarten,Baudoin,Batie,Basaldua,Bardin,Bangert,Banes,Backlund,Avitia,Artz,Archey,Apel,Amico,Alam,Aden,Zebrowski,Yokota,Wormley,Wootton,Woodie,Womac,Wiltz,Wigington,Whitehorn,Whisman,Weisgerber,Weigle,Weedman,Watkin,Wasilewski,Wadlington,Wadkins,Viverette,Vidaurri,Vidales,Vezina,Vanleer,Vanhoy,Vanguilder,Vanbrunt,Uy,Updegraff,Tylor,Trinkle,Touchette,Tilson,Tilman,Tengan,Tarkington,Surrett,Super,Summy,Streetman,Straughter,Steere,Stalling,Spruell,Spadaro,Solley,Smathers,Silvera,Siems,Shreffler,Sholar,Selden,Schaper,Samayoa,Ruggeri,Rowen,Rosso,Rosenbalm,Roosevelt,Roose,Ronquillo,Rogowski,Rexford,Repass,Renzi,Renick,Renda,Rehberg,Reaper,Ranck,Raffa,Rackers,Raap,Pugsley,Puglisi,Prinz,Primus,Pounders,Pon,Pompa,Plasencia,Pipkins,Pillar,Petrosky,Pelley,Pauls,Pauli,Parkison,Parisien,Pangle,Pancoast,Palazzolo,Owenby,Overbay,Orris,Orlowski,Nipp,Newbern,Nedd,Nealon,Najar,Mysliwiec,Myron,Myres,Musson,Murrieta,Munsell,Mumma,Muldowney,Moyle,Mowen,Mose,Morejon,Moodie,Monier,Mikkelsen,Miers,Metzinger,Melin,Mcquay,Mcpeek,Mcneeley,Mcglothin,Mcghie,Mcdonell,Mccumber,Mccranie,Mcbean,Mayhugh,Marts,Marenco,Manges,Lynam,Lupien,Luff,Luebbert,Loh,Loflin,Lococo,Loch,Lis,Linke,Lightle,Lewellyn,Leishman,Lebow,Lebouef,Leanos,Lanz,Landy,Landaverde,Lacefield,Kyler,Kuebler,Kropf,Kroeker,Kluesner,Klass,Kimberling,Kilkenny,Kiker,Ketter,Kelemen,Keasler,Kawamura,Karst,Kardos,Jeremiah,Jared,Igo,Huseman,Huseby,Hurlbert,Huard,Hottinger,Hornberger,Hopps,Holdsworth,Hensen,Heilig,Heeter,Harpole,Haak,Gutowski,Gunnels,Grimmer,Grieve,Gravatt,Granderson,Gotcher,Gleaves,Genao,Garfinkel,Frerichs,Foushee,Flanery,Finnie,Feldt,Fagin,Ewalt,Ellefson,Eiler,Eckhart,Eastep,Dwight,Digirolamo,Didomenico,Devera,Delavega,Defilippo,Debusk,Daub,Damiani,Cupples,Cuddy,Crofoot,Courter,Coto,Costigan,Corning,Corman,Corlett,Cooperman,Collison,Coghlan,Cobbins,Coady,Coachman,Clothier,Client,Clear,Cipolla,Chmielewski,Chiodo,Chatterton,Chappelle,Chairez,Ceron,Casperson,Casler,Casados,Carrow,Carolina,Carlino,Carico,Cardillo,Caouette,Canto,Canavan,Cambra,Byard,Buterbaugh,Buse,Bucy,Buckwalter,Bubb,Bryd,Brissette,Brault,Bradwell,Boshears,Borchert,Blansett,Blanch,Blade,Biondo,Bilbo,Biehl,Bessey,Berta,Belles,Bella,Beeks,Beekman,Beaufort,Bayliss,Bardsley,Avilla,Astudillo,Ardito,Anwar,Antunez,Amen,Aderholt,Abate,Yowell,Yin,Yearby,Ye,Wurst,Woolverton,Woolbright,Wildermuth,Whittenburg,Whitely,Wetter,Wetherbee,Wenz,Welliver,Welling,Welcome,Wason,Warrior,Warlick,Voorhies,Vivier,Villines,Vida,Verde,Veiga,Varghese,Vanwyk,Vanwingerden,Vanhorne,Umstead,Twiggs,Tusing,Trego,Tompson,Tinkle,Thoman,Thole,Tatman,Tartt,Suda,Studley,Strock,Strawbridge,Stokely,Stec,Stang,Stalter,Speidel,Spafford,Spade,Sontag,Sokolowski,Skillman,Skelley,Skalski,Sison,Sippel,Sinquefield,Sin,Siegle,Sher,Sharrow,Setliff,Sera,Sellner,Selig,Seibold,Seery,Scriber,Schull,Schrupp,Schippers,Say,Saulsbury,Sao,Santillo,Sanor,Sancho,Rufus,Rubalcaba,Roosa,Ronk,Robbs,Roache,River,Riebe,Reinoso,Quin,Prude,Preuss,Pottorff,Pontiff,Plouffe,Picou,Picklesimer,Pettyjohn,Petti,Penaloza,Parmelee,Pardee,Palazzo,Overholt,Ogawa,Ofarrell,Nova,Nolting,Noda,Nicola,Nickson,Nevitt,Neveu,Navarre,Nam,Murrow,Munz,Mulloy,Monzo,Milliman,Metivier,Merlino,Mcpeters,Mckissack,Mckeen,Mcgurk,Mcfee,Mcfarren,Mcelwee,Mceachin,Mcdonagh,Mccarville,Mayhall,Mattoon,Martello,Marconi,Marbury,Mao,Manzella,Maly,Malec,Maitland,Maheu,Maclennan,Lyke,Luera,Loyola,Lowenstein,Losh,Lopiccolo,Longacre,Loman,Loden,Loaiza,Lieber,Libbey,Lenhardt,Lefebre,Lauterbach,Lauritsen,Lass,Larocco,Larimer,Lansford,Lanclos,Lamay,Lal,Kulikowski,Kriebel,Kosinski,Kleinman,Kleiner,Kleckner,Kistner,Kissner,Kissell,Kilroy,Kenna,Keisler,Keeble,Keaney,Kale,Joly,Jimison,Jeans,Ikner,Hursey,Hruska,Hove,Hou,Host,Hosking,Hoose,Holle,Hoeppner,Hittle,Hitchens,Hirth,Hinerman,Hilario,Higby,Hertzog,Hentz,Hensler,Heist,Heier,Hegg,Hassel,Harpe,Hara,Hank,Hain,Hagopian,Grimshaw,Grado,Gowin,Gowans,Googe,Goodlow,Goering,Gleaton,Gidley,Giannone,Gascon,Garneau,Gambrel,Galaz,Fuentez,Frisina,Fresquez,Fraher,Fitting,Feuerstein,Felten,Everman,Estell,Ertel,Erazo,Ensign,Endo,Ellerman,Eichorn,Edgell,Ebron,Eaker,Dundas,Duncanson,Duchene,Ducan,Dombroski,Doman,Dock,Dickison,Dewoody,Deloera,Delahoussaye,Dejean,Degroat,Decaro,Dearmond,Dashner,Dales,Crossett,Cressey,Cowger,Courts,Court,Cornette,Corbo,Coplin,Coover,Condie,Cokley,Cicero,Ceaser,Cannaday,Callanan,Cadle,Buscher,Bullion,Bucklin,Bruening,Bruckner,Brose,Branan,Bradway,Botsford,Bortz,Borelli,Bonetti,Bolan,Boerger,Bloomberg,Bingman,Bilger,Berns,Beringer,Beres,Beets,Beede,Beaudet,Beachum,Baughn,Bator,Bastien,Basquez,Barreiro,Barga,Baratta,Balser,Baillie,Axford,Attebery,Arakaki,Annunziata,Andrzejewski,Ament,Amendola,Adcox,Abril,Zenon,Zeitler,Zang,Zambrana,Ybanez,Yagi,Wolak,Wilcoxson,Whitesel,Whitehair,Weyand,Westendorf,Welke,Weinmann,Wei,Weesner,Weekes,Wedel,Wedding,Weatherall,Warthen,Vose,Villalta,Vila,Viator,Vaz,Valtierra,Urbanek,Tulley,Trojanowski,Trapani,Toups,Torpey,Tomita,Tindal,Tieman,Tevis,Tedrow,Taul,Tash,Tammaro,Sylva,Swiderski,Sweeting,Sund,Stutler,Stocking,Stich,Sterns,Stegner,Stalder,Splawn,Speirs,Southwell,Soltys,Smead,Slye,Skipworth,Sipos,Simmerman,Sigmund,Sidhu,Shuffler,Shingleton,Shadwick,Sermons,Seefeldt,Scipio,Schwanke,Schreffler,Schiro,Scheiber,Sandoz,Samsel,Ruddell,Royse,Rouillard,Rotella,Rosalez,Romriell,Rommel,Rizer,Riner,Rickards,Rhoton,Rhem,Reppert,Rayl,Raulston,Raposo,Rapier,Rainville,Radel,Quinney,Purdie,Puffer,Pizzo,Pincus,Petrus,Pendelton,Pendarvis,Peltz,Peguero,Peete,Patricio,Patchett,Parrino,Papke,Pam,Palafox,Ottley,Ostby,Oritz,Oren,Ogan,Odegaard,Oatman,Noell,Nida,Nicoll,Newhall,Newbill,Netzer,Nettleton,Neblett,Murley,Mungo,Mulhall,Mosca,Morissette,Morford,Montag,Monsen,Mitzel,Miskell,Minder,Mehaffey,Mcquillen,Mclennan,Mcgrail,Mccreight,Mayville,Maysonet,Maust,Mathieson,Mastrangelo,Maskell,Martina,Manz,Malmberg,Makela,Madruga,Luz,Lotts,Longnecker,Logston,Littell,Liska,Lindauer,Lillibridge,Levron,Letchworth,Lesh,Leffel,Leday,Leamon,Laura,Kulas,Kula,Kucharski,Kromer,Kraatz,Konieczny,Konen,Komar,Kivett,Kirts,Kinnear,Kersh,Keithley,Keifer,Judah,Jimenes,Jeppesen,Jasmin,Jansson,Huntsberry,Hund,Huitt,Huffine,Hosford,Hopes,Holmstrom,Hollen,Hodgin,Hirschman,Hiltner,Hilliker,Hibner,Hennis,Helt,Heidelberg,Heger,Heer,Hartness,Hardrick,Halladay,Gula,Guillaume,Guerriero,Grunewald,Grosse,Griffeth,Grenz,Grassi,Grandison,Ginther,Gimenez,Gillingham,Gillham,Gess,Gelman,Gearheart,Gaskell,Gariepy,Gamino,Gallien,Galentine,Fuquay,Froman,Froelich,Friedel,Foos,Fomby,Focht,Flythe,Fiqueroa,Filson,Filip,Fierros,Fett,Fedele,Fasching,Farney,Fargo,Everts,Even,Etzel,Elzey,Eichner,Eger,Eatman,Ducker,Duchesne,Donati,Domenech,Dollard,Dodrill,Dinapoli,Denn,Delfino,Delcid,Delaune,Delatte,Deems,Daluz,Cusson,Cullison,Cue,Cuadrado,Crumrine,Cruickshank,Crosland,Croll,Criddle,Crepeau,Coutu,Couey,Cort,Coppinger,Collman,Cockburn,Coca,Clayborne,Claflin,Cissell,Chowdhury,Chicoine,Chenier,Causby,Caulder,Cassano,Casner,Cardiel,Burner,Brunton,Bruch,Broxton,Brosius,Brooking,Branco,Bracco,Bourgault,Bosserman,Books,Bonet,Bolds,Bolander,Bohman,Boelter,Blohm,Blea,Blaise,Bischof,Billie,Beus,Bellew,Bastarache,Bast,Bartolome,Bark,Barcomb,Barco,Balls,Balk,Balas,Bakos,Avey,Atnip,Ashbrook,Arno,Arbour,Aquirre,Appell,Aldaco,Alcazar,Alban,Ahlstrom,Abadie,Zylstra,Zick,Zheng,Yother,Wyse,Wunsch,Whitty,Weist,Vrooman,Vine,Villalon,Vidrio,Vavra,Vasbinder,Vanmatre,Vandorn,Ugarte,Turberville,Tuel,Trogdon,Town,Toupin,Toone,Tolleson,Tinkham,Tinch,Tiano,Teston,Teer,Tea,Tawney,Taplin,Tant,Tansey,Swayne,Sutcliffe,Sunderman,Suits,Strothers,Stromain,Stork,Stoneburner,Stolte,Stolp,Stoehr,Stingley,Stegman,Stangl,Spinella,Spier,Soules,Sommerfield,Sipp,Simek,Siders,Shufelt,Shue,Shor,Shires,Shellenberger,Sheely,Service,Sepe,Seaberg,Schwing,Scherrer,Scalzo,Saver,Sasse,Sarvis,Santora,Sansbury,Salls,Saleem,Ryland,Rybicki,Ruggieri,Rothenberg,Rosenstein,Roquemore,Rollison,Rodden,Rivet,Rita,Ridlon,Riche,Riccardi,Reiley,Regner,Rech,Rayo,Rawley,Ranger,Raff,Radabaugh,Quon,Quill,Privette,Prange,Pickrell,Perino,Penning,Pankratz,Orlandi,Nyquist,Norrell,Noren,Naples,Nale,Nakashima,Musselwhite,Murrin,Murch,Mullinix,Mullican,Mullan,Morneau,Mondor,Molinar,Mo,Minjares,Minix,Mingle,Minchew,Mill,Milewski,Mikkelson,Mifflin,Messing,Merkley,Meis,Meas,Mcroy,Mcphearson,Mcneel,Mcmunn,Mcmorrow,Mcdorman,Mccroskey,Mccoll,Mcclusky,Mcclaran,Mccampbell,Mazzariello,Mauzy,Mauch,Mastro,Martinek,Marsala,Marcantel,Mahle,Lyda,Lucius,Luciani,Lubbers,Louder,Lobel,Linsey,Linch,Liller,Legros,Layden,Lapine,Lansberry,Lage,Laforest,Labriola,Koga,Knupp,Klimek,Kittinger,Kirchoff,Kinzel,Killinger,Kilbourne,Ketner,Kepley,Kemble,Kells,Kear,Kaya,Karsten,Kaneshiro,Kamm,Joines,Joachim,Janelle,Jacobus,Iler,Holgate,Hoar,Hisey,Hird,Hilyard,Heslin,Herzberg,Hennigan,Hegland,Hartl,Haner,Handel,Gualtieri,Greenly,Grasser,Gran,Goetsch,Godbold,Gilland,Gidney,Gibney,Giancola,Gettinger,Garzon,Garret,Galle,Galgano,Gaier,Gaertner,Fuston,Freel,Fortes,Flock,Fiorillo,Figgs,Fenstermacher,Fedler,Facer,Fabiano,Evins,Eusebio,Euler,Esquer,Enyeart,Elem,Eisenhower,Eich,Edgerly,Durocher,Durgan,Duffin,Drolet,Drewes,Dotts,Dossantos,Dolly,Dockins,Dirksen,Difiore,Dierks,Dickerman,Dice,Dery,Denault,Demaree,Delmonte,Delcambre,Days,Daulton,Darst,Dahle,Curnutt,Cully,Culligan,Cueva,Crosslin,Croskey,Cromartie,Crofts,Covin,Coutee,Countess,Cost,Coppa,Coogan,Condrey,Concannon,Coger,Cloer,Clatterbuck,Cieslak,Chumbley,Choudhury,Chiaramonte,Charboneau,Chai,Carneal,Cappello,Campisi,Callicoat,Burgoyne,Bucholz,Brumback,Brosnan,Brogden,Broder,Brendle,Breece,Bown,Bou,Boser,Bondy,Bolster,Boll,Bluford,Blandon,Biscoe,Bevill,Bence,Battin,Basel,Bartram,Barnaby,Barmore,Balbuena,Badgley,Backstrom,Auyeung,Ater,Arrellano,Arant,Ansari,Alling,Alejandre,Alcock,Alaimo,Aguinaldo,Aarons,Zurita,Zeiger,Zawacki,Yutzy,Yarger,Wygant,Wurm,Wuest,Wolfram,Witherell,Wisneski,Whitby,Whelchel,Weisz,Weisinger,Weishaar,Wehr,Wedge,Waxman,Waldschmidt,Walck,Waggener,Vosburg,Vita,Villela,Vercher,Venters,Vanscyoc,Vandyne,Valenza,Utt,Urick,Ungar,Ulm,Tumlin,Tsao,Tryon,Trudel,Treiber,Tow,Tober,Tipler,Tillson,Tiedemann,Thornley,Tetrault,Temme,Tarrance,Tackitt,Sykora,Sweetman,Swatzell,Sutliff,Suhr,Sturtz,Strub,Strayhorn,Stormer,Steveson,Stengel,Steinfeldt,Spiro,Spieker,Speth,Spero,Soza,Souliere,Soucie,Snedeker,Slifer,Skillings,Situ,Siniard,Simeon,Signorelli,Siggers,Shultis,Shrewsbury,Shippee,Shimp,Sherron,Shepler,Sharpless,Shadrick,Severt,Severs,Semon,Semmes,Seiter,Segers,Sclafani,Sciortino,Schroyer,Schrack,Schoenberg,Schober,Scheidt,Scheele,Satter,Sartori,Sarris,Sarratt,Salvaggio,Saladino,Sakamoto,Saine,Ryman,Rumley,Ruggerio,Rucks,Roughton,Room,Robards,Ricca,Rexroad,Resler,Reny,Rentschler,Redrick,Redick,Reagle,Raymo,Rape,Raker,Racette,Pyburn,Pritt,Presson,Pressman,Pough,Plain,Pisani,Perz,Perras,Pelzer,Pedrosa,Palos,Palmisano,Paille,Orem,Orbison,Oliveros,Nourse,Nordquist,Newbury,Nelligan,Nawrocki,Myler,Mumaw,Morphis,Moldenhauer,Miyashiro,Mignone,Mickelsen,Michalec,Mesta,Mcree,Mcqueary,Mcninch,Mcneilly,Mclelland,Mclawhorn,Mcgreevy,Mcconkey,Mattes,Maselli,Marten,Mart,Marcucci,Manseau,Manjarrez,Malbrough,Machin,Mabie,Lynde,Lykes,Lueras,Lokken,Loken,Linzy,Lillis,Lilienthal,Levey,Legler,Leedom,Lebowitz,Lazzaro,Larabee,Lapinski,Langner,Langenfeld,Lampkins,Lamotte,Lambright,Lagarde,Ladouceur,Labrador,Labounty,Lablanc,Laberge,Kyte,Kroon,Kron,Kraker,Kouba,Kirwin,Kincer,Kimbler,Kegler,Keach,Katzman,Katzer,Kalman,Journey,Jimmerson,Jenning,Janus,Iacovelli,Hust,Huson,Husby,Humphery,Hufnagel,Honig,Holsey,Holoman,Hohl,Hogge,Hinderliter,Hildebrant,Hick,Hey,Hemby,Helle,Heintzelman,Heidrick,Hearon,Heap,Hazelip,Hauk,Hasbrouck,Harton,Hartin,Harpster,Hansley,Hanchett,Haar,Guthridge,Gulbranson,Guill,Guerrera,Grund,Grosvenor,Grist,Grell,Grear,Granberry,Gonser,Giunta,Giuliani,Gillon,Gillmore,Gillan,Gibbon,Gettys,Gelb,Gano,Galliher,Fullen,Frese,Frates,Foxwell,Fleishman,Fleener,Fielden,Ferrera,Feng,Fells,Feemster,Fauntleroy,Fails,Evatt,Espy,Eno,Emmerich,Edwin,Edler,Eastham,Dunavant,Duca,Drinnon,Dowe,Dorgan,Dollinger,Divers,Dipalma,Difranco,Dietrick,Denzer,Demarest,Delee,Delariva,Delany,Decesare,Debellis,Deavers,Deardorff,Dawe,Darosa,Darley,Dalzell,Dahlen,Curto,Cupps,Cunniff,Cude,Crivello,Cripps,Cresswell,Cousar,Cotta,Compo,Colorado,Clyne,Clayson,Cearley,Catania,Carini,Cargo,Cantero,Cali,Buttrey,Buttler,Burpee,Bulkley,Buitron,Buda,Bublitz,Bryer,Bryden,Brouillette,Brott,Brookman,Bronk,Breshears,Brennen,Brannum,Brandl,Braman,Bracewell,Boyter,Bomberger,Bold,Bogen,Boeding,Bob,Blauvelt,Blandford,Bigger,Biermann,Bielecki,Bibby,Berthold,Berkman,Belvin,Bellomy,Beland,Behne,Beecham,Becher,Beams,Bax,Bassham,Barret,Baley,Bacchus,Auxier,Atkison,Ary,Arocha,Arechiga,Anspach,An,Algarin,Alcott,Alberty,Ager,Adolph,Ackman,Abdul,Abdallah,Zwick,Ziemer,Zastrow,Zajicek,Yokum,Yokley,Wittrock,Winebarger,Wilker,Wilham,Whitham,Wetzler,Westling,Westbury,Wendler,Wellborn,Weitzman,Weitz,Weight,Wallner,Waldroup,Vrabel,Vowels,Volker,Vitiello,Visconti,Villicana,Vibbert,Vesey,Vannatter,Vangilder,Vandervort,Vandegrift,Vanalstyne,Vallecillo,Usrey,Tynan,Turpen,Tuller,Trisler,Townson,Tillmon,Threlkeld,Thornell,Terrio,Taunton,Tarry,Tardy,Swoboda,Swihart,Sustaita,Suitt,Stuber,Strine,Stookey,Stmartin,Stiger,Stainbrook,Solem,Smail,Sligh,Siple,Sieben,Shumake,Shriner,Showman,Shiner,Sheen,Sheckler,Seim,Secrist,Scoggin,Schultheis,Schmalz,Schendel,Schacher,Savard,Saulter,Santillanes,Sandiford,Sande,Salzer,Salvato,Saltz,Sakai,Ryckman,Ryant,Ruck,Ronald,Rocker,Rittenberry,Ristau,Risk,Richart,Rhynes,Reyer,Reulet,Reser,Redington,Reddington,Rebello,Reasor,Raftery,Rabago,Raasch,Quintanar,Pylant,Purington,Provencal,Prom,Prioleau,Prestwood,Pothier,Popa,Polster,Politte,Poffenberger,Pinner,Pietrzak,Pettie,Penaflor,Pellot,Pellham,Paylor,Payeur,Papas,Paik,Oyola,Osbourn,Orzechowski,Oppenheimer,Olesen,Oja,Ohl,Nuckolls,Nordberg,Noonkester,Nold,Nitta,Niblett,Neuhaus,Nesler,Ned,Nanney,Myrie,Mutch,Motto,Mosquera,Morena,Montalto,Montagna,Mizelle,Mincy,Millikan,Millay,Miler,Milbourn,Mikels,Migues,Miesner,Mershon,Merrow,Merlin,Melia,Meigs,Mealey,Mcraney,Mcmartin,Mclachlan,Mcgeehan,Mcferren,Mcdole,Mccaulley,Mcanulty,Maziarz,Maul,Mateer,Martinsen,Marson,Mariotti,Manna,Mang,Mance,Malbon,Mah,Magnusson,Maclachlan,Macek,Lurie,Luc,Lown,Loranger,Lonon,Lisenby,Linsley,Linger,Lenk,Leavens,Learned,Lauritzen,Lathem,Lashbrook,Landman,Lamarche,Lamantia,Laguerre,Lagrange,Kogan,Klingbeil,Kist,Kimpel,Kime,Kier,Kerfoot,Kennamer,Kellems,Kammer,Kamen,Jess,Jepsen,Jarnigan,Isler,Ishee,Isabel,Hux,Hungate,Hummell,Hultgren,Huffaker,Hruby,Hover,Hornick,Hooser,Hooley,Hoggan,Hirano,Hilley,Higham,Heuser,Henrickson,Henegar,Hellwig,Heide,Hedley,Hasegawa,Hartt,Hambright,Halfacre,Hafley,Guion,Guinan,Grunwald,Grothe,Gries,Greaney,Granda,Grabill,Gothard,Gossman,Gosser,Gossard,Gosha,Goldner,Gobin,Gloss,Ginyard,Gilkes,Gilden,Gerson,Gephart,Gengler,Gautier,Gassett,Garon,Gandhi,Galusha,Gallager,Galdamez,Fulmore,Fritsche,Fowles,Foutch,Forward,Footman,Fludd,Flakes,Ferriera,Ferrero,Ferreri,Fenimore,Fegley,Fegan,Fearn,Farrier,Fansler,Fane,Falzone,Fairweather,Etherton,Elsberry,Dykema,Duppstadt,Dunnam,Dunklin,Duet,Due,Dudgeon,Dubuc,Doxey,Dory,Donmoyer,Dodgen,Disanto,Dingler,Dimattia,Dilday,Digennaro,Diedrich,Derossett,Deputy,Depp,Demasi,Degraffenreid,Deakins,Deady,Davin,Daigre,Daddario,Czerwinski,Cullens,Cubbage,Cracraft,Constance,Comes,Combest,Coletti,Coghill,Clerk,Claybrooks,Class,Christofferse,Chiesa,Chason,Chamorro,Cessna,Celentano,Cayer,Carolan,Carnegie,Capetillo,Callier,Cadogan,Caba,Byrom,Byrns,Burrowes,Burket,Burdge,Burbage,Bukowski,Buchholtz,Brunt,Brungardt,Brunetti,Brumbelow,Brugger,Broadhurst,Brigance,Brandow,Bouknight,Bottorff,Bottomley,Bosarge,Borger,Bona,Bombardier,Bologna,Boggan,Blumer,Blecha,Birney,Birkland,Betances,Beran,Benny,Benes,Belin,Belgrave,Bealer,Bauch,Bath,Bashir,Bartow,Baro,Barnhouse,Barile,Ballweg,Baisley,Bains,Baehr,Badilla,Bachus,Bacher,Bachelder,Auzenne,Aten,Astle,Allis,Agarwal,Adger,Adamek,Ziolkowski,Zinke,Zazueta,Zamorano,Younkin,Won,Wittig,Witman,Winsett,Winkles,Wiedman,Whitner,Whitcher,Wetherby,Westra,Westhoff,Wehrle,Wee,Wagaman,Voris,Vicknair,Vegas,Veasley,Vaugh,Vanish,Vanderburg,Valletta,Tunney,Trumbo,Truluck,Trueman,Truby,Trombly,Trojan,Tourville,Tostado,Tone,Titcomb,Timpson,Tignor,Thrush,Thresher,Thiede,Tews,Tamplin,Taff,Tacker,Syverson,Sylvestre,Summerall,Stumbaugh,Strouth,Straker,Stradford,Stoney,Stokley,Steinhoff,Steinberger,Stairs,Spigner,Soltero,Snively,Sletten,Sinkler,Sinegal,Simoes,Siller,Sigel,Shoe,Shire,Shinkle,Shellman,Sheller,Sheats,Sharer,Selvage,Sedlak,Sea,Schriver,Schimke,Scheuerman,Schanz,Savory,Saulters,Sauers,Sais,Rusin,Rumfelt,Ruhland,Rozar,Rosborough,Ronning,Rolph,Roloff,Rogue,Robie,Riviera,Rimer,Riehle,Ricco,Rhein,Retzlaff,Reisman,Reimann,Re,Rayes,Raub,Raminez,Quesinberry,Pua,Procopio,Priolo,Printz,Prewett,Preas,Prahl,Portugal,Poovey,Ploof,Platz,Plaisted,Pinzon,Pineiro,Pickney,Petrovich,Perl,Pehrson,Peets,Pavon,Pautz,Pascarella,Paras,Paolini,Pals,Pafford,Oyer,Ovellette,Outten,Outen,Ours,Orduna,Odriscoll,Oberlin,Nosal,Niven,Nisbett,Nevers,Nathanson,Mule,Mukai,Mozee,Mowers,Motyka,Morency,Montford,Mollica,Molden,Mitten,Miser,Mina,Millender,Midgette,Messerly,Melendy,Meisel,Meidinger,Meany,Mcnitt,Mcnemar,Mcmakin,Mcgaugh,Mccaa,Mauriello,Maudlin,Matzke,Mattia,Matteo,Matsumura,Masuda,Mangels,Maloof,Malizia,Mahmoud,Maglione,Maddix,Lucchesi,Lochner,Linquist,Lino,Lietz,Leventhal,Leopard,Lemanski,Leiser,Laury,Lauber,Lamberth,Kuss,Kung,Kulik,Kuiper,Krout,Kotter,Kort,Kohlmeier,Koffler,Koeller,Knipe,Knauss,Kleiber,Kissee,Kirst,Kirch,Kilgo,Kerlin,Kellison,Kehl,Kalb,Jorden,Jantzen,Jamar,Inabinet,Ikard,Husman,Hunsberger,Hundt,Hucks,Houtz,Houseknecht,Hoots,Hogsett,Hogans,Hintze,Hession,Henault,Hemming,Helsley,Heinen,Heffington,Heberling,Heasley,Heal,Hazley,Hazeltine,Hayton,Hayse,Hawke,Haston,Harward,Harvard,Harrow,Hanneman,Hafford,Hadnot,Guerro,Graig,Grahm,Gowins,Gordillo,Goosby,Glatt,Gibbens,Ghent,Gerrard,Germann,Geil,Gebo,Gean,Garling,Gardenhire,Garbutt,Gagner,Furguson,Funchess,Fujiwara,Fujita,Friley,Frigo,Forshee,Folkes,Filler,Fernald,Ferber,Feingold,Favorite,Faul,Farrelly,Fairbank,Failla,Estelle,Espey,Eshleman,Ertl,Erhart,Erhardt,Erbe,Elsea,Ells,Ellman,Eisenhart,Ehmann,Earnhardt,Duplantis,Dulac,Ducote,Draves,Dosch,Dolce,Divito,Ditch,Dimauro,Derringer,Demeo,Demartini,Delima,Dehner,Degen,Defrancisco,Defoor,Dedeaux,Debnam,Cypert,Cutrer,Cusumano,Custis,Croker,Courtois,Costantino,Cormack,Corbeil,Copher,Conlan,Conkling,Cogdell,Cilley,Chapdelaine,Cendejas,Castiglia,Cassette,Cashin,Carstensen,Carol,Caprio,Calcote,Calaway,Byfield,Butner,Bushway,Burritt,Browner,Brobst,Briner,Brighton,Bridger,Brickley,Brendel,Bratten,Bratt,Brainerd,Brackman,Bowne,Bouck,Borunda,Bordner,Bonenfant,Boer,Boehmer,Bodiford,Bleau,Blankinship,Blane,Blaha,Bitting,Bissonette,Bigby,Bibeau,Beverage,Bermudes,Berke,Bergevin,Bergerson,Bendel,Belville,Bechard,Bearce,Beadles,Batz,Bartlow,Barren,Ayoub,Avans,Aumiller,Arviso,Arpin,Arnwine,Armwood,Arent,Arehart,Arcand,Antle,Ambrosino,Alongi,Alm,Allshouse,Ahart,Aguon,Ziebarth,Zeledon,Zakrzewski,Yuhas,Yingst,Yedinak,Wommack,Winnett,Wingler,Wilcoxen,Whitmarsh,Whistler,Wayt,Watley,Wasser,Warkentin,Voll,Vogelsang,Voegele,Vivanco,Vinton,Villafane,Viles,Versace,Ver,Venne,Vanwagoner,Vanwagenen,Vanleuven,Vanauken,Uselton,Uren,Trumbauer,Tritt,Treadaway,Tozier,Tope,Tomczak,Tomberlin,Tomasini,Tollett,Toller,Titsworth,Tirrell,Tilly,Tavera,Tarnowski,Tanouye,Tall,Swarthout,Sutera,Surette,Styers,Styer,Stipe,Stickland,Steve,Stembridge,Stearn,Starkes,Stanberry,Stahr,Spino,Spicher,Sperber,Speece,Soo,Sonntag,Sneller,Smalling,Slowik,Slocumb,Sliva,Slemp,Slama,Sitz,Sisto,Sisemore,Sindelar,Shipton,Shillings,Sheeley,Sharber,Shaddix,Severns,Severino,Sever,Sensabaugh,Seder,Seawell,Seamons,Schrantz,Schooler,Scheffer,Scheerer,Scalia,Saum,Santibanez,Sano,Sanjuan,Sampley,Sailer,Sabella,Sabbagh,Royall,Rottman,Rivenbark,Rikard,Ricketson,Rickel,Rethman,Reily,Reddin,Reasoner,Reade,Rast,Ranallo,Rana,Quintal,Pung,Pucci,Proto,Prosperie,Prim,Preusser,Preslar,Powley,Postma,Pinnix,Pilla,Pietsch,Pickerel,Pica,Pharris,Petway,Petillo,Perin,Pereda,Pennypacker,Pennebaker,Pedrick,Patin,Patchell,Parodi,Parman,Pantano,Padua,Padro,Osterhout,Orner,Opp,Olivar,Ohlson,Odonoghue,Oceguera,Oberry,Novello,Noguera,Newquist,Newcombe,Neihoff,Nehring,Nees,Nebeker,Nau,Mundo,Mullenix,Morrisey,Moronta,Morillo,Morefield,Mongillo,Molino,Minto,Midgley,Michie,Menzies,Medved,Mechling,Mealy,Mcshan,Mcquaig,Mcnees,Mcglade,Mcgarity,Mcgahey,Mcduff,Mayweather,Mastropietro,Masten,Maranto,Maniscalco,Maize,Mahmood,Maddocks,Maday,Macha,Maag,Luken,Lopp,Lolley,Llanas,Litz,Litherland,Lindenberg,Lieu,Letcher,Lentini,Lemelle,Leet,Lecuyer,Leber,Laursen,Latch,Larrick,Lantigua,Langlinais,Lalli,Lafever,Labat,Labadie,Kurt,Krogman,Kohut,Knarr,Klimas,Klar,Kittelson,Kirschbaum,Kintzel,Kincannon,Kimmell,Killgore,Kettner,Kelsch,Karle,Kapoor,Johansson,Jock,Jenkinson,Janney,Isabelle,Iraheta,Insley,Hyslop,Hy,Human,Huckstep,Holleran,Hoerr,Hinze,Hinnenkamp,Hilger,Higgin,Hicklin,Heroux,Henkle,Helfer,Heikkinen,Heckstall,Heckler,Heavener,Haydel,Haveman,Haubert,Harrop,Harnois,Hansard,Hanover,Hammitt,Haliburton,Haefner,Hadsell,Haakenson,Guynn,Guizar,Grout,Grosz,Goo,Gomer,Golla,Godby,Glanz,Glancy,Givan,Giesen,Gerst,Gayman,Garraway,Gabor,Furness,Frisk,Fremont,Frary,Forand,Fessenden,Ferrigno,Fearon,Favreau,Faulks,Falbo,Ewen,Everton,Eurich,Etchison,Esterly,Entwistle,Ellingsworth,Elders,Ek,Eisenbarth,Edelson,Eckel,Earnshaw,Dunneback,Doyal,Donnellan,Dolin,Dibiase,Deschenes,Dermody,Denmark,Degregorio,Darnall,Dant,Dansereau,Danaher,Dammann,Dames,Czarnecki,Cuyler,Custard,Cummingham,Cuffie,Cuffee,Cudney,Cuadra,Crigler,Creger,Coughlan,Corvin,Cortright,Corchado,Connery,Conforti,Condron,Colosimo,Colclough,Cola,Cohee,Claire,Ciotti,Chill,Chien,Check,Chacko,Cevallos,Cavitt,Cavins,Castagna,Cashwell,Carrozza,Carrara,Capra,Campas,Callas,Caison,Cai,Caggiano,Cabot,Bynoe,Buswell,Burpo,Burnam,Burges,Buerger,Buelow,Bueche,Buckle,Bruni,Brummitt,Brodersen,Briese,Breit,Brakebill,Braatz,Boyers,Boughner,Borror,Borquez,Bonelli,Bohner,Blaze,Blaker,Blackmer,Bissette,Bibbins,Bhatt,Bhatia,Bessler,Bergh,Beresford,Bensen,Benningfield,Benito,Bellantoni,Behler,Beehler,Beazley,Beauchesne,Bargo,Bannerman,Baltes,Balog,Ballantyne,Bad,Axelson,Apgar,Aoki,Anstett,Alejos,Alcocer,Albury,Aichele,Ahl,Ackles,Zerangue,Zehner,Zank,Zacarias,Youngberg,Yorke,Yarbro,Xie,Wydra,Worthley,Wolbert,Wittmer,Witherington,Wishart,Wire,Winnie,Winkleman,Willilams,Willer,Wiedeman,Whittingham,Whitbeck,Whetsel,Wheless,Westerberg,Welcher,Wegman,Waterfield,Wasinger,Warfel,Wannamaker,Walborn,Wada,Vogl,Vizcarrondo,Vitela,Villeda,Veras,Venuti,Veney,Ulrey,Uhlig,Turcios,Tremper,Torian,Torbett,Thrailkill,Terrones,Teitelbaum,Teems,Tay,Swoope,Sunseri,Stutes,Stthomas,Strohm,Stroble,Striegel,Streicher,Stodola,Stinchcomb,Steves,Steppe,Stem,Steller,Staudt,Starner,Stamant,Stam,Stackpole,Sprankle,Speciale,Spahr,Sowders,Sova,Soluri,Soderlund,Slinkard,Skates,Sjogren,Sirianni,Siewert,Sickels,Sica,Shugart,Shoults,Shive,Shimer,Shier,Shield,Shepley,Sheeran,Sharper,Sevin,Severe,Seto,Segundo,Sedlacek,Scuderi,Schurman,Schuelke,Scholten,Schlater,Schisler,Schiefelbein,Schalk,Sanon,Sae,Sabala,Ruyle,Ruybal,Ruf,Rueb,Rowsey,Rosol,Rocheleau,Rishel,Rippey,Ringgold,Rieves,Ridinger,Rew,Retherford,Rempe,Reith,Rafter,Raffaele,Quinto,Putz,Purdom,Puls,Pulaski,Propp,Principato,Preiss,Prada,Polansky,Poch,Plath,Pittard,Pinnock,Pfarr,Pfannenstiel,Penniman,Pauling,Patchen,Paschke,Parkey,Pando,Overly,Ouimet,Ottman,Otter,Ostlund,Ormiston,Occhipinti,Nowacki,Norred,Noack,Nishida,Nilles,Nicodemus,Neth,Nealey,Myricks,Murff,Mungia,Mullet,Motsinger,Moscato,Mort,Morado,Moors,Monnier,Molyneux,Modzelewski,Miura,Minich,Militello,Milbrandt,Michalik,Meserve,Merle,Mendivil,Melara,Meadow,Mcnish,Mcelhannon,Mccroy,Mccrady,Mazzella,Maule,Mattera,Mathena,Matas,Mass,Mascorro,Marone,Marinello,Marguez,Marcell,Manwaring,Manhart,Mangano,Maggi,Lymon,Luter,Luse,Lukasik,Luiz,Ludlum,Luczak,Lowenthal,Lossett,Lorentzen,Loredo,Longworth,Lomanto,Lisi,Lish,Lipsky,Linck,Liedtke,Levering,Lessman,Lemond,Lembo,Ledonne,Leatham,Laufer,Lanphear,Langlais,Lando,Lamphear,Lamberton,Lafon,Lade,Lacross,Kyzer,Krok,Kring,Krell,Krehbiel,Kratochvil,Krach,Kovar,Kostka,Knudtson,Knaack,Kliebert,Klahn,Kirkley,Kimzey,Kettle,Kerrick,Kennerson,Keesler,Karlin,Kan,Jenny,Janousek,Jan,Imel,Icenhour,Hyler,Hunger,Hudock,Houpt,Hopping,Hoops,Holquin,Holiman,Holahan,Hodapp,Hires,Hillen,Hickmon,Hersom,Henrich,Helvey,Heidt,Heideman,Hedstrom,Hedin,Hebron,Hayter,Harn,Hardage,Harbor,Halsted,Hahne,Hagemann,Guzik,Guel,Groesbeck,Gritton,Grego,Graziani,Grasty,Graney,Gouin,Gossage,Golston,Goheen,Godina,Glade,Giorgi,Giambrone,Gerrity,Gerrish,Gero,Gerling,Gaulke,Garlick,Galiano,Gaiter,Gahagan,Gagnier,Friddle,Fredericksen,Franqui,Follansbee,Foerster,Flury,Fitzmaurice,Fiorini,Finlayson,Fiecke,Fickes,Fichter,Ferron,Ferdinand,Farrel,Fackler,Eyman,Escarcega,Errico,Erler,Erby,Engman,Engelmann,Elsass,Elliston,Eddleman,Eadie,Dummer,Drost,Dorrough,Dorrance,Doolan,Donalson,Domenico,Ditullio,Dittmar,Dishon,Dionisio,Dike,Devinney,Desir,Deschamp,Derrickson,Delamora,Deitch,Dechant,Dave,Danek,Dahmen,Curci,Cudjoe,Crumble,Croxton,Creasman,Craney,Crader,Cowling,Coulston,Cortina,Corlew,Corl,Copland,Convery,Cohrs,Clune,Clausing,Cipriani,Cinnamon,Cianciolo,Chubb,Chittum,Chenard,Charlesworth,Charlebois,Champine,Chamlee,Chagoya,Casselman,Cardello,Capasso,Cannella,Calderwood,Byford,Buttars,Bushee,Burrage,Buentello,Brzozowski,Bryner,Brumit,Brookover,Bronner,Bromberg,Brixey,Brinn,Briganti,Bremner,Brawn,Branscome,Brannigan,Bradsher,Bozek,Boulay,Bormann,Bongiorno,Bollin,Bohler,Bogert,Bodenhamer,Blose,Blind,Bivona,Bitter,Billips,Bibler,Benfer,Benedetti,Belue,Bellanger,Belford,Behn,Beerman,Barnhardt,Baltzell,Balling,Balducci,Bainter,Babineau,Babich,Baade,Attwood,Asmus,Asaro,Artiaga,April,Applebaum,Ang,Anding,Amar,Amaker,Allsup,Alligood,Alers,Agin,Agar,Achenbach,Abramowitz,Abbas,Aasen,Zehnder,Yopp,Yelle,Yeldell,Wynter,Woodmansee,Wooding,Woll,Winborne,Willsey,Willeford,Widger,Whiten,Whitchurch,Whang,Wen,Weissinger,Weinman,Weingartner,Weidler,Waltrip,Walt,Wagar,Wafford,Vitagliano,Villalvazo,Villacorta,Vigna,Vickrey,Vicini,Ventimiglia,Vandenbosch,Valvo,Valazquez,Utsey,Urbaniak,Unzueta,Trombetta,Trevizo,Trembley,Tremaine,Traverso,Tores,Tolan,Tillison,Tietjen,Tee,Teachout,Taube,Tatham,Tarwater,Tarbell,Sydow,Sy,Swims,Swader,Striplin,Stops,Stoltenberg,Steinhauer,Steil,Steigerwald,Starkweather,Stallman,Squier,Sparacino,Span,Spadafora,Shiflet,Shibata,Shevlin,Sherrick,Shake,Sessums,Servais,Senters,Seevers,Seelye,Searfoss,Seabrooks,Scoles,Schwager,Schrom,Schmeltzer,Scheffel,Sax,Sawin,Saterfiel,Sardina,Sanroman,Sane,Sandin,Salamanca,Saladin,Sak,Sabia,Rustin,Rushin,Ruley,Rueter,Row,Rotter,Rosenzweig,Roles,Rohe,Roder,Rockey,Ro,Riter,Rieth,Ried,Riding,Riddles,Ridder,Rennick,Remmers,Remer,Relyea,Reilley,Reder,Rasheed,Rakowski,Rabin,Queener,Pursel,Prue,Prowell,Pritts,Primo,Presler,Pouncy,Porche,Porcaro,Pollman,Pleas,Planas,Pinkley,Pinegar,Pilger,Philson,Petties,Perrodin,Pendergrast,Patao,Pasternak,Passarelli,Pasko,Parshall,Panos,Panella,Palombo,Padillo,Oyama,Overlock,Overbeck,Otterson,Orrell,Ornellas,Opitz,Okelly,Officer,Obando,Noggle,Nicosia,Netto,Negrin,Natali,Nakayama,Nagao,Nadel,Musial,Murrill,Murrah,Munsch,Mucci,Mrozek,Moyes,Mowrer,Moris,Morais,Moorhouse,Monico,Mone,Mondy,Moncayo,Mole,Miltenberger,Milsap,Milone,Millikin,Milardo,Mika,Micheals,Micco,Meyerson,Mericle,Mendell,Meinhardt,Meachum,Mcleroy,Mcgray,Mcgonigal,Maultsby,Matis,Matheney,Matamoros,Marro,Marcil,Marcial,Mantz,Mannings,Maltby,Malchow,Maiorano,Mahn,Mahlum,Maglio,Mae,Maberry,Lustig,Luellen,Longwell,Longenecker,Lofland,Locascio,Linney,Linneman,Lighty,Levell,Levay,Lenahan,Lemen,Lehto,Lebaron,Lanctot,Lamy,Lainez,Laffoon,Labombard,Kujawski,Kroger,Kreutzer,Korhonen,Kondo,Kollman,Kohan,Kogut,Knaus,Kivi,Kittel,Kinner,Kindig,Kindel,Kiesel,Kidney,Kibby,Khang,Kettler,Ketterer,Kepner,Kelliher,Keenum,Kanode,Kail,July,Juhasz,Jowett,Jolicoeur,Jeon,Iser,Ingrassia,Imai,Hutchcraft,Humiston,Hulings,Hukill,Huizenga,Hugley,Huddle,Hose,Hornyak,Hodder,Hisle,Hillenbrand,Hille,Higuchi,Hertzler,Herdon,Heppner,Hepp,Heitmann,Heckart,Hazlewood,Hayles,Hayek,Hawthorn,Hawkin,Haugland,Hasler,Harbuck,Happel,Hambly,Hambleton,Hagaman,Guzzi,Gullette,Guinyard,Grogg,Grise,Griffing,Goto,Gosney,Goods,Goley,Goldblatt,Gledhill,Girton,Giltner,Gillock,Gilham,Gilfillan,Giblin,Gentner,Gehlert,Gehl,Garten,Garney,Garlow,Garett,Galles,Galeana,Futral,Fuhr,Friedland,Franson,Fransen,Foulds,Follmer,Foland,Flax,Flavin,Firkins,Fillion,Figueredo,Ferrill,Fenster,Fenley,Fauver,Farfan,Factor,Eustice,Eppler,Engelman,Engelke,Emmer,Elzy,Ellwood,Ellerbee,Elks,Ehret,Ebbert,Durrah,Dupras,Dubuque,Dragoo,Donlon,Dolloff,Doi,Dibella,Derrico,Demko,Demar,Darrington,Czapla,Crooker,Creagh,Cranor,Craner,Crafts,Crabill,Coyer,Cowman,Cowherd,Cottone,Costillo,Coster,Costas,Cosenza,Corker,Collinson,Coello,Clingman,Clingerman,Claborn,Citizen,Chmura,Chausse,Chaudhry,Chapell,Chancy,Cerrone,Caves,Caverly,Caulkins,Carn,Campfield,Campanelli,Callaham,Cadorette,Butkovich,Buske,Burrier,Burkley,Bunyard,Budge,Buckelew,Buchheit,Broman,Brescia,Brasel,Brain,Boyster,Booe,Bonomo,Bonnet,Bondi,Bohnsack,Bobby,Blomberg,Blanford,Bilderback,Biggins,Bently,Behrends,Beegle,Bedoya,Bechtol,Beaubien,Bayerl,Baumgart,Baumeister,Barratt,Barlowe,Barkman,Barbagallo,Baldree,Baine,Bail,Baggs,Bacote,Aylward,Ashurst,Arvidson,Arthurs,Arrieta,Arrey,Arreguin,Arrant,Arner,Armor,Arizmendi,Anker,Amis,Amend,Alphin,Allbright,Aikin,Acres,Zupan,Zuchowski,Zeolla,Zanchez,Zahradnik,Zahler,Younan,Yeater,Yearta,Yarrington,Yantis,Woomer,Wollard,Wolfinger,Woerner,Witek,Wishon,Wisener,Wingerter,Willet,Wilding,Wiedemann,Weisel,Wedeking,Weary,Waybright,Wardwell,Walkins,Waldorf,Voth,Voit,Virden,Viloria,Villagran,Vasta,Vashon,Vaquera,Vantassell,Vanderlinden,Vandergrift,Vancuren,Valenta,Underdahl,Tyra,Tygart,Twining,Twiford,Turlington,Tullius,Tubman,Trowell,Trieu,Transue,Tousant,Torgersen,Tooker,Tony,Tome,Toma,Tocci,Tippins,Tinner,Timlin,Tillinghast,Tidmore,Teti,Tedrick,Tacey,Swanberg,Sunde,Summitt,Summerford,Summa,Sue,Stratman,Strandberg,Storck,Stober,Steitz,Stayer,Stauber,Staiger,Sponaugle,Spofford,Sparano,Spagnola,Sokoloski,Snay,Slough,Skowronski,Sieck,Shimkus,Sheth,Sherk,Shankles,Shakespeare,Shahid,Sevy,Sergeant,Senegal,Seiden,Seidell,Searls,Searight,Schwalm,Schug,Schilke,Schier,Scheck,Sawtelle,Santore,Santa,Sanks,Sandquist,Sanden,Saling,Sabine,Saathoff,Ryberg,Rustad,Ruffing,Rudnicki,Ruane,Rozzi,Rowse,Rosenau,Rodes,Risser,Riggin,Riess,Riese,Rhoten,Reinecke,Reigle,Reichling,Redner,Rebelo,Raynes,Raimondi,Rahe,Rada,Querry,Quellette,Pulsifer,Prochnow,Pretty,Prato,Poulton,Poudrier,Poll,Policastro,Polhemus,Polasek,Poissant,Pohlmann,Plotner,Pitkin,Pita,Pio,Pinkett,Pilot,Piekarski,Pichon,Philippe,Pfau,Petroff,Petermann,Peplinski,Peller,Pecinovsky,Pearse,Pattillo,Patague,Parlier,Parenti,Parchman,Pane,Paff,Ota,Ortner,Oros,Nolley,Noakes,Nigh,Nicolosi,Nicolay,Newnam,Netter,Nass,Napoles,Nakata,Nakamoto,Muriel,Muck,Morlock,Moraga,Montilla,Mongeau,Molitor,Mohney,Mitchener,Meyerhoff,Medel,Mcniff,Mcmonagle,Mcglown,Mcglinchey,Mcgarrity,Mccright,Mccorvey,Mcconnel,Mccargo,Mazzei,Matula,Mastroianni,Massingale,Maring,Maricle,Marc,Mans,Mannon,Mannix,Manney,Manger,Manalo,Malo,Malan,Mahony,Madril,Mackowiak,Macko,Macintosh,Lurry,Luczynski,Lucke,Lucarelli,Luca,Loud,Lou,Losee,Lorence,Loiacono,Lohse,Loder,Lipari,Linebarger,Lindamood,Limbaugh,Letts,Leleux,Leep,Leeder,Leard,Laxson,Lawry,Laverdiere,Laughton,Lastra,Kurek,Kriss,Krishnan,Kretschmer,Krebsbach,Kontos,Knobel,Knauf,Klick,Kleven,Klawitter,Kitchin,Kirkendoll,Kinkel,Kingrey,Kilbourn,Kensinger,Kennerly,Kamin,Justiniano,Jurek,Junkin,Julia,Judon,Jordahl,Jeanes,Jarrells,Jamal,Iwamoto,Isreal,Ishida,Ines,Immel,Iman,Ihle,Hyre,Hurn,Hunn,Hultman,Huffstetler,Huffer,Hubner,Howey,Horney,Hooton,Holts,Holscher,Holen,Hoggatt,Hilaire,Herz,Henne,Helstrom,Hellickson,Heinlein,Heckathorn,Heckard,Heather,Heart,Headlee,Hauptman,Haughey,Hatt,Harring,Harford,Hammill,Hamed,Halperin,Haig,Hagwood,Hagstrom,Gunnells,Gundlach,Guardiola,Greeno,Greenland,Gonce,Goldsby,Gobel,Gisi,Gillins,Gillie,Germano,Geibel,Gauger,Garriott,Garbarino,Gander,Gajewski,Funari,Fullbright,Fuell,Fritzler,Freshwater,Freas,Fortino,Forbus,Fonda,Flohr,Flemister,Fisch,Finks,Fenstermaker,Feldstein,Faw,Farhat,Farah,Fankhauser,Fagg,Fader,Exline,Emigh,Eguia,Edman,Eckler,Eastburn,Dy,Dunmore,Dubuisson,Dubinsky,Drayer,Doverspike,Doubleday,Doten,Dorner,Dolson,Dohrmann,Disla,Direnzo,Dipaola,Dines,Dickie,Diblasi,Dewolf,Desanti,Dennehy,Demming,Delker,Decola,Davilla,Davids,Daughtridge,Darville,Darland,Danzy,Dandy,Dagenais,Culotta,Cruzado,Crudup,Croswell,Coverdale,Covelli,Couts,Corbell,Coplan,Coolbaugh,Conyer,Conlee,Conigliaro,Comiskey,Coberly,Clendening,Clairmont,Cienfuegos,Chojnacki,Chilcote,Champney,Cassara,Casazza,Casado,Carew,Carbin,Carabajal,Calcagni,Cail,Caddy,Busbee,Burts,Burbridge,Bunge,Bundick,Buhler,Bucker,Bucholtz,Bruen,Broce,Brite,Brignac,Brierly,Bridgman,Braham,Bradish,Boyington,Borjas,Bonnie,Bonn,Bonhomme,Bohlen,Bogardus,Bockelman,Blick,Blackerby,Bizier,Biro,Binney,Bertolini,Bertin,Berti,Bert,Bento,Beno,Belgarde,Belding,Beckel,Becerril,Bazaldua,Bayes,Bayard,Barrus,Barris,Baros,Bara,Ballow,Balboa,Bakewell,Baginski,Badalamenti,Backhaus,Avilez,Auvil,Atteberry,Ardon,Anzaldua,Anello,Amsler,Amo,Ambrosio,Althouse,Alles,Alix,Alberti,Alberson,Aitchison,Aguinaga,Ziemann,Zickefoose,Zerr,Zeh,Zeck,Zartman,Zahm,Zabriskie,Yohn,Yellowhair,Yeaton,Yarnall,Yaple,Wolski,Wixon,Winford,Willner,Willms,Whitsitt,Wheelwright,Weyandt,Wess,Wengerd,Weatherholtz,Wattenbarger,Walrath,Walpole,Waldrip,Voges,Violet,Vinzant,Viars,Veres,Veneziano,Veillon,Vawter,Vaughns,Vanwart,Vanostrand,Valiente,Valderas,Uhrig,Tunison,Tulloch,Trostle,Treaster,Traywick,Toye,Tomson,Tomasello,Tomasek,Tippit,Tinajero,Tift,Tienda,Thorington,Thierry,Thieme,Thibeau,Thakkar,Tewell,Test,Telfer,Sweetser,Sum,Stratford,Stracener,Stoke,Stiverson,Stelling,Stefan,Stavros,Speaker,Spatz,Spagnoli,Sorge,Sober,Slevin,Slabaugh,Simson,Shupp,Shoultz,Shotts,Shiroma,Shetley,Sherrow,Sheffey,Shawgo,Shamburger,Sester,Segraves,Seelig,Seats,Scioneaux,Schwartzkopf,Schwabe,Scholes,Schmuck,Schluter,Schlecht,Schillaci,Schildgen,Schieber,Schewe,Schecter,Scarpelli,Scaglione,Sautter,Santelli,Sandman,Salmi,Sabado,Ryer,Rydberg,Ryba,Rushford,Running,Runk,Ruddick,Rotondo,Rote,Rosenfield,Roesner,Rocchio,Ritzer,Rippel,Rimes,Riffel,Richison,Ribble,Reynold,Resh,Rehn,Ratti,Rasor,Rasnake,Rappold,Rando,Radosevich,Pulice,Puff,Prichett,Pribble,Poynor,Plowden,Pitzen,Pittsley,Pitter,Pigeon,Philyaw,Philipps,Petite,Pestana,Perro,Perone,Pera,Peil,Pedone,Pawlowicz,Pattee,Parten,Parlin,Pariseau,Paredez,Pardon,Panther,Paek,Pacifico,Otts,Ostrow,Osornio,Oslund,Orso,Ooten,Onken,Oniel,Onan,Ollison,Ohlsen,Ohlinger,Odowd,Niemiec,Neubert,Nembhard,Neaves,Neathery,Nakasone,Myerson,Muto,Muntz,Munez,Mumme,Mumm,Mujica,Muise,Muench,Morriss,Molock,Mishoe,Minier,Metzgar,Mero,Meiser,Meese,Meals,Mcsween,Mcquire,Mcquinn,Mcpheeters,Mckeller,Mcilrath,Mcgown,Mcdavis,Mccuen,Mcclenton,Maxham,Matsui,Marriner,Marlette,Mantle,Mansur,Mancino,Maland,Majka,Maisch,Maheux,Madry,Madriz,Mackley,Macke,Lydick,Lutterman,Luppino,Lundahl,Lovingood,Loudon,Longmore,Lippman,Liefer,Leveque,Lescarbeau,Lemmer,Ledgerwood,Lawver,Lawrie,Lattea,Lasko,Lahman,Kulpa,Kukowski,Kukla,Kubota,Kubala,Krizan,Kriz,Krikorian,Kravetz,Kramp,Kowaleski,Knobloch,Klosterman,Kloster,Klepper,Kirven,Kinnaman,Kinnaird,Killam,Kiesling,Kesner,Keebler,Keagle,Karls,Kapinos,Kantner,Kaba,Junious,Jefferys,Jacquet,Izzi,Ishii,Irion,Ifill,Hyun,Hotard,Horman,Hoppes,Hopkin,Hokanson,Hoda,Hocutt,Hoaglin,Hites,Hirai,Hindle,Hinch,Hilty,Hild,Hier,Hickle,Hibler,Henrichs,Hempstead,Helmers,Hellard,Heims,Heidler,Hearst,Hawbaker,Hau,Harkleroad,Harari,Hanney,Hannaford,Hamid,Hamburger,Haltom,Hallford,Guilliams,Guerette,Gryder,Groseclose,Groen,Grimley,Greenidge,Greek,Graffam,Goucher,Goodenough,Goldsborough,Goldie,Gloster,Glanton,Gladson,Gladding,Ghee,Gethers,Gerstein,Geesey,Geddie,Gayer,Gaw,Gaver,Gauntt,Gartland,Garriga,Garoutte,Gao,Gan,Fronk,Fritze,Frenzel,Forgione,Fluitt,Flinchbaugh,Flach,Fiorito,Finan,Finamore,Fimbres,Fillman,File,Figeroa,Ficklin,Feher,Feddersen,Fambro,Fairbairn,Eves,Esperanza,Escalona,Elsey,Eisenstein,Ehrenberg,Eargle,Dress,Drane,Dorothy,Doria,Dogan,Dively,Dewolfe,Dettman,Desiderio,Desch,Dennen,Denk,Demaris,Delsignore,Dejarnette,Deere,Dedman,Daws,Dawn,Dauphinais,Danz,Dantin,Dannenberg,Dalby,Currence,Culwell,Cuesta,Croston,Crossno,Cromley,Crisci,Craw,Coryell,Cooter,Condra,Columbia,Colpitts,Colas,Coach,Clink,Clevinger,Clermont,Cistrunk,Cirilo,Chirico,Chiarello,Cephus,Cecena,Cavaliere,Caughey,Casimir,Carwell,Carlon,Carbonaro,Caraveo,Cantley,Callejas,Cagney,Cadieux,Cabaniss,Bushard,Burlew,Buras,Budzinski,Bucklew,Bruneau,Brummer,Brueggemann,Brotzman,Bross,Broad,Brittian,Brimage,Briles,Brickman,Breneman,Breitenstein,Brandel,Brackins,Boydstun,Botta,Bosket,Boros,Borgmann,Bordeau,Bonifacio,Bolten,Boehman,Blundell,Bloodsaw,Bjerke,Biffle,Bickett,Bickers,Beville,Bergren,Bergey,Benzing,Belfiore,Beirne,Beckert,Bebout,Baumert,Battey,Bartman,Barrs,Barriere,Barcelo,Barbe,Balliet,Baham,Babst,Auton,Asper,Asbell,Arzate,Argento,Arel,Araki,Arai,Apo,Antley,Amodeo,Ammann,Allyn,Allensworth,Aldape,Akey,Abeita,Zweifel,Zeng,Zeiler,Zamor,Zalenski,Yzaguirre,Yousef,Yetman,Yau,Wyer,Woolwine,Wohlgemuth,Wohlers,Wittenberg,Wingrove,Wind,Wimsatt,Willimas,Wilkenson,Wildey,Wilderman,Wilczynski,Wigton,Whorley,Wellons,Welles,Welle,Weirich,Weideman,Weide,Weekly,Weast,Wasmund,Warshaw,Walson,Waldner,Walch,Walberg,Wagener,Wageman,Vrieze,Vossen,Vorce,Voorhis,Vonderheide,Viruet,Vicari,Verne,Velasques,Vautour,Vartanian,Varona,Vankeuren,Vandine,Vandermeer,Ursery,Underdown,Uhrich,Uhlman,Tworek,Twine,Twellman,Tweedie,Tutino,Turmelle,Tubb,Troop,Trivedi,Triano,Trevathan,Treese,Treanor,Treacy,Traina,Topham,Toenjes,Tippetts,Tieu,Thomure,Thatch,Than,Tetzlaff,Tetterton,Tena,Tell,Teamer,Tappan,Tank,Talcott,Tagg,Szczepanski,Syring,Surace,Sulzer,Sugrue,Sugarman,Suess,Styons,Stwart,Stupka,Strey,Straube,Strate,Stoddart,Stockbridge,Stjames,Stinger,Steimle,Steenberg,Start,Stamand,Staller,Stahly,Stager,Spurgin,Sprow,Sponsler,Speas,Spainhour,Sones,Smits,Smelcer,Slovak,Slaten,Singleterry,Simien,Sidebottom,Sibrian,Shellhammer,Shelburne,Shambo,Sepeda,Seigel,Scogin,Scianna,Schmoll,Schmelzer,Scheu,Schachter,Savant,Sauseda,Satcher,Sandor,Sampsell,Rugh,Rufener,Rudolf,Rotenberry,Rossow,Rossbach,Roots,Rollman,Rodrique,Rodreguez,Rodkey,Roda,Rising,Rini,Riggan,Rients,Riedl,Rhines,Ress,Reinbold,Raschke,Rardin,Rain,Racicot,Quillin,Pushard,Primrose,Pries,Pressey,Precourt,Pratts,Postel,Poppell,Plumer,Pingree,Pieroni,Pflug,Petre,Petrarca,Peterka,Peru,Perkin,Pergande,Peranio,Penna,Pekar,Pea,Paulhus,Pasquariello,Parras,Parmentier,Para,Panzer,Pamplin,Oviatt,Osterhoudt,Ostendorf,Osmun,Ortman,Orloff,Orban,Onofrio,Olveda,Oltman,Okeeffe,Ocana,Nunemaker,Novy,Noffsinger,Nish,Niday,Nethery,Nestle,Nemitz,Neidert,Nadal,Nack,Muszynski,Munsterman,Mulherin,Mortimore,Morter,Montesino,Montalvan,Montalbano,Momon,Moman,Mom,Mogan,Minns,Millward,Milling,Michelsen,Micheal,Mewborn,Metro,Metayer,Mensch,Meloy,Meggs,Meaders,Mcsorley,Mcmenamin,Mclead,Mclauchlin,Mcguffey,Mcguckin,Mcglaughlin,Mcferron,Mcentyre,Mccrum,Mccawley,Mcbain,Mayhue,Mau,Matzen,Matton,Marsee,Marrin,Marland,Markum,Mantilla,Manfre,Malta,Makuch,Madlock,Maclaren,Macauley,Luzier,Luthy,Lufkin,Lucena,Loudin,Lothrop,Lorch,Lona,Loll,Loadholt,Lisa,Lippold,Likes,Lichtman,Liberto,Liakos,Lewicki,Levett,Level,Lentine,Leja,Legree,Lawhead,Lauro,Lauder,Lard,Lanman,Lank,Laning,Lama,Lalor,Krob,Kriger,Kriegel,Krejci,Kreisel,Kozel,Kos,Konkel,Kolstad,Koenen,Kocsis,Knoblock,Knebel,Klopfer,Klee,Kilday,Kesten,Kerbs,Kempker,Keathley,Kazee,Kawasaki,Kaur,Kamer,Kamaka,Kallenbach,Kafka,Jerrell,Jehle,Jaycox,Jardin,Jahns,Ivester,Hyppolite,Hyche,Husbands,Hur,Huppert,Hulin,Hubley,Horsey,Hornak,Holzwarth,Holmon,Hollabaugh,Holaway,Hodes,Hoak,Hinesley,Hillwig,Hillebrand,Highfield,Heslop,Herrada,Hendryx,Hellums,Heit,Heishman,Heindel,Hayslip,Hayford,Hastie,Hartgrove,Hanus,Hakim,Hains,Hadnott,Gundersen,Gulino,Guidroz,Guebert,Gressett,Greenhouse,Graydon,Gramling,Grahn,Goupil,Gory,Gorelick,Goodreau,Goodnough,Golay,Going,Goers,Glatz,Gillikin,Gieseke,Giammarino,Getman,Geronimo,Gerardo,Gensler,Gazda,Garibaldi,Gahan,Fury,Funderburke,Fukuda,Fugitt,Fuerst,Fortman,Forsgren,Formica,Fluke,Flink,Fitton,Feltz,Fekete,Feit,Fehrenbach,Farone,Farinas,Faries,Fagen,Ewin,Esquilin,Esch,Enderle,Ellery,Ellers,Ekberg,Egli,Effinger,Dymond,Dulle,Dula,Duhe,Dudney,Duane,Dowless,Dower,Dorminey,Dopp,Dooling,Domer,Disher,Dillenbeck,Difilippo,Dibernardo,Deyoe,Devillier,Denley,Deland,Defibaugh,Deeb,Debow,Dauer,Datta,Darcangelo,Daoust,Damelio,Dahm,Dahlman,Cypher,Curling,Curlin,Cupit,Culton,Cuenca,Cropp,Croke,Cremer,Crace,Cosio,Corzine,Coombe,Coman,Colone,Coloma,Collingwood,Coletta,Coderre,Cocke,Cobler,Claybrook,Circle,Cincotta,Cimmino,Christoff,Christina,Chisum,Chillemi,Chevere,Chae,Chachere,Cervone,Cermak,Cefalu,Cauble,Cather,Caso,Carns,Carcamo,Carbo,Capoccia,Capello,Capell,Canino,Cambareri,Calvi,Cabiness,Bushell,Burtt,Burstein,Burkle,Bunner,Bundren,Buechler,Bryand,Bruso,Brownstein,Brow,Brouse,Brodt,Broaden,Brisbin,Brightman,Bridgett,Brenes,Breitenbach,Brazzell,Brazee,Bramwell,Bramhall,Bradstreet,Boyton,Bowland,Boulter,Bossert,Bonura,Bonebrake,Bonacci,Boeck,Blystone,Birchard,Bilal,Biddy,Bibee,Bevans,Bethke,Bertelsen,Berney,Bergfeld,Benware,Bellon,Bellah,Been,Batterton,Barberio,Bamber,Bagdon,Badeaux,Averitt,Augsburger,Ates,Arvie,Aronowitz,Arens,Arch,Araya,Angelos,Andrada,Amell,Amante,Alvin,Almy,Almquist,Alls,Aispuro,Aguillon,Agudelo,Admire,Acy,Aceto,Abbot,Abalos,Zdenek,Zaremba,Zaccaria,Youssef,Wrona,Wrinkle,Wrede,Wotton,Woolston,Wolpert,Wollman,Wince,Wimberley,Willmore,Willetts,Wikoff,Wieder,Wickert,Whitenack,Wernick,Welte,Welden,Weiskopf,Weisenberger,Weich,Wallington,Walder,Vossler,Vore,Vigo,Vierling,Victorine,Verdun,Vencill,Vena,Vazguez,Vassel,Vanzile,Vanvliet,Vantrease,Vannostrand,Vanderveer,Vanderveen,Vancil,Uyeda,Umphrey,Uhler,Uber,Tutson,Turrentine,Tullier,Tugwell,Trundy,Tripodi,Tomer,Tomei,Tomasi,Tomaselli,Tokarski,Tisher,Tibbets,Thweatt,Thistle,Tharrington,Tesar,Telesco,Teasdale,Tatem,Taniguchi,Suriel,Sudler,Stutsman,Sturman,Strite,Strelow,Streight,Strawder,Stransky,Strahl,Stours,Stong,Stinebaugh,Stilts,Stillson,Steyer,Stelle,Steffy,Steffensmeier,Statham,Squillante,Spiess,Spargo,Southward,Soller,Soden,Snuggs,Snellgrove,Smyers,Smiddy,Slonaker,Skyles,Skowron,Sivils,Siqueiros,Siers,Siddall,Shorty,Shontz,Shingler,Shiley,Shibley,Sherard,Shelnutt,Shedrick,Shasteen,Sereno,Selke,Scovil,Scola,Schuett,Schuessler,Schreckengost,Schranz,Schoepp,Schneiderman,Schlanger,Schiele,Scheuermann,Schertz,Scheidler,Scheff,Schaner,Schamber,Scardina,Savedra,Saulnier,Sater,Sarro,Sambrano,Salomone,Sabourin,Ruud,Rutten,Ruffino,Ruddock,Rowser,Roussell,Rosengarten,Rominger,Rollinson,Rohman,Roeser,Rodenberg,Roberds,Ridgell,Rhodus,Reynaga,Rexrode,Revelle,Rempel,Remigio,Reising,Reiling,Reetz,Rayos,Ravenscroft,Ravenell,Raulerson,Rasmusson,Rask,Rase,Ragon,Quesnel,Quashie,Puzo,Puterbaugh,Ptak,Prost,Prisbrey,Principe,Pricer,Pratte,Pouncey,Portman,Pontious,Pomerantz,Platter,Planck,Pilkenton,Pilarski,Piano,Phegley,Pertuit,Perla,Penta,Pelc,Peffer,Pech,Peagler,Pavelka,Pavao,Patman,Paskett,Parrilla,Pardini,Papazian,Panter,Palin,Paley,Pai,Pages,Paetzold,Packett,Pacheo,Ostrem,Orsborn,Olmedo,Okamura,Oiler,Ohm,Oglesbee,Oatis,Oakland,Nuckles,Notter,Nordyke,Nogueira,Niswander,Nibert,Nesby,Neloms,Nading,Naab,Munns,Mullarkey,Moudy,Moret,Monnin,Molder,Modisette,Moczygemba,Moctezuma,Mischke,Miro,Mings,Milot,Milledge,Milhorn,Milera,Mieles,Mickley,Michelle,Micek,Metellus,Mersch,Merola,Mercure,Mencer,Mellin,Mell,Meinke,Mcquillan,Mcmurtrie,Mckillop,Mckiernan,Mckendrick,Mckamie,Mcilvaine,Mcguffie,Mcgonigle,Mcgarrah,Mcfetridge,Mcenaney,Mcdow,Mccutchan,Mccallie,Mcadam,Maycock,Maybee,Mattei,Massi,Masser,Masiello,Marth,Marshell,Marmo,Marksberry,Markell,Marchal,Manross,Manganaro,Mally,Mallow,Mailhot,Magyar,Madonna,Madero,Madding,Maddalena,Macfarland,Lynes,Lush,Lugar,Luckie,Lucca,Lovitt,Loveridge,Loux,Loth,Loso,Lorenzana,Lorance,Lockley,Lockamy,Littler,Litman,Litke,Liebel,Lichtenberger,Licea,Leverich,Letarte,Lesesne,Leno,Legleiter,Leffew,Laurin,Launius,Laswell,Lassen,Lasala,Laraway,Laramore,Landrith,Lancon,Lanahan,Laiche,Laford,Lachermeier,Kunst,Kugel,Kuck,Kuchta,Kube,Korus,Koppes,Kolbe,Koerber,Kochan,Knittel,Kluck,Kleve,Kleine,Kitch,Kirton,Kirker,Kintz,Kinghorn,Kindell,Kimrey,Kilduff,Kilcrease,Kicklighter,Kibble,Kervin,Keplinger,Keogh,Kellog,Keeth,Kealey,Kazmierczak,Karner,Kamel,Kalina,Kaczynski,Juel,Joye,Jerman,Jeppson,Jawad,Jasik,Jaqua,Janusz,Janco,Island,Inskeep,Inks,Ingold,Ing,Hyndman,Hymer,Hunte,Hunkins,Humber,Huffstutler,Huffines,Hudon,Hudec,Hovland,Houze,Hout,Hougland,Hopf,Hon,Holsapple,Holness,Hollenbach,Hoffmeister,Hitchings,Hirata,Hieber,Hickel,Hewey,Herriman,Hermansen,Herandez,Henze,Heffelfinger,Hedgecock,Hazlitt,Hazelrigg,Haycock,Harren,Harnage,Harling,Harcrow,Hannold,Hanline,Hanel,Hanberry,Hammersley,Hamernik,Halliwell,Hajduk,Haithcock,Haff,Hadaway,Haan,Gullatt,Guilbault,Guidotti,Gruner,Grisson,Grieves,Granato,Gracie,Grabert,Gover,Gorka,Glueck,Girardin,Giorgio,Giesler,Gersten,Gering,Geers,Gaut,Gaulin,Gaskamp,Garbett,Gallivan,Galland,Gaeth,Fullenkamp,Fullam,Friedrichs,Freire,Freeney,Fredenburg,Frappier,Fowkes,Foree,Fleurant,Fleig,Fleagle,Fitzsimons,Fischetti,Fiorenza,Finneran,Filippi,Figueras,Fesler,Fertig,Fennel,Feltmann,Felps,Felmlee,Faye,Fannon,Familia,Fairall,Fail,Fadden,Esslinger,Enfinger,Elsasser,Elmendorf,Ellisor,Einhorn,Ehrman,Egner,Edmisten,Edlund,Ebinger,Dyment,Dykeman,Durling,Dunstan,Dunsmore,Dugal,Duer,Drescher,Doyel,Down,Dossey,Donelan,Dockstader,Dobyns,Divis,Dilks,Didier,Desrosier,Desanto,Deppe,Deng,Delosh,Delange,Defrank,Debo,Dauber,Dartez,Daquila,Dankert,Dahn,Cygan,Cusic,Curfman,Croghan,Croff,Criger,Creviston,Crays,Cravey,Crandle,Crail,Crago,Craghead,Cousineau,Couchman,Cothron,Corella,Conine,Coller,Colberg,Cogley,Coatney,Coale,Clendenin,Claywell,Clagon,Cifaldi,Choiniere,Chickering,Chica,Chennault,Chavarin,Chattin,Chaloux,Challis,Cesario,Certain,Cazarez,Caughman,Catledge,Casebolt,Carrel,Carra,Carlow,Capote,Canez,Camillo,Caliendo,Calbert,Cairo,Bylsma,Bustle,Buskey,Buschman,Burkhard,Burghardt,Burgard,Buonocore,Bunkley,Bungard,Bundrick,Bumbrey,Buice,Buffkin,Brundige,Brockwell,Brion,Brin,Briant,Bredeson,Bransford,Brannock,Brakefield,Brackens,Brabant,Boxer,Bowdoin,Bouyer,Bothe,Boor,Bonavita,Bollig,Blurton,Blunk,Blanke,Blanck,Birden,Bierbaum,Bevington,Beutler,Betters,Bettcher,Bera,Benway,Bengston,Benesh,Behar,Bedsole,Becenti,Beachy,Battersby,Basta,Bartmess,Bartle,Bartkowiak,Barsky,Barrio,Barletta,Barfoot,Banegas,Ballin,Baldonado,Bal,Azcona,Avants,Austell,Aungst,Aune,Aumann,Audia,Atterbury,Asselin,Asmussen,Ashline,Asbill,Arvizo,Arnot,Ariola,Ardrey,Angstadt,Anastasio,Amsden,Amor,Amerman,Alred,Almeda,Allington,Alewine,Alcina,Alberico,Alas,Ahlgren,Aguas,Agrawal,Agosta,Adolphsen,Addie,Acre,Acey,Aburto,Abler,Zwiebel,Zuk,Zepp,Zentz,Ybarbo,Yarberry,Yamauchi,Yamashiro,Wurtz,Wronski,Worster,Wootten,Wool,Wongus,Woltz,Wolanski,Witzke,Withey,Wisecarver,Wingham,Wineinger,Winegarden,Windholz,Wilgus,Wiesen,Wieck,Widrick,Wickliffe,Whittenberg,Westby,Werley,Wengert,Wendorf,Weimar,Weick,Weckerly,Watrous,Wasden,Walford,Wainright,Wahlstrom,Wadlow,Vrba,Voisin,Vives,Vivas,Vitello,Villescas,Villavicencio,Villanova,Vialpando,Vetrano,Verona,Vensel,Vassell,Varano,Vanriper,Vankleeck,Vanduyne,Vanderpol,Vanantwerp,Valenzula,Udell,Turnquist,Tuff,Trickett,Tremble,Tramble,Tingey,Ting,Timbers,Tietz,Thon,Thiem,Then,Tercero,Tenner,Tenaglia,Teaster,Tarlton,Taitt,Taggert,Tabon,Sward,Swaby,Suydam,Surita,Suman,Sugar,Suddeth,Stumbo,Studivant,Strobl,Stretch,Streich,Stow,Stoodley,Stoecker,Stillwagon,Stickle,Stellmacher,Stefanik,Steedley,Starbird,Stake,Stainback,Stacker,Speir,Spath,Sommerfeld,Soltani,Solie,Sojka,Sobota,Sobieski,Sobczak,Smullen,Sleeth,Slaymaker,Skolnick,Skoglund,Sires,Singler,Silliman,Shrock,Shott,Shirah,Shimek,Shepperd,Sheffler,Sheeler,Sharrock,Sharman,Shalash,Seyfried,Seybold,Selander,Seip,Seifried,Sedor,Sedlock,Sebesta,Seago,Scutt,Scrivens,Sciacca,Schultze,Schoemaker,Schleifer,Schlagel,Schlachter,Schempp,Scheider,Scarboro,Santi,Sang,Sandhu,Sally,Salim,Saia,Rylander,Ryburn,Rutigliano,Ruocco,Ruland,Rudloff,Rott,Rosenburg,Rosenbeck,Romberger,Romanelli,Rohloff,Rohlfing,Rodda,Rodd,Ritacco,Rielly,Rieck,Rickles,Rickenbacker,Rhett,Respass,Reisner,Reineck,Reighard,Rehbein,Rega,Redwood,Reddix,Razor,Rawles,Raver,Rattler,Ratledge,Rathman,Ramsburg,Raisor,Radovich,Radigan,Quail,Puskar,Purtee,Priestly,Prestidge,Presti,Pressly,Pozo,Pottinger,Portier,Porta,Porcelli,Poplawski,Polin,Points,Poeppelman,Pocock,Plump,Plantz,Placek,Piro,Pinnell,Pinkowski,Pietz,Picone,Philbeck,Pflum,Peveto,Perret,Pentz,Payer,Paulette,Patlan,Paterno,Papageorge,Pae,Overmyer,Overland,Osier,Orwig,Orum,Orosz,Oquin,Opie,Oda,Ochsner,Oathout,Nygard,Norville,Northway,Niver,Nicolson,Newhart,Nery,Neitzel,Nath,Nanez,Mustard,Murnane,Mortellaro,Morreale,Morino,Moriarity,Morgado,Moorehouse,Mongiello,Molton,Mirza,Minnix,Millspaugh,Milby,Miland,Miguez,Mickles,Michaux,Mento,Melugin,Melrose,Melito,Meinecke,Mehr,Meares,Mcneece,Mckane,Mcglasson,Mcgirt,Mcgilvery,Mcculler,Mccowen,Mccook,Mcclintic,Mccallon,Mazzotta,Maza,Mayse,Mayeda,Matousek,Matley,Martyn,Maroon,Marney,Marnell,Marling,Marcelino,Manuelito,Maltos,Malson,Maire,Mahi,Maffucci,Macken,Maass,Lyttle,Lynd,Lyden,Lukasiewicz,Luebbers,Lovering,Loveall,Lords,Longtin,Lok,Lobue,Loberg,Loan,Lipka,Lion,Linen,Lightbody,Lichty,Levert,Lev,Lettieri,Letsinger,Lepak,Lemmond,Lembke,Leitz,Lasso,Lasiter,Lango,Landsman,Lamirande,Lamey,Laber,Kuta,Kulesza,Kua,Krenz,Kreiner,Krein,Kreiger,Kraushaar,Kottke,Koser,Kornreich,Kopczynski,Konecny,Kok,Koff,Koehl,Kocian,Knaub,Kmetz,Kluender,Klenke,Kleeman,Kitzmiller,Kirsh,Kilman,Kildow,Kielbasa,Ketelsen,Kesinger,Kendra,Kehr,Keef,Kauzlarich,Karter,Kahre,Junk,Jong,Jobin,Joaquin,Jinkins,Jines,Jeffress,Jaquith,Jaillet,Jablonowski,Ishikawa,Irey,Ingerson,Indelicato,In,Huntzinger,Huisman,Huett,Howson,Houge,Hosack,Hora,Hoobler,Holtzen,Holtsclaw,Hollingworth,Hollin,Hoberg,Hobaugh,Hilker,Hilgefort,Higgenbotham,Heyen,Hetzler,Hessel,Hennessee,Hendrie,Hellmann,Heft,Heesch,Haymond,Haymon,Haye,Havlik,Havis,Haverland,Haus,Harstad,Harriston,Harm,Harju,Hardegree,Hankey,Hands,Hampshire,Hammell,Hamaker,Halbrook,Halberg,Guptill,Guntrum,Gunderman,Gunder,Gularte,Guarnieri,Gu,Groll,Grippo,Greely,Grave,Gramlich,Goh,Goewey,Goetzinger,Goding,Giraud,Giefer,Giberson,Gennaro,Gemmell,Gearing,Gayles,Gaudin,Gatz,Gatts,Gasca,Garn,Gandee,Gammel,Galindez,Galati,Gagliardo,Fulop,Fukushima,Friedt,Fretz,Frenz,Freeberg,Frederic,Fravel,Fountaine,Forry,Forck,Fonner,Flippin,Flewelling,Flansburg,Filippone,Fettig,Fenlon,Felter,Felkins,Fein,Faz,Favor,Favero,Faulcon,Farver,Farless,Fahnestock,Facemire,Faas,Eyer,Evett,Every,Esses,Escareno,Ensey,Ennals,Engelking,Empey,Emily,Elvira,Ellithorpe,Effler,Edling,Edgley,Durrell,Dunkerson,Draheim,Domina,Dombrosky,Doescher,Dobbin,Divens,Dinatale,Dimitri,Dieguez,Diede,Devivo,Devilbiss,Devaul,Determan,Desjardin,Deshaies,Demo,Delpozo,Delorey,Delman,Delapp,Delamater,Deibert,Degroff,Debelak,Dapolito,Dano,Dacruz,Dacanay,Cushenberry,Cruze,Crosbie,Cregan,Cousino,Corrie,Corrao,Corney,Cookingham,Conry,Collingsworth,Coldren,Cobian,Coate,Clauss,Chrysler,Christine,Christenberry,Chmiel,Chauez,Charters,Chait,Cesare,Cella,Caya,Castenada,Cashen,Captain,Cantrelle,Canova,Candy,Canary,Campione,Camel,Calixte,Caicedo,Byerley,Buttery,Butter,Burda,Burchill,Bun,Bulmer,Bulman,Buesing,Buczek,Buckholz,Buchner,Buchler,Buban,Bryne,Brutus,Brunkhorst,Brumsey,Brumer,Brownson,Broker,Brodnax,Brezinski,Brazile,Braverman,Brasil,Branning,Bradly,Boye,Boulden,Bough,Bossard,Bosak,Borth,Borgmeyer,Borge,Blowers,Blaschke,Blann,Blankenbaker,Bisceglia,Billingslea,Bialek,Beverlin,Besecker,Berquist,Benigno,Benavente,Belizaire,Beisner,Behrman,Beausoleil,Bea,Baylon,Bayley,Bassi,Basnett,Basilio,Basden,Basco,Banerjee,Balli,Bake,Bagnell,Bady,Averette,Augusta,Arzu,Arn,Archambeault,Arboleda,Arbaugh,Arata,Antrim,Amrhein,Amerine,Alpers,Alfrey,Alcon,Albus,Albertini,Aguiniga,Aday,Acquaviva,Accardi,Zygmont,Zych,Zollner,Zobel,Zinck,Zertuche,Zaragosa,Zale,Zaldivar,Ying,Yeadon,Wykoff,Woullard,Wolfrum,Wohlford,Wison,Wiseley,Wisecup,Winchenbach,Wiltsie,Whittlesey,Whitelow,Whiteford,Wever,Westrich,Wertman,Wensel,Wenrich,Weisbrod,Weglarz,Wedderburn,Weatherhead,Wease,Warring,Wand,Wadleigh,Voltz,Vise,Villano,Vicario,Vermeulen,Vazques,Vasko,Varughese,Vangieson,Vanfossen,Vanepps,Vanderploeg,Vancleve,Valerius,Uyehara,Unsworth,Twersky,Turrell,Tuner,Tsui,Trunzo,Trousdale,Trentham,Traughber,Torgrimson,Toppin,Tokar,Tobia,Tippens,Tigue,Thong,Thiry,Thackston,Terhaar,Tenny,Tassin,Tadeo,Sweigart,Sutherlin,Sumrell,Suen,Stuhr,Strzelecki,Strosnider,Streiff,Stottlemyer,Storment,Storlie,Stonesifer,Stogsdill,Stenzel,Stemen,Stellhorn,Steidl,Stecklein,Statton,Staple,Stangle,Spratling,Spoor,Spight,Spelman,Spece,Spanos,Spadoni,Southers,Sola,Sobol,Smyre,Slaybaugh,Sizelove,Sirmons,Simington,Silversmith,Siguenza,Sieren,Shelman,Shawn,Sharples,Sharif,Shack,Seville,Sessler,Serrata,Serino,Serafini,Semien,Selvey,Seedorf,Seckman,Seawood,Screws,Screen,Scoby,Scicchitano,Schorn,Schommer,Schnitzer,Schleusner,Schlabach,Schiel,Schepers,Schaber,Scally,Sautner,Sartwell,Santerre,Sandage,Salvia,Salvetti,Salsman,Sallis,Salais,Saint,Saeger,Sable,Sabat,Saar,Ruther,Russom,Ruoff,Rumery,Rubottom,Rozelle,Rowton,Routon,Rotolo,Rostad,Roseborough,Rorick,Ronco,Rolls,Roher,Roberie,Robare,Ritts,Rison,Rippe,Rinke,Ringwood,Righter,Rieser,Rideaux,Rickerson,Renfrew,Releford,Reinsch,Reiman,Reifsteck,Reidhead,Redfearn,Reddout,Reaux,Rance,Ram,Rado,Radebaugh,Quinby,Quigg,Provo,Provenza,Provence,Prophet,Pridgeon,Praylow,Powel,Poulter,Portner,Pontbriand,Police,Poirrier,Poirer,Platero,Pixler,Pintor,Pigman,Piersall,Piel,Pichette,Phou,Phillis,Phillippe,Pharis,Phalen,Petsche,Perrier,Penfield,Pelosi,Pebley,Peat,Pawloski,Pawlik,Pavlick,Pavel,Patz,Patout,Pascucci,Pasch,Parrinello,Parekh,Pantaleo,Pannone,Pankow,Pangborn,Pagani,Pacelli,Ort,Orsi,Oriley,Orduno,Oommen,Olivero,Okada,Ocon,Ocheltree,Oberman,Nyland,Noss,Norling,Nolton,Nobile,Nitti,Nishimoto,Nghiem,Neuner,Neuberger,Neifert,Negus,Naval,Nagler,Mullally,Moulden,Morra,Morquecho,Morocco,Moots,Monica,Mizzell,Mirsky,Mirabito,Minardi,Milholland,Mikus,Mijangos,Michener,Michalek,Methvin,Merrit,Menter,Meneely,Melody,Meiers,Mehring,Mees,Medal,Mcwhirt,Mcwain,Mcphatter,Mcnichol,Mcnaught,Mclarty,Mcivor,Mcginness,Mcgaughy,Mcferrin,Mcfate,Mcclenny,Mcclard,Mccaskey,Mccallion,Mcamis,Mathisen,Marton,Marsico,Mariner,Marchi,Mani,Mangione,Magda,Macaraeg,Lupi,Lunday,Lukowski,Lucious,Locicero,Loach,Littlewood,Litt,Litle,Lipham,Linley,Lindon,Lightford,Lieser,Leyendecker,Lewey,Lesane,Lenzi,Lenart,Lena,Leisinger,Lehrman,Lefebure,Leandro,Lazard,Laycock,Laver,Launer,Lastrapes,Lastinger,Lasker,Larkey,Larger,Lanser,Lanphere,Landey,Lan,Lampton,Lamark,Lager,Kumm,Kullman,Krzeminski,Krasner,Kram,Koran,Koning,Kohls,Kohen,Kobel,Kniffen,Knick,Kneip,Knappenberger,Knack,Klumpp,Klausner,Kitamura,Kisling,Kirshner,Kinloch,Kingman,Kin,Kimery,Kestler,Kellen,Keleher,Keehn,Kearley,Kasprzak,Kary,Kampf,Kamerer,Kalis,Kahan,Kaestner,Kadel,Kabel,Junge,Juckett,Joynt,Jorstad,Jetter,Jelley,Jefferis,Jeff,Jeansonne,Janecek,Jaffee,Jacko,Izzard,Istre,Isherwood,Ipock,Iannuzzi,Hypolite,Hussein,Humfeld,Huckleberry,Hotz,Hosein,Honahni,Holzworth,Holdridge,Holdaway,Holaday,Hodak,Hitchman,Hippler,Hinchey,Hillin,Hiler,Hibdon,Hevey,Heth,Hepfer,Henneman,Hemsley,Hemmings,Hemminger,Helbert,Helberg,Heinze,Heeren,Hee,Heber,Haver,Hauff,Haswell,Harvison,Hartson,Harshberger,Harryman,Harries,Hannibal,Hane,Hamsher,Haggett,Hagemeier,Haecker,Haddon,Haberkorn,Guttman,Guttierrez,Guthmiller,Guillet,Guilbert,Gugino,Grumbles,Griffy,Gregerson,Greg,Granada,Grana,Goya,Goranson,Gonsoulin,Goettl,Goertz,Goe,Godlewski,Glandon,Glad,Gilsdorf,Gillogly,Gilkison,Giard,Giampaolo,Gheen,Gettings,Gesell,Gershon,Gaumer,Gartrell,Garside,Garrigan,Garmany,Garlitz,Garlington,Gamet,Gail,Fuss,Furlough,Funston,Funaro,Frix,Frasca,Francoeur,Forshey,Foose,Flatley,Flagler,Fils,Fillers,Fickett,Feth,Fennelly,Fencl,Felch,Fedrick,Febres,Fazekas,Farnan,Fairless,Ewan,Etsitty,Enterline,Elvin,Elsworth,Elliff,Ell,Eleby,Eldreth,Eidem,Edgecomb,Edds,Ebarb,Dworkin,Dusenberry,Durrance,Duropan,Durfey,Dungy,Dundon,Dumbleton,Duffel,Dubon,Dubberly,Droz,Drinkwater,Dressel,Doughtie,Doshier,Dorrell,Dora,Dople,Doonan,Donadio,Dollison,Doig,Ditzler,Dishner,Discher,Dimaio,Digman,Difalco,Diem,Devino,Devens,Derosia,Deppen,Depaola,Deniz,Denardo,Demos,Demay,Delgiudice,Davi,Danielsen,Dally,Dais,Dahmer,Cutsforth,Cusimano,Curington,Cumbee,Cryan,Crusoe,Crowden,Crete,Cressman,Crapo,Cowens,Coupe,Councill,Coty,Cotnoir,Correira,Copen,Consiglio,Combes,Coffer,Cockrill,Coad,Clogston,Clasen,Chock,Chesnutt,Charrier,Chain,Chadburn,Cerniglia,Cebula,Castruita,Castilla,Castaldi,Casebeer,Casagrande,Carta,Carrales,Carnley,Cardon,Carasco,Capshaw,Capron,Cappiello,Capito,Canney,Candela,Caminiti,Califano,Calico,Calabria,Caiazzo,Cahall,Buscemi,Burtner,Burgdorf,Bureau,Burdo,Buffaloe,Buchwald,Brwon,Brunke,Brummond,Brumm,Broe,Brocious,Brocato,Bro,Britain,Briski,Brisker,Brightwell,Bresett,Breiner,Brazeau,Braz,Brayman,Brandis,Bramer,Bradeen,Boyko,Bourbon,Bossi,Boshart,Bortle,Boniello,Bomgardner,Bolz,Bolenbaugh,Bohling,Bohland,Bochenek,Blust,Bloxham,Blowe,Blish,Blackwater,Bjelland,Biros,Birkhead,Biederman,Bickle,Bialaszewski,Bevil,Beverley,Beumer,Bettinger,Besse,Bernett,Bermejo,Bement,Belfield,Beckler,Beatrice,Baxendale,Batdorf,Bastin,Bashore,Bascombe,Bartlebaugh,Barsh,Ballantine,Bahl,Badon,Bachelor,Autin,Audie,Astin,Askey,Ascher,Arrigo,Arbeiter,Antes,Angers,Amburn,Amarante,Alvidrez,Althaus,Allmond,Alfieri,Aldinger,Akerley,Akana,Aikins,Ader,Acebedo,Accardo,Abila,Aberle,Abele,Abboud,Zollars,Zimmerer,Zieman,Zerby,Zelman,Zellars,Yule,Yoshimura,Yonts,Yeats,Yant,Yamanaka,Wyland,Wuensche,Worman,Wordlaw,Wohl,Winslett,Winberg,Wilmeth,Willcutt,Wiers,Wiemer,Wickwire,Wichman,Whitting,Whidbee,Westergard,Wemmer,Wellner,Weishaupt,Weinert,Weedon,Waynick,Wasielewski,Waren,Walworth,Wallingford,Walke,Waechter,Viviani,Vitti,Villagrana,Vien,Vicks,Venema,Varnes,Varnadoe,Varden,Vanpatten,Vanorden,Vanderzee,Vandenburg,Vandehey,Valls,Vallarta,Valderrama,Valade,Urman,Ulery,Tusa,Tuft,Tripoli,Trimpe,Trickey,Tortora,Torrens,Torchia,Toft,Tjaden,Tison,Tindel,Thurmon,Thode,Tardugno,Tancredi,Taketa,Taillon,Tagle,Sytsma,Symes,Swindall,Swicegood,Swartout,Sundstrom,Sumners,Sulton,Studstill,Student,Stroop,Stonerock,Stmarie,Stlawrence,Stemm,Steinhauser,Steinert,Steffensen,Stefano,Stefaniak,Starck,Stalzer,Spidle,Spake,Sowinski,Sosnowski,Sorber,Somma,Soliday,Soldner,Soja,Soderstrom,Soder,Sockwell,Sobus,Snowball,Sloop,Skeeter,Sinner,Sinkfield,Simerly,Silguero,Sigg,Siemers,Siegmund,Sidle,Shum,Sholtis,Shkreli,Sheikh,Shattles,Sharlow,Shao,Shambaugh,Shaikh,Serrao,Serafino,Selley,Selle,Seel,Sedberry,Secord,Seat,Schunk,Schuch,Schor,Scholze,Schnee,Schmieder,Schleich,Schimpf,Scherf,Satterthwaite,Sasson,Sarkisian,Sarinana,Sanzone,Salvas,Salone,Salido,Saiki,Sahr,Rusher,Rusek,Ruse,Ruppel,Rubi,Rubel,Rough,Rothfuss,Rothenberger,Rossell,Rosenquist,Rosebrook,Romito,Romines,Rolando,Rolan,Roker,Roehrig,Rockhold,Rocca,Robuck,Riss,Rinaldo,Right,Riggenbach,Rezentes,Reuther,Reuben,Renolds,Rench,Remus,Remsen,Reller,Relf,Reitzel,Reiher,Rehder,Redeker,Ramero,Rahaim,Radice,Quijas,Qualey,Purgason,Prum,Proudfoot,Prock,Probert,Printup,Primer,Primavera,Prenatt,Pratico,Polich,Podkowka,Podesta,Plattner,Plasse,Plamondon,Pittmon,Pippenger,Pineo,Pierpont,Petzold,Petz,Pettiway,Petters,Petroski,Petrik,Pesola,Pershall,Perlmutter,Penepent,Peevy,Pechacek,Pears,Peaden,Pazos,Pavia,Pascarelli,Parm,Parillo,Parfait,Paoletti,Palomba,Palencia,Pagaduan,Oxner,Overfield,Overcast,Oullette,Ouk,Ostroff,Osei,Omarah,Olenick,Olah,Odem,Nygren,Notaro,Northcott,Nodine,Nilges,Neyman,Neve,Neuendorf,Neptune,Neisler,Neault,Narciso,Naff,Muscarella,Mun,Most,Morrisette,Morphew,Morein,Mor,Montville,Montufar,Montesinos,Monterroso,Mongold,Mona,Mojarro,Moitoso,Mode,Mirarchi,Mirando,Minogue,Milici,Miga,Midyett,Michna,Mey,Meuser,Messana,Menzie,Menz,Mendicino,Melone,Mellish,Meller,Melle,Meints,Mechem,Mealer,Mcwilliam,Mcwhite,Mcquiggan,Mcphillips,Mcpartland,Mcnellis,Mcmackin,Mclaughin,Mckinny,Mckeithan,Mcguirk,Mcgillivray,Mcgarr,Mcgahee,Mcfaul,Mcfadin,Mceuen,Mccullah,Mcconico,Mcclaren,Mccaul,Mccalley,Mccalister,Mazer,Mayson,Mayhan,Maugeri,Mauger,Mattix,Mattews,Maslowski,Masek,Martir,Marsch,Marquess,Maron,Markwell,Markow,Marinaro,Marietta,Marcinek,Manner,Mannella,Mango,Mallen,Majeed,Mahnke,Mahabir,Magby,Magallan,Madere,Machnik,Lybrand,Luque,Lundholm,Lueders,Lucian,Lubinski,Lowy,Loew,Lippard,Linson,Lindblad,Lightcap,Levitsky,Levens,Leonardi,Lenton,Lengyel,Leng,Leitzel,Leicht,Leaver,Laubscher,Lashua,Larusso,Larrimore,Lanterman,Lanni,Lanasa,Lamoureaux,Lambros,Lamborn,Lamberti,Lall,Lagos,Lafuente,Laferriere,Laconte,Kyger,Kupiec,Kunzman,Kuehne,Kuder,Kubat,Krogh,Kreidler,Krawiec,Krauth,Kratky,Kottwitz,Korb,Kono,Kolman,Kolesar,Koeppel,Knapper,Klingenberg,Kjos,Keppel,Kennan,Keltz,Kealoha,Kasel,Karney,Kanne,Kamrowski,Kagawa,Joo,Johnosn,Joesph,Jilek,Jarvie,Jarret,Jansky,Jacquemin,Jacox,Jacome,Italiano,Iriarte,Ingwersen,Imboden,Iglesia,Huyser,Hurston,Hursh,Huntoon,Hudman,Hoying,Horsman,Horrigan,Hornbaker,Horiuchi,Hopewell,Hoop,Hommel,Homeyer,Holzinger,Holmer,Hollow,Hipsher,Hinchman,Hilts,Higginbottom,Hieb,Heyne,Hessling,Hesler,Hertlein,Herford,Heras,Henricksen,Hennemann,Henery,Hendershott,Hemstreet,Heiney,Heckert,Heatley,Hazell,Hazan,Hayashida,Hausler,Hartsoe,Harth,Harriott,Harriger,Harpin,Hardisty,Hardge,Hao,Hannaman,Hannahs,Hamp,Hammersmith,Hamiton,Halsell,Halderman,Hagge,Habel,Gusler,Gushiken,Gurr,Gummer,Gullick,Grunden,Grosch,Greenburg,Greb,Greaver,Gratz,Grajales,Gourlay,Gotto,Gorley,Goodpasture,Godard,Glorioso,Gloor,Glascock,Gizzi,Giroir,Gibeault,Gauldin,Gauer,Gartin,Garrels,Gamber,Gallogly,Galley,Gade,Fusaro,Fripp,Freyer,Freiberg,Franzoni,Fragale,Foston,Forti,Forness,Folts,Followell,Foard,Flom,Fling,Flett,Fleitas,Flamm,Fino,Finnen,Finchum,Filippelli,Fickel,Feucht,Feiler,Feenstra,Feagins,Faver,Faux,Faulkenberry,Farabaugh,Fandel,Fallen,Faler,Faivre,Fairey,Facey,Exner,Evensen,Erion,Erben,Epting,Epping,Ephraim,Engberg,Elsen,Ellingwood,Ellen,Eisenmann,Eichman,Ehle,Edsall,Eagles,Durall,Dupler,Dunker,Dumlao,Duford,Duffie,Dudding,Dries,Doung,Dorantes,Donahoo,Domenick,Dollins,Dobles,Dipiazza,Dino,Dimeo,Diehm,Dicicco,Devin,Devenport,Desormeaux,Derrow,Depaolo,Denver,Denise,Demas,Delpriore,Delosantos,Dela,Degreenia,Degenhardt,Defrancesco,Defenbaugh,Deets,Debonis,Deary,Dazey,Dargie,Dambrosia,Dalal,Dagen,Cun,Cuen,Crupi,Crossan,Crichlow,Creque,Coutts,Counce,Coram,Constante,Connon,Collelo,Coit,Cocklin,Coblentz,Cobey,Coard,Clutts,Clingan,Claw,Clampitt,Claeys,Ciulla,Cimini,Ciampa,Christon,Choat,Chiou,Chenail,Chavous,Catto,Catalfamo,Casterline,Cassinelli,Caspers,Carroway,Carlen,Carithers,Cappel,Calo,Callow,Calandra,Cagley,Cafferty,Byun,Byam,Buttner,Buth,Burtenshaw,Burget,Burfield,Buresh,Bunt,Bultman,Bulow,Buchta,Buchmann,Brunett,Bruemmer,Brueggeman,Britto,Briney,Brimhall,Bribiesca,Bresler,Brazan,Brashier,Brar,Brandstetter,Brandi,Boze,Boonstra,Bluitt,Blomgren,Blattner,Blasi,Bladen,Bitterman,Bilby,Bierce,Biello,Bettes,Bertone,Berrey,Bernat,Berberich,Benshoof,Bendickson,Below,Bellefeuille,Bednarski,Beddingfield,Beckerman,Beaston,Bavaro,Batalla,Basye,Baskins,Bartolotta,Bartkowski,Barranco,Barkett,Band,Banaszak,Bame,Bamberger,Balsley,Ballas,Balicki,Balding,Bald,Badura,Aymond,Aylor,Aylesworth,Axley,Axelrod,Aubert,Armond,Ariza,Apicella,Anstine,Ankrom,Angevine,Anger,Andreotti,Andrea,Alto,Alspaugh,Alpaugh,Almada,Allinder,Alexandra,Alequin,Alan,Aguillard,Agron,Agena,Afanador,Ackerley,Abrev,Abdalla,Aaronson,Zynda,Zucco,Zipp,Zetina,Zenz,Zelinski,Youngren,Yochum,Yearsley,Yankey,Woodfork,Wohlwend,Woelfel,Wiste,Wismer,Winzer,Winker,Wilkison,Wigger,Wierenga,Whipps,Wheeling,Westray,Wesch,Weld,Weible,Wedell,Weddell,Wawrzyniak,Wasko,Washinton,Wantz,Walts,Wallander,Wain,Wahlen,Wachowiak,Voshell,Viteri,Vire,Villafuerte,Vieyra,Viau,Vescio,Verrier,Verhey,Vause,Vandermolen,Vanderhorst,Valois,Valla,Valcourt,Vacek,Uzzle,Umland,Um,Ulman,Ulland,Turvey,Tuley,Trembath,Trees,Trabert,Towsend,Totman,Toews,Toby,Tito,Tisch,Tisby,Tipping,Tierce,Thivierge,Tenenbaum,Teagle,Tacy,Tabler,Szewczyk,Swearngin,Suire,Sturrock,Stubbe,Stronach,Stoute,Stoudemire,Stoneberg,Sterba,Stejskal,Steier,Stehr,Steckler,Steckel,Stearman,Steakley,Star,Stanforth,Stancill,Stalls,Srour,Sprowl,Spevak,Sole,Sokoloff,Soderman,Snover,Sleeman,Slaubaugh,Sitzman,Simpler,Simmer,Simes,Siegal,Sidoti,Sidler,Sider,Sidener,Siddiqi,Shireman,Shima,Sheroan,Shadduck,Seyal,Sentell,Sennett,Senko,Seneca,Sen,Seligman,Seipel,Seekins,Seabaugh,Scouten,Schweinsberg,Schwartzberg,Schurr,Schult,Schrick,Schoening,Schmitmeyer,Schlicher,Schlager,Schack,Schaar,Scavuzzo,Scarpa,Sassano,Santigo,Sandavol,San,Sampsel,Samms,Samet,Salzano,Salyards,Salva,Saidi,Sabir,Saam,Saab,Runions,Rundquist,Rousselle,Round,Rotunno,Roses,Rosch,Romney,Rohner,Roff,Rockhill,Rockefeller,Rocamora,Rm,Ringle,Riggie,Ricklefs,Rexroat,Reves,Revel,Reuss,Reta,Repka,Rentfro,Reineke,Recore,Recalde,Rease,Rawling,Ravencraft,Ravelo,Rappa,Randol,Ramsier,Ramerez,Rahimi,Rahim,Radney,Racey,Raborn,Rabalais,Quebedeaux,Pujol,Puchalski,Prothro,Proffit,Prigge,Prideaux,Prevo,Portales,Porco,Popovic,Popek,Popejoy,Pompei,Plumber,Plude,Platner,Plate,Pizzuto,Pizer,Pistone,Piller,Pierri,Piehl,Pickert,Piasecki,Phong,Philipp,Peugh,Pesqueira,Perrett,Perfetti,Percell,Penhollow,Pelto,Pellett,Pavlak,Paulo,Paula,Patricia,Pastorius,Parsell,Parrales,Pareja,Parcell,Pappan,Pajak,Owusu,Ovitt,Ory,Orrick,Oniell,Olliff,Olberding,Oesterling,Odwyer,Ocegueda,Obey,Obermiller,Nylander,Nulph,Nottage,Northam,Norgard,Nodal,Niel,Nicols,Newhard,Nellum,Neira,Nazzaro,Nassif,Narducci,Nalbandian,Nails,Musil,Murga,Muraoka,Mumper,Mulroy,Mountjoy,Mossey,Moreton,Morea,Montoro,Montesdeoca,Montealegre,Montanye,Montandon,Mok,Moisan,Mohl,Modesto,Modeste,Mitra,Mister,Minson,Minjarez,Milbourne,Michaelsen,Metheney,Mestre,Mescher,Mervis,Mennenga,Melgarejo,Meisinger,Meininger,Mcwaters,Mckern,Mckendree,Mchargue,Mcglothlen,Mcgibbon,Mcgavock,Mcduffee,Mcclurkin,Mccausland,Mccardell,Mccambridge,Mazzoni,Mayen,Maxton,Mawson,Mauffray,Mattinson,Mattila,Matsunaga,Mater,Mascia,Marse,Marotz,Marois,Markin,Markee,Marcinko,Marcin,Manville,Mantyla,Manser,Manry,Manderscheid,Mallari,Malia,Malecha,Malcomb,Majerus,Mailman,Macinnis,Mabey,Lyford,Luth,Lupercio,Luhman,Luedke,Lovick,Lossing,Loss,Lorraine,Lookabaugh,Longway,Lone,Loisel,Logiudice,Loffredo,Locust,Lobe,Lobaugh,Lizaola,Livers,Littlepage,Linnen,Limmer,Liebsch,Liebman,Leyden,Levitan,Levison,Levier,Leven,Levalley,Lettinga,Lessley,Lessig,Lepine,Leight,Leick,Leggio,Leffingwell,Leffert,Lefevers,Ledlow,Leaton,Leander,Leaming,Lazos,Laviolette,Lauffer,Latz,Lasorsa,Lasch,Larin,Laporta,Lanter,Langstaff,Landi,Lamica,Lambson,Lambe,Lamarca,Laman,Lamagna,Lajeunesse,Lafontant,Lafler,Labrum,Laakso,Kush,Kuether,Kuchar,Kruk,Kroner,Kroh,Kridler,Kreuzer,Kovats,Koprowski,Kohout,Knicely,Knell,Klutts,Kindrick,Kiddy,Khanna,Ketcher,Kerschner,Kerfien,Kensey,Kenley,Kenan,Kemplin,Kellerhouse,Keesling,Keep,Keena,Keas,Kaplin,Kanady,Kampen,Jutras,Jungers,Julio,Jeschke,Jen,Janowski,Janas,Iskra,Imperato,Ikerd,Igoe,Hyneman,Hynek,Husain,Hurrell,Hultquist,Hullett,Hulen,Huf,Huberty,Hoyte,Hossain,Hornstein,Hori,Hopton,Holms,Hollmann,Holdman,Holdeman,Holben,Hoffert,Himel,Hillsman,Hillary,Herdt,Hellyer,Hellen,Heister,Heimer,Heidecker,Hedgpeth,Hedgepath,Hebel,Heatwole,Hayer,Hausner,Haskew,Haselden,Hartranft,Harsch,Harres,Harps,Hardimon,Halm,Hallee,Hallahan,Hackley,Hackenberg,Hachey,Haapala,Guynes,Gunnerson,Gunby,Gulotta,Gudger,Groman,Grignon,Griebel,Gregori,Greenan,Grauer,Gourd,Gorin,Gorgone,Gooslin,Goold,Goltz,Goldberger,Gobble,Glotfelty,Glassford,Glance,Gladwin,Giuffre,Gilpatrick,Germaine,Gerdts,Genna,Geisel,Gayler,Gaunce,Gaulding,Gateley,Gassman,Gash,Garson,Garron,Garand,Gangestad,Gallow,Galbo,Gabrielli,Fullington,Fucci,Frum,Frieden,Friberg,Frasco,Francese,Fowle,Foucher,Fothergill,Foraker,Fonder,Foisy,Fogal,Flurry,Flenniken,Fitzhenry,Fishbein,Finton,Filmore,Filice,Feola,Felberbaum,Fausnaught,Fasciano,Farrah,Farquharson,Faires,Estridge,Essman,Enz,Enriques,Emmick,Ekker,Ekdahl,Eisman,Eggleton,Eddinger,Eakle,Eagar,Durio,Dunwoody,Duhaime,Duenes,Duden,Dudas,Dresher,Dresel,Doutt,Donlan,Donathan,Domke,Dobrowolski,Dingee,Dimmitt,Dimery,Dilullo,Deveaux,Devalle,Desper,Desnoyers,Desautels,Derouin,Derbyshire,Denmon,Dena,Demski,Delucca,Delpino,Delmont,Deller,Dejulio,Deibler,Dehne,Deharo,Degner,Defore,Deerman,Decuir,Deckman,Deasy,Dease,Deaner,Dawdy,Daughdrill,Darrigo,Darity,Daniele,Dalbey,Dagenhart,Daffron,Curro,Curnutte,Curatolo,Cruikshank,Crosswell,Croslin,Croney,Crofton,Criado,Crecelius,Coscia,Conniff,Commodore,Coltharp,Colonna,Collyer,Collington,Cobbley,Coache,Clonts,Cloe,Cliett,Clemans,Clara,Cid,Christo,Chrisp,China,Chiarini,Chia,Cheatam,Cheadle,Che,Chauncey,Chand,Chadd,Cervera,Cerulli,Cerezo,Cedano,Cayetano,Cawthorne,Cavalieri,Cattaneo,Caryl,Cartlidge,Carrithers,Carreira,Carranco,Cargle,Candanoza,Camille,Camburn,Calender,Calderin,Calcagno,Cahn,Cadden,Byham,Buttry,Burry,Burruel,Burkitt,Burgio,Burgener,Buescher,Buckalew,Brymer,Brumett,Brugnoli,Brugman,Brosnahan,Bronder,Broeckel,Broderson,Brisbon,Brinsfield,Brinks,Bresee,Bregman,Branner,Brambila,Brailsford,Bouska,Boster,Borucki,Bortner,Boroughs,Borgeson,Bonier,Bomba,Bolender,Boesch,Boeke,Bloyd,Bley,Binger,Billing,Bilbro,Biery,Bichrest,Bezio,Bevel,Berrett,Bermeo,Bergdoll,Bercier,Benzel,Bentler,Bennetts,Belnap,Bellini,Beitz,Behrend,Bednarczyk,Bearse,Batman,Bartolini,Bartol,Barretta,Barbero,Barbaro,Banvelos,Bankes,Ballengee,Baldon,Aye,Ausmus,Atilano,Atienza,Aschenbrenner,Arora,Armstong,Aquilino,Appleberry,Applebee,Apolinar,Antos,Angles,Andrepont,Ancona,Amesquita,Alvino,Altschuler,Allin,Alire,Ainslie,Agular,Aeschliman,Accetta,Abdulla,Abbe,Zwart,Zufelt,Zona,Zirbel,Zingaro,Zilnicki,Zenteno,Zent,Zemke,Zayac,Zarrella,Yoshimoto,Yearout,Wrench,World,Womer,Woltman,Wolin,Wolery,Woldt,Witts,Wittner,Witherow,Winward,Winrow,Wiemann,Wichmann,Whitwell,Whitelaw,Wheeless,Whalley,Wey,Wessner,Wenzl,Wene,Weatherbee,Waye,Wattles,Wanke,Walkes,Waldeck,Vonruden,Voisine,Vogus,Vittetoe,Villalva,Villacis,Victorian,Verge,Venturini,Venturi,Venson,Vanloan,Vanhooser,Vanduzer,Vandever,Vanderwal,Vanderheyden,Vanbeek,Vanbebber,Vallance,Vales,Vahle,Urbain,Upshur,Umfleet,Twist,Tsuji,Trybus,Triolo,Trimarchi,Trezza,Trenholm,Tovey,Tourigny,Torry,Torrain,Torgeson,Tongue,Tomey,Tischler,Tinkler,Tinder,Ticknor,Tibbles,Tibbals,Throneberry,Thormahlen,Thibert,Thibeaux,Theurer,Templet,Tegeler,Tavernier,Taubman,Tamashiro,Tallon,Tallarico,Taboada,Sypher,Sybert,Swyers,Switalski,Swinger,Swedberg,Suther,Surprenant,Sullen,Sulik,Sugden,Suder,Suchan,Such,Strube,Stroope,Strittmatter,Streett,Straughn,Strasburg,Stjacques,Stimage,Stimac,Stifter,Stgelais,Steinhart,Stehlik,Steffenson,Steenbergen,Stanbery,Stallone,Sprung,Spraggs,Spoto,Spilman,Speno,Spanbauer,Spalla,Spagnolo,Soliman,Solan,Sobolik,Snelgrove,Snedden,Smale,Sliter,Slankard,Sircy,Signor,Shutter,Shurtliff,Shur,Show,Shirkey,Shi,Shewmake,Shams,Shadley,Shaddox,Sgro,Serfass,Seppala,Segawa,Segalla,Seaberry,Scruton,Scism,Schwein,Schwartzman,Schwantes,Schomer,Schoenborn,Schlottmann,Schissler,Scheurer,Schepis,Scheidegger,Saunier,Sauders,Sassman,Sannicolas,Sanderfur,Salser,Sagar,Saffer,Saeed,Sadberry,Saban,Ryce,Rybak,Rux,Rumore,Rummell,Rummage,Rudasill,Rozman,Rota,Rossin,Rosell,Rosel,Romberg,Rojero,Rochin,Rochell,Robideau,Robarge,Roath,Risko,Ringel,Ringdahl,Riera,Riemann,Ribas,Revard,Renna,Renegar,Reinwald,Rehman,Regal,Reels,Ree,Redel,Reasons,Raysor,Rathke,Rapozo,Rampton,Ramaker,Rakow,Raia,Radin,Raco,Rackham,Racca,Racanelli,Rabun,Quaranta,Purves,Pundt,Protsman,Prosper,Prezioso,Presutti,President,Presgraves,Poydras,Portnoy,Portalatin,Pop,Pontes,Poehler,Poblete,Poat,Plumadore,Pleiman,Pizana,Piscopo,Piraino,Pinelli,Pillai,Picken,Picha,Piccoli,Philen,Petteway,Petros,Peskin,Perugini,Perrella,Pernice,Peper,Pensinger,Pembleton,Patron,Passman,Parrent,Panetta,Pancake,Pallas,Palka,Pais,Paglia,Padmore,Oum,Ottesen,Ost,Oser,Ortmann,Ormand,Oriol,Orick,Oler,Okafor,Ohair,Obert,Oberholtzer,Number,Nowland,Nosek,Nordeen,Nolf,Nogle,Nobriga,Nicley,Niccum,Newingham,Neumeister,Neugebauer,Netherland,Nerney,Neiss,Neis,Neider,Neeld,Nailor,Mustain,Mussman,Musante,Murton,Murden,Munyon,Muldrew,Motton,Moscoso,Moschella,Moroz,Mormon,Morelos,Morace,Moone,Montesano,Montemurro,Montas,Montalbo,Molander,Mleczko,Miyake,Mitschke,Minger,Minelli,Minear,Millener,Mihelich,Miedema,Miah,Metzer,Mery,Merrigan,Merck,Mennella,Membreno,Melecio,Melder,Mehling,Mehler,Medcalf,Meche,Mealing,Mcqueeney,Mcphaul,Mcmickle,Mcmeen,Mcmains,Mclees,Mcgowin,Mcfarlain,Mcdivitt,Mccotter,Mcconn,Mcclane,Mccaster,Mcbay,Mcbath,Mayoral,Mayeux,Matsuo,Masur,Massman,Marzette,Martensen,Marlett,Markie,Markgraf,Marcinkowski,Marchbanks,Marcella,Mansir,Mandez,Mancil,Malagon,Magnani,Madonia,Madill,Madia,Mackiewicz,Macgillivray,Macdowell,Macbeth,Mabee,Lundblad,Lovvorn,Lovings,Loreto,Linz,Linwood,Linnell,Linebaugh,Lindstedt,Lindbloom,Linda,Limberg,Liebig,Lickteig,Lichtenberg,Licari,Lex,Lewison,Levario,Levar,Lepper,Lenzen,Lenderman,Lemarr,Leinen,Leider,Legrande,Lefort,Lebleu,Leask,Learn,Leacock,Lazano,Lawalin,Laven,Laplaca,Lant,Langsam,Langone,Landress,Landen,Lande,Lamorte,Lairsey,Laidlaw,Laffin,Lackner,Lacaze,Labuda,Labree,Labella,Labar,Kyer,Kuyper,Kulinski,Kulig,Kuhnert,Kuchera,Kubicek,Kruckeberg,Kruchten,Krider,Kotch,Kornfeld,Koren,Koogler,Koll,Kole,Kohnke,Kohli,Kofoed,Koelling,Kluth,Klump,Klopfenstein,Klippel,Klinge,Klett,Klemp,Kleis,Klann,Kitzman,Kinnan,Kingsberry,Kind,Kina,Kilmon,Killpack,Kilbane,Kijowski,Kies,Kierstead,Kettering,Kesselman,Kenton,Kennington,Keniston,Kehrer,Kearl,Keala,Kassa,Kasahara,Kantz,Kalin,Kaina,Jupin,Juntunen,Juares,Joynes,Jovel,Joos,Jn,Jiggetts,Jervis,Jerabek,Jennison,Jaso,Janz,Izatt,Ishibashi,Iannotti,Hymas,Huneke,Hulet,Hougen,Horvat,Horstmann,Hopple,Holtkamp,Holsten,Hohenstein,Hoefle,Hoback,Hiney,Hiemstra,Herwig,Herter,Herriott,Hermsen,Herdman,Herder,Herbig,Hem,Helper,Helling,Helbig,Heitkamp,Heinrichs,Heinecke,Heileman,Heffley,Heavrin,Heaston,Haymaker,Hauenstein,Hartlage,Harlin,Harig,Hardenbrook,Hankin,Hamiter,Hagens,Hagel,Grizzell,Griest,Griese,Grief,Grennan,Graden,Gosse,Gorder,Goldin,Goatley,Gillespi,Gilbride,Giel,Gianni,Ghoston,Getter,Gershman,Geisinger,Gehringer,Gedeon,Gebert,Gaxiola,Gawronski,Gau,Gathright,Gatchell,Gargiulo,Garg,Galang,Gadison,Fyock,Furniss,Furby,Funnell,Frizell,Frenkel,Freeburg,Frankhouser,Franchi,Foulger,Formby,Forkey,Fonte,Folson,Follette,Flicker,Flavors,Flavell,Finegan,Fill,Filippini,Ferencz,Ference,Fennessey,Feggins,Feehan,Fazzino,Fazenbaker,Fausto,Faunce,Farraj,Farnell,Farler,Farabee,Falkowski,Facio,Etzler,Ethington,Esterline,Esper,Esker,Erxleben,Ericsson,Erick,Engh,Emling,Elridge,Ellenwood,Elfrink,Ekhoff,Eisert,Eis,Eifert,Eichenlaub,Egnor,Eggebrecht,Edlin,Edberg,Eble,Eber,Easler,Duwe,Dutta,Dutremble,Dusseault,Durney,Dunworth,Dumire,Dukeman,Dufner,Duey,Duble,Dreese,Dozal,Douville,Dougal,Doom,Done,Diver,Ditmore,Distin,Dimuzio,Dildine,Dignan,Dieterich,Dieckman,Didonna,Dhillon,Dezern,Devereux,Devall,Detty,Detamore,Derksen,Deremer,Deras,Denslow,Deno,Denicola,Denbow,Demma,Demille,Delisa,Delira,Delawder,Delara,Delahanty,Dejonge,Deininger,Dedios,Dederick,Decelles,Debus,Debruyn,Deborde,Deak,Dauenhauer,Darsey,Daring,Dansie,Dalman,Dakin,Dagley,Czaja,Cybart,Cutchin,Currington,Curbelo,Croucher,Crinklaw,Cremin,Cratty,Cranfield,Crafford,Cowher,Cowboy,Couvillion,Couturier,Counter,Corter,Coombes,Contos,Consolini,Connaughton,Conely,Coltrane,Collom,Cockett,Clepper,Cleavenger,Claro,Clarkin,Ciriaco,Ciesla,Cichon,Ciancio,Cianci,Chynoweth,Chuang,Chrzanowski,Christion,Cholewa,Chipley,Chilcott,Cheyne,Cheslock,Chenevert,Cheers,Charlot,Chagolla,Chabolla,Cesena,Cerutti,Cava,Caul,Cassone,Cassin,Cassese,Casaus,Casali,Cartledge,Carsten,Cardamone,Carcia,Carbonneau,Carboni,Carabello,Capozzoli,Capella,Cap,Cannata,Campoverde,Campeau,Cambre,Camberos,Calvery,Calnan,Calmes,Calley,Callery,Calise,Cacciotti,Cacciatore,Butterbaugh,Burgo,Burgamy,Burell,Bunde,Bumbalough,Buel,Buechner,Buchannon,Bryon,Brunn,Brost,Broadfoot,Brittan,Brevard,Breda,Brazel,Brayboy,Brasier,Boyea,Boxx,Both,Boso,Bosio,Boruff,Borda,Bongiovanni,Bolerjack,Boedeker,Blye,Blumstein,Blumenfeld,Blinn,Bleakley,Blatter,Blan,Bjornson,Bisignano,Billick,Bieniek,Bhatti,Bevacqua,Betterton,Berra,Berenbaum,Bensinger,Bennefield,Belvins,Belson,Bellin,Beighley,Beecroft,Beaudreau,Baynard,Bautch,Bausch,Basch,Bartleson,Barthelemy,Barak,Balzano,Balistreri,Bailer,Bagnall,Bagg,Bae,Auston,Augustyn,Aslinger,Ashalintubbi,Artist,Arjona,Arebalo,Arab,Appelbaum,Anna,Angst,Angert,Angelucci,Andry,Andersson,Amorim,Amavisca,Alward,Alvelo,Alvear,Alumbaugh,Alsobrook,Alli,Allgeier,Allende,Aldrete,Akiyama,Ahlquist,Adolphson,Addario,Acoff,Abelson,Abasta,Zulauf,Zirkind,Zeoli,Zemlicka,Zawislak,Zappia,Zanella,Yelvington,Yeatman,Yanni,Wragg,Wissing,Wischmeier,Wirta,Wiren,Wilmouth,Williard,Willert,Willaert,Wildt,Whelpley,Westwood,Weingart,Weidenbach,Weidemann,Weatherman,Weakland,Watwood,Wattley,Waterson,Wambach,Walzer,Waldow,Waag,Vorpahl,Volkmann,Vitolo,Visitacion,Vincelette,Vina,Viggiano,Vieth,Vidana,Vert,Verna,Verges,Verdejo,Venzon,Velardi,Varian,Vargus,Vandermeulen,Vandam,Vanasse,Vanaman,Utzinger,Uriostegui,Uplinger,Twiss,Tumlinson,Tschanz,Trunnell,Troung,Troublefield,Trojacek,Trial,Treloar,Tranmer,Touchton,Torsiello,Torina,Tootle,Toki,Toepfer,Tippin,Tippie,Thronson,Thomes,Tezeno,Texada,Testani,Tessmer,Terrel,Terra,Terlizzi,Tempel,Temblador,Tayler,Tawil,Tasch,Tames,Talor,Talerico,Swinderman,Sweetland,Swager,Sulser,Sullens,Subia,Sturgell,Stumpff,Stufflebeam,Stucki,Strohmeyer,Strebel,Straughan,Strackbein,Stobaugh,Stetz,Stelter,Steinmann,Steinfeld,Stefani,Stecher,Stanwood,Stanislawski,Stander,Speziale,Soppe,Soni,Sol,Sobotka,Snipe,Smuin,Slider,Slee,Skerrett,Sjoberg,Sittig,Simonelli,Simo,Sima,Silvio,Silverio,Silveria,Silsby,Sillman,Sienkiewicz,Sick,Sia,Shomo,Shoff,Shoener,Shiba,Sherfey,Shehane,Shawl,Sexson,Setton,Sergi,Selvy,Seiders,Seegmiller,Sebree,Seabury,Scroggin,Sconyers,Schwalb,Schurg,Schulenberg,Schuld,Schrage,Schow,Schon,Schnur,Schneller,Schmidtke,Schlatter,Schieffer,Schenkel,Scheeler,Schauwecker,Schartz,Schacherer,Scafe,Sayegh,Savidge,Saur,Sarles,Sarkissian,Sarkis,Sarcone,Sagucio,Saffell,Saenger,Sacher,Rylee,Ruvolo,Ruston,Ruple,Rulison,Ruge,Ruffo,Ruehl,Rueckert,Rudman,Rudie,Rubert,Rozeboom,Roysden,Roylance,Rothchild,Rosse,Rosecrans,Rodrick,Rodi,Rockmore,Robnett,Roberti,Rivett,Riva,Ritzel,Rierson,Ricotta,Ricken,Rezac,Rendell,Remo,Reitman,Reindl,Reeb,Reddic,Reddell,Rebuck,Reali,Raye,Raso,Ramthun,Ramsden,Rameau,Ralphs,Rak,Rago,Racz,Quinteros,Quinter,Quinley,Quiggle,Quaid,Purvines,Purinton,Purdum,Pummill,Puglia,Puett,Ptacek,Przybyla,Prowse,Providence,Prestwich,Pracht,Poutre,Poucher,Portera,Polinsky,Poage,Platts,Pineau,Pinckard,Pilson,Pilling,Pilkins,Pili,Pikes,Pigram,Pietila,Pickron,Pia,Philippi,Philhower,Pflueger,Pfalzgraf,Pettibone,Pett,Petrosino,Persing,Perrino,Perotti,Periera,Peri,Peredo,Peralto,Pennywell,Pennel,Pen,Pellegren,Pella,Pedroso,Paulos,Paulding,Pates,Pasek,Paramo,Paolino,Panganiban,Paneto,Paluch,Ozaki,Ownbey,Overfelt,Outman,Opper,Onstad,Oland,Okuda,Oertel,Oelke,Normandeau,Nordby,Nordahl,Noecker,Noblin,No,Niswonger,Nishioka,Nett,Nephew,Negley,Needles,Nedeau,Natera,Nachman,Naas,Musich,Mungin,Mourer,Mounsey,Mottola,Mothershed,Moskal,Mosbey,Morini,Moreles,Mood,Montaluo,Moneypenny,Monda,Moench,Moates,Moad,Mixer,Missildine,Misiewicz,Mirabella,Minott,Minnifield,Mincks,Milum,Milani,Mikelson,Mestayer,Mess,Mertes,Merrihew,Merlos,Meritt,Melnyk,Medlen,Meder,Mean,Mcvea,Mcquarrie,Mcquain,Mclucas,Mclester,Mckitrick,Mckennon,Mcinnes,Mcgrory,Mcgranahan,Mcglamery,Mcgivney,Mcgilvray,Mccuiston,Mccuin,Mccrystal,Mccolley,Mcclerkin,Mcclenon,Mccamey,Mcaninch,Mazariegos,Maynez,Mattioli,Mastronardi,Masone,Marzett,Marsland,Mari,Margulies,Margolin,Malatesta,Malachi,Mainer,Maietta,Magrath,Maese,Madkins,Madeiros,Madamba,Mackson,Mac,Maben,Lytch,Lundgreen,Lumb,Lukach,Luick,Luetkemeyer,Luechtefeld,Ludy,Ludden,Luckow,Lubinsky,Lowes,Lout,Lorenson,Loran,Lopinto,Looby,Lones,Livsey,Liskey,Lisby,Lintner,Lindow,Lindblom,Liming,Liechty,Leth,Lesniewski,Lenig,Lemonds,Leisy,Lehrer,Lehnen,Lehmkuhl,Leeth,Leer,Leeks,Lechler,Lebsock,Lavere,Lautenschlage,Laughridge,Lauderback,Laudenslager,Lassonde,Laroque,Laramee,Laracuente,Lapeyrouse,Lampron,Lamers,Lamer,Laino,Lague,Laguardia,Lafromboise,Lafata,Lacount,Lachowicz,Kysar,Kwiecien,Kuffel,Kueter,Kronenberg,Kristensen,Kristek,Krings,Kriesel,Krey,Krebbs,Kreamer,Krabbe,Kossman,Kosakowski,Kosak,Kopacz,Konkol,Koepsell,Koening,Koen,Knerr,Knapik,Kluttz,Klocke,Klenk,Klemme,Klapp,Kitchell,Kita,Kissane,Kirkbride,Kirchhoff,Kinter,Kinsel,Kingsland,Kimmer,Kimler,Killoran,Kieser,Khalsa,Khalaf,Kettel,Kerekes,Keplin,Kentner,Kennebrew,Kenison,Kellough,Kellman,Keatts,Keasey,Kauppi,Katon,Kari,Kanner,Kampa,Kall,Kai,Kaczorowski,Kaczmarski,Juarbe,Jordison,Jonathan,Jobst,Jezierski,Jeanbart,Jarquin,Janey,Jagodzinski,Ishak,Isett,Isa,Infantino,Imburgia,Illingworth,Hysmith,Hynson,Hydrick,Hurla,Hunton,Hunnell,Humbertson,Housand,Hottle,Hosch,Hoos,Honn,Hohlt,Hodel,Hochmuth,Hixenbaugh,Hislop,Hisaw,Hintzen,Hilgendorf,Hilchey,Higgens,Hersman,Herrara,Hendrixson,Hendriks,Hemond,Hemmingway,Heminger,Helgren,Heisey,Heilmann,Hehn,Hegna,Heffern,Hawrylak,Haverty,Hauger,Haslem,Harnett,Harb,Happ,Hanzlik,Hanway,Hanby,Hanan,Hamric,Hammaker,Halas,Hagenbuch,Hacking,Habeck,Gwozdz,Gutter,Gunia,Guise,Guadarrama,Grubaugh,Grivas,Griffieth,Grieb,Grewell,Gregorich,Grazier,Graeber,Graciano,Gowens,Goodpaster,Gondek,Gohr,Goffney,Godbee,Gitlin,Gisler,Gin,Gillyard,Gillooly,Gilchrest,Gilbo,Gierlach,Giebler,Giang,Geske,Gervasio,Gertner,Gehling,Geeter,Gaus,Gattison,Gatica,Gathings,Gath,Gassner,Gassert,Garabedian,Gamon,Gameros,Galban,Gabourel,Gaal,Fuoco,Fullenwider,Fudala,Friscia,Franceschini,Foronda,Fontanilla,Florey,Florentino,Flore,Flegle,Flecha,Fisler,Fischbach,Fiorita,Fines,Figura,Figgins,Fichera,Fester,Ferra,Fear,Fawley,Fawbush,Fausett,Farnes,Farago,Fairclough,Fahie,Fabiani,Everest,Evanson,Eutsey,Eshbaugh,Esh,Ertle,Eppley,Englehardt,Engelhard,Emswiler,Elza,Elling,Elderkin,Eland,Efaw,Edstrom,Edmund,Edgemon,Ecton,Echeverri,Ebright,Earheart,Dynes,Dygert,Dyches,Dulmage,Duhn,Duhamel,Dues,Dubrey,Dubray,Dubbs,Drone,Drey,Drewery,Dreier,Dorval,Dorough,Dorais,Donlin,Donatelli,Doke,Dohm,Doetsch,Dobek,Ditty,Disbrow,Ding,Dinardi,Dillahunty,Dillahunt,Diers,Dier,Diekmann,Diangelo,Deskin,Deschaine,Depaoli,Denner,Demyan,Demont,Demaray,Delillo,Deleeuw,Deibel,Decato,Deblasio,Debartolo,Daubenspeck,Darner,Dardon,Danziger,Danials,Damewood,Dalpiaz,Dallman,Dallaire,Cunniffe,Cumpston,Cumbo,Cubero,Cruzan,Cronkhite,Critelli,Crimi,Creegan,Crean,Craycraft,Crater,Cranfill,Coyt,Courchesne,Coufal,Corradino,Corprew,Colville,Cocco,Coby,Clinch,Clickner,Clavette,Claggett,Cirigliano,Ciesielski,Christain,Chesbro,Chavera,Chard,Casteneda,Castanedo,Cast,Casseus,Casa,Caruana,Carnero,Cappelli,Capellan,Canedy,Cancro,Camilleri,Calero,Cada,Burghart,Burbidge,Bulfer,Buis,Budniewski,Bucko,Bruney,Brugh,Brossard,Brodmerkel,Brockmann,Bring,Brigmond,Briere,Bremmer,Breck,Breau,Brautigam,Brasch,Brandenberger,Bran,Bragan,Bozell,Bowsher,Bosh,Borgia,Borey,Boomhower,Bonneville,Bonam,Bolland,Boise,Boeve,Boettger,Boersma,Boateng,Bliven,Blazier,Blanca,Blahnik,Bjornstad,Bitton,Biss,Birkett,Billingsly,Biagioni,Bettle,Bertucci,Bertolino,Bermea,Bergner,Berber,Bensley,Bendixen,Beltrami,Bellone,Belland,Bein,Behringer,Begum,Beans,Bayona,Batiz,Bassin,Baskette,Bartolomeo,Bartolo,Bartholow,Barkan,Barish,Barett,Bardo,Bamburg,Ballerini,Balla,Balis,Bakley,Bailon,Bachicha,Babiarz,Ayars,Axton,Axel,Awong,Awe,Awalt,Auslander,Ausherman,Aumick,Athens,Atha,Atchinson,Aslett,Askren,Arrowsmith,Arras,Arnhold,Armagost,Arey,Arcos,Archibeque,Antunes,Antilla,Ann,Andras,Amyx,Amison,Amero,Alzate,Alphonse,Alper,Aller,Alioto,Alexandria,Aigner,Agtarap,Agbayani,Adami,Achorn,Aceuedo,Acedo,Abundis,Aber,Abee,Zuccaro,Ziglar,Zier,Ziebell,Zieba,Zamzow,Zahl,Yurko,Yurick,Yonkers,Yerian,Yeaman,Yarman,Yann,Yahn,Yadon,Yadao,Woodbridge,Wolske,Wollenberg,Wojtczak,Wnuk,Witherite,Winther,Winick,Widell,Wickens,Whichard,Wheelis,Wesely,Wentzell,Wenthold,Wemple,Weisenburger,Wehling,Weger,Weaks,Water,Wassink,Warn,Walquist,Wadman,Wacaster,Waage,Voliva,Vlcek,Villafana,Vigliotti,Viger,Viernes,Viands,Vey,Veselka,Versteeg,Vero,Verhoeven,Vendetti,Velardo,Vatter,Vasconcellos,Varn,Vanwagner,Vanvoorhis,Vanhecke,Vanduyn,Vandervoort,Vanderslice,Valone,Vallier,Vails,Uvalle,Ursua,Urenda,Upright,Uphoff,Tustin,Turton,Turnbough,Turck,Tullio,Tuch,Truehart,Tropea,Troester,Trippe,Tricarico,Trevarthen,Trembly,Trace,Trabue,Traber,Toto,Tosi,Toal,Tinley,Tingler,Timoteo,Tiffin,Tien,Ticer,Thurgood,Thorman,Therriault,Theel,Tessman,Tekulve,Tejera,Tebbs,Tavernia,Tarpey,Tallmadge,Takemoto,Szot,Sylvest,Swindoll,Swearinger,Swantek,Swaner,Swainston,Susi,Surrette,Sur,Supple,Sullenger,Sudderth,Suddarth,Suckow,Strider,Strege,Stream,Strassburg,Stoval,Stotz,Stoneham,Stilley,Stille,Stierwalt,Stfleur,Steuck,Stermer,Stclaire,Stano,Staker,Stahler,Stablein,Srinivasan,Squillace,Sprvill,Sproull,Sprau,Sporer,Spore,Spittler,Speelman,Sparr,Sparkes,Spang,Spagnuolo,Sosinski,Sorto,Sorkin,Sondag,Sollers,Socia,Snarr,Smrekar,Smolka,Slyter,Slovinsky,Sliwa,Slavik,Slatter,Skiver,Skeem,Skala,Sitzes,Sitsler,Sitler,Sinko,Simser,Siegler,Sideris,Shrewsberry,Shoopman,Shoaff,Shira,Shindler,Shimmin,Shill,Shenkel,Shemwell,Shehorn,Severa,Sergio,Semones,Selsor,Seller,Sekulski,Segui,Sechrest,Scot,Schwer,Schwebach,Schur,Schmiesing,Schlick,Schlender,Schebler,Schear,Schapiro,Sauro,Saunder,Sauage,Satterly,Saraiva,Saracino,Saperstein,Sanmartin,Sanluis,Sandt,Sandrock,Sammet,Sama,Salk,Sakata,Saini,Sackrider,Rys,Russum,Russi,Russaw,Rozzell,Roza,Rowlette,Rothberg,Rossano,Rosebrock,Romanski,Romanik,Romani,Roma,Roiger,Roig,Roehr,Rodenberger,Rodela,Rod,Rochford,Ristow,Rispoli,Ripper,Rigo,Riesgo,Riebel,Ribera,Ribaudo,Rhoda,Reys,Resendes,Repine,Reisdorf,Reisch,Rebman,Rasmus,Raske,Ranum,Rames,Rambin,Raman,Rajewski,Raffield,Rady,Radich,Raatz,Quinnie,Pyper,Puthoff,Prow,Proehl,Pribyl,Pretti,Prete,Presby,Poyer,Powelson,Porteous,Poquette,Pooser,Pollan,Ploss,Plewa,Plants,Placide,Pion,Pinnick,Pinales,Pin,Pillot,Pille,Pilato,Piggee,Pietrowski,Piermarini,Pickford,Piccard,Phenix,Pevey,Petrowski,Petrillose,Pesek,Perrotti,Perfecto,Peppler,Peppard,Penfold,Pellitier,Pelland,Pehowic,Pedretti,Paules,Passero,Pasha,Panza,Pallante,Palau,Pakele,Pacetti,Paavola,Overy,Overson,Outler,Osegueda,Ord,Oplinger,Oldenkamp,Ok,Ohern,Oetting,Odums,Oba,Nowlen,Nowack,Nordlund,Noblett,Nobbe,Nierman,Nichelson,Niblock,Newbrough,Nest,Nemetz,Neeson,Needleman,Necessary,Navin,Nastasi,Naslund,Naramore,Nakken,Nakanishi,Najarro,Mushrush,Muma,Mulero,Morganfield,Moreman,Morain,Moquin,Montrose,Monterrosa,Monsivais,Monroig,Monje,Monfort,Moises,Moffa,Moeckel,Mobbs,Mitch,Misiak,Mires,Mirelez,Mineo,Mineau,Milnes,Mikeska,Michelin,Michalowski,Meszaros,Messineo,Meshell,Merten,Meola,Menton,Mends,Mende,Memmott,Melius,Mehan,Mcnickle,Mcmorran,Mclennon,Mcleish,Mclaine,Mckendry,Mckell,Mckeighan,Mcisaac,Mcie,Mcguinn,Mcgillis,Mcfatridge,Mcfarling,Mcelravy,Mcdonalds,Mcculla,Mcconnaughy,Mcconnaughey,Mcchriston,Mcbeath,Mayr,Matyas,Matthiesen,Matsuura,Matinez,Mathys,Matarazzo,Masker,Masden,Mascio,Martis,Marrinan,Marinucci,Margerum,Marengo,Manthe,Mansker,Manoogian,Mankey,Manigo,Manier,Mangini,Mandelbaum,Maltese,Malsam,Mallo,Maliszewski,Mainolfi,Maharaj,Maggart,Magar,Maffett,Macmaster,Macky,Macdonnell,Mable,Lyvers,Lyn,Luzzi,Lutman,Luk,Lover,Lovan,Lonzo,Longest,Longerbeam,Lofthouse,Loethen,Lodi,Llorens,Lizardo,Lizama,Liz,Litscher,Lisowski,Lipski,Lipsett,Lipkin,Linzey,Lineman,Limerick,Limb,Limas,Lige,Lierman,Liebold,Liberti,Leverton,Levene,Lesueur,Lenser,Lenker,Lemme,Legnon,Lefrancois,Ledwell,Lavecchia,Laurich,Lauricella,Latino,Lannigan,Landor,Lamprecht,Lamountain,Lamore,Lamonica,Lammert,Lamboy,Lamarque,Lamacchia,Lalley,Lagace,Lacorte,Lacomb,Kyllonen,Kyker,Kye,Kuschel,Kupfer,Kunde,Kucinski,Kubacki,Kuan,Kroenke,Krech,Koziel,Kovacich,Kothari,Koth,Kotek,Kostelnik,Kosloski,Knoles,Knabe,Kmiecik,Klingman,Kliethermes,Kleffman,Klees,Klaiber,Kittell,Kissling,Kisinger,Kintner,Kinoshita,Kiener,Khouri,Kerman,Kelii,Keirn,Keezer,Kaup,Kathan,Kaser,Karlsen,Kapur,Kandoll,Kammel,Kahele,Justesen,Jue,Jonason,Johnsrud,Joerling,Jochim,Jespersen,Jeong,Jenness,Jedlicka,Jakob,Isaman,Inghram,Ingenito,Imperial,Iadarola,Hynd,Huxtable,Huwe,Huron,Hurless,Humpal,Hughston,Hughart,Huggett,Hugar,Huether,Howdyshell,Houtchens,Houseworth,Hoskie,Holshouser,Holmen,Holloran,Hohler,Hoefler,Hodsdon,Hochman,Hjort,Hippert,Hippe,Hinzman,Hillock,Hilden,Hilde,Heyn,Heyden,Heyd,Hergert,Henrikson,Henningsen,Hendel,Helget,Helf,Helbing,Heintzman,Heggie,Hege,Hecox,Heatherington,Heare,Haxton,Haverstock,Haverly,Hatler,Haselton,Hase,Hartzfeld,Harten,Harken,Hargrow,Haran,Hanton,Hammar,Hamamoto,Halper,Halko,Hackathorn,Haberle,Haake,Gunnoe,Gunkel,Gulyas,Guiney,Guilbeau,Guider,Guerrant,Gudgel,Guarisco,Grossen,Grossberg,Gropp,Groome,Grobe,Gremminger,Greenley,Grauberger,Grabenstein,Gowers,Gostomski,Gosier,Goodenow,Gonzoles,Goliday,Goettle,Goens,Goates,Glymph,Glavin,Glassco,Gladys,Gladfelter,Glackin,Githens,Girgis,Gimpel,Gilbreth,Gilbeau,Giffen,Giannotti,Gholar,Gervasi,Gertsch,Gernatt,Gephardt,Genco,Gehr,Geddis,Gear,Gase,Garrott,Garrette,Gapinski,Ganter,Ganser,Gangi,Gangemi,Gang,Gallina,Galdi,Gailes,Gaetano,Gadomski,Gaccione,Fuschetto,Furtick,Furfaro,Fullman,Frutos,Fruchter,Frogge,Freytag,Freudenthal,Fregoe,Franzone,Frankum,Francia,Franceschi,Fraction,Forys,Forero,Folkers,Foil,Flug,Flitter,Flemons,Fitzer,Firpo,Finizio,Filiault,Figg,Fiddler,Fichtner,Fetterolf,Ferringer,Feil,Fayne,Farro,Faddis,Ezzo,Ezelle,Eynon,Evitt,Eutsler,Euell,Escovedo,Erne,Eriksson,Enriguez,Empson,Elkington,Elk,Eisenmenger,Eidt,Eichenberger,Ehrmann,Ediger,Earlywine,Eacret,Duzan,Dunnington,Duffer,Ducasse,Dubiel,Drovin,Drager,Drage,Donham,Donat,Dona,Dolinger,Dokken,Doepke,Dodwell,Docherty,Distasio,Disandro,Diniz,Digangi,Didion,Dezzutti,Devora,Detmer,Deshon,Derrigo,Dentler,Demoura,Demeter,Demeritt,Demayo,Demark,Demario,Delzell,Delnero,Delgrosso,Dejarnett,Debernardi,Dearmas,Dau,Dashnaw,Daris,Danks,Danker,Dangler,Daignault,Dafoe,Dace,Curet,Cumberledge,Culkin,Cuba,Crowner,Crocket,Crawshaw,Craun,Cranshaw,Cragle,Courser,Costella,Cornforth,Corkill,Cordy,Coopersmith,Conzemius,Connett,Connely,Condict,Condello,Concha,Comley,Colt,Collen,Cohoon,Coday,Clugston,Clowney,Clippard,Clinkenbeard,Clines,Clelland,Clause,Clapham,Clancey,Clabough,Cichy,Cicalese,Chuck,Chua,Chittick,Chisom,Chisley,Chino,Chinchilla,Cheramie,Cerritos,Cercone,Cena,Cawood,Cavness,Catanzarite,Casada,Carvell,Carp,Carmicheal,Carll,Cardozo,Caplin,Candia,Canby,Cammon,Callister,Calligan,Calkin,Caillouet,Buzzelli,Bute,Bustillo,Bursey,Burgeson,Bupp,Bulson,Bulls,Buist,Buffey,Buczkowski,Buckbee,Bucio,Brueckner,Broz,Brookhart,Brong,Brockmeyer,Broberg,Brittenham,Brisbois,Bridgmon,Bride,Breyer,Brede,Breakfield,Breakey,Brauner,Branigan,Brandewie,Branche,Brager,Brader,Bovell,Bouthot,Bostock,Bosma,Boseman,Boschee,Borthwick,Borneman,Borer,Borek,Boomershine,Boni,Bommarito,Bolman,Boleware,Boisse,Boehlke,Bodle,Blash,Blasco,Blakesley,Blacklock,Blackley,Bittick,Birks,Birdin,Bircher,Bilbao,Bick,Biby,Bertoni,Bertino,Bertini,Berson,Bern,Berkebile,Bergstresser,Benne,Benevento,Belzer,Beltre,Bellomo,Bellerose,Beilke,Begeman,Bebee,Beazer,Beaven,Beamish,Baymon,Baston,Bastidas,Basom,Basket,Basey,Bartles,Baroni,Barocio,Barnet,Barclift,Banville,Balthazor,Balleza,Balkcom,Baires,Bailiff,Bailie,Baik,Baggott,Bagen,Bachner,Babington,Babel,Asmar,Askin,Arvelo,Artega,Arrendondo,Arreaga,Arrambide,Arquette,Aronoff,Arico,Argentieri,Arevalos,Archbold,Apuzzo,Antczak,Ankeny,Angelle,Angelini,Anfinson,Amer,Amberg,Amarillas,Altier,Altenburg,Alspach,Alosa,Allsbrook,Alexopoulos,Aleem,Aldred,Albertsen,Akerson,Ainsley,Agler,Adley,Addams,Acoba,Achille,Abplanalp,Abella,Abare,Zwolinski,Zollicoffer,Zola,Zins,Ziff,Zenner,Zender,Zelnick,Zelenka,Zeches,Zaucha,Zauala,Zappa,Zangari,Zagorski,Youtsey,Yorker,Yell,Yasso,Yarde,Yarbough,Xiao,Woolever,Woodsmall,Woodfolk,Wonders,Wobig,Wixson,Wittwer,Wirtanen,Winson,Wingerd,Wilkening,Wilhelms,Wierzbicki,Wiechman,Whites,Weyrick,Wessell,Wenrick,Wenning,Weltz,Weinrich,Weiand,Wehunt,Wareing,Walth,Waibel,Wahlquist,Vona,Voelkel,Vitek,Vinsant,Vincente,Vilar,Viel,Vicars,Vermette,Verma,Vent,Venner,Veazie,Vayda,Vashaw,Varon,Vardeman,Vandevelde,Vanbrocklin,Valery,Val,Vaccarezza,Urquidez,Urie,Urbach,Uram,Ungaro,Umali,Ulsh,Tutwiler,Turnbaugh,Tumminello,Tuite,Tueller,Trulove,Troha,Trivino,Trisdale,Trippett,Tribbett,Treptow,Tremain,Travelstead,Trautwein,Trautmann,Tram,Traeger,Tonelli,Tomsic,Tomich,Tomasulo,Tomasino,Tole,Todhunter,Toborg,Tischer,Tirpak,Tircuit,Tinnon,Tinnel,Tines,Tina,Timbs,Tilden,Tiede,Thumm,Throne,Throgmorton,Thorndike,Thornburgh,Thoren,Thomann,Therrell,Thau,Thammavong,Tetrick,Tessitore,Tesreau,Teicher,Teaford,Tauscher,Tauer,Tanabe,Talamo,Takeuchi,Taite,Tadych,Sweeton,Swecker,Swartzentrube,Swarner,Surrell,Surbaugh,Suppa,Sunshine,Sumbry,Suchy,Stuteville,Studt,Stromer,Strome,Streng,Stonestreet,Stockley,Stmichel,Sticker,Stfort,Sternisha,Stensrud,Steinhardt,Steinback,Steichen,Stauble,Stasiak,Starzyk,Stango,Standerfer,Stachowiak,Springston,Spratlin,Spracklen,Sponseller,Spilker,Spiegelman,Spellacy,Speiser,Spaziani,Spader,Spackman,Space,Sorum,Sopha,Sollis,Sollenberger,Solivan,Solheim,Sokolsky,Sogge,Smyser,Smitley,Sloas,Slinker,Skora,Skiff,Skare,Siverd,Sivels,Siska,Siordia,Simmering,Simko,Sime,Silmon,Silano,Sieger,Siebold,Shukla,Shreves,Shoun,Shortle,Shonkwiler,Shoals,Shimmel,Shiel,Shieh,Sherbondy,Shenkman,Shein,Shearon,Shean,Shatz,Shanholtz,Shafran,Shaff,Shackett,Sgroi,Sewall,Severy,Sethi,Sessa,Sequra,Sepulvado,Seper,Senteno,Sendejo,Semmens,Seipp,Segler,Seegers,Sedwick,Sedore,Sechler,Sebastiano,Scovel,Scotton,Scopel,Schwend,Schwarting,Schutter,Schrier,Schons,Scholtes,Schnetzer,Schnelle,Schmutz,Schlichter,Schelling,Schams,Schamp,Scarber,Scallan,Scalisi,Scaffidi,Saxby,Sawrey,Sauvageau,Sauder,Sarrett,Sanzo,Santizo,Santella,Santander,Sandez,Sandel,Sammon,Salsedo,Salge,Sailors,Sagun,Safi,Sader,Sacchetti,Sablan,Saber,Saade,Runnion,Runkel,Rung,Rumbo,Ruesch,Ruegg,Ruckle,Ruchti,Rubens,Rubano,Rozycki,Roupe,Roufs,Rossel,Rosmarin,Rosero,Rosenwald,Roselle,Ronca,Romos,Rolla,Rohling,Rohleder,Roell,Roehm,Rochefort,Roch,Robotham,Rivenburgh,Riopel,Riederer,Ridlen,Rias,Rhudy,Reynard,Retter,Respess,Reppond,Repko,Rengifo,Reinking,Reichelt,Reeh,Redenius,Rebolledo,Raymundo,Rauh,Ratajczak,Rapley,Ranalli,Ramie,Raitt,Radloff,Radle,Rabbitt,Quay,Quant,Pusateri,Puffinberger,Puerta,Provencio,Proano,Privitera,Prenger,Prellwitz,Pousson,Potier,Poster,Portz,Portlock,Porth,Portela,Portee,Porchia,Pollick,Polinski,Polfer,Polanski,Polachek,Pluta,Plourd,Plauche,Pitner,Piontkowski,Pileggi,Pierotti,Pico,Piacente,Phinisee,Phaup,Pfost,Pettinger,Pettet,Petrich,Peto,Persley,Persad,Perlstein,Perko,Pere,Penders,Peifer,Peco,Pear,Pay,Pawley,Pash,Parrack,Parady,Papen,Pangilinan,Pandolfo,Palone,Palmertree,Padin,Ou,Ottey,Ottem,Ostroski,Ornstein,Ormonde,Onstott,Oncale,Oltremari,Olcott,Olan,Oishi,Oien,Odonell,Odonald,Ode,Obeso,Obeirne,Oatley,Nusser,Novo,Novicki,Noreen,Nora,Nitschke,Nistler,Nim,Nikkel,Niese,Nierenberg,Nield,Niedzwiecki,Niebla,Niebel,Nicklin,Neyhart,Newsum,Nevares,Nageotte,Nagai,Myung,Mutz,Murata,Muralles,Munnerlyn,Mumpower,Muegge,Muckle,Muchmore,Moulthrop,Motl,Moskos,Mortland,Morring,Mormile,Morimoto,Morikawa,Morgon,Mordecai,Montour,Mont,Mongan,Monell,Miyasato,Mish,Minshew,Mimbs,Millin,Milliard,Mihm,Middlemiss,Miano,Mew,Mesick,Merlan,Mendonsa,Mench,Melonson,Melling,Mecca,Meachem,Mctighe,Mcnelis,Mcmurtrey,Mcmurphy,Mckesson,Mckenrick,Mckelvie,Mcjunkins,Mcgory,Mcgirr,Mcgeever,Mcfield,Mcelhinney,Mccrossen,Mccommon,Mccannon,Mazyck,Mawyer,Maull,Matute,Mathies,Maschino,Marzan,Martinie,Marrotte,Marmion,Markarian,Marinacci,Margolies,Margeson,Marcia,Marcel,Marak,Maraia,Maracle,Manygoats,Mano,Manker,Mank,Mandich,Manderson,Maltz,Malmquist,Malacara,Majette,Mais,Magnan,Magliocca,Madina,Madara,Macwilliams,Macqueen,Maccallum,Lyde,Lyday,Lutrick,Lurz,Lurvey,Lumbreras,Luhrs,Luhr,Lue,Lowrimore,Lowndes,Lowers,Lourenco,Lougee,Lorona,Longstreth,Loht,Lofquist,Loewenstein,Lobos,Lizardi,Liverpool,Lionberger,Limoli,Liljenquist,Liguori,Liebl,Liburd,Leukhardt,Letizia,Lesinski,Lepisto,Lenzini,Leisenring,Leipold,Leier,Leggitt,Legare,Leaphart,Lazor,Lazaga,Lavey,Laue,Laudermilk,Lauck,Lassalle,Larsson,Larison,Lanzo,Lantzy,Lanners,Langtry,Landford,Lancour,Lamour,Lambertson,Lalone,Lairson,Lainhart,Lagreca,Lacina,Labranche,Labate,Kurtenbach,Kuipers,Kuechle,Kue,Kubo,Krinsky,Krauser,Kraeger,Kracht,Kozeliski,Kozar,Kowalik,Kotler,Kotecki,Koslosky,Kosel,Koob,Kolasinski,Koizumi,Kohlman,Koffman,Knutt,Knore,Knaff,Kmiec,Klamm,Kittler,Kitner,Kirkeby,Kiper,Kindler,Kilmartin,Killings,Killin,Kilbride,Kerchner,Kendell,Keddy,Keaveney,Kearsley,Karras,Karlsson,Karalis,Kappes,Kapadia,Kallman,Kallio,Kalil,Kader,Jurkiewicz,Joya,Johann,Jitchaku,Jillson,Jex,Jeune,Jarratt,Jarchow,Janak,Ivins,Ivans,Isenhart,Inocencio,Inoa,Imhof,Iacono,Hynds,Hutching,Hutchin,Hulsman,Hulsizer,Hueston,Huddleson,Hrbek,Howry,Housey,Hounshell,Hosick,Hortman,Horseman,Horky,Horine,Hootman,Honeywell,Honeyestewa,Holste,Holien,Holbrooks,Hoffmeyer,Hof,Hoese,Hoenig,Hirschfeld,Hildenbrand,Higson,Higney,Hibert,Hibbetts,Hewlin,Hesley,Herrold,Hermon,Heritage,Hepker,Henwood,Helbling,Heinzman,Heidtbrink,Hedger,Havey,Hatheway,Hartshorne,Harpel,Haning,Handelman,Hamalainen,Hamad,Halt,Halasz,Haigwood,Haggans,Hackshaw,Guzzo,Gunner,Gundrum,Guilbeault,Gugliuzza,Guglielmi,Gue,Guderian,Gruwell,Grunow,Grundman,Gruen,Grotzke,Grossnickle,Groomes,Grode,Grochowski,Grob,Grein,Greif,Greenwall,Greenup,Grassl,Grannis,Grandfield,Grames,Grabski,Grabe,Gouldsberry,Gotham,Gosch,Goody,Goodling,Goodermote,Gonzale,Golebiowski,Goldson,Godlove,Glanville,Gillin,Gilkerson,Giessler,Giambalvo,Giacomini,Giacobbe,Ghio,Gergen,Gentz,Genrich,Gelormino,Gelber,Geitner,Geimer,Gauthreaux,Gaultney,Garvie,Gareau,Garbo,Garbacz,Ganoe,Gangwer,Gandarilla,Galyen,Galt,Galluzzo,Gallon,Galardo,Gager,Gaddie,Gaber,Gabehart,Gaarder,Fusilier,Furnari,Furbee,Fugua,Fruth,Frohman,Friske,Frilot,Fridman,Frescas,Freier,Frayer,Franzese,Franklyn,Frankenberry,Frain,Fosse,Foresman,Forbess,Foot,Florida,Flook,Fletes,Fleer,Fleek,Fleegle,Fishburne,Fiscalini,Finnigan,Fini,Filipiak,Figueira,Fiero,Ficek,Fiaschetti,Ferren,Ferrando,Ferman,Fergusson,Fenech,Feiner,Feig,Fees,Faulds,Fate,Fariss,Fantasia,Falor,Falke,Ewings,Eversley,Everding,Eunice,Etling,Essen,Erskin,Enstrom,Enrico,Engebretsen,Ender,Emma,Eitel,Eichberger,Ehler,Eekhoff,Edrington,Edmonston,Edgmon,Edes,Eberlein,Dwinell,Dux,Dupee,Dunklee,Dunk,Dungey,Dunagin,Dumoulin,Duggar,Duenez,Dudzic,Dudenhoeffer,Ducey,Dub,Drouillard,Dreibelbis,Dreger,Dreesman,Draughon,Downen,Double,Dorminy,Dominic,Dombeck,Dolman,Doebler,Dittberner,Dishaw,Disanti,Dinicola,Dinham,Dimino,Dilling,Difrancesco,Dicello,Dibert,Deshazer,Deserio,Descoteau,Deruyter,Dering,Depinto,Dente,Demus,Demattos,Demarsico,Delude,Dekok,Debrito,Debois,Deakin,Dea,Dayley,Dawsey,Dauria,Datson,Darty,Darsow,Darragh,Darensbourg,Dalleva,Dalbec,Dadd,Cutcher,Curb,Cung,Cuello,Cuadros,Crute,Crutchley,Crispino,Crislip,Crisco,Crevier,Creekmur,Crance,Cragg,Crager,Cozby,Coyan,Coxon,Covalt,Couillard,Costley,Costilow,Cossairt,Corvino,Corigliano,Cordaro,Corbridge,Corban,Coor,Cooler,Conkel,Cong,Conary,Coltrain,Collopy,Colgin,Colen,Colbath,Coiro,Coffie,Cochrum,Cobbett,Clopper,Cliburn,Clendenon,Clemon,Clementi,Clausi,Cirino,Cina,Churn,Churchman,Chilcutt,Cherney,Cheetham,Cheatom,Chatelain,Chandra,Chalifour,Cesa,Cervenka,Cerullo,Cerreta,Cerbone,Cecchini,Ceccarelli,Cawthorn,Cavalero,Catalina,Castner,Castlen,Castine,Casimiro,Casdorph,Cartmill,Cartmell,Carro,Carriger,Carlee,Carias,Caravella,Cappas,Capen,Cantey,Canedo,Camuso,Camps,Campanaro,Camero,Cambria,Calzado,Callejo,Caligiuri,Cafaro,Cadotte,Cacace,Byrant,Busbey,Burtle,Burres,Burnworth,Burggraf,Burback,Bunte,Bunke,Bulle,Bugos,Budlong,Buckhalter,Buccellato,Brummet,Bruff,Brubeck,Brouk,Broten,Brosky,Broner,Brittle,Brislin,Brimm,Brillhart,Bridgham,Brideau,Brennecke,Brenna,Breer,Breeland,Bredesen,Branden,Brackney,Brackeen,Boza,Boyum,Bowdry,Bowdish,Bouwens,Bouvier,Bougie,Bouche,Bottenfield,Bostian,Bossie,Bosler,Boschert,Boroff,Borello,Boom,Bonser,Bonfield,Bon,Bole,Boldue,Bogacz,Boemer,Bluth,Bloxom,Blickenstaff,Blessinger,Bleazard,Blatz,Blanchet,Blacksher,Birchler,Binning,Binkowski,Biltz,Bilotta,Bilagody,Bigbee,Bieri,Biehle,Bidlack,Betker,Bethers,Bethell,Bertha,Bero,Bernacchi,Bermingham,Berkshire,Benvenuto,Bensman,Benoff,Bencivenga,Beman,Bellow,Bellany,Belflower,Belch,Bekker,Bejar,Beisel,Beichner,Began,Beedy,Beas,Beanblossom,Bawek,Baus,Baugus,Battie,Battershell,Bateson,Basque,Basford,Bartone,Barritt,Barko,Bann,Bamford,Baltrip,Balon,Balliew,Ballam,Baldus,Ayling,Avelino,Ashwell,Ashland,Arseneau,Arroyos,Armendarez,Arita,Argust,Archuletta,Arcement,Antonacci,Anthis,Antal,Annan,Andree,Anderman,Amster,Amiri,Amadon,Alveraz,Altomari,Altmann,Altenhofen,Allers,Allbee,Allaway,All,Aleo,Alcoser,Alcorta,Akhtar,Ahuna,Agramonte,Agard,Adkerson,Achord,Abt,Abdi,Abair,Zurn,Zoellner,Zirk,Zion,Zee,Zarro,Zarco,Zambo,Zaiser,Zaino,Zachry,Youd,Yonan,Yniguez,Yepes,Yeo,Yellock,Yellen,Yeatts,Yearling,Yatsko,Yannone,Wyler,Woodridge,Wolfrom,Wolaver,Wolanin,Wojnar,Wojciak,Wittmann,Wittich,Wiswell,Wisser,Wintersteen,Wineland,Willing,Willford,Wiginton,Wigfield,Wierman,Wice,Wiater,Whitsel,Whitbread,Wheller,Wettstein,Werling,Wente,Wenig,Wempe,Welz,Weinhold,Weigelt,Weichman,Wedemeyer,Weddel,Ways,Wayment,Waycaster,Wauneka,Watzka,Watton,Warnell,Warnecke,Warmack,Warder,Wands,Waldvogel,Waldridge,Wahs,Wagganer,Waddill,Vyas,Vought,Votta,Voiles,Virga,Viner,Villella,Villaverde,Villaneda,Viele,Vickroy,Vicencio,Veve,Vetere,Vermilyea,Verley,Verburg,Ventresca,Veno,Venard,Venancio,Velaquez,Veenstra,Vea,Vasil,Vanzee,Vanwie,Vantine,Vant,Vanschoyck,Vannice,Vankampen,Vanicek,Vandersloot,Vanderpoel,Vanderlinde,Vallieres,Uzzell,Uzelac,Uranga,Uptain,Updyke,Uong,Untiedt,Umbrell,Umbaugh,Umbarger,Ulysse,Ullmann,Ullah,Tutko,Turturro,Turnmire,Turnley,Turcott,Turbyfill,Turano,Tuminello,Tumbleson,Tsou,Truscott,Trulson,Troutner,Trone,Troll,Trinklein,Tremmel,Tredway,Trease,Traynham,Traw,Totty,Torti,Torregrossa,Torok,Tomkins,Tomaino,Tkach,Tirey,Tinsman,Timpe,Tiefenauer,Tiedt,Tidball,Thwaites,Thulin,Throneburg,Thorns,Thorell,Thorburn,Thiemann,Thieman,Thesing,Tham,Terrien,Terrance,Telfair,Taybron,Tasson,Tasso,Tarro,Tanenbaum,Talent,Tailor,Taddeo,Tada,Taborn,Tabios,Szekely,Szatkowski,Sylve,Swineford,Swartzfager,Swanton,Swagerty,Surrency,Sunderlin,Sumerlin,Suero,Suddith,Sublette,Stumpe,Stueve,Study,Stuckert,Strycker,Struve,Struss,Strubbe,Strough,Strothmann,Strahle,Stoutner,Stooksbury,Stones,Stonebarger,Stokey,Stoffer,Stimmel,Stief,Stephans,Stemper,Steltenpohl,Stellato,Steinle,Stegeman,Steffler,Steer,Steege,Steckman,Stapel,Stansbery,Stanaland,Stahley,Stagnaro,Stachowski,Squibb,Sprunger,Sproule,Sprehe,Spreen,Sprecher,Sposato,Spivery,Souter,Sopher,Sommerfeldt,Soffer,Snowberger,Snape,Smylie,Smyer,Smack,Slaydon,Slatton,Slaght,Skovira,Skeans,Sjolund,Sjodin,Siragusa,Singelton,Sinatra,Silis,Siebenaler,Shuffield,Shobe,Shiring,Shimabukuro,Shilts,Sherley,Sherbert,Shelden,Sheil,Shedlock,Shearn,Shaub,Sharbono,Shapley,Shands,Shaheen,Shaffner,Servantez,Sentz,Seney,Selin,Seitzinger,Seider,Sehr,Sego,Segall,Seeds,Sebastien,Scimeca,Schwenck,Schweiss,Schwark,Schwalbe,Schucker,Schronce,Schrag,Schouten,Schoppe,Schomaker,Schnarr,Schmied,Schmader,Schlicht,Schlag,Schield,Schiano,Scheve,Scherbarth,Schaumburg,Schauman,Scarpino,Savinon,Sassaman,Sarah,Saporito,Sanville,Santilli,Santaana,Sanda,Salzmann,Salman,Saks,Sagraves,Safran,Saccone,Sa,Rutty,Russett,Rupard,Rump,Rumbley,Ruffins,Ruacho,Rozema,Roxas,Routson,Rourk,Rought,Rotunda,Rotermund,Rosman,Rosette,Rork,Rooke,Rolin,Rohm,Rohlman,Rohl,Roeske,Roecker,Rober,Robenson,Riso,Rinne,Rima,Riina,Rigsbee,Riggles,Riester,Rials,Rhinehardt,Reynaud,Reyburn,Rewis,Revermann,Reutzel,Retz,Rende,Rendall,Reistad,Reinders,Reichardt,Rehrig,Rehrer,Recendez,Reamy,Raz,Rauls,Ratz,Rattray,Rasband,Rapone,Ragle,Ragins,Radican,Raczka,Rachels,Raburn,Rabren,Raboin,Ra,Quesnell,Quaintance,Puccinelli,Pruner,Prouse,Proud,Prosise,Proffer,Prochazka,Probasco,Previte,Prayer,Pour,Portell,Porcher,Popoca,Poncho,Pomroy,Poma,Polsky,Polsgrove,Polidore,Podraza,Plymale,Plescia,Pleau,Platte,Plato,Pizzi,Pinchon,Picot,Piccione,Picazo,Philibert,Phebus,Pfohl,Petell,Pesso,Pesante,Pervis,Perrins,Perley,Perkey,Pereida,Penate,Peloso,Pellerito,Peffley,Peddicord,Pecina,Peale,Peaks,Payette,Paxman,Pawlikowski,Pavy,Pavlov,Patry,Patmon,Patil,Pater,Patak,Pasqua,Pasche,Partyka,Parody,Parmeter,Pares,Pardi,Paonessa,Pao,Panozzo,Panameno,Paletta,Pait,Oyervides,Ossman,Oshima,Ortlieb,Orsak,Orleans,Onley,On,Oldroyd,Okano,Ohora,Offley,Oestreicher,Odonovan,Odham,Odegard,Obst,Obriant,Obrecht,Nuccio,Nowling,Nowden,Novelli,Novell,Nost,Norstrom,Norfolk,Nordgren,Nopper,Noller,Nisonger,Niskanen,Nienhuis,Nienaber,Neuwirth,Neumeyer,Neice,Naugher,Naiman,Nagamine,Mustin,Murrietta,Murdaugh,Munar,Mulberry,Muhlbauer,Mroczkowski,Mowdy,Mouw,Mousel,Mountcastle,Moscowitz,Mosco,Morro,Moresi,Morago,Moomaw,Montroy,Montpas,Montieth,Montanaro,Mongelli,Mon,Mollison,Mollette,Moldovan,Mohar,Mizuno,Mitchelle,Mishra,Misenheimer,Minshall,Minozzi,Minniefield,Minion,Milhous,Migliaccio,Migdal,Mickell,Meyering,Methot,Mester,Mesler,Meriweather,Mensing,Mensah,Menge,Mendola,Mendibles,Meloche,Melnik,Mellas,Meinert,Mehrhoff,Medas,Meckler,Mctague,Mcspirit,Mcshea,Mcquown,Mcquiller,Mclarney,Mckiney,Mckearney,Mcguyer,Mcfarlan,Mcfadyen,Mcdanial,Mcdanel,Mccurtis,Mccrohan,Mccorry,Mcclune,Mccant,Mccanna,Mccandlish,Mcaloon,Mayall,Maver,Maune,Matza,Matty,Matsuzaki,Matott,Mathey,Mateos,Masoner,Masino,Mas,Marzullo,Marz,Maryland,Marsolek,Marquard,Mario,Marchetta,Marberry,Manzione,Many,Manthei,Manka,Mangram,Mangle,Mangel,Mandato,Mancillas,Mammen,Malina,Maletta,Malecki,Majkut,Mages,Maestre,Macphail,Maco,Macneill,Macadam,Lysiak,Lyne,Luxton,Luptak,Lundmark,Luginbill,Lovallo,Louthan,Lousteau,Loupe,Lotti,Lopresto,Lonsdale,Longsworth,Lohnes,Loghry,Logemann,Lofaro,Loeber,Locastro,Livings,Litzinger,Litts,Liotta,Lingard,Lineback,Lindy,Lindhorst,Lill,Lide,Lickliter,Liberman,Lewinski,Levandowski,Leimbach,Leifer,Leidholt,Leiby,Leibel,Leibee,Lehrke,Lehnherr,Lego,Leese,Leen,Ledo,Lech,Leblond,Leap,Leahey,Lazzari,Lawrance,Lawlis,Lawhorne,Lawes,Lavigna,Lavell,Lauzier,Lauter,Laumann,Latsha,Latourette,Latona,Latney,Laska,Larner,Larmore,Larke,Larence,Lapier,Lanzarin,Lands,Lammey,Lamke,Laminack,Lamastus,Lamaster,Lacewell,Labarr,Laabs,Kutch,Kuper,Kuna,Kubis,Krzemien,Krupinski,Krepps,Kreeger,Kraner,Krammer,Kountz,Kothe,Korpela,Komara,Kolenda,Kolek,Kohnen,Koelzer,Koelsch,Kocurek,Knoke,Knauff,Knaggs,Knab,Kluver,Klose,Klien,Klahr,Kitagawa,Kissler,Kirstein,Kinnon,Kinnebrew,Kinnamon,Kimmins,Kilgour,Kilcoyne,Kiester,Kiehm,Kha,Kesselring,Kerestes,Kenniston,Kennamore,Kenebrew,Kelderman,Keitel,Kefauver,Katzenberger,Katt,Kast,Kassel,Kasey,Karol,Kamara,Kalmbach,Kaizer,Kaiwi,Kainz,Jurczyk,Jumonville,Juliar,Jourdain,Johndrow,Johanning,Johannesen,Joffrion,Jobes,Jerde,Jentzsch,Jenkens,Jendro,Jellerson,Jefferds,Jaure,Jaquish,Janeway,Jago,Iwasaki,Ishman,Isaza,Inmon,Inlow,Inclan,Ildefonso,Ike,Iezzi,Ianni,Iacovetto,Hyldahl,Huxhold,Huser,Humpherys,Humburg,Hult,Hullender,Hulburt,Huckabay,Howeth,Hovermale,Hoven,Houtman,Hourigan,Hosek,Hopgood,Homrich,Holstine,Holsclaw,Hokama,Hoffpauir,Hoffner,Hochstein,Hochstatter,Hochberg,Hjelm,Hiscox,Hinsley,Hinks,Hineman,Hineline,Hinck,Hilbun,Hewins,Herzing,Hertzberg,Hertenstein,Herrea,Herington,Hercules,Henrie,Henman,Hengst,Hemmen,Helmke,Helgerson,Heinsohn,Heigl,Hegstad,Heggen,Hegge,Hefti,Heathcock,Haylett,Haupert,Haufler,Hatala,Haslip,Hartless,Hartje,Hartis,Harpold,Harmsen,Harbach,Hanten,Hanington,Hammen,Hameister,Hallstrom,Habersham,Habegger,Gussman,Gundy,Guitterez,Guisinger,Guilfoyle,Groulx,Grismer,Griesbach,Grawe,Grall,Graft,Graben,Goulden,Gornick,Gori,Gookin,Gonzalaz,Gonyer,Gonder,Golphin,Goller,Goergen,Glosson,Glor,Gladin,Girdler,Gillim,Gillians,Gillaspie,Gilhooly,Gildon,Gignac,Gibler,Gibbins,Giardino,Giampietro,Gettman,Gerringer,Gerrald,Gerlich,Georgiou,Georgia,Georgi,Geiselman,Gehman,Gauze,Gangl,Gamage,Gallian,Gallen,Gallatin,Galen,Galea,Gainor,Gahr,Furbush,Fulfer,Fuhrmann,Fritter,Friis,Friendly,Friedly,Freudenberger,Frees,Freemon,Fratus,Frans,Foulke,Fosler,Forquer,Fontan,Folwell,Folds,Foeller,Fodge,Fobes,Florek,Fliss,Flight,Flesner,Flegel,Fitzloff,Fiser,First,Firmin,Firestine,Finfrock,Fineberg,Figures,Fiegel,Fickling,Fesperman,Fernadez,Felber,Feimster,Feazel,Favre,Faughn,Fatula,Fasone,Farron,Faron,Farino,Falvey,Falkenberg,Faley,Faletti,Faeth,Fackrell,Ezekiel,Espe,Eskola,Escott,Esaw,Erps,Erker,Erath,Enfield,Emfinger,Embury,Embleton,Emanuele,Em,Elvers,Ellwanger,Ellegood,Einstein,Eichinger,Egge,Egeland,Edgett,Echard,Eblen,Eastmond,Duteau,Durland,Dure,Dunlavy,Dungee,Dukette,Dugay,Duboise,Dubey,Dsouza,Druck,Dralle,Doubek,Dorta,Dorch,Dorce,Dopson,Dolney,Dockter,Distler,Diss,Dippel,Diperna,Dina,Dichiara,Dicerbo,Dewindt,Dewan,Deveney,Devargas,Deutscher,Deuel,Detter,Dess,Derrington,Deroberts,Dern,Deponte,Denogean,Denardi,Denard,Demary,Demarcus,Demarais,Delucas,Deloe,Delmonico,Delisi,Delio,Delduca,Delaine,Deihl,Dehmer,Deep,Decoste,Dechick,Decatur,Dec,Debruce,Debold,Debell,Deats,Daunt,Daquilante,Dambrosi,Damas,Dalin,Daisy,Dahman,Dahlem,Daffin,Dacquel,Cutrell,Cusano,Curtner,Currens,Curnow,Cuppett,Cummiskey,Cullers,Culhane,Crull,Crossin,Cropsey,Cromie,Crofford,Criscuolo,Crisafulli,Crego,Creeden,Covello,Covel,Corse,Correra,Corners,Cordner,Cordier,Coplen,Copeman,Contini,Conteras,Consalvo,Conduff,Condo,Compher,Comas,Colliver,Colan,Cohill,Cohenour,Cogliano,Codd,Cockayne,Clum,Clowdus,Clarida,Clance,Clairday,Clagg,Citron,Citino,Ciriello,Cicciarelli,Chrostowski,Christley,Christians,Chrisco,Chris,Chrest,Chisler,Chieffo,Cherne,Cherico,Cherian,Cheirs,Chauhan,Charter,Chamblin,Cerra,Cepero,Cellini,Celia,Celeste,Celedon,Cejka,Cavagnaro,Cauffman,Catanese,Castrillo,Castrellon,Casserly,Casino,Caseres,Carthen,Carse,Carragher,Carpentieri,Carmony,Carmer,Carlozzi,Caradine,Cappola,Capece,Capaldi,Cantres,Cantos,Canevari,Canete,Calcaterra,Cal,Cadigan,Cabbell,Byrn,Bykowski,Butchko,Busler,Bushaw,Buschmann,Burow,Buri,Burgman,Bunselmeyer,Bunning,Buhrman,Budnick,Buckson,Buckhannon,Brunjes,Brummel,Brumleve,Bruckman,Brouhard,Brougham,Brostrom,Broerman,Brocks,Brison,Brining,Brindisi,Brereton,Breon,Breitling,Breedon,Brasseaux,Branaman,Bramon,Brackenridge,Boyan,Boxley,Bouman,Bouillion,Botting,Botti,Bosshart,Borup,Borner,Bordonaro,Boot,Bonsignore,Bonsall,Bolter,Bojko,Bohne,Bohlmann,Bogus,Bogdon,Boen,Bodenschatz,Bockoven,Bobrow,Blondin,Blissett,Bligen,Blasini,Blankenburg,Bjorkman,Bistline,Bisset,Birdow,Biondolillo,Bielski,Biele,Biddix,Biddinger,Bianchini,Bevens,Bevard,Betancur,Bernskoetter,Bernet,Bernardez,Berliner,Berland,Berkheimer,Berent,Bensch,Benesch,Belleau,Bedingfield,Beckstrom,Beckim,Bechler,Beachler,Bazzell,Basa,Bartoszek,Barsch,Barrell,Barnas,Barnaba,Barillas,Barbier,Baltodano,Baltierra,Balle,Balint,Baldi,Balderson,Balderama,Baldauf,Balcazar,Balay,Baiz,Bairos,Baba,Azim,Axe,Aversa,Avellaneda,Ausburn,Aurelio,Auila,Augusto,Atwill,Artiles,Arterberry,Aro,Arnow,Arnaud,Arnall,Armando,Argyle,Ares,Arenz,Arduini,Archila,Arakawa,Appleman,Aplin,Antonini,Anstey,Anglen,Andros,Amweg,Amstutz,Amari,Amadeo,Aly,Alteri,Aloi,Allebach,Allah,Aley,Alamillo,Airhart,Ahrendt,Africa,Aegerter,Adragna,Admas,Adderly,Adderley,Addair,Abelar,Abbamonte,Abadi,Zurek,Zundel,Zuidema,Zuelke,Zuck,Zogg,Zody,Zets,Zech,Zecca,Zavaleta,Zarr,Yousif,Yoes,Yoast,Yeagley,Yaney,Yanda,Yackel,Wyles,Wyke,Woolman,Woollard,Woodis,Woodin,Wonderly,Wombles,Woloszyn,Wollam,Wnek,Wms,Wittie,Withee,Wissman,Wisham,Wintle,Winthrop,Winokur,Winch,Wilmarth,Willhoite,Wildner,Wikel,Wieser,Wien,Wicke,Wiatrek,Whitehall,Whetstine,Wheelus,Weyrauch,Weyers,Westerling,Wendelken,Welner,Welder,Weinreb,Weinheimer,Weilbacher,Weihe,Weider,Wecker,Wead,Watler,Watkinson,Wasmer,Waskiewicz,Wasik,Warneke,Wares,Wangerin,Wamble,Walken,Waker,Wakeley,Wahlgren,Wahlberg,Wagler,Wachob,Vorhies,Vonseggern,Vittitow,Virgilio,Vink,Villarruel,Villamil,Villamar,Villalovos,Vidmar,Victorero,Vespa,Vertrees,Verissimo,Veltman,Vecchione,Veals,Varrone,Varma,Vanveen,Vanterpool,Vaneck,Vandyck,Vancise,Vanausdal,Vanalphen,Valdiviezo,Urton,Urey,Updegrove,Unrue,Ulbrich,Tysinger,Tyo,Twiddy,Tunson,Trueheart,Troyan,Trier,Traweek,Trafford,Tozzi,Toulouse,Touch,Tosto,Toste,Torez,Tooke,Tonini,Tonge,Tomerlin,Tolmie,Tobe,Tippen,Tierno,Tichy,Thuss,Threat,Thran,Thornbury,Thone,Theunissen,Thelmon,Theall,Textor,Teters,Tesh,Tennis,Teng,Tench,Tekautz,Tehrani,Teat,Teas,Teare,Te,Tavenner,Tartaglione,Tanski,Tanis,Tanguma,Tangeman,Taney,Tammen,Tamburri,Tamburello,Talsma,Tallie,Takeda,Taira,Taheri,Tademy,Taddei,Taaffe,Szymczak,Szczepaniak,Szafranski,Swygert,Swem,Swartzlander,Sutley,Supernaw,Sundell,Sullivant,Suderman,Sudbury,Suares,Stueber,Stromme,Striker,Streeper,Streck,Strebe,Stonehouse,Stoia,Stohr,Stodghill,Stirewalt,Stick,Sterry,Stephanie,Stenstrom,Stene,Steinbrecher,Stear,Stdenis,Stanphill,Staniszewski,Stanard,Stahlhut,Stachowicz,Srivastava,Spong,Spomer,Spinosa,Spindel,Spera,Spark,Soward,Sopp,Sooter,Sonnek,Sonne,Soland,Sojourner,Soeder,Sobolewski,Snellings,Snare,Smola,Smetana,Smeal,Smarr,Sloma,Sligar,Skenandore,Skalsky,Sitter,Sissom,Sirko,Simkin,Silverthorn,Silman,Sikkink,Signorile,Siddens,Shumsky,Shrider,Shoulta,Shonk,Shomaker,Shippey,Shimada,Shillingburg,Shifflet,Shiels,Shepheard,Sheerin,Shedden,Sheckles,Sharrieff,Sharpley,Shappell,Shaneyfelt,Shampine,Shaefer,Shaddock,Shadd,Sforza,Severtson,Setzler,Sepich,Senne,Senatore,Sementilli,Selway,Selover,Sellick,Seigworth,Sefton,Seegars,Sebourn,Seaquist,Sealock,Seabreeze,Scriver,Scinto,Schumer,Schulke,Schryver,Schriner,Schramek,Schoon,Schoolfield,Schonberger,Schnieder,Schnider,Schlitz,Schlather,Schirtzinger,Scherman,Schenker,Scheiner,Scheible,Schaus,Schakel,Schaad,Saxe,Savely,Savary,Sardinas,Santarelli,Sanschagrin,Sans,Sanpedro,Sanjose,Sandra,Sandine,Sandigo,Sandgren,Sanderford,Sandahl,Salzwedel,Salzar,Salvino,Salvatierra,Salminen,Salierno,Salberg,Sahagun,Saelee,Sabel,Rynearson,Ryker,Rupprecht,Runquist,Rumrill,Ruhnke,Rovira,Rottenberg,Rosoff,Rosete,Rosebrough,Roppolo,Roope,Romas,Roley,Rohrback,Rohlfs,Rogriguez,Roel,Rodriguiz,Rodewald,Roback,Rizor,Ritt,Rippee,Riolo,Rinkenberger,Riggsby,Rigel,Rieman,Riedesel,Rideau,Ricke,Rhinebolt,Rheault,Revak,Relford,Reinsmith,Reichmann,Rei,Regula,Redlinger,Redhead,Rayno,Raycroft,Rave,Raus,Raupp,Rathmann,Rastorfer,Rasey,Raponi,Rantz,Ranno,Ranes,Randal,Ramp,Ramnauth,Rahal,Raddatz,Quattrocchi,Quang,Purchase,Pullis,Pulanco,Pryde,Prohaska,Primiano,Prez,Prevatt,Prechtl,Pottle,Potenza,Portes,Porowski,Poppleton,Pontillo,Pong,Polka,Politz,Politi,Poggi,Plonka,Plaskett,Placzek,Pizzuti,Pizzaro,Pisciotta,Pippens,Pinkins,Pinilla,Pini,Pingitore,Piercey,Pickup,Piccola,Piccioni,Picciano,Phy,Philps,Philp,Philo,Philmon,Philbin,Pflieger,Pezzullo,Petruso,Petrea,Petitti,Peth,Peshlakai,Peschel,Persico,Persichetti,Persechino,Perris,Perlow,Perico,Pergola,Penniston,Pembroke,Pellman,Pekarek,Peirson,Pearcey,Pealer,Pavlicek,Passino,Pasquarello,Pasion,Parzych,Parziale,Parga,Papalia,Papadakis,Paino,Pacini,Oyen,Ownes,Owczarzak,Outley,Ouelette,Ottosen,Otting,Ostwinkle,Osment,Oshita,Osario,Orlow,Oriordan,Orefice,Orantes,Oran,Orahood,Opel,Olpin,Oliveria,Okon,Okerlund,Okazaki,Ohta,Offerman,Nyce,Nutall,Northey,Norcia,Noor,Noh,Niehoff,Niederhauser,Nickolson,Nguy,Neylon,Newstrom,Nevill,Netz,Nesselrodt,Nemes,Neally,Nauyen,Nascimento,Nardella,Nanni,Myren,Murchinson,Munter,Munster,Mundschenk,Mujalli,Muckleroy,Mu,Moussa,Mouret,Moulds,Mottram,Motte,Mosey,Morre,Montreuil,Monton,Montellano,Monninger,Monhollen,Mongeon,Monestime,Monegro,Mondesir,Monceaux,Mola,Moga,Moening,Moccia,Misko,Miske,Mishaw,Minturn,Mingione,Minerva,Milstein,Milos,Milla,Milks,Milhouse,Michl,Micheletti,Michals,Mesia,Merson,Meras,Menifee,Meluso,Mella,Melick,Mehlman,Meffert,Medoza,Mecum,Meaker,Meahl,Mczeal,Mcwatters,Mcomber,Mcmonigle,Mckiddy,Mcgranor,Mcgeary,Mcgaw,Mcenery,Mcelderry,Mcduffey,Mccuistion,Mccrudden,Mccrossin,Mccosh,Mccolgan,Mcclish,Mcclenahan,Mcclam,Mccartt,Mccarrell,Mcbane,Mc,Maybury,Mayben,Maw,Maulden,Mauceri,Matko,Mathie,Matheis,Mathai,Masucci,Massiah,Martorano,Martnez,Martindelcamp,Marschke,Marovich,Markiewicz,Marinaccio,Marhefka,Marcrum,Manton,Mantel,Mannarino,Manlove,Mangham,Manasco,Malpica,Mallernee,Malinsky,Malhotra,Maish,Maisel,Mainville,Maharrey,Magid,Maertz,Mada,Maclaughlin,Macina,Macdermott,Macallister,Macadangdang,Maack,Lynk,Lydic,Luyando,Lutke,Lupinacci,Lunz,Lundsten,Lull,Lujano,Luhn,Luecke,Luebbe,Ludolph,Luckman,Lucker,Luckenbill,Luckenbach,Lucido,Lowney,Lowitz,Lovaglio,Louro,Louk,Loudy,Louderback,Lorick,Lorenzini,Lorensen,Lorenc,Lomuscio,Loguidice,Lockner,Lockart,Lochridge,Litaker,Lisowe,Liptrap,Linnane,Linhares,Lindfors,Lindenmuth,Lincourt,Lina,Like,Liew,Lies,Liebowitz,Levengood,Leskovec,Lesch,Leoni,Lennard,Legner,Leaser,Leas,Lean,Leadingham,Lazarski,Layland,Laurito,Laulu,Laughner,Laughman,Laughery,Laube,Latiolais,Lasserre,Lasser,Lars,Larrow,Larrea,Lapsley,Lantrip,Lanthier,Langwell,Langelier,Landaker,Lampi,Lamond,Lamblin,Lambie,Lakins,Laipple,Lagrimas,Lafrancois,Laffitte,Laday,Lacko,Lacava,Labor,Labianca,Kutsch,Kuske,Kunert,Kubly,Kuamoo,Krummel,Krise,Krenek,Kreiser,Krausz,Kraska,Krakowski,Kradel,Kozik,Koza,Kotowski,Koslow,Korber,Kojima,Kochel,Knabjian,Klunder,Klugh,Klinkhammer,Kliewer,Klever,Kleber,Klages,Klaas,Kizziar,Kitchel,Kishimoto,Kirschenman,Kirschenbaum,Kinnick,Kinn,Kinkle,Kiner,Kindla,Kindall,Kincaide,Kilson,Killins,Kill,Kightlinger,Kienzle,Kiah,Khim,Ketcherside,Kerl,Kelsoe,Kelker,Keizer,Keir,Keepers,Kawano,Kawa,Kaveney,Kath,Kasparek,Kaplowitz,Kantrowitz,Kant,Kanoff,Kano,Kann,Kamalii,Kalt,Kaleta,Kalbach,Kalauli,Kalata,Kalas,Kaigler,Kachel,Juran,Jubb,Jonker,Jonke,Jolivette,Joles,Joas,Jividen,Jewel,Jeffus,Jeanty,Jarvi,Jardon,Janvier,Janosko,Janoski,Janiszewski,Janish,Janek,Iwanski,Iuliano,Isabella,Irle,Ingmire,Imber,Ijames,Iiams,Ihrig,Ichikawa,Hynum,Hutzel,Hutts,Huskin,Husak,Hurndon,Huntsinger,Humm,Hulette,Huitron,Huguenin,Hugg,Hugee,Huelskamp,Huch,Howen,Hovanec,Hoston,Hostettler,Horsfall,Horodyski,Holzhauer,Hollimon,Hollender,Hogarth,Hoffelmeyer,Histand,Hissem,Hisel,Hirayama,Hinegardner,Hinde,Hinchcliffe,Hiltbrand,Hilsinger,Hillstrom,Hiley,Hickenbottom,Hickam,Hibley,Heying,Hewson,Hetland,Hersch,Herlong,Herda,Henzel,Henshall,Hendler,Hence,Helson,Helfen,Heinbach,Heikkila,Heggs,Hefferon,Hebard,Heathcote,Hearl,Heaberlin,Hauth,Hauschild,Haughney,Hauch,Hattori,Haste,Hasley,Hartpence,Harroun,Harrier,Harelson,Hardgrove,Hardel,Hansbrough,Handsome,Handshoe,Handly,Haluska,Hally,Halling,Halfhill,Halferty,Hakanson,Haist,Hairgrove,Hahner,Hagg,Hafele,Haaland,Guttierez,Gutknecht,Gunnarson,Gunlock,Gummersheimer,Gullatte,Guity,Guilmette,Guhl,Guenette,Guardino,Groshong,Grober,Gripp,Grillot,Grilli,Greulich,Gretzinger,Greenwaldt,Graven,Grassman,Granberg,Graeser,Graeff,Graef,Grabow,Grabau,Gotchy,Goswick,Gosa,Gordineer,Gorczyca,Goodchild,Golz,Gollihue,Goldwire,Goldbach,Goffredo,Glassburn,Glaeser,Gillilan,Gigante,Giere,Gieger,Gidcumb,Giarrusso,Giannelli,Gettle,Gesualdi,Geschke,Gerwig,Gervase,Geoffrion,Gentilcore,Genther,Gemes,Gemberling,Gelles,Geitz,Geeslin,Gedney,Gebauer,Gaye,Gawron,Gavia,Gautney,Gaustad,Gasmen,Gargus,Ganske,Ganger,Galvis,Gallinger,Gallichio,Galletta,Gaede,Gadlin,Gaby,Gabrielsen,Gaboriault,Furlan,Furgerson,Fujioka,Fugett,Fuehrer,Frisco,Frint,Frigon,Frevert,Frautschi,Fraker,Fradette,Foulkes,Forslund,Forni,Foo,Fontenette,Fones,Folz,Folmer,Follman,Folkman,Flourney,Flickner,Flemmings,Fleischacker,Flander,Flament,Fithian,Fister,Fiorello,Fiorelli,Fioravanti,Fieck,Ficke,Fiallos,Fiacco,Feuer,Ferrington,Fernholz,Feria,Fergurson,Feick,Febles,Favila,Faulkingham,Fath,Farnam,Falter,Fakhouri,Fairhurst,Failing,Fahs,Eva,Estrello,Essick,Espree,Esmond,Eskelson,Escue,Escatel,Erebia,Epperley,Epler,Enyart,Engelbert,Enderson,Emmitt,Emch,Elisondo,Eli,Elford,El,Ekman,Eick,Eichmann,Ehrich,Ehlen,Edwardson,Edley,Edghill,Edel,Eastes,Easterbrooks,Eagleson,Eagen,Eade,Dyle,Dutkiewicz,Dunnagan,Duncil,Duling,Drumgoole,Droney,Dreyfus,Dragan,Dowty,Doscher,Dornan,Doremus,Doogan,Donaho,Donahey,Dombkowski,Dolton,Dolen,Dobratz,Diveley,Dittemore,Ditsch,Disque,Dishmon,Disch,Dirickson,Dippolito,Dimuccio,Dilger,Diefenderfer,Dicola,Diblasio,Dibello,Devan,Dettmer,Deschner,Desbiens,Derusha,Denkins,Demonbreun,Demchak,Delucchi,Delprete,Deloy,Deliz,Deline,Delap,Deiter,Deignan,Degiacomo,Degaetano,Defusco,Dede,Deboard,Debiase,Deaville,Deadwyler,Davanzo,Daughton,Darter,Darrin,Danser,Dandrade,Dando,Dampeer,Dalziel,Dalen,Dain,Dai,Dague,Czekanski,Cutwright,Cutliff,Curle,Cuozzo,Cunnington,Cunning,Cunnigham,Cumings,Crowston,Croak,Crittle,Crispell,Crisostomo,Crear,Creach,Craigue,Crabbs,Cozzi,Cozza,Coxe,Cowsert,Coviello,Couse,Coull,Cottier,Costagliola,Corra,Corpening,Cormany,Corless,Corkern,Conteh,Conquest,Conkey,Cones,Conditt,Conaty,Colomb,Collura,Colledge,Colins,Colgate,Coleson,Colemon,Coins,Coffland,Coccia,Coast,Clougherty,Clewell,Cleckley,Cleaveland,Clarno,Clamp,Civils,Cillo,Cifelli,Ciesluk,Chum,Chui,Christison,Christiana,Chowning,Chouteau,Choung,Childres,Cherrington,Chenette,Cheeves,Cheairs,Chaddock,Cernoch,Cerino,Cazier,Cathy,Castel,Casselberry,Caserta,Carvey,Carton,Cart,Carry,Carris,Carrie,Carmant,Cariello,Cardarelli,Caras,Caracciolo,Capitano,Cantoni,Cantave,Cancio,Campillo,Cam,Callens,Caldero,Calamia,Cahee,Cahan,Cahalan,Cabanilla,Cabal,Bywater,Bynes,Byassee,Butkus,Busker,Bushby,Busack,Burtis,Burrola,Buroker,Burnias,Burn,Burlock,Burham,Burak,Bulla,Buffin,Buffa,Buening,Budney,Buchannan,Buchalter,Bua,Brule,Brugler,Broxson,Broun,Brosh,Brissey,Brisby,Brinlee,Brinkmeyer,Brimley,Brickell,Breth,Breger,Brees,Brank,Braker,Bozak,Bowlds,Bowersock,Bousman,Boushie,Botz,Bordwell,Bonkowski,Bonine,Bonifay,Bonesteel,Boldin,Bohringer,Bohlander,Boecker,Bocook,Bocock,Boblett,Bobbett,Boas,Boarman,Bleser,Blazejewski,Blaustein,Blausey,Blancarte,Blaize,Blackson,Blacketer,Blackard,Bisch,Birchett,Billa,Bilder,Bierner,Bienvenu,Bielinski,Bialas,Biagini,Beynon,Beyl,Bettini,Bethany,Betcher,Bessent,Beshara,Besch,Bernd,Bergemann,Bergeaux,Berdan,Bens,Benedicto,Bendall,Beltron,Beltram,Bellville,Beisch,Behney,Beemer,Beechler,Beckum,Becks,Batzer,Batte,Bastida,Bassette,Basley,Base,Bartosh,Bartolone,Barraclough,Barnick,Barket,Barkdoll,Baringer,Barges,Barella,Barbian,Barbati,Bannan,Banderas,Balles,Baldo,Balasubramani,Bala,Baig,Bahn,Bachmeier,Babyak,Baas,Baars,Ayuso,Axt,Avinger,Avella,Ausbrooks,Aull,Augello,Atkeson,Atkerson,Atherley,Athan,Assad,Asebedo,Arrison,Armon,Armfield,Armbrust,Arlington,Arkin,Archambeau,Antonellis,Angotti,Andy,Amorose,Amini,Amborn,Amano,Aluarez,Alma,Allgaier,Allegood,Ales,Alen,Aldama,Albertine,Aki,Aird,Ahsing,Ahmann,Aguado,Agostino,Agostinelli,Agnes,Adwell,Adsit,Adelstein,Ade,Actis,Acierno,Achee,Abbs,Abbitt,Zwagerman,Zuercher,Zinno,Zettler,Zeff,Zavalza,Zaugg,Zarzycki,Zappulla,Zanotti,Zachman,Zacher,Yundt,Yslas,Younes,Yontz,Yglesias,Yeske,Yellow,Yeargin,Yauger,Yamane,Xang,Wylam,Wrobleski,Wratchford,Worker,Woodlee,Wolsey,Wolfinbarger,Wohlenhaus,Wittler,Wittenmyer,Witkop,Wishman,Wintz,Winkelmann,Windus,Winborn,Wims,Wiltrout,Wilshire,Willmott,Williston,Wilemon,Wilbourne,Wiedyk,Widmann,Wickland,Wickes,Wichert,Whitsell,Whisenand,Whidby,Wetz,Westmeyer,Wertheim,Wernert,Werle,Werkheiser,Weng,Weldin,Weissenborn,Weingard,Weinfeld,Weihl,Weightman,Weichel,Wehrheim,Wegrzyn,Wegmann,Wearing,Waszak,Wankum,Wangler,Walthour,Waltermire,Walstad,Waldren,Walbert,Walawender,Wahlund,Wahlert,Wahlers,Wach,Vuncannon,Vroom,Vredenburgh,Vonk,Vollmar,Voisinet,Vlahos,Viscardi,Vires,Vipperman,Violante,Vidro,Vessey,Vesper,Veron,Vergari,Verbeck,Venturino,Velastegui,Vegter,Varas,Vanwey,Vanvranken,Vanvalkenbur,Vanorsdale,Vanoli,Vanochten,Vanier,Vanevery,Vane,Vanduser,Vandersteen,Vandell,Vandall,Vallot,Vallon,Vallez,Vallely,Vadenais,Uthe,Usery,Unga,Ultsch,Ullom,Tyminski,Twogood,Tursi,Turay,Tungate,Truxillo,Trulock,Trovato,Troise,Tripi,Trinks,Trimboli,Trickel,Trezise,Trefry,Treen,Trebilcock,Travieso,Trachtenberg,Touhey,Tougas,Tortorella,Tormey,Torelli,Torborg,Toran,Tomek,Tomassi,Tollerson,Tolden,Toda,Tobon,Tjelmeland,Titmus,Tilbury,Tietje,Thurner,Thum,Thrope,Thornbrough,Thibaudeau,Thackeray,Tesoro,Territo,Ternes,Teich,Tecson,Teater,Teagarden,Tatsch,Tarallo,Tapanes,Tanberg,Tamm,Sylvis,Swenor,Swedlund,Swagger,Sutfin,Sura,Sundt,Sundin,Summerson,Sumatzkuku,Sultemeier,Sulivan,Suggitt,Suermann,Sturkie,Sturgess,Stumph,Stuemke,Struckhoff,Strose,Stroder,Stride,Stricklen,Strick,Streib,Strei,Strawther,Stratis,Strahm,Stortz,Storrer,Storino,Stohler,Stohl,Stockel,Stinnette,Stile,Stieber,Stensland,Steffenhagen,Stefanowicz,Steever,Steagall,Statum,Stapley,Stanish,Standiford,Standen,Stamos,Stahlecker,Stadtler,Spratley,Spraker,Sposito,Spickard,Spehar,Spees,Spearing,Spangle,Spallone,Sox,Soulard,Sorel,Sora,Sopko,Sood,Sonnen,Som,Solly,Solesbee,Soldano,Sobey,Sobczyk,Snedegar,Sneddon,Smolinski,Smolik,Slota,Sloman,Sleigh,Slavick,Skorupski,Skolnik,Skirvin,Skeels,Skains,Skahan,Skaar,Siwiec,Siverly,Siver,Sivak,Sirk,Sinton,Sinor,Sincell,Silberstein,Sieminski,Sidelinger,Shurman,Shunnarah,Shirer,Shidler,Sherlin,Shepperson,Shemanski,Sharum,Shartrand,Shapard,Shanafelt,Shamp,Shader,Shackelton,Seyer,Seroka,Sernas,Seright,Serano,Sengupta,Semper,Selinger,Seith,Seidler,Seehusen,Seefried,Seed,Scovell,Scorzelli,Sconiers,Schwind,Schwichtenber,Schwerin,Schwenke,Schwaderer,Schussler,Schuneman,Schumpert,Schultheiss,Schroll,Schroepfer,Schroeden,Schrimpf,Schook,Schoof,Schomburg,Schoenfeldt,Schoener,Schnoor,Schmick,Schlereth,Schindele,Schildt,Schildknecht,Schemmel,Scharfenberg,Schanno,Schane,Schaer,Schad,Scearce,Scardino,Sawka,Sawinski,Savoca,Savery,Saults,Saucer,Sarpy,Saris,Sardinha,Sarafin,Sankar,Sanjurjo,Sanderfer,Sanagustin,Samudio,Sammartino,Samas,Salz,Salmen,Sallie,Salkeld,Salamon,Sakurai,Sakoda,Safley,Sada,Sachse,Ryden,Ryback,Russow,Russey,Ruprecht,Rumple,Ruffini,Rudzinski,Rudel,Rudden,Rud,Rovero,Routledge,Roussin,Rousse,Rouser,Rougeau,Rosie,Rosica,Romey,Romaniello,Rolfs,Rogoff,Rogne,Rodriquz,Rodrequez,Rodin,Rocray,Rocke,Robbin,Riviere,Rivette,Riske,Risenhoover,Rindfleisch,Rinaudo,Rimbey,Riha,Righi,Ridner,Ridling,Riden,Rhue,Reyome,Reynoldson,Reusch,Rensing,Rensch,Rennels,Renderos,Reininger,Reiners,Reigel,Rehmer,Regier,Reff,Reef,Redlin,Recchia,Reaume,Reagor,Rayne,Rawe,Rattigan,Raska,Rashed,Ranta,Ranft,Randlett,Randa,Ramiez,Ramella,Rallis,Rajan,Raisbeck,Raimondo,Raible,Ragone,Rackliffe,Quirino,Quiring,Quero,Quaife,Pyke,Purugganan,Pursifull,Purkett,Purdon,Punches,Pun,Pulos,Pulling,Puccia,Provance,Propper,Preis,Prehn,Prata,Prasek,Pranger,Pradier,Portor,Portley,Porte,Popiel,Popescu,Pomales,Polowy,Pollett,Politis,Polit,Poley,Pol,Pohler,Poggio,Poet,Podolak,Poag,Plymel,Ploeger,Planty,Piskura,Pirrone,Pirro,Piroso,Pinsky,Pile,Pilant,Pickerill,Piccolomini,Picart,Piascik,Phann,Petruzzelli,Petosa,Persson,Perretta,Perkowski,Perilli,Percifield,Perault,Peppel,Pember,Pelotte,Pelcher,Peixoto,Pehl,Peatross,Pearlstein,Peacher,Payden,Paya,Pawelek,Pavey,Pauda,Pathak,Parrillo,Parness,Parlee,Paoli,Pannebaker,Palomar,Palo,Palmberg,Paganelli,Paffrath,Padovano,Padden,Pachucki,Over,Ovando,Othman,Osowski,Osler,Osika,Orsburn,Orlowsky,Oregel,Oppelt,Opfer,Opdyke,Onell,Omer,Olivos,Okumura,Okoro,Ogas,Offer,Oelschlaeger,Odette,Oder,Ocanas,Obrion,Obarr,Oas,Oare,Nyhus,Nyenhuis,Nunnelley,Nunamaker,Nuckels,Noyd,Nowlan,Novakovich,Noteboom,Norviel,Nortz,Norment,Norland,Nolt,Nolie,Nixson,Nitka,Nissley,Nishiyama,Niland,Niewiadomski,Niemeier,Nieland,Nickey,Nicholsen,Newark,Neugent,Neto,Nerren,Nein,Neikirk,Neigh,Nedrow,Neave,Nazaire,Navaro,Navalta,Nasworthy,Nasif,Nani,Nalepa,Nakao,Nakai,Nadolny,Myklebust,Mussel,Murthy,Muratore,Murat,Mundie,Mulverhill,Muilenburg,Muetzel,Mudra,Mudgett,Mrozinski,Moura,Mottinger,Morson,Moretto,Morentin,Mordan,Mooreland,Mooers,Monts,Montone,Montondo,Montiero,Monserrate,Monie,Monat,Monares,Mollo,Mollet,Molacek,Mokry,Mohrmann,Mohabir,Mogavero,Moes,Moceri,Miyoshi,Mitzner,Misra,Mis,Mirr,Mira,Minish,Minge,Minckler,Milroy,Mille,Mileski,Milanesi,Miko,Mihok,Mihalik,Mieczkowski,Messerli,Meskill,Mesenbrink,Merton,Merryweather,Merkl,Menser,Menner,Menk,Menden,Menapace,Melbourne,Mekus,Meinzer,Mein,Meers,Mctigue,Mcquitty,Mcpheron,Mcmurdie,Mcleary,Mclafferty,Mckinzy,Mckibbin,Mckethan,Mcintee,Mcgurl,Mceachran,Mcdowall,Mcdermitt,Mccuaig,Mccreedy,Mccoskey,Mcclosky,Mcclintick,Mccleese,Mccanless,Mazzucco,Mazzocco,Mazurkiewicz,Mazariego,Mayhorn,Maxcy,Mavity,Mauzey,Maulding,Matuszewski,Mattsson,Mattke,Matsushita,Matsuno,Matsko,Matkin,Mathur,Mates,Masterman,Massett,Massart,Massari,Mashni,Martella,Marren,Margotta,Marder,Marczak,Maran,Maradiaga,Manwarren,Mantini,Manter,Mantelli,Manso,Mangone,Manfredonia,Malden,Malboeuf,Malanga,Makara,Maison,Maisano,Mairs,Mailhiot,Magri,Magic,Madron,Madole,Mackall,Macduff,Macartney,Lynds,Lusane,Luffman,Lua,Louth,Loughmiller,Lougheed,Lotspeich,Lorenzi,Loree,Loosli,Looker,Longe,Longanecker,Lonero,Lohmeyer,Loeza,Lobstein,Lobner,Lober,Littman,Litalien,Lippe,Lints,Linear,Lijewski,Ligas,Liebert,Liebermann,Liberati,Lezcano,Levinthal,Lessor,Less,Lesieur,Lenning,Lengel,Len,Lempke,Lemp,Lemar,Leitzke,Leinweber,Legrone,Lege,Leder,Lawnicki,Lauth,Laun,Laughary,Latin,Lassley,Lashway,Larrivee,Largen,Lare,Lanouette,Lanno,Langille,Langen,Landing,Lana,Lamonte,Lalin,Lala,Laible,Lafratta,Laforte,Lacuesta,Lacer,Labore,Laboe,Labeau,Kwasniewski,Kunselman,Kuhr,Kuchler,Kuc,Krugman,Kruckenberg,Krotzer,Kroemer,Krist,Krigbaum,Kreke,Kreisman,Kreisler,Kreft,Krasnow,Kras,Krag,Kouyate,Kough,Kotz,Kostura,Korner,Kornblum,Korczynski,Koppa,Kopczyk,Konz,Komorowski,Kollen,Kolander,Koepnick,Koehne,Kochis,Knoch,Knippers,Knaebel,Klipp,Klinedinst,Klimczyk,Klier,Klement,Klaphake,Kisler,Kinzie,Kines,Kindley,Kimple,Kimm,Kimbel,Kilker,Kilborn,Kibbey,Khong,Ketchie,Kerbow,Kennemore,Kennebeck,Kenneally,Kenndy,Kenmore,Kemnitz,Kemler,Kemery,Kelnhofer,Kellstrom,Kellis,Kellams,Keiter,Keirstead,Keeny,Keelin,Keefauver,Keams,Kautzman,Kaus,Katayama,Kasson,Kassim,Kasparian,Kase,Karwoski,Kapuscinski,Kaneko,Kamerling,Kamada,Kalka,Kalar,Kakacek,Kaczmarczyk,Jurica,Junes,Journell,Jolliffe,Johnsey,Joel,Jindra,Jimenz,Jette,Jesperson,Jerido,Jenrette,Jencks,Jech,Jayroe,Jayo,Jaye,Javens,Jaskot,Jaros,Jaquet,Janowiak,Jame,Jaegers,Jackel,Izumi,Ith,Italia,Irelan,Ion,Inzunza,Imoto,Imme,Iglehart,Iannone,Iannacone,Huyler,Hussaini,Hurlock,Hurlbutt,Huprich,Humphry,Hulslander,Huelsman,Hudelson,Hudecek,Hsia,Hreha,Hoyland,Howk,Housholder,Housden,Houff,Horkey,Honan,Homme,Holtzberg,Hollyfield,Hollings,Hollenbaugh,Hokenson,Hogrefe,Hogland,Hoel,Hodgkin,Hochhalter,Hjelle,Hittson,Hinderman,Hinchliffe,Hime,Hilyer,Hilby,Hibshman,Heydt,Hewell,Heward,Hetu,Hestand,Heslep,Herridge,Herner,Hernande,Hermandez,Hermance,Herbold,Heon,Henthorne,Henion,Henao,Heming,Helmkamp,Hellberg,Heidgerken,Heichel,Hehl,Hegedus,Hefty,Heckathorne,Hearron,Haymer,Haycook,Havlicek,Hausladen,Haseman,Hartsook,Hartog,Harns,Harne,Harmann,Haren,Hanserd,Hanners,Hanekamp,Hamra,Hamley,Hamelin,Hamblet,Hakimi,Hagle,Hagin,Haehn,Haeck,Hackleman,Haacke,Gulan,Guirand,Guiles,Guggemos,Guerrieri,Guerreiro,Guereca,Gudiel,Guccione,Gubler,Gruenwald,Gritz,Grieser,Grewe,Grenon,Gregersen,Grefe,Greener,Grech,Grecco,Gravette,Grassia,Granholm,Graner,Grandi,Grahan,Gradowski,Gradney,Graczyk,Gouthier,Gottschall,Goracke,Gootee,Goodknight,Goodine,Gonzalea,Gonterman,Gonalez,Gomm,Goleman,Goldtooth,Goldstone,Goldey,Golan,Goes,Goen,Goeller,Goel,Goecke,Godek,Goan,Glunz,Gloyd,Glodowski,Glinski,Glawe,Girod,Girdley,Giovanni,Gindi,Gillings,Gildner,Giger,Giesbrecht,Gierke,Gier,Giboney,Giaquinto,Giannakopoulo,Giaimo,Giaccio,Giacalone,Gessel,Gerould,Gerlt,Gerhold,Geralds,Genson,Genereux,Gellatly,Geigel,Gehrig,Gehle,Geerdes,Geagan,Gawel,Gavina,Gauss,Gatwood,Gathman,Gaster,Garske,Garratt,Garms,Garis,Gansburg,Gammell,Gambale,Gamba,Galimore,Gadway,Gadoury,Furrer,Furnish,Furino,Fullard,Fukui,Fuhrer,Fryou,Friesner,Friedli,Friedl,Friedberg,Freyermuth,Fremin,Fredell,Fraze,Franken,Fought,Foth,Fote,Fortini,Fornea,Formanek,Forker,Forgette,Folan,Foister,Foglesong,Flinck,Flewellen,Flaten,Flaig,Fitgerald,Fischels,Firman,Finstad,Finkelman,Finister,Finder,Fina,Fettes,Fetterhoff,Ferriter,Ferch,Fennessy,Feltus,Feltes,Feinman,Farve,Farry,Farrall,Farag,Falzarano,Falck,Falanga,Fakhoury,Faire,Fairbrother,Fagley,Faggins,Facteau,Ewer,Ewbank,Evola,Evener,Eustis,Eugenio,Estwick,Estel,Essa,Espinola,Escutia,Eschmann,Erpelding,Ernsberger,Erling,Entz,Enrique,Engelhart,Enbody,Emick,Elsinger,Ellinwood,Ellingsen,Ellicott,Elkind,Eisinger,Eisenbeisz,Eischen,Eimer,Eigner,Eichhorst,Ehmke,Egleston,Eggett,Ege,Efurd,Edgeworth,Eckels,Ebey,Eberling,Eagleton,Dwiggins,Dweck,Dunnings,Dunnavant,Dumler,Duman,Dugue,Duerksen,Dudeck,Dreisbach,Drawdy,Drawbaugh,Draine,Draggoo,Dowse,Dovel,Doughton,Douds,Doubrava,Dort,Dorshorst,Dornier,Doolen,Donavan,Dominque,Dominion,Dominik,Domingez,Dome,Dom,Dolder,Dold,Dobies,Dk,Diskin,Disano,Dirden,Diponio,Dipirro,Dimock,Diltz,Dillabough,Diley,Dikes,Digges,Digerolamo,Diel,Dicker,Dicharry,Dicecco,Dibartolomeo,Diamant,Dewire,Devone,Dessecker,Dertinger,Derousselle,Derk,Depauw,Depalo,Denherder,Demeyer,Demetro,Demastus,Delvillar,Deloye,Delosrios,Delgreco,Delarge,Delangel,Dejongh,Deitsch,Degiorgio,Degidio,Defreese,Defoe,Decambra,Debenedetto,Deaderick,Daza,Dauzat,Daughenbaugh,Dato,Dass,Darwish,Dantuono,Danton,Dammeyer,Daloia,Daleo,Dagg,Dacey,Curts,Cuny,Cunneen,Culverhouse,Cuervo,Cucinella,Cubit,Crumm,Crudo,Crowford,Crout,Crotteau,Crossfield,Crooke,Crom,Critz,Cristaldi,Crickmore,Cribbin,Cremeens,Crayne,Cradduck,Couvertier,Cottam,Cossio,Correy,Cordrey,Coplon,Copass,Coone,Coody,Contois,Consla,Connelley,Connard,Congo,Congleton,Condry,Conception,Coltey,Colindres,Colgrove,Colfer,Colasurdo,Cocker,Cochell,Cobbin,Clouthier,Closs,Cloonan,Clizbe,Clennon,Clayburn,Claybourn,Clausell,Clasby,Clagett,Ciskowski,Cirrincione,Cinque,Cinelli,Cimaglia,Ciaburri,Christiani,Christeson,Chladek,Chizmar,Chinnici,Chiarella,Chevrier,Cheves,Chernow,Cheong,Chelton,Charlette,Chanin,Cham,Chaligoj,Celestino,Cayce,Cavey,Cavaretta,Caughron,Catmull,Catapano,Casio,Cashaw,Carullo,Carualho,Carthon,Cartelli,Carruba,Carrere,Carolus,Carmine,Carlstrom,Carli,Carfora,Carello,Carbary,Car,Caplette,Cannell,Cancilla,Campell,Cammarota,Camilo,Camejo,Camarata,Caisse,Cacioppo,Cabbagestalk,Cabatu,Cabanas,Byles,Buxbaum,Butland,Butch,Burrington,Burnsed,Burningham,Burlingham,Burgy,Buitrago,Buffett,Bueti,Buehring,Buday,Bucks,Bucknell,Buchbinder,Bucey,Bruster,Brunston,Brumby,Bruins,Brouillet,Brosious,Broomes,Brodin,Broddy,Brochard,Britsch,Britcher,Brierley,Brezina,Bressi,Bressette,Breslow,Brenden,Breier,Brei,Braymer,Brasuell,Brash,Branscomb,Branin,Brandley,Brahler,Bracht,Bracamontes,Brabson,Boyne,Boxell,Bowery,Bovard,Boutelle,Boulette,Bottini,Botkins,Bosen,Boscia,Boscarino,Borich,Bores,Boreman,Bordoy,Bordley,Bordenet,Boquet,Boocks,Bolner,Boissy,Boilard,Bohnen,Bohall,Boening,Boccia,Boccella,Bobe,Blyth,Blitz,Blew,Blacksmith,Biviano,Bitto,Bisel,Binstock,Bines,Billiter,Bigsby,Bighorse,Bielawski,Bickmore,Bettin,Bettenhausen,Besson,Beseau,Berton,Berroa,Berntson,Bernas,Berisford,Berhow,Bergsma,Benyo,Benyard,Bente,Bennion,Benko,Belsky,Bellavance,Belasco,Belardo,Beidler,Behring,Begnaud,Bega,Befort,Beek,Bedore,Beddard,Becknell,Beardslee,Beardall,Beagan,Bayly,Bauza,Bautz,Bausman,Baumler,Batterson,Battenfield,Bassford,Basse,Basemore,Baruch,Bartholf,Bars,Barman,Baray,Barabas,Banghart,Banez,Balsam,Ballester,Ballagh,Baldock,Bagnoli,Bagheri,Bacus,Bacho,Baccam,Axson,Averhart,Aver,Ave,Austill,Auberry,Athans,Atcitty,Atay,Astarita,Ascolese,Artzer,Arts,Arrasmith,Argenbright,Aresco,Arb,Aranjo,Appleyard,Appenzeller,App,Apilado,Antonetti,Antis,Annett,Annas,Angwin,Andris,Andries,Andreozzi,Ando,Andis,Anderegg,Anastasia,Amyot,Aminov,Amelung,Amelio,Amason,Alviar,Allendorf,Allday,Alice,Aldredge,Alcivar,Alaya,Alapai,Airington,Aina,Ailor,Ahrns,Ahmadi,Agresta,Agent,Affolter,Aeschlimann,Adney,Aderhold,Adell,Adachi,Ackiss,Aben,Abdelhamid,Abar,Aase,Zorilla,Zordan,Zollman,Zoch,Zipfel,Zimmerle,Zike,Ziel,Zhong,Zens,Zelada,Zaman,Zahner,Zadora,Zachar,Zaborowski,Zabinski,Yzquierdo,Yoshizawa,Yori,Yielding,Yerton,Yehl,Yeargain,Yeakley,Yamaoka,Yagle,Yablonski,Wynia,Wyne,Wyers,Wrzesinski,Wrye,Wriston,Woolums,Woolen,Woodlock,Woodle,Wonser,Wombacher,Wollschlager,Wollen,Wolfley,Wolfer,Wisse,Wisell,Wirsing,Winstanley,Winsley,Winiecki,Winiarski,Winge,Winesett,Windell,Winberry,Willyard,Willemsen,Wilkosz,Wilensky,Wikle,Wiford,Wienke,Wieneke,Wiederhold,Wiebold,Widick,Wickenhauser,Whitrock,Whisner,Whinery,Wherley,Whedbee,Wheadon,Whary,Wessling,Wessells,Wenninger,Wendroth,Wende,Wellard,Weirick,Weinkauf,Wehrman,Weech,Weathersbee,Waterford,Warton,Warncke,Warm,Wardrip,Walstrom,Walks,Walkowski,Walcutt,Waight,Wai,Wagman,Waggett,Wadford,Vowles,Vormwald,Vondran,Vohs,Vitt,Vitalo,Viser,Vinas,Villena,Villaneuva,Villafranca,Villaflor,Vilain,Vigilante,Vicory,Viana,Vian,Vial,Verucchi,Verra,Venzke,Venske,Veley,Veile,Veeder,Vaske,Vasconez,Vargason,Varble,Vanwert,Vantol,Vanscooter,Vanmetre,Vanmaanen,Vanhise,Vanetta,Vaneaton,Vandyk,Vandriel,Vandorp,Vandewater,Vandervelden,Vanderstelt,Vanderhoef,Vanderbeck,Vanbibber,Vanalstine,Vanacore,Valdespino,Vaill,Vailes,Vagliardo,Ursini,Urrea,Urive,Uriegas,Umphress,Ucci,Uballe,Tyrone,Tynon,Twiner,Tutton,Tudela,Tuazon,Troisi,Tripplett,Trias,Trescott,Treichel,Tredo,Tranter,Tozer,Toxey,Tortorici,Tornow,Topolski,Topia,Topel,Topalian,Tonne,Tondre,Tola,Toepke,Tiu,Tisdell,Tiscareno,Thornborrow,Thomison,Thilges,Theuret,Therien,Thang,Thagard,Thacher,Texter,Terzo,Teresa,Tep,Tenpenny,Tempesta,Teetz,Teaff,Tavella,Taussig,Tatton,Tasler,Tarrence,Tardie,Tarazon,Tantillo,Tanney,Tankson,Tangen,Tamburo,Takes,Tabone,Szilagyi,Syphers,Swistak,Swiatkowski,Sweigert,Swayzer,Swapp,Svehla,Sutphen,Sutch,Susa,Surma,Surls,Sundermeyer,Sundeen,Sulek,Suite,Sughrue,Sudol,Sturms,Stupar,Stum,Stuckman,Strole,Strohman,Streed,Strebeck,Strausser,Strassel,Stpaul,Storts,Storr,Stommes,Stmary,Stjulien,Stika,Stiggers,Sthill,Stevick,Sterman,Stephany,Stepanek,Stemler,Stelman,Stelmack,Steinkamp,Steinbock,Stcroix,Stcharles,Staudinger,Starry,Stanly,Stallsworth,Stalley,Stains,Srock,Spritzer,Spracklin,Spinuzzi,Spidell,Spice,Speyrer,Sperbeck,Spendlove,Speedy,Speckman,Spargur,Spangenberg,Spaid,Sowle,Soulier,Sotolongo,Sostre,Sorey,Sonier,Somogyi,Somera,Solo,Soldo,Sofia,Soderholm,Snoots,Snooks,Snoke,Snodderly,Snide,Snee,Smoke,Smithhart,Smillie,Smay,Smallman,Sliwinski,Slentz,Sledd,Slager,Skogen,Skog,Skarda,Skalicky,Siwek,Sitterson,Sisti,Sissel,Sis,Sinopoli,Similton,Simila,Simenson,Silvertooth,Silos,Siggins,Sieler,Siburt,Sianez,Shurley,Shular,Shuecraft,Shreeves,Shon,Shollenberger,Shoen,Shishido,Shipps,Shipes,Shinall,Sherfield,Shawe,Sharrett,Sharrard,Shankman,Shan,Sham,Sessum,Serviss,Servello,Serice,Serda,Semler,Semenza,Selmon,Sellen,Seley,Seidner,Seib,Sehgal,Seelbach,Sedivy,Sebren,Sebo,Seanez,Seagroves,Seagren,Seagrave,Seabron,Schwertner,Schwegel,Schwarzer,Schrunk,Schriefer,Schreder,Schrank,Schopp,Schonfeld,Schoenwetter,Schnall,Schnackenberg,Schnack,Schmutzler,Schmierer,Schmidgall,Schlup,Schloemer,Schlitt,Schermann,Scherff,Schellenberg,Schain,Schaedler,Schabel,Scaccia,Saye,Saxman,Saurez,Sasseen,Sasnett,Sas,Sarti,Sarra,Sarber,Saran,Santoy,Santeramo,Sansoucy,Sando,Sandles,Sandburg,Sandau,Samra,Samaha,Salon,Salizar,Salam,Saindon,Sagaser,Saeteun,Sadusky,Sackman,Sabater,Saas,Ruthven,Ruszkowski,Rusche,Rumpf,Ruhter,Ruhenkamp,Rufo,Rudge,Ruddle,Rowlee,Rowand,Routhier,Rougeot,Rotramel,Rotan,Roswell,Rosten,Rosillo,Rookard,Roode,Rongstad,Rollie,Roider,Roffe,Roettger,Rodick,Rochez,Rochat,Roads,Rivkin,Rivadeneira,Riston,Risso,Rise,Rinderknecht,Riis,Riggsbee,Rifkin,Rieker,Riegle,Riedy,Richwine,Richmon,Ricciuti,Riccardo,Ricardson,Rhew,Revoir,Revier,Remsberg,Remiszewski,Rembold,Rella,Reinken,Reiland,Reidel,Reichart,Rehak,Redway,Rednour,Redifer,Redgate,Redenbaugh,Redburn,Reap,Readus,Raybuck,Rauhuff,Rauda,Ratte,Rathje,Rappley,Rands,Ramseyer,Ramseur,Ramsdale,Ramo,Ramariz,Raitz,Raisch,Rainone,Rahr,Ragasa,Rafalski,Radunz,Quenzer,Queja,Queenan,Pyun,Puz,Putzier,Puskas,Purrington,Puri,Punt,Pullar,Pruse,Pring,Primeau,Prevette,Preuett,Presto,Prestage,Pownell,Pownall,Potthoff,Potratz,Poth,Poter,Posthuma,Posen,Porritt,Popkin,Poormon,Polidoro,Poles,Polcyn,Pokora,Poer,Pluviose,Plock,Pleva,Placke,Pioli,Pingleton,Pinchback,Pinch,Pieretti,Piccone,Piatkowski,Philley,Phibbs,Phay,Phagan,Pfund,Peyer,Pettersen,Petter,Petrucelli,Petropoulos,Petras,Petix,Pester,Perks,Pepperman,Pennick,Penado,Pelot,Pelis,Peeden,Pechon,Peal,Pazmino,Patchin,Pasierb,Parran,Parilla,Pardy,Parcells,Paragas,Paradee,Papin,Panko,Pangrazio,Pangelinan,Pandya,Pancheri,Panas,Palmiter,Pallares,Palinkas,Palek,Pagliaro,Packham,Pacitti,Ozier,Overbaugh,Oursler,Ouimette,Otteson,Otsuka,Othon,Osmundson,Oroz,Orgill,Ordeneaux,Orama,Oppy,Opheim,Onkst,Oltmanns,Olstad,Olofson,Ollivier,Olen,Olejniczak,Okura,Okuna,Okey,Ohrt,Oharra,Oguendo,Ogier,Offermann,Oetzel,Oechsle,Odor,Odoherty,Oddi,Ockerman,Occhiogrosso,Obryon,Obremski,Nyreen,Nylund,Nylen,Nyholm,Nuon,Nuanes,Norrick,Noris,Nordell,Norbury,Nooner,Nono,Nomura,Nole,Nolden,Nola,Nofsinger,Nocito,Nobel,Niedbala,Niebergall,Nicolini,Nicole,Nicklaus,Nevils,Neuburger,Nemerofsky,Nemecek,Nazareno,Nastri,Nast,Nancy,Nagorski,Myre,Muzzey,Mutton,Mutschler,Muther,Musumeci,Muranaka,Muramoto,Murad,Murach,Muns,Munno,Muncrief,Mugrage,Muecke,Mozer,Moyet,Mowles,Mottern,Mosman,Mosconi,Morine,Morge,Moravec,Morad,Moneymaker,Mones,Moncur,Monarez,Molzahn,Moglia,Moesch,Mody,Modisett,Mitnick,Mithcell,Mitchiner,Mistry,Misercola,Mirabile,Minvielle,Mino,Minkler,Minifield,Minichiello,Mindell,Minasian,Milteer,Millwee,Millstein,Millien,Mikrut,Mihaly,Miggins,Michard,Mezo,Metzner,Mesquita,Mervin,Merriwether,Merk,Merfeld,Mercik,Mercadante,Mention,Menna,Mendizabal,Mender,Members,Melusky,Melquist,Mellado,Meler,Melendes,Mekeel,Meiggs,Megginson,Meck,Mcwherter,Mcwayne,Mcsparren,Mcrea,Mcneff,Mcnease,Mcmurrin,Mckeag,Mchughes,Mcguiness,Mcgilton,Mcelreath,Mcelhone,Mcelhenney,Mceldowney,Mccurtain,Mccure,Mccosker,Mccory,Mccormic,Mccline,Mccleave,Mcclatchey,Mccarney,Mccanse,Mcallen,Mazzie,Mazin,Mazanec,Mayette,Mautz,Mauser,Maun,Mattas,Mathurin,Mathiesen,Massmann,Masri,Masias,Mascolo,Mascetti,Mascagni,Marzolf,Maruska,Martain,Marta,Marszalek,Marolf,Marmas,Marlor,Markwood,Marines,Marinero,Marier,Marich,Marcom,Marciante,Marchman,Marchio,Marbach,Manzone,Mantey,Mannina,Manhardt,Manfred,Manaois,Malmgren,Mallonee,Mallin,Mallary,Malette,Makinson,Makins,Makarewicz,Mainwaring,Maida,Maiava,Magro,Magouyrk,Magett,Maeder,Madyun,Maduena,Maden,Madeira,Macnamara,Mackins,Mackel,Macinnes,Macia,Macgowan,Lyssy,Lyerly,Lyalls,Lutter,Lunney,Luksa,Ludeman,Lucidi,Lucci,Lowden,Lovier,Loughridge,Losch,Lory,Lorson,Lorenzano,Lorden,Lorber,Lopardo,Loosier,Loomer,Longsdorf,Longchamps,Loncar,Loker,Logwood,Loeffelholz,Lockmiller,Livoti,Linford,Linenberger,Lindloff,Lindenbaum,Limoges,Lilla,Liley,Lighthill,Lightbourne,Lieske,Leza,Levels,Levandoski,Leuck,Lepere,Leonhart,Lenon,Lemma,Lemler,Leising,Leinonen,Lehtinen,Lehan,Leetch,Leeming,Ledyard,Ledwith,Ledingham,Leclere,Leck,Lebert,Leandry,Lazzell,Layo,Laye,Laxen,Lawther,Lawn,Lawerance,Lavoy,Lavertu,Laverde,Lauren,Latouche,Latner,Lathen,Last,Laskin,Lashbaugh,Lascala,Larroque,Larick,Laraia,Laplume,Lanzilotta,Lannom,Landrigan,Landolt,Landess,Lancia,Lamkins,Lalla,Lalk,Lakeman,Lakatos,Laib,Lahay,Lagrave,Lagerquist,Lafoy,Lafleche,Lader,Labrada,Kwiecinski,Kutner,Kunshier,Kulakowski,Kujak,Kuehnle,Kubisiak,Krzyminski,Krugh,Krois,Kritikos,Krill,Kriener,Krewson,Kretzschmar,Kretz,Kresse,Kreiter,Kreischer,Krebel,Kraut,Krans,Kraling,Krahenbuhl,Kouns,Kotson,Kossow,Kopriva,Konkle,Kolter,Kolk,Kolich,Kohner,Koeppen,Koenigs,Kock,Kochanski,Kobus,Knowling,Knouff,Knoerzer,Knippel,Kloberdanz,Kleinert,Klarich,Klaassen,Kizzie,Kisamore,Kirn,Kiraly,Kipps,Kinson,Kinneman,Kington,Kine,Kimbriel,Kille,Kick,Kibodeaux,Khamvongsa,Keylon,Kever,Keser,Kertz,Kercheval,Kenneth,Kendrix,Kendle,Ken,Kempt,Kemple,Keesey,Keats,Keatley,Kazmierski,Kazda,Kazarian,Kawashima,Katsch,Kasun,Kassner,Kassem,Kasperski,Kasinger,Kaschak,Karels,Kantola,Kana,Kamai,Kalthoff,Kalla,Kalani,Kahrs,Kahanek,Kacher,Jurasek,Juniper,Jungels,Jukes,Juelfs,Judice,Juda,Ju,Josselyn,Jonsson,Jonak,Joens,Jobson,Jegede,Jee,Jeanjacques,Jaworowski,Jaspers,Jannsen,Janner,Jankowiak,Jank,Janiak,Jackowski,Jacklin,Jabbour,Iyer,Iveson,Ivan,Isner,Iniquez,Ingwerson,Ingber,Ina,Imbrogno,Ille,Ikehara,Iannelli,Hyson,Huxford,Huseth,Hurns,Hurney,Hurles,Hunnings,Humbarger,Hulan,Huisinga,Hughett,Hughen,Hudler,Hubiak,Hricko,How,Hoversten,Hottel,Hosaka,Horsch,Hormann,Hordge,Honzell,Homburg,Holten,Holme,Hollopeter,Hollinsworth,Hollibaugh,Holberg,Hohmann,Hoenstine,Hodell,Hodde,Hobert,Hives,Hiter,Hirko,Hipolito,Hinzmann,Hinrichsen,Hinger,Hincks,Hilz,Hilborn,Highley,Higashi,Hieatt,Hicken,Heverly,Hesch,Hervert,Hershkowitz,Herreras,Hermanns,Herget,Henriguez,Hennon,Hengel,Helmlinger,Helmig,Helen,Heldman,Heizer,Heinitz,Heifner,Heidorn,Heglin,Heffler,Hebner,Heathman,Heaslip,Hazlip,Haymes,Hayase,Hawver,Haw,Havermale,Havas,Hauber,Hashim,Hasenauer,Harvel,Hartney,Hartel,Harsha,Harpine,Harkrider,Harkin,Harer,Harclerode,Hanzely,Hanni,Hannagan,Hampel,Hammerschmidt,Hamar,Hallums,Hallin,Hainline,Haid,Haggart,Hafen,Haer,Hadiaris,Hadad,Hackford,Habeeb,Guymon,Guttery,Gunnett,Gull,Guillette,Guiliano,Guilbeaux,Guiher,Guignard,Guerry,Gude,Gucman,Guadian,Grzybowski,Grzelak,Grussendorf,Grumet,Gruenhagen,Grudzinski,Ground,Grossmann,Grof,Grisso,Grisanti,Griffitts,Griesbaum,Grella,Gregston,Graveline,Grandusky,Grandinetti,Gramm,Goynes,Gowing,Goudie,Gosman,Gort,Gorsline,Goralski,Goodstein,Goodroe,Goodlin,Goodheart,Goodhart,Gonzelez,Gonthier,Goldsworthy,Goldade,Goettel,Goerlitz,Goepfert,Goehner,Goben,Gobeille,Glock,Gliem,Gleich,Glasson,Glascoe,Gladwell,Giusto,Girdner,Gipple,Giller,Giesing,Giammona,Ghormley,Germon,Geringer,Gergely,Gerberich,Gepner,Gens,Genier,Gemme,Gelsinger,Geigle,Gebbia,Gayner,Gavitt,Gatrell,Gastineau,Gasiewski,Gascoigne,Garro,Garin,Ganong,Ganga,Galpin,Gallus,Galizia,Gajda,Gahm,Gagen,Gaffigan,Furno,Furnia,Furgason,Fronczak,Frishman,Friess,Frierdich,Fresh,Freestone,Franta,Frankovich,Fors,Forres,Forrer,Floris,Florido,Floria,Flis,Flicek,Flens,Flegal,Flamenco,Finkler,Finkenbinder,Finefrock,Filter,Filpo,Filion,Fierman,Fieldman,Ferreyra,Fernendez,Fergeson,Fera,Fencil,Feith,Feight,Federici,Federer,Fechtner,Feagan,Fausnaugh,Faubert,Fata,Farman,Farinella,Fantauzzi,Fanara,Falso,Falardeau,Fagnani,Fabro,Excell,Ewton,Evey,Everetts,Eve,Evarts,Etherington,Estremera,Estis,Estabrooks,Essig,Esplin,Espenschied,Ernzen,Erich,Eppes,Eppard,Entwisle,Emmi,Emison,Elison,Elguezabal,Eledge,Elbaz,Eisler,Eiden,Eichorst,Eichert,Egle,Eggler,Eggimann,Edey,Eckerman,Echelberger,Ebbs,Ebanks,Dziak,Dyche,Dyce,Dusch,Duross,Durley,Durate,Dunsworth,Dumke,Dulek,Duhl,Duggin,Dufford,Dudziak,Ducrepin,Dubree,Dubre,Dubie,Dubas,Droste,Drisko,Drewniak,Doxtator,Dowtin,Downum,Doubet,Dottle,Dosier,Doshi,Dorst,Dorset,Dornbusch,Doren,Donze,Donica,Domanski,Domagala,Dohse,Doerner,Doerfler,Doble,Dobkins,Dilts,Digiulio,Digaetano,Dietzel,Diddle,Dickel,Dezarn,Devoy,Devoss,Devonshire,Devon,Devilla,Devere,Deters,Desvergnes,Deshay,Desena,Deross,Der,Depedro,Densley,Demorest,Demore,Demora,Demirjian,Demerchant,Dematteis,Demateo,Delgardo,Delfavero,Delaurentis,Delamar,Delacy,Deitrich,Deisher,Degracia,Degraaf,Defries,Defilippis,Decoursey,Debruin,Debiasi,Debar,Dearden,Dealy,Dayhoff,Davino,Darvin,Darrisaw,Darbyshire,Daquino,Daprile,Danial,Danh,Danahy,Dalsanto,Dallavalle,Daine,Dagel,Dadamo,Dacy,Dacunha,Dabadie,Czyz,Cutsinger,Curney,Cuppernell,Cunliffe,Cumby,Cullop,Cullinane,Cugini,Cudmore,Cuda,Cucuzza,Cuch,Crumby,Crouser,Crock,Critton,Critchley,Cristy,Cremona,Cremar,Crehan,Creary,Crasco,Crall,Crabbe,Cozzolino,Cozier,Coyner,Couvillier,Counterman,Coulthard,Coudriet,Cottom,Corzo,Cornutt,Corkran,Cords,Corda,Copelin,Coonan,Consolo,Conrow,Conran,Connerton,Conkwright,Condren,Comp,Comly,Comisky,Colli,Collet,Colello,Colbeck,Colarusso,Coiner,Cohron,Codere,Cocks,Cobia,Cly,Cluster,Clure,Clowser,Clovis,Clingenpeel,Clenney,Clendaniel,Clemenson,Cleere,Cleckler,Claybaugh,Clason,Cirullo,Ciraulo,Ciolek,Ciampi,Christopherse,Christophe,Chovanec,Chopra,Chol,Chiem,Chestnutt,Chesterman,Chernoff,Chermak,Chelette,Checketts,Charpia,Charo,Chargois,Champman,Challender,Chafins,Cerruto,Celi,Cea,Cazenave,Cay,Cavaluzzi,Cauthon,Caudy,Catino,Caterina,Catano,Castell,Cassaro,Cassarino,Carrano,Carozza,Carow,Carmickle,Carlyon,Carlew,Cardena,Caputi,Capley,Capalbo,Canseco,Candella,Canal,Campton,Camposano,Calleros,Calleja,Callegari,Calica,Calarco,Calais,Caillier,Cahue,Cadenhead,Cadenas,Cabera,Buzzo,Busto,Bussmann,Busenbark,Burzynski,Bursley,Bursell,Burle,Burkleo,Burkette,Burczyk,Bumstead,Bullett,Buikema,Buenaventura,Buege,Buechel,Budreau,Budhram,Bucknam,Brye,Brushwood,Brumbalow,Brulotte,Bruington,Bruderer,Browns,Brougher,Bromfield,Broege,Brodhead,Brocklesby,Broadie,Brizuela,Britz,Brisendine,Brilla,Briggeman,Brierton,Bridgeford,Breyfogle,Brevig,Breuninger,Bresse,Bresette,Brelsford,Breitbach,Bread,Brayley,Braund,Branscom,Brando,Brandner,Brahm,Braboy,Brabble,Bozman,Boyte,Boynes,Boyken,Bowell,Bowan,Boutet,Bouse,Boulet,Boule,Bottcher,Bosquez,Borrell,Boria,Bordes,Borchard,Bonson,Bonino,Bonas,Bonamico,Bolstad,Bolser,Bollis,Bolich,Bolf,Boker,Boileau,Bohac,Bogucki,Bogren,Boeger,Bodziony,Bodo,Bodley,Boback,Blyther,Blight,Blenker,Blazina,Blase,Blamer,Blacknall,Blackmond,Bitz,Biser,Biscardi,Binz,Bilton,Billotte,Billafuerte,Bigford,Biegler,Bibber,Bhandari,Beyersdorf,Bevelle,Bettendorf,Bessard,Bertsche,Berne,Berlinger,Berish,Beranek,Bentson,Bentsen,Benskin,Benoy,Benoist,Benitz,Belongia,Belmore,Belka,Belen,Beitzel,Beiter,Beitel,Behrns,Beckworth,Becka,Beaudion,Beary,Beare,Beames,Beabout,Beaber,Bazzano,Bazinet,Baucum,Batrez,Baswell,Bastos,Bascomb,Bartha,Barstad,Barrilleaux,Barretto,Barresi,Barona,Barkhurst,Barke,Bardales,Barczak,Barca,Barash,Banfill,Bambino,Balonek,Balmes,Ballon,Balko,Balestrieri,Baldino,Baldelli,Baken,Baiza,Bahner,Baek,Badour,Badman,Badley,Badia,Backmon,Bacich,Bacca,Ayscue,Ayo,Aynes,Austen,Ausiello,Auringer,Auiles,Aspinwall,Askwith,Artiga,Arroliga,Arns,Arman,Arellanes,Aracena,Antwine,Antuna,Anselmi,Ansel,Annen,Angelino,Angeli,Angarola,Andrae,Amparo,Amodio,Amie,Ameen,Alwine,Alverio,Altro,Altobello,Altemus,Alquicira,Ally,Allphin,Allemand,Allam,Alessio,Akpan,Akerman,Aiona,Aikman,Agyeman,Agredano,Adamik,Adamczak,Acrey,Achilles,Acevado,Abu,Abreo,Abrahamsen,Abild,Zwicker,Zweig,Zuvich,Zumpano,Zuluaga,Zubek,Zornes,Zoglmann,Ziminski,Zimbelman,Zhanel,Zenor,Zechman,Zauner,Zamarron,Zaffino,Yusuf,Ytuarte,Yoke,Yett,Yerkovich,Yelder,Yaw,Yasuda,Yapp,Yankee,Yaden,Yackley,Yaccarino,Xia,Wytch,Wyre,Wussow,Worthing,Wormwood,Wormack,Worlds,Wordsworth,Wordell,Woodroof,Woodington,Woodhams,Wooddell,Wollner,Wojtkowski,Wojcicki,Wogan,Wlodarczyk,Wixted,Withington,Withem,Wisler,Wirick,Winterhalter,Winski,Winne,Winemiller,Wimett,Wiltfong,Willibrand,Willes,Wilkos,Wilbon,Wiktor,Wiggers,Wigg,Wiegmann,Wickliff,Wiberg,Whittler,Whittenton,Whitling,Whitledge,Whitherspoon,Whiters,Whitecotton,Whitebird,Wheary,Wetherill,Westmark,Westaby,Wertenberger,Wentland,Wenstrom,Wenker,Wellen,Weier,Wegleitner,Wedekind,Wawers,Wassel,Warehime,Wank,Wandersee,Waltmon,Waltersheid,Walbridge,Wakely,Wakeham,Wajda,Waithe,Waidelich,Wahler,Wahington,Wagster,Wadel,Vuyovich,Vuolo,Vulich,Vukovich,Volmer,Vollrath,Vollbrecht,Vogelgesang,Voeller,Vlach,Vivar,Vitullo,Vitanza,Visker,Visalli,Viray,Vinning,Viniard,Villapando,Villaman,Vier,Viar,Viall,Verstraete,Vermilya,Verdon,Venn,Velten,Velis,Vasey,Vanoven,Vanorder,Vanlue,Vanheel,Vanderwoude,Vanderheide,Vandenheuvel,Vandenbos,Vandeberg,Vandal,Vanblarcom,Vanaken,Vanacker,Vallian,Valine,Valent,Vaine,Vaile,Vadner,Uttech,Urioste,Urbanik,Unrath,Unnasch,Underkofler,Uehara,Udy,Tyrer,Tyburski,Twaddle,Turntine,Tunis,Tullock,Trunk,Tropp,Troilo,Tritsch,Triola,Trigo,Tribou,Tribley,Tri,Trethewey,Tress,Trela,Treharne,Trefethen,Trayler,Trax,Traut,Trang,Tranel,Trager,Traczyk,Towsley,Torrecillas,Tornatore,Tork,Torivio,Toriello,Tooles,Toodle,Tomme,Tolosa,Tolen,Toca,Titterington,Tipsword,Tinklenberg,Tim,Tigney,Tigert,Thygerson,Thurn,Thur,Threats,Thorstad,Thornberg,Thoresen,Thomaston,Tholen,Thicke,Theiler,Thebeau,Theaux,Thaker,Tewani,Teufel,Tetley,Terrebonne,Terrano,Terpening,Telly,Tela,Teig,Teichert,Tegethoff,Teele,Tatar,Tashjian,Tarte,Tanton,Tanimoto,Tamimi,Tamas,Talman,Taal,Szydlowski,Szostak,Swoyer,Swerdlow,Sweeden,Sweda,Swanke,Swander,Swackhammer,Suyama,Suriano,Suri,Surdam,Suprenant,Sundet,Summerton,Sult,Suleiman,Suffridge,Suby,Stych,Studeny,Stubbins,Strupp,Struckman,Strief,Strictland,Stremcha,Strehl,Stramel,Stoy,Stoutamire,Storozuk,Stordahl,Stopher,Stolley,Stolfi,Stoeger,Stockhausen,Stjulian,Stivanson,Stinton,Stinchfield,Stigler,Stieglitz,Stgermaine,Steuer,Steuber,Steuart,Stepter,Stepnowski,Stepanian,Steimer,Stefanelli,Stebner,Stears,Steans,Stayner,Staubin,Statz,Stasik,Starn,Starmer,Stargel,Stanzione,Stankovich,Stan,Stamour,Staib,Stadelman,Stadel,Stachura,Squadrito,Sprinkles,Springstead,Spragg,Spigelmyer,Spieler,Spielberg,Spaur,Sovocool,Sovereign,Soundara,Soulia,Souffrant,Sos,Sorce,Sonkin,Sodhi,Soble,Sniffen,Smouse,Smittle,Smithee,Smedick,Smaller,Slowinski,Slovacek,Slominski,Slice,Skowronek,Skokan,Skanes,Sivertson,Sinyard,Sinka,Sinard,Simonin,Simonian,Simmions,Silcott,Silberg,Siefken,Siddon,Shuttlesworth,Shubin,Shubeck,Shiro,Shiraki,Shipper,Shina,Shilt,Shikles,Shideler,Shenton,Shelvey,Shellito,Shelhorse,Shawcroft,Shatto,Shanholtzer,Shamonsky,Shall,Shadden,Seymer,Seyfarth,Sewer,Setlock,Servant,Serratos,Serr,Sepulueda,Senay,Semmel,Semans,Selvig,Selkirk,Selk,Seligson,Seldin,Seiple,Seiersen,Seidling,Seidensticker,Secker,Searson,Scordo,Scollard,Scoggan,Scobee,Sciandra,Scialdone,Schwimmer,Schwieger,Schweer,Schwanz,Schutzenhofer,Schuetze,Schrodt,Schriever,Schriber,Schremp,Schrecongost,Schraeder,Schonberg,Scholtz,Scholle,Schoettle,Schoenemann,Schoene,Schnitker,Schmuhl,Schmith,Schlotterbeck,Schleppenbach,Schlee,Schickel,Schibi,Schein,Scheide,Scheibe,Scheib,Schaumberg,Schardein,Schaalma,Scantlin,Scantlebury,Sayle,Sausedo,Saurer,Sassone,Sarracino,Saric,Sanz,Santino,Santarpia,Santano,Santaniello,Sangha,Sandvik,Sandoral,Sandobal,Sandercock,Sanantonio,Salviejo,Salsberry,Salois,Salazer,Sagon,Saglibene,Sagel,Sagal,Saetern,Saefong,Sadiq,Sabori,Saballos,Rygiel,Rushlow,Runco,Rulli,Ruller,Ruffcorn,Ruess,Ruebush,Rudlong,Rudin,Rudgers,Rudesill,Ruderman,Rucki,Rucinski,Rubner,Rubinson,Rubiano,Ruan,Roznowski,Rozanski,Rowson,Rower,Rounsaville,Roudabush,Rotundo,Rothell,Rotchford,Rosiles,Roshak,Rosetti,Rosenkranz,Rorer,Rollyson,Rokosz,Rojek,Roitman,Rohrs,Rogel,Roewe,Rodriges,Rodocker,Rodgerson,Rodan,Rodak,Rocque,Rochholz,Rochel,Robicheau,Robbinson,Roady,Ritchotte,Ripplinger,Rippetoe,Ringstaff,Ringenberg,Rinard,Rigler,Rightmire,Riesen,Riek,Ridges,Richner,Richberg,Riback,Rial,Rhyner,Rhees,Resse,Renno,Renee,Rendleman,Ren,Reisz,Reisenauer,Reinschmidt,Reins,Reinholt,Reinard,Reifsnyder,Rehfeld,Reha,Regester,Reffitt,Redler,Rediske,Reckner,Reckart,Rebolloso,Rebollar,Reasonover,Reasner,Reaser,Reano,Reagh,Raval,Ratterman,Ratigan,Rater,Rasp,Raneses,Randolf,Ramil,Ramdas,Ramberg,Rajaniemi,Rail,Raid,Raggio,Ragel,Ragain,Rade,Radaker,Racioppi,Rabinovich,Quickle,Quertermous,Queal,Quartucci,Quander,Quain,Pynes,Putzel,Purl,Pulizzi,Pugliares,Prusak,Prueter,Protano,Propps,Primack,Prieur,Presta,Preister,Prawl,Pratley,Prairie,Pozzo,Powless,Povey,Pottorf,Pote,Postley,Porzio,Ports,Portney,Ponzi,Pontoriero,Ponto,Pont,Poncedeleon,Polimeni,Polhamus,Pole,Polan,Poetker,Poellnitz,Podgurski,Plotts,Pliego,Plaugher,Plantenberg,Plair,Plagmann,Pizzitola,Pittinger,Pitcavage,Pischke,Piontek,Pintar,Pinnow,Pinneo,Pinley,Pingel,Pinello,Pimenta,Pillard,Piker,Pietras,Piere,Picasso,Phillps,Pfleger,Pfahl,Pezzuti,Petruccelli,Petrello,Peteet,Pescatore,Peruzzi,Perusse,Perotta,Perona,Perini,Peretti,Perelman,Perciful,Peppin,Pennix,Pennino,Penalosa,Pemble,Pelz,Peltzer,Pelphrey,Pelote,Pellum,Pellecchia,Pelikan,Peitz,Peels,Pebworth,Peary,Pawlicki,Pavelich,Paster,Pasquarella,Paskey,Paseur,Paschel,Parslow,Parrow,Parrot,Parlow,Parlett,Parler,Pargo,Parco,Paprocki,Panepinto,Panebianco,Pandy,Pandey,Pamphile,Pamintuan,Pamer,Paluso,Paleo,Paker,Pagett,Paczkowski,Ozburn,Ovington,Overmeyer,Ouellet,Osterlund,Oslin,Oseguera,Osaki,Orrock,Ormsbee,Orlikowski,Organista,Oregan,Orebaugh,Orabuena,Openshaw,Ontiveroz,Ondo,Omohundro,Ollom,Ollivierre,Olivencia,Oley,Olazabal,Okino,Oki,Offenberger,Oestmann,Ocker,Obar,Oakeson,Nuzum,Nurre,Nowinski,Novosel,Norquist,Nordlie,Noorani,Nonnemacher,Nolder,Njoku,Niznik,Niwa,Niss,Ninneman,Niner,Nimtz,Niemczyk,Nieder,Nicolo,Nichlos,Niblack,Newyear,Newtown,Newill,Newcom,Neverson,Neuhart,Neuenschwande,Nestler,Nenno,Nejman,Neiffer,Neidlinger,Neglia,Needs,Nearing,Nazarian,Navor,Nary,Narayan,Nangle,Nakama,Naish,Naik,Nadolski,Muscato,Murphrey,Murdick,Murchie,Muratalla,Munnis,Mundwiller,Muncey,Munce,Mullenbach,Mulhearn,Mulcahey,Muhammed,Muchow,Mountford,Moudry,Mosko,Morvay,Morrical,Morr,Moros,Mormann,Morgen,Moredock,Morden,Mordarski,Moravek,Morandi,Morale,Mooradian,Montejo,Montegut,Montan,Monsanto,Monford,Moncus,Molinas,Molek,Mohd,Moehrle,Moehring,Modzeleski,Model,Modafferi,Moala,Moake,Miyahira,Mitani,Mischel,Minges,Minella,Mimes,Milles,Milbrett,Milanes,Mikolajczyk,Mikami,Meucci,Metler,Methven,Metge,Messmore,Messerschmidt,Mesrobian,Meservey,Merseal,Menor,Menon,Menear,Melott,Melley,Melfi,Meinhart,Megivern,Megeath,Meester,Meeler,Meegan,Medoff,Medler,Meckley,Meath,Mearns,Mcquigg,Mcpadden,Mclure,Mckellips,Mckeithen,Mcglathery,Mcginnes,Mcghan,Mcdonel,Mccullom,Mccraken,Mccrackin,Mcconathy,Mccloe,Mcclaughry,Mcclaflin,Mccarren,Mccaig,Mcaulay,Mcaffee,Mazzuca,Maytubby,Mayner,Maymi,Mattiello,Matthis,Matthees,Matthai,Mathiason,Mastrogiovann,Masteller,Mashack,Marucci,Martorana,Martiniz,Marter,Martellaro,Marsteller,Marris,Marrara,Maroni,Marolda,Marocco,Maritn,Margo,Maresh,Maready,Marchione,Marbut,Maranan,Maragno,Mapps,Manrriquez,Manny,Mannis,Manni,Mangina,Manganelli,Mancera,Mamon,Maloch,Mallozzi,Maller,Majchrzak,Majano,Mainella,Mahanna,Maertens,Madon,Macumber,Macioce,Machuga,Machlin,Machida,Machala,Mabra,Lynne,Lybbert,Luvert,Lutts,Luttrull,Lupez,Lukehart,Ludewig,Luchsinger,Loyal,Lovecchio,Louissaint,Loughney,Lottie,Lostroh,Lose,Lorton,Lorette,Lopeman,Loparo,Longs,Loner,Londo,Lombera,Lokietek,Loiko,Lohrenz,Lohan,Lofties,Locklar,Lockaby,Lobianco,Loader,Loa,Llano,Livesey,Litster,Liter,Liske,Linsky,Linne,Lindbeck,Limes,Licudine,Leyua,Levie,Letterman,Leonelli,Lenzo,Lenze,Lents,Leitao,Leif,Leidecker,Leibold,Lehne,Legan,Legacy,Lefave,Leehy,Ledue,Lecount,Lecea,Leadley,Lazzara,Lazcano,Lazalde,Layer,Lavi,Lavancha,Lavan,Lav,Laude,Latu,Latty,Lato,Larranaga,Lapidus,Lapenta,Langridge,Langeveld,Langel,Lanes,Landowski,Landgren,Landfried,Lame,Lamattina,Lallier,Lairmore,Lahaie,Lagazo,Lagan,Lafoe,Lafluer,Laflame,Lafevers,Lada,Lacoss,Lachney,Labreck,Labreche,Labay,Laa,Kwasnik,Kuzyk,Kutzner,Kushnir,Kusek,Kurtzman,Kurian,Kulhanek,Kuklinski,Kuh,Kueny,Kuczynski,Kubitz,Kuang,Kruschke,Krous,Krompel,Kritz,Krimple,Kriese,Krenzer,Kreis,Kratzke,Krane,Krage,Kraebel,Kozub,Kozma,Kouri,Koudelka,Kotcher,Kotas,Kostic,Kosh,Kosar,Kopko,Kopka,Kooy,Konigsberg,Konarski,Kolmer,Kohlmeyer,Kobbe,Knoop,Knoedler,Knocke,Knipple,Knippenberg,Knickrehm,Kneisel,Kluss,Klossner,Klipfel,Klawiter,Klasen,Kittles,Kissack,Kirtland,Kirschenmann,Kirckof,Kiphart,Kinstler,Kinion,Kilton,Killman,Kiehl,Kief,Kett,Kesling,Keske,Kerstein,Kepple,Keneipp,Kempson,Kempel,Kelp,Kehm,Kehler,Keh,Keeran,Keedy,Kebert,Keast,Kearbey,Kawaguchi,Kaupu,Kauble,Katzenbach,Kate,Katcher,Kartes,Karpowicz,Karpf,Karen,Karban,Kanzler,Kanarek,Kamper,Kaman,Kalsow,Kalafut,Kaeser,Kaercher,Kaeo,Kaeding,Jurewicz,Julson,Jozwick,Jollie,Johnigan,Johll,Jochum,Jewkes,Jestes,Jeska,Jersey,Jereb,Jayson,Jaurez,Jarecki,Jansma,Janosik,Jandris,Jamin,Jahr,Jacot,Jabs,Ivens,Itson,Isenhower,Iovino,Ionescu,Ingrum,Ingels,Inch,Imrie,Imlay,Ihlenfeld,Ihde,Igou,Ibach,Huyett,Hurry,Huppe,Hultberg,Hullihen,Hugi,Hueso,Huesman,Hsiao,Hronek,Hovde,Housewright,Houlahan,Hougham,Houchen,Hostler,Hoster,Hosang,Hornik,Hornes,Horio,Honyumptewa,Honeyman,Honer,Hommerding,Holsworth,Hollobaugh,Hollinshead,Hollands,Hollan,Holecek,Holdorf,Hokes,Hogston,Hoesly,Hodkinson,Hodgman,Hodgens,Hochstedler,Hochhauser,Hobbie,Hoare,Hnat,Hiss,Hiskey,Hirschy,Hinostroza,Hink,Hing,Hillmer,Hillian,Hillerman,Hietala,Hierro,Hickling,Hickingbottom,Heye,Heubusch,Hesselschward,Herriot,Hernon,Hermida,Hermans,Hentschel,Henningson,Henneke,Henk,Heninger,Heltsley,Helmle,Helminiak,Helmes,Hellner,Hellmuth,Helke,Heitmeyer,Heird,Heinle,Heinicke,Heinandez,Heimsoth,Heimlich,Heibel,Hegyi,Heggan,Hefel,Heeralall,Hedrington,Heacox,Hazlegrove,Hazelett,Haymore,Havenhill,Hautala,Hascall,Harvie,Hartrick,Hartling,Harrer,Harles,Hargenrader,Hanshew,Hanly,Hankla,Hanisch,Hancox,Hammann,Hambelton,Halseth,Hallisey,Halleck,Hallas,Haisley,Hairr,Hainey,Hainer,Hailstock,Haertel,Guzek,Guyett,Guster,Gussler,Gurwitz,Gurka,Gunsolus,Guinane,Guiden,Gugliotti,Guevin,Guevarra,Guerard,Gudaitis,Guadeloupe,Gschwind,Grupe,Grumbach,Gruenes,Gruenberg,Grosser,Grom,Grodski,Groden,Grizzel,Gritten,Griswald,Grishaber,Grinage,Grimwood,Grims,Griffon,Griffies,Gribben,Grew,Gressley,Gren,Greenstreet,Grealish,Gravett,Grantz,Granfield,Granade,Gowell,Gossom,Gorsky,Goring,Goodnow,Goodfriend,Goodemote,Golob,Gollnick,Golladay,Goldwyn,Goldsboro,Golds,Goldrick,Gohring,Gohn,Goettsch,Goertzen,Goelz,Godinho,Goans,Glumac,Gleisner,Gleen,Glassner,Glanzer,Gladue,Gjelaj,Givhan,Girty,Girone,Girgenti,Giorgianni,Gilpatric,Gillihan,Gillet,Gilbar,Gierut,Gierhart,Gibert,Gianotti,Giannetto,Gianelli,Giambanco,Gharing,Geurts,Gettis,Gettel,Gest,Germani,Gerdis,Gerbitz,Geppert,Gennings,Gemmer,Gelvin,Gellert,Gehler,Geddings,Gearon,Geach,Gazaille,Gayheart,Gauld,Gaukel,Gaudio,Gato,Gathing,Gasque,Garstka,Garsee,Garringer,Garofano,Garo,Garnsey,Garigen,Garcias,Garbe,Ganoung,Ganfield,Ganaway,Gamero,Galuska,Galster,Gallacher,Galinski,Galimi,Galik,Galeazzi,Galdo,Galdames,Galas,Galanis,Gaglio,Gaff,Gaeddert,Gadapee,Fussner,Furukawa,Fuhs,Fuerte,Fuerstenberg,Fryrear,Fruits,Froese,Fringer,Frieson,Friesenhahn,Frieler,Friede,Freymuth,Freyman,Freudenberg,Freman,Fredricksen,Frech,Frasch,Frantum,Frankin,Franca,Frago,Fragnoli,Fouquet,Fossen,Foskett,Forner,Formosa,Formisano,Forget,Fooks,Fons,Folino,Flott,Floor,Flesch,Flener,Flemmons,Flattery,Flanagin,Flamino,Flamand,Fitzerald,Findling,Filsinger,Fillyaw,Fillinger,Fiechter,Ferre,Ferdon,Feldkamp,Fazzio,Favia,Faulconer,Faughnan,Faubel,Fassler,Faso,Farrey,Farrare,Farnworth,Farland,Fairrow,Faille,Faherty,Fagnant,Fabula,Fabbri,Eylicio,Esteve,Estala,Espericueta,Escajeda,Erlich,Equia,Epson,Enrriquez,Enomoto,Enmon,Engemann,Emmerson,Emmel,Emler,Emilio,Elstad,Ellwein,Ellerson,Eliott,Eliassen,Elchert,Eisenbeis,Eisel,Eikenberry,Eichholz,Ehmer,Edris,Edgerson,Echenique,Eberley,Eans,Dziuk,Dykhouse,Dworak,Dutt,Dupas,Duntz,Dunshee,Dunovant,Dunnaway,Dummermuth,Duerson,Duddy,Ducotey,Duchon,Duchesneau,Ducci,Dubord,Duberry,Dubach,Drummonds,Droege,Drish,Drier,Drexel,Dresch,Dresbach,Drenner,Drechsler,Dowen,Dotter,Dosreis,Doser,Dorward,Dorin,Dorf,Door,Domeier,Doler,Doleman,Dolbow,Dolbin,Dobrunz,Dobransky,Dobberstein,Dlouhy,Diosdado,Dingmann,Dimmer,Dimarino,Dimaria,Dilly,Dillenburg,Dilaura,Dieken,Dickhaus,Dibbles,Dibben,Diamante,Dewilde,Dewaard,Devich,Devenney,Devaux,Dettinger,Desroberts,Dershem,Dersch,Derita,Derickson,Depina,Deorio,Deoliveira,Denzler,Dentremont,Denoble,Demshar,Demond,Demint,Demichele,Demel,Delzer,Delval,Delorbe,Delli,Delbridge,Delanoy,Delancy,Delahoya,Dekle,Deitrick,Deis,Dehnert,Degrate,Defrance,Deetz,Deeg,Decoster,Decena,Dearment,Daughety,Datt,Darrough,Danzer,Dante,Danielovich,Dandurand,Dancause,Dalo,Dalgleish,Daisley,Daft,Dadlani,Daddona,Daddio,Dacpano,Cyprian,Cutillo,Cush,Curz,Curvin,Cuna,Cumber,Cullom,Cudworth,Cubas,Crysler,Cryderman,Crummey,Crumbly,Crookshanks,Croes,Criscione,Crimes,Crespi,Cresci,Creaser,Craton,Cramp,Cradle,Cowin,Cowdrey,Coutcher,Cotterman,Cosselman,Cosgriff,Cortner,Corsini,Corporan,Corniel,Cornick,Cordts,Cordial,Copening,Coolman,Connick,Conlisk,Conelli,Common,Comito,Colten,Colling,Colletta,Coldivar,Colclasure,Colantuono,Colaizzi,Coggeshall,Cockman,Cockfield,Cobourn,Cobo,Cobarrubias,Clyatt,Cloney,Clonch,Climes,Cleckner,Clearo,Claybourne,Clavin,Claridge,Claffey,Ciufo,Cisnero,Cipollone,Cieslik,Ciejka,Cichocki,Cicchetti,Cianflone,Chrusciel,Christesen,Chmielowiec,Chirino,Chillis,Chihuahua,Chhoun,Chevas,Chehab,Chaviano,Chavaria,Chasten,Charbonnet,Chanley,Champoux,Champa,Chalifoux,Cerio,Cedotal,Cech,Cavett,Cavendish,Catoire,Castronovo,Castellucci,Castellow,Castaner,Casso,Cassels,Cassatt,Cassar,Cashon,Cartright,Carros,Carrisalez,Carrig,Carrejo,Carnicelli,Carnett,Carlise,Carline,Carhart,Caren,Cardova,Cardell,Carchi,Caram,Caquias,Capper,Capizzi,Capano,Cannedy,Campese,Calvello,Callon,Callins,Callies,Callicutt,Calix,Calin,Califf,Calderaro,Caldeira,Cadriel,Cadmus,Cadman,Caccamise,Buys,Buttermore,Butay,Bustamente,Busa,Burmester,Burkard,Burhans,Burgert,Bure,Burdin,Bullman,Bulin,Buelna,Buehner,Budin,Buco,Buckhanon,Bryars,Brutger,Brus,Brumitt,Brum,Bruer,Brucato,Broyhill,Broy,Brownrigg,Brownie,Brossart,Brookings,Broden,Brocklehurst,Brockert,Bristo,Briskey,Brisbane,Bringle,Bries,Briar,Bressman,Bren,Branyan,Brands,Bramson,Brammell,Brallier,Bozich,Boysel,Bowthorpe,Bowron,Bowin,Boutilier,Boulos,Boullion,Boughter,Bottiglieri,Borruso,Borrow,Borreggine,Borns,Borkoski,Borghese,Borenstein,Boran,Bora,Booton,Bonvillain,Bonini,Bong,Bonello,Bolls,Boitnott,Boike,Bohnet,Bohnenkamp,Bohmer,Boeson,Boeneke,Bodey,Bocchino,Bobrowski,Bobic,Bluestein,Bloomingdale,Blogg,Blewitt,Blenman,Bleck,Blaszak,Blankenbeckle,Blando,Blanchfield,Blancato,Blalack,Blakenship,Blackett,Bisping,Birkner,Birckhead,Bingle,Bineau,Billiel,Bigness,Bies,Bierer,Bhalla,Beyerlein,Bew,Betesh,Besler,Berzins,Bertalan,Berntsen,Berna,Bergo,Berganza,Bennis,Benney,Benkert,Benjamen,Benincasa,Bengochia,Bendle,Bendana,Benchoff,Benbrook,Belsito,Belshaw,Belinsky,Belak,Bela,Beigert,Beidleman,Behen,Befus,Beel,Beebee,Bedonie,Beckstrand,Beckerle,Beato,Bears,Bauguess,Baughan,Bauerle,Battis,Batis,Bastone,Bastille,Bassetti,Bashor,Bary,Bartunek,Bartoletti,Barro,Barno,Barnicle,Barlage,Barkus,Barkdull,Bari,Barcellos,Barbarino,Baranski,Baranick,Bankert,Banchero,Ban,Bambrick,Bamberg,Bambenek,Balthrop,Balmaceda,Ballman,Balistrieri,Balcomb,Balboni,Balbi,Bakshi,Bagner,Bagent,Badasci,Bacot,Bache,Babu,Babione,Babic,Babers,Babbs,Awkward,Avitabile,Avers,Avena,Avance,Ausley,Auker,Audas,Aud,Aubut,Athearn,Atcheson,Astorino,Asplund,Aslanian,Askari,Ashmead,Asby,Asai,Arterbury,Artalejo,Arqueta,Arquero,Arostegui,Arnell,Armeli,Arista,Arender,Arca,Arballo,Aprea,Applen,Applegarth,Apfel,Antonello,Antolin,Antkowiak,Angis,Angione,Angerman,Angelilli,Andujo,Andrick,Anderberg,Amigon,Ambers,Amalfitano,Alviso,Alvez,Altice,Altes,Almarez,Allton,Allston,Allgeyer,Allegretti,Aliaga,Algood,Alberg,Albarez,Albaladejo,Akre,Aitkin,Ahles,Ahlberg,Agnello,Adrien,Adinolfi,Adamis,Abramek,Abolt,Abitong,Zurich,Zurawski,Zufall,Zubke,Zizzo,Zipperer,Zinner,Zinda,Ziller,Zill,Zevallos,Zesati,Zenzen,Zentner,Zellmann,Zelinsky,Zboral,Zarcone,Zapalac,Zaldana,Zakes,Zaker,Zahniser,Zacherl,Zabawa,Zabaneh,Yum,Youse,Youree,Younis,Yorty,Yonce,Yero,Yerkey,Yeck,Yeargan,Yauch,Yashinski,Yambo,Xiang,Wrinn,Wrightsman,Worton,Wortley,Worland,Woolworth,Woolfrey,Woodhead,Woltjer,Wolfenden,Wolden,Wolchesky,Wojick,Woessner,Witwer,Witters,Witchard,Wissler,Wisnieski,Wisinski,Winnike,Winkowski,Winkels,Wingenter,Wineman,Winegardner,Wimpy,Wilridge,Wilmont,Willy,Willians,Williamsen,Wilhide,Wilhelmsen,Wilhelmi,Wildrick,Wilden,Wiland,Wiker,Wigglesworth,Wiebusch,Widdowson,Wiant,Wiacek,Whittet,Whitter,Whitelock,Whiteis,Whiley,Westrope,Westpfahl,Westin,Wessman,Wessinger,Wesemann,Wesby,Wertheimer,Weppler,Wenke,Wengler,Wender,Welp,Weitzner,Weissberg,Weisenborn,Weipert,Weiman,Weidmann,Wehrsig,Wehrenberg,Weemes,Weeman,Wayner,Waston,Wasicek,Wascom,Wasco,Warmath,Warbritton,Waltner,Wallenstein,Waldoch,Waldal,Wala,Waide,Wadlinger,Wadhams,Vullo,Voorheis,Vonbargen,Volner,Vollstedt,Vollman,Vold,Voge,Vittorio,Virtue,Virginia,Violett,Viney,Vinciguerra,Vinal,Villata,Villarrvel,Vilanova,Vigor,Vigneault,View,Vielma,Veyna,Vessella,Versteegh,Verderber,Venier,Venice,Venditti,Velotta,Vejarano,Veil,Vecchia,Vecchi,Vastine,Vasguez,Varella,Vanry,Vannah,Vanhyning,Vanhuss,Vanhoff,Vanhoesen,Vandivort,Vandevender,Vanderlip,Vanderkooi,Vandebrink,Vancott,Vallien,Vallas,Vallandingham,Valiquette,Valasek,Vahey,Vagott,Uyematsu,Urbani,Uran,Upp,Uno,Union,Umbach,Udo,Tyon,Tyma,Twyford,Twombley,Twohig,Tutterrow,Turnes,Turkington,Turchi,Tunks,Tumey,Tumbaga,Tuinstra,Tsukamoto,Tschetter,Trussel,Trubey,Trovillion,Troth,Trostel,Tron,Trinka,Trine,Tribbey,Triarsi,Trevor,Treto,Trautz,Tragesser,Tooman,Toolson,Tonozzi,Tomkiewicz,Tomb,Tomasso,Tolin,Tolfree,Toelle,Tisor,Tiry,Tinstman,Timmermann,Tillie,Tickner,Tiburcio,Thunberg,Thronton,Thompsom,Theil,Thayne,Thaggard,Teschner,Tensley,Tenery,Tempest,Tellman,Tellado,Telep,Teigen,Teator,Teall,Tayag,Tavis,Tattersall,Tassoni,Tarshis,Tappin,Tappe,Tansley,Talone,Talford,Tainter,Taha,Taguchi,Tacheny,Tabak,Szymczyk,Szwaja,Szopinski,Sze,Syvertsen,Swogger,Switcher,Swist,Swilling,Swierczek,Swiech,Swickard,Swiatek,Swezey,Swepson,Sweezy,Swaringen,Swanagan,Swailes,Swade,Sveum,Svenningsen,Svec,Suttie,Supry,Sunga,Summerhill,Summars,Sulit,Stys,Stutesman,Stupak,Stumpo,Stuller,Stuekerjuerge,Stuckett,Stuckel,Stuchlik,Stuard,Strutton,Strop,Stromski,Stroebel,Strehlow,Strause,Strano,Straney,Stradling,Stoyle,Stormo,Stopyra,Stoots,Stoop,Stonis,Stoltenburg,Stoiber,Stoessel,Stitzer,Stien,Stichter,Stezzi,Stewert,Stepler,Steinkraus,Stegemann,Steeples,Steenburg,Steeley,Staszak,Stasko,Starkson,Stanwick,Stanke,Stanifer,Stangel,Stain,Stai,Squiers,Sprout,Springsteen,Spraglin,Spragins,Spraberry,Spoelstra,Spisak,Spirko,Spille,Spidel,Speyer,Speroni,Spenst,Speak,Spartz,Sparlin,Sparacio,Spaman,Spainhower,Sow,Souers,Souchet,Sosbee,Sorn,Sorice,Sorbo,Soqui,Somer,Solon,Soehl,Sodergren,Socorro,Sobie,Smucker,Smsith,Smoley,Smolensky,Smolenski,Smolder,Smethers,Slusar,Slowey,Slonski,Slemmons,Slatkin,Slates,Slappy,Slaney,Slagter,Slacum,Skutnik,Skrzypek,Skibbe,Sjostrom,Sjoquist,Sivret,Sitko,Sisca,Sinnett,Sineath,Simoni,Simar,Simao,Silvestro,Silleman,Silkwood,Silha,Silfies,Silberhorn,Silacci,Sigrist,Sieczkowski,Sieczka,Shure,Shulz,Shugrue,Shrode,Shown,Shovlin,Shortell,Shonka,Shiyou,Shiraishi,Shiplett,Sheu,Shermer,Sherick,Sheng,Sheeks,Shed,Sharron,Shantz,Shakir,Shaheed,Shadoan,Shadid,Shackford,Shabot,Seung,Seufert,Setty,Setters,Servis,Server,Serres,Serrell,Serpico,Serpas,Serafine,Sensenig,Senft,Semenec,Semen,Semas,Semaan,Selvera,Sellmeyer,Sek,Segar,Seever,Seeney,Seeliger,Seehafer,Seebach,Sebben,Seaward,Seary,Searl,Searby,Scotland,Scordino,Scolieri,Scolaro,Schwiebert,Schwartze,Schwaner,Schuur,Schupbach,Schumacker,Schum,Schudel,Schubbe,Schroader,Schramel,Schollmeyer,Schoenherr,Schoeffler,Schoeder,Schnurr,Schnorr,Schneeman,Schnake,Schnaible,Schmaus,Schlotter,Schinke,Schimming,Schimek,Schikora,Scheulen,Scherping,Schermer,Scherb,Schember,Schellhase,Schedler,Schanck,Schaffhauser,Schaffert,Schadler,Scarola,Scarfo,Scarff,Scantling,Scaff,Sayward,Sayas,Saxbury,Savin,Savel,Savastano,Savannah,Sault,Satre,Sarkar,Santellan,Sandmeier,Sampica,Salvesen,Saltis,Salloum,Salling,Salce,Salatino,Salata,Salamy,Safe,Sadowsky,Sadlier,Sabbatini,Sabatelli,Sabal,Sabados,Rydzewski,Rybka,Rybczyk,Ruz,Rusconi,Rupright,Rufino,Ruffalo,Rudiger,Rudig,Ruda,Rubyor,Royea,Roxberry,Rover,Rouzer,Roumeliotis,Roston,Rossmann,Rosko,Rosetta,Rosene,Rosenbluth,Roseland,Rosasco,Rosano,Rosal,Rorabaugh,Romie,Romaro,Rolstad,Rollow,Rohrich,Roghair,Rogala,Roets,Roen,Roemmich,Roelfs,Roeker,Roedl,Roedel,Rodeheaver,Roddenberry,Rockstad,Rocchi,Robirds,Robben,Robasciotti,Robaina,Rizzotto,Rizzio,Rittle,Ritcher,Rissman,Riseden,Ripa,Rion,Rintharamy,Rinehimer,Rinck,Riling,Rike,Rietschlin,Riesenberg,Riemenschneid,Rieland,Rickenbaugh,Rickenbach,Riches,Rhody,Revells,Reutter,Respress,Resnik,Renton,Remmel,Reitmeyer,Reitan,Reister,Reinstein,Reino,Reinkemeyer,Reifschneider,Reierson,Reichle,Rehmeier,Rehl,Regine,Reeds,Rede,Records,Recar,Rebeiro,Raybourn,Rawl,Rautio,Raugust,Raudenbush,Raudales,Rattan,Rashad,Rapuano,Rapoport,Rantanen,Ransbottom,Raner,Ramkissoon,Rambousek,Raio,Rainford,Radakovich,Rad,Rabenhorst,Quivers,Quispe,Quintin,Quinoes,Quince,Quilici,Quattrone,Quates,Quance,Quale,Purswell,Purpora,Pulera,Pulcher,Puckhaber,Pryer,Pruyne,Pruit,Prudencio,Prows,Protzman,Prothero,Prospero,Prosperi,Prospal,Privott,Pritchet,Priem,Prest,Prell,Preer,Pree,Preddy,Preda,Pravata,Pradhan,Potocki,Postier,Postema,Posse,Posadas,Poremba,Popper,Popichak,Ponti,Pomrenke,Pomponi,Pomarico,Pollok,Polkinghorn,Polino,Pock,Plough,Plenty,Plater,Plagman,Pipher,Pinzone,Pinkleton,Pillette,Pillers,Pill,Pilapil,Pignone,Pignatelli,Piersol,Piepho,Picton,Pickrel,Picket,Pichard,Picchi,Piatek,Pharo,Phanthanouvon,Pettingill,Pettinato,Petrovits,Pethtel,Petersheim,Pershing,Perrez,Perra,Pergram,Peretz,Perego,Perches,Pennello,Pennella,Pennant,Pendry,Penaz,Pellish,Peeks,Pecanty,Peare,Paysour,Pavlovich,Pavick,Pavelko,Paustian,Patzer,Patsy,Patete,Patadia,Paszkiewicz,Pase,Pasculli,Pascascio,Parrotte,Parlor,Parajon,Paparo,Papandrea,Paone,Pantaleon,Panning,Paniccia,Pancho,Panarello,Palmeter,Pallan,Palardy,Pahmeier,Padget,Padel,Oyster,Oya,Oxborrow,Oveson,Outwater,Ottaway,Otake,Ostermeyer,Osmer,Osinski,Osiecki,Oroak,Orndoff,Orms,Orkin,Oregon,Ordiway,Opatz,Onsurez,Onishi,Oliger,Okubo,Okoye,Ohlmann,Offord,Offner,Offerdahl,Oesterle,Oesch,Odonnel,Odeh,Odebralski,Obie,Obermeier,Oberhausen,Obenshain,Obenchain,Oats,Nute,Nulty,Norrington,Norlin,Nore,Nordling,Nordhoff,Norder,Nordan,Norals,Nogales,Noboa,Nitsche,Niermann,Nienhaus,Niedringhaus,Niedbalski,Nicolella,Nicolais,Nickleberry,Nicewander,Newfield,Neurohr,Neumeier,Netterville,Nersesian,Nern,Nerio,Nerby,Nerbonne,Neitz,Neighbours,Neighbor,Neidecker,Neat,Neason,Nead,Navratil,Naves,Nastase,Nasir,Nasca,Narine,Narimatsu,Nard,Narayanan,Nappo,Namm,Nalbone,Nakonechny,Nabarro,Myott,Muthler,Muscatello,Murriel,Murin,Murders,Muoio,Mundel,Munafo,Mulch,Mukherjee,Muffoletto,Muessig,Muckey,Mucher,Mruk,Moyd,Mowell,Mowatt,Moutray,Mourning,Mou,Motzer,Moster,Mortis,Morgenroth,Morga,Morataya,Montross,Montezuma,Monterroza,Montemarano,Montello,Montbriand,Montavon,Montaque,Monigold,Monforte,Molgard,Moleski,Mohsin,Mohead,Mofield,Moerbe,Moeder,Mochizuki,Miyazaki,Miyasaki,Mital,Miskin,Mischler,Minus,Minniear,Minero,Milosevic,Mildenhall,Mila,Mikhail,Mielsch,Midden,Michonski,Michniak,Michitsch,Michelotti,Micheli,Michelfelder,Michand,Miao,Metelus,Merkt,Merando,Meranda,Mentz,Meneley,Menaker,Memory,Melino,Meir,Mehaffy,Meehl,Meech,Meczywor,Mcweeney,Mcumber,Mcredmond,Mcneer,Mcnay,Mcmikle,Mcmaken,Mclaurine,Mclauglin,Mclaney,Mckune,Mckinnies,Mckague,Mchattie,Mcgrapth,Mcglothen,Mcgath,Mcfolley,Mcdannell,Mccurty,Mccort,Mcclymonds,Mcclimon,Mcclamy,Mccaughan,Mccartan,Mccan,Mccadden,Mcburnie,Mcburnett,Mcbryar,Mcannally,Mcalevy,Mcaleese,Maytorena,Mayrant,Mayol,Mayland,Mayeaux,Mauter,Matthewson,Mathiew,Matern,Matera,Maslow,Mashore,Masaki,Maruco,Martorell,Martenez,Marry,Marrujo,Marrison,Maroun,Markway,Markos,Markoff,Markman,Marian,Marello,Marbry,Marban,Maranda,Maphis,Manuele,Mansel,Manganello,Mandrell,Mandoza,Manard,Manago,Maltba,Mallick,Mallak,Maline,Malikowski,Majure,Majcher,Maise,Mahl,Maffit,Maffeo,Madueno,Madlem,Madariaga,Macvane,Mackler,Macconnell,Macchi,Maccarone,Lyng,Lynchard,Lura,Lunning,Luneau,Lunden,Lumbra,Lumbert,Lueth,Ludington,Luckado,Lucchini,Lucatero,Luallen,Lozeau,Lowen,Lovera,Lovelock,Louck,Lothian,Lorio,Lorimer,Lorge,Loretto,Longhenry,Lonas,Loiseau,Lohrman,Logel,Loft,Locks,Lockie,Llerena,Livington,Liuzzi,Liscomb,Lippeatt,Liou,Linhardt,Lindelof,Lindbo,Limehouse,Limage,Lillo,Lillian,Lilburn,Liggons,Lidster,Liddy,Liddick,Lich,Liberato,Lian,Lia,Leysath,Lewelling,Lesney,Leser,Lescano,Leonette,Lentsch,Lenius,Lemmo,Lemming,Lemcke,Lein,Leggette,Legerski,Legard,Leever,Leete,Ledin,Lecomte,Lecocq,Leakes,Leab,Lazarz,Layous,Lawrey,Lawery,Lauze,Lautz,Laughinghouse,Latulippe,Lattus,Lattanzio,Later,Lascano,Larmer,Laris,Larcher,Laprise,Lapin,Lapage,Lano,Langseth,Langman,Langland,Landstrom,Landsberg,Landsaw,Landram,Lamphier,Lamendola,Lamberty,Lakhani,Laker,Lajara,Lagrow,Lagman,Ladewig,Laderman,Ladden,Lacrue,Laclaire,Lachut,Lachner,Kwit,Kvamme,Kvam,Kutscher,Kushi,Kurgan,Kunsch,Kundert,Kun,Kulju,Kukene,Kudo,Kubin,Kubes,Kuberski,Krystofiak,Kruppa,Krul,Krukowski,Kruegel,Kronemeyer,Krock,Kriston,Kretzer,Krenn,Kralik,Krafft,Krabill,Kozisek,Kovich,Koverman,Kovatch,Kovarik,Kotlowski,Kosmala,Kosky,Kosir,Kosa,Korpi,Kornbluth,Koppen,Kooistra,Kohlhepp,Kofahl,Koeneman,Koebel,Koczur,Kobrin,Kobashigawa,Koba,Knuteson,Knoff,Knoble,Knipper,Knierim,Kneisley,Klusman,Kloc,Klitzing,Klinko,Klinefelter,Klemetson,Kleinpeter,Klauser,Klatte,Klaren,Klare,Kissam,Kirkhart,Kirchmeier,Kinzinger,Kindt,Kincy,Kincey,Kimoto,Killingworth,Kilcullen,Kilbury,Kietzman,Kienle,Kiedrowski,Kidane,Khamo,Khalili,Ketterling,Ketchem,Kessenich,Kessell,Kepp,Kenon,Kenning,Kennady,Kendzior,Kemppainen,Kellermann,Keirns,Keilen,Keiffer,Kehew,Keelan,Keawe,Keator,Kealy,Keady,Kathman,Kastler,Kastanes,Kassab,Karren,Karpin,Karau,Karathanasis,Kara,Kaps,Kaplun,Kapaun,Kannenberg,Kanipe,Kander,Kandel,Kanas,Kanan,Kamke,Kaltenbach,Kallenberger,Kallam,Kali,Kaley,Kafton,Kafer,Kabler,Kaaihue,Jupiter,Jundt,Jubilee,Jovanovich,Jojola,Johnstad,Jodon,Joachin,Jinright,Jew,Jessick,Jeronimo,Jerald,Jenne,Jelsma,Jeannotte,Jeangilles,Jaworsky,Jaubert,Jarry,Jarrette,Jarreau,Jarett,Janos,Janecka,Janczak,Jalomo,Jagoda,Jagla,Jacquier,Jaber,Iwata,Ivanoff,Isola,Iserman,Isais,Isaacks,Iron,Inverso,Infinger,Ibsen,Hyser,Hylan,Hybarger,Hwee,Hutchenson,Hutchcroft,Husar,Hurlebaus,Hunsley,Hunker,Hummingbird,Humberson,Hulst,Hulon,Huhtala,Hugill,Hugghins,Huffmaster,Huckeba,Hrabovsky,Howden,Hoverson,Houts,Houskeeper,Housh,Hosten,Horras,Horchler,Hor,Hopke,Hooke,Honie,Holtsoi,Holsomback,Holoway,Holmstead,Hoistion,Hohnstein,Hoheisel,Hoguet,Hoggle,Hogenson,Hoffstetter,Hoffler,Hoffa,Hofe,Hoefling,Hoague,Hizer,Hirschfield,Hironaka,Hiraldo,Hinote,Hingston,Hind,Hinaman,Hillie,Hillesheim,Hilderman,Hiestand,Heyser,Heys,Hews,Hew,Hertler,Herrero,Herrandez,Heppe,Henle,Henkensiefken,Henigan,Henandez,Henagan,Hemberger,Heman,Helser,Helmich,Hellinger,Helfrick,Heldenbrand,Heinonen,Heineck,Heikes,Heidkamp,Heglar,Heffren,Heelan,Hedgebeth,Heckmann,Heckaman,Hechmer,Hazelhurst,Hawken,Haverkamp,Havatone,Hausauer,Hasch,Harwick,Hartse,Harts,Harrower,Harle,Hargroder,Hardway,Hardinger,Hardemon,Harbeck,Hant,Hamre,Hamberg,Hallback,Haisten,Hailstone,Hahl,Hagner,Hagman,Hagemeyer,Haeussler,Hackwell,Haby,Haataja,Gverrero,Gustovich,Gustave,Guske,Gushee,Gurski,Gurnett,Gura,Gunto,Gunselman,Gugler,Gudmundson,Gudinas,Guarneri,Grumbine,Gruis,Grotz,Grosskopf,Grosman,Grosbier,Grinter,Grilley,Grieger,Grewal,Gressler,Greaser,Graus,Grasman,Graser,Grannan,Granath,Gramer,Graboski,Goyne,Gowler,Gottwald,Gottesman,Goshay,Gorr,Gorovitz,Gores,Goossens,Goodier,Goodhue,Gonzeles,Gonzalos,Gonnella,Golomb,Golick,Golembiewski,Goeke,Godzik,Goar,Glosser,Glendenning,Glendening,Glatter,Glas,Gittings,Gitter,Gisin,Giscombe,Gimlin,Gillitzer,Gillick,Gilliand,Gilb,Gigler,Gidden,Gibeau,Gibble,Gianunzio,Giannattasio,Gertelman,Gerosa,Gerold,Gerland,Gerig,Gerecke,Gerbino,Genz,Genovesi,Genet,Gelrud,Geitgey,Geiszler,Gehrlein,Gazzo,Gawrys,Gavilanes,Gaulden,Gate,Garthwaite,Garmoe,Gargis,Gara,Gannett,Galligher,Galler,Galleher,Gallahan,Galford,Gal,Gahn,Gacek,Gabert,Fuster,Furuya,Furse,Fujihara,Fuhriman,Fruit,Frueh,Fromme,From,Froemming,Friskney,Frietas,Freiler,Freelove,Freber,Frear,Frankl,Frankenfield,Franey,Francke,Foxworthy,Formella,Foringer,Forgue,Forge,Fonnesbeck,Fonceca,Folland,Fodera,Fode,Floresca,Fleurent,Fleshner,Flentge,Fleischhacker,Fleeger,Flecher,Flam,Flair,Flaim,Fivecoat,Firebaugh,Fioretti,Finucane,Filley,Figuroa,Figuerda,Fiddelke,Feurtado,Fetterly,Fessel,Femia,Feild,Fehling,Fegett,Fedde,Fechter,Fawver,Faustino,Faulhaber,Fatchett,Fassnacht,Fashaw,Fasel,Farrugia,Farran,Farness,Farhart,Farbman,Fama,Falwell,Falvo,Falling,Falkenstein,Falin,Failor,Faigin,Fagundo,Fague,Fagnan,Fagerstrom,Faden,Eytchison,Eyles,Ewy,Evon,Everage,Evangelist,Estrin,Estorga,Esponda,Espindola,Escher,Esche,Escarsega,Escandon,Erven,Erding,Eplin,Enix,Englade,Engdahl,Enck,Emmette,Embery,Emberson,Eltzroth,Else,Elsayed,Ellerby,Ellens,Elhard,Elfers,Elazegui,Eisermann,Eilertson,Eiben,Ehrhard,Ehresman,Egolf,Egnew,Eggins,Efron,Effland,Eduardo,Edminster,Edgeston,Ede,Eckstrom,Eckhard,Eckford,Echoles,Ebsen,Eatherly,Eastlick,Earnheart,Ear,Dykhuizen,Dyas,Duttweiler,Dutka,Dutch,Dusenbury,Dusenbery,Durre,Durnil,Durnell,Durie,Durhan,Durando,Dupriest,Dunsmoor,Dunseith,Dunnum,Dunman,Dunlevy,Duma,Dulude,Dulong,Duignan,Dugar,Dufek,Ducos,Duchaine,Duch,Dubow,Drowne,Dross,Drollinger,Droke,Driggars,Dredge,Drawhorn,Drach,Drabek,Doyne,Doukas,Dorvil,Dorow,Doroski,Dornak,Dormer,Dorian,Donnelson,Donna,Donn,Donivan,Dondero,Dompe,Dolle,Doakes,Diza,Dixie,Divirgilio,Ditore,Distel,Disimone,Disbro,Dipiero,Dingson,Diluzio,Dillehay,Dilbert,Digiorgio,Diflorio,Dietzler,Dietsch,Dieterle,Dierolf,Dierker,Dicostanzo,Dicesare,Dexheimer,Dewitte,Dewing,Devoti,Devincentis,Devary,Deutschman,Dettloff,Detienne,Destasio,Dest,Despard,Desmet,Deslatte,Desfosses,Derise,Derenzo,Deppner,Depolo,Denoyer,Denoon,Denno,Denne,Deniston,Denike,Denes,Demoya,Demick,Demicco,Demetriou,Demange,Delva,Delorge,Delley,Delisio,Delhoyo,Delgrande,Delgatto,Delcour,Delair,Deinert,Degruy,Degrave,Degeyter,Defino,Deffenbaugh,Deener,Decook,Decant,Deboe,Deblanc,Deatley,Dearmitt,Deale,Deaguiar,Dayan,Daus,Dauberman,Datz,Dase,Dary,Dartt,Darocha,Dario,Dari,Dardis,Dapper,Danowski,Dancel,Dami,Dallmann,Dalere,Dalba,Dakan,Daise,Dailing,Dahan,Dagnan,Daggs,Dagan,Czarkowski,Czaplinski,Cutten,Curtice,Curenton,Cure,Curboy,Cura,Culliton,Culberth,Cucchiara,Cubbison,Csaszar,Crytser,Crotzer,Crossgrove,Crosser,Croshaw,Croissant,Crocco,Critzer,Creveling,Cressy,Creps,Creese,Cratic,Crate,Craigo,Craigen,Craib,Cracchiolo,Crable,Coykendall,Cowick,Coville,Couzens,Coutch,Cousens,Cousain,Counselman,Coult,Cotterell,Cott,Cotham,Corsaut,Corriere,Corredor,Cornet,Cornelia,Corkum,Coreas,Cordoza,Corbet,Corathers,Conwill,Contreas,Consuegra,Constanza,Conolly,Conedy,Companion,Comins,Combee,Colosi,Colom,Colmenares,Collymore,Colleran,Colina,Colaw,Colatruglio,Colantro,Colantonio,Cohea,Cogill,Codner,Code,Codding,Cockram,Cocanougher,Cobine,Cluckey,Clucas,Cloward,Cloke,Clisham,Clipper,Clinebell,Cliffe,Clendenen,Cisowski,Cirelli,Ciraolo,Ciocca,Cintora,Ciesco,Cibrian,Chupka,Chugg,Christmann,Choma,Chiverton,Chirinos,Chinen,Chimenti,Chima,Cheuvront,Chesla,Chesher,Chesebro,Chern,Chehebar,Cheatum,Chastine,Chapnick,Chapelle,Chambley,Cercy,Celius,Celano,Cayea,Cavicchi,Cattell,Catanach,Catacutan,Castelluccio,Castellani,Cassmeyer,Cassetta,Cassada,Caspi,Cashmore,Casebier,Casanas,Carrothers,Carrizal,Carriveau,Carretero,Carradine,Carosella,Carnine,Carmel,Carloni,Carkhuff,Cardosi,Cardo,Carchidi,Caravello,Caranza,Carandang,Capes,Cantrall,Canpos,Canoy,Cannizzaro,Canion,Canida,Canham,Cangemi,Cange,Candle,Cancelliere,Canard,Camarda,Calverley,Calogero,Callendar,Calame,Cadrette,Cachero,Caccavale,Cabreros,Cabrero,Cabrara,Cabler,Butzer,Butte,Butrick,Butala,Bustios,Busser,Busic,Bushorn,Busher,Burmaster,Burl,Burkland,Burkins,Burkert,Burgueno,Burgraff,Buren,Burel,Burdon,Burck,Burby,Buoy,Bunk,Bumford,Bulock,Bujnowski,Buggie,Buffy,Budine,Bucciero,Bubier,Brzoska,Brydges,Brumlow,Brosseau,Brooksher,Brokke,Broeker,Brittin,Bristle,Briano,Briand,Brettschneide,Bresnan,Brentson,Brenneis,Brender,Brazle,Brassil,Brasington,Branstrom,Branon,Branker,Brandwein,Brandau,Brana,Bralley,Brailey,Brague,Brade,Bozzi,Bownds,Bowmer,Bournes,Bour,Bouchey,Botto,Boteler,Borroel,Borra,Boroski,Boothroyd,Boord,Bonny,Bonga,Bonato,Bonadonna,Bolejack,Boldman,Boiser,Boggio,Bogacki,Boerboom,Boehnlein,Boehle,Bodah,Bobst,Boak,Bluemel,Blockmon,Blitch,Blincoe,Bleier,Blaydes,Blasius,Bittel,Bir,Binsfeld,Bindel,Bilotti,Billiott,Bilbrew,Bihm,Biersner,Bielat,Bidrowski,Bickler,Biasi,Bianca,Bhola,Bhat,Bewick,Betzen,Bettridge,Betti,Betsch,Besley,Beshero,Besa,Bertoli,Berstein,Berrien,Berrie,Berrell,Bermel,Berenguer,Benzer,Bensing,Bennie,Benedix,Bemo,Belile,Beilman,Behunin,Behrmann,Bedient,Becht,Beaule,Beaudreault,Bealle,Beagley,Bayuk,Bayot,Bayliff,Baugess,Battistoni,Batrum,Basinski,Basgall,Bartolomei,Bartnik,Bartl,Bartko,Bartholomay,Barthlow,Bartgis,Barsness,Barski,Barlette,Barickman,Bargen,Bardon,Barcliff,Barbu,Barbar,Barakat,Baracani,Baraban,Banos,Banko,Bania,Bambach,Balok,Balogun,Bally,Baldini,Balck,Balcer,Balash,Baim,Bailor,Bahm,Bahar,Bagshaw,Baggerly,Badie,Badal,Backues,Babino,Ba,Aydelott,Awbrey,Aversano,Avansino,Auyon,Aukamp,Aujla,Augenstein,Astacio,Ast,Asplin,Asato,Asano,Aruizu,Artale,Arrick,Arneecher,Armelin,Armbrester,Armacost,Arkell,Argue,Argrave,Areizaga,Areas,Apolo,Anzures,Anzualda,Antwi,Antillon,Antenor,Annand,Anhalt,Angove,Anglemyer,Anglada,Angiano,Angeloni,Andaya,Ancrum,Anagnos,Ammirati,Amescua,America,Ambrosius,Amacker,Amacher,Amabile,Alvizo,Alvernaz,Alvara,Altobelli,Altobell,Althauser,Alterman,Altavilla,Alsip,Alphonso,Almeyda,Almeter,Alman,Allscheid,Allaman,Aliotta,Alicia,Aliberti,Alghamdi,Alfonzo,Albiston,Alberta,Alberding,Alarie,Alano,Aja,Ailes,Ahsan,Ahrenstorff,Ahler,Aerni,Ackland,Achor,Acero,Acebo,Ace,Abshier,Abruzzo,Abrom,Abood,Abnet,Abend,Abegg,Abbruzzese,Aaberg,Zysk,Zutell,Zumstein,Zummo,Zuhlke,Zuehlsdorff,Zuch,Zucconi,Zortman,Zohn,Ziv,Zingone,Zingg,Zingale,Zima,Zientek,Zieg,Zervas,Zerger,Zenk,Zeldin,Zeiss,Zeiders,Zediker,Zea,Zavodny,Zarazua,Zappone,Zappala,Zapanta,Zaniboni,Zanchi,Zampedri,Zaller,Zakrajsek,Zagar,Zadrozny,Zablocki,Zable,Yust,Yunk,Youngkin,Yosten,Yockers,Yochim,Yerke,Yerena,Yeast,Yanos,Yam,Wysinger,Wyner,Wrisley,Woznicki,Wortz,Worsell,Wooters,Woon,Woolcock,Woodke,Wonnacott,Wolnik,Wittstock,Witting,Witry,Witfield,Witcraft,Wissmann,Wissink,Wisehart,Wiscount,Wironen,Wipf,Winterrowd,Wingett,Windon,Windish,Windisch,Windes,Wiltbank,Willmarth,Willick,Wiler,Wieseler,Wiedmaier,Wiederstein,Wiedenheft,Wieberg,Wickware,Wickkiser,Wickell,Whittmore,Whitker,Whitegoat,Whitcraft,Whisonant,Whisby,Whetsell,Whedon,Westry,Westcoat,Wernimont,Wentling,Wendlandt,Wencl,Weisgarber,Weininger,Weikle,Weigold,Weigl,Weichbrodt,Wehrli,Wehe,Weege,Weare,Watland,Wassmann,Warzecha,Warrix,Warrell,Warnack,Waples,Wantland,Wanger,Wandrei,Wander,Wanat,Wampole,Waltjen,Walterscheid,Waligora,Walding,Waldie,Walczyk,Wakins,Waitman,Wair,Wainio,Wahpekeche,Wahlman,Wagley,Wagenknecht,Wadle,Waddoups,Wadding,Wack,Vuono,Vuillemot,Vugteveen,Vosmus,Vorkink,Vories,Vondra,Voelz,Vlashi,Vivo,Vitelli,Vitali,Viscarra,Virgo,Vinet,Vimont,Villega,Villard,Vignola,Viereck,Videtto,Vicoy,Vessell,Vescovi,Verros,Vernier,Vernaglia,Vergin,Verdone,Verdier,Verastequi,Vejar,Vasile,Vasi,Varnadore,Vardaro,Vanzanten,Vansumeren,Vanschuyver,Vanleeuwen,Vanhowe,Vanhoozer,Vaness,Vandewalker,Vandevoorde,Vandeveer,Vanderzwaag,Vanderweide,Vanderhyde,Vandellen,Vanamburg,Vanalst,Vallin,Valk,Valerie,Valentini,Valcarcel,Valasco,Valadao,Vacher,Urquijo,Unterreiner,Unsicker,Unser,Unrau,Undercoffler,Uhm,Uffelman,Uemura,Ueda,Tyszko,Tyska,Tymon,Tyce,Tyacke,Twinam,Tutas,Tussing,Turmel,Turkowski,Turkel,Turchetta,Tupick,Tumblin,Tukes,Tufte,Tufo,Tuey,Tuell,Tuckerman,Tsutsumi,Tsuchiya,Try,Trossbach,Trivitt,Trippi,Trippensee,Trimbach,Trillo,Triller,Trible,Tribe,Tribby,Trevisan,Tresch,Tramonte,Traff,Trad,Tousey,Totaro,Torregrosa,Torralba,Torn,Tolly,Tofil,Tofani,Tobiassen,Tippy,Tiogangco,Tino,Tinnes,Tingstrom,Tingen,Tine,Tindol,Tifft,Tiffee,Tiet,Thuesen,Thruston,Throndson,Thornsbury,Thornes,Thiery,Thielman,Thie,Theilen,Thede,Thate,Thane,Thalacker,Thaden,Teuscher,Terracina,Terell,Terada,Tepfer,Tennessee,Tenneson,Tenant,Temores,Temkin,Tellers,Telleria,Teaque,Tealer,Teachey,Tavakoli,Tauras,Taucher,Tator,Tartaglino,Tarpy,Tape,Tannery,Tani,Tams,Tamlin,Tambe,Tallis,Talamante,Takayama,Takaki,Takagi,Taibl,Taffe,Tadesse,Tade,Tabeling,Tabag,Szoke,Szoc,Szala,Szady,Sysak,Sylver,Syler,Swonger,Swiggett,Swensson,Sweis,Sweers,Sweene,Sweany,Sweaney,Swartwout,Swamy,Swales,Swab,Susman,Surman,Surgeon,Sundblad,Summerset,Summerhays,Sumerall,Sule,Sugimoto,Subramanian,Sturch,Stupp,Stunkard,Stumpp,Struiksma,Stropes,Stromyer,Stromquist,Strede,Strazza,Strauf,Storniolo,Storjohann,Stonum,Stonier,Stonecypher,Stoneberger,Stollar,Stokke,Stokan,Stoetzel,Stoeckel,Stockner,Stockinger,Stockholm,Stockert,Stockdill,Stobbe,Stitzel,Stitely,Stirgus,Stigers,Stettner,Stettler,Sterlin,Sterbenz,Stemp,Stelluti,Steinmeyer,Steininger,Steinauer,Steigerwalt,Steider,Steady,Stavrou,Staufenberger,Stassi,Starin,Stankus,Stanaway,Stammer,Stakem,Staino,Stahlnecker,Stagnitta,Staelens,Staal,Srsen,Sprott,Sprigg,Sprenkle,Sprenkel,Spreitzer,Spraque,Sprandel,Spotted,Sporn,Spivak,Spira,Spiewak,Spieth,Spiering,Sperow,Speh,Specking,Spease,Spead,Sparger,Spanier,Spall,Sower,Southcott,Sosna,Soran,Sookram,Sonders,Solak,Sohr,Sohl,Sofranko,Soderling,Sochor,Sobon,Smutz,Smudrick,Smithj,Smid,Slosser,Sliker,Slenker,Sleight,Sleger,Sleet,Slaby,Skousen,Skilling,Skibinski,Skeeters,Skeet,Skees,Skane,Skafidas,Sivic,Sivertsen,Sivers,Sitra,Sito,Siracusa,Sinicki,Simpers,Simley,Simbeck,Silberberg,Siever,Siegwarth,Sidman,Siddons,Siddle,Sibbett,Si,Shumard,Shubrooks,Shough,Shorb,Shoptaw,Sholty,Shoffstall,Shiverdecker,Shininger,Shimasaki,Shifrin,Shiffler,Sheston,Sherr,Sherill,Shere,Shepeard,Shelquist,Shells,Sheler,Shave,Shauf,Sharrar,Sharpnack,Shanon,Shamsiddeen,Shambley,Shallenberger,Shadler,Shaban,Sha,Sferra,Seys,Sexauer,Sevey,Severo,Setlak,Seta,Sesko,Sersen,Serratore,Serdula,Senechal,Seldomridge,Seilhamer,Seifer,Seidlitz,Sehnert,Sedam,Sebron,Seber,Sebek,Seavers,Sear,Scullark,Scroger,Scovill,Sciascia,Sciarra,Schweers,Schwarze,Schummer,Schultes,Schuchardt,Schuchard,Schrieber,Schrenk,Schreifels,Schowalter,Schoultz,Scholer,Schofill,Schoff,Schnuerer,Schnettler,Schmitke,Schmiege,Schloop,Schlinger,Schlessman,Schlesser,Schlageter,Schiess,Schiefer,Schiavoni,Scherzer,Scherich,Schechtman,Schebel,Scharpman,Schaich,Schaap,Scappaticci,Scadlock,Savocchia,Savini,Savers,Save,Savageau,Sauvage,Sause,Sauerwein,Sary,Sarwary,Sarnicola,Santone,Santoli,Santalucia,Santacruce,Sansoucie,Sankoff,Sanes,Sandri,Sanderman,Sammartano,Salmonson,Salmela,Salmans,Sallaz,Salis,Sakuma,Sakowski,Sajdak,Sahm,Sagredo,Safrit,Sade,Sackey,Sabio,Sabino,Sabina,Rybolt,Ruzzo,Ruthstrom,Ruta,Russin,Russian,Russak,Rusko,Ruskin,Rusiecki,Ruscher,Rupar,Rumberger,Rullan,Ruliffson,Ruhlman,Ruger,Rufenacht,Ruelle,Rudisell,Rudi,Rucci,Rublee,Ruberto,Rubeck,Rowett,Rouge,Rottinghaus,Roton,Rothgeb,Rothgaber,Rothermich,Rostek,Rossini,Roskelley,Rosing,Rosi,Rosewell,Rosebush,Rosberg,Roon,Ronin,Romesburg,Romelus,Rolley,Rollerson,Rollefson,Rolins,Rolens,Rois,Rohrig,Rohrbacher,Rohland,Rohen,Roh,Rogness,Roes,Roering,Roehrick,Roebke,Rodregez,Rodabaugh,Rocks,Rockingham,Roblee,Robel,Roadcap,Rizzolo,Riviezzo,Rivest,Riveron,Risto,Rissler,Risen,Rippentrop,Ripka,Rinn,Ringuette,Ringering,Rindone,Rindels,Rim,Rieffer,Riedman,Riede,Riecke,Riebow,Riddlebarger,Rhome,Rhodd,Rhatigan,Rhame,Reyers,Rewitzer,Revalee,Retzer,Rettinger,Reschke,Requa,Reper,Reopell,Renzelman,Renne,Renker,Renk,Renicker,Rendina,Rendel,Remund,Remmele,Remiasz,Remaklus,Remak,Reitsma,Reitmeier,Reiswig,Reishus,Reining,Reim,Reidinger,Reick,Reiche,Regans,Reffett,Reesor,Reekie,Redpath,Redditt,Rechtzigel,Recht,Rebel,Rearden,Raynoso,Raxter,Ratkowski,Rasulo,Rassmussen,Rassel,Raspberry,Raser,Rappleye,Rappe,Randy,Randrup,Randleman,Ramson,Rampey,Ramming,Rama,Rainier,Raider,Radziewicz,Quirarte,Quintyne,Quickel,Query,Quattrini,Quarry,Quakenbush,Quaile,Pytel,Putty,Pushaw,Pusch,Purslow,Punzo,Pullam,Pugmire,Puello,Pu,Przekop,Pruss,Pruiett,Provow,Prophete,Procaccini,Pritz,Prillaman,Priess,Pretlow,Prestia,Presha,Prescod,Preast,Praytor,Prashad,Praino,Pozzi,Pounder,Pottenger,Potash,Porada,Popplewell,Ponzo,Ponter,Pommier,Polland,Polidori,Polasky,Pola,Pok,Poitier,Poisso,Poire,Point,Pofahl,Podolsky,Podell,Plueger,Plowe,Plotz,Plotnik,Ploch,Pliska,Plessner,Plaut,Platzer,Plake,Pizzino,Pizza,Pirog,Piquette,Pipho,Pioche,Pintos,Pinkert,Pinet,Pilkerton,Pilch,Pilarz,Pignataro,Piermatteo,Picozzi,Pickler,Pickette,Pichler,Philogene,Pheasant,Phare,Phang,Pfrogner,Pfisterer,Pettinelli,Petruzzi,Petrovic,Petretti,Petermeier,Pestone,Pesterfield,Pessin,Pesch,Persky,Perruzza,Perrott,Perritt,Perretti,Perrera,Peroutka,Peroni,Peron,Peret,Perdew,Perazzo,Peppe,Peno,Penberthy,Penagos,Peles,Pelech,Peiper,Peight,Pefferman,Peddie,Peckenpaugh,Pean,Payen,Pavloski,Pavlica,Paullin,Pattie,Patteson,Passon,Passey,Passe,Passalacqua,Pasquini,Paskel,Parter,Partch,Parriott,Parrella,Parraz,Parmely,Parizo,Parisian,Papelian,Papasergi,Pantojz,Panto,Panich,Panchal,Palys,Palms,Pallone,Palinski,Pali,Palevic,Pale,Pagels,Paciorek,Pacho,Pacella,Paar,Ozbun,Overweg,Overholser,Ovalles,Outhouse,Outcalt,Otterbein,Otta,Ostergren,Osher,Osbon,Orzech,Orwick,Orrico,Oropesa,Orn,Ormes,Orillion,Opal,Onorati,Onnen,Omary,Olk,Olding,Okonski,Okimoto,Ohlrich,Ohayon,Oguin,Ogley,Oftedahl,Offen,Ofallon,Oeltjen,Odam,Ockmond,Ockimey,Ocean,Obermeyer,Oberdorf,Obanner,Oballe,Oard,Oakden,Nyhan,Nydam,Numan,Noyer,Notte,Nothstein,Notestine,Noser,Nork,Nolde,Noa,Nishihara,Nishi,Nikolic,Nihart,Nietupski,Niesen,Niehus,Niece,Nidiffer,Nicoulin,Nicolaysen,Nicklow,Nickl,Nickeson,Nichter,Nicholl,Ngyun,Newsham,Newmann,Neveux,Neuzil,Neumayer,Netland,Nessen,Nesheim,Nelli,Nelke,Necochea,Nazari,Navy,Navorro,Navarez,Navan,Natter,Natt,Nater,Nasta,Narvaiz,Nardelli,Napp,Nakahara,Nairn,Nagg,Nager,Nagano,Nafziger,Naffziger,Nadelson,Muzzillo,Murri,Murrey,Murgia,Murcia,Muno,Munier,Mulqueen,Mulliniks,Mulkins,Mulik,Muhs,Muffley,Mozell,Moynahan,Mounger,Mottley,Motil,Moseman,Moseby,Mosakowski,Morten,Mortell,Morrisroe,Morrero,Mormino,Morland,Morger,Morgenthaler,Moren,Morelle,Morawski,Morasca,Morang,Morand,Moog,Montney,Montera,Montee,Montane,Montagne,Mons,Monohan,Monnett,Monkhouse,Moncure,Momphard,Molyneaux,Molles,Mollenkopf,Molette,Moland,Mohs,Mohmand,Mohlke,Moessner,Moers,Mockus,Moccio,Mlinar,Mizzelle,Mittler,Mitri,Mitchusson,Mitchen,Mistrot,Mistler,Misch,Miriello,Minkin,Mininger,Minerich,Minehart,Minderman,Minden,Minahan,Milonas,Millon,Millholland,Milleson,Millerbernd,Millage,Militante,Milionis,Milhoan,Mildenberger,Milbury,Mikolajczak,Miklos,Mikkola,Mikes,Migneault,Mifsud,Mietus,Mieszala,Mielnicki,Midy,Michon,Michioka,Micheau,Michaeli,Micali,Methe,Metallo,Messler,Mesch,Merow,Meroney,Mergenthaler,Meres,Mercy,Menuey,Menousek,Menning,Menn,Menghini,Mendia,Memmer,Melot,Mellow,Mellenthin,Melland,Meland,Meixner,Meisenheimer,Meineke,Meinders,Mehrens,Mehlig,Meglio,Medsker,Medicine,Medero,Mederios,Meabon,Mcwright,Mcright,Mcreath,Mcrary,Mcquirter,Mcquerry,Mcquary,Mcphie,Mcnurlen,Mcnelley,Mcnee,Mcnairy,Mcmanamy,Mcmahen,Mckowen,Mckiver,Mckinlay,Mckearin,Mcirvin,Mcintrye,Mchorse,Mchaffie,Mcgroarty,Mcgoff,Mcgivern,Mceniry,Mcelhiney,Mcdiarmid,Mccullars,Mccubbins,Mccrimon,Mccovery,Mccommons,Mcclour,Mccarrick,Mccarey,Mccallen,Mcbrien,Mcarthy,Mayone,Maybin,Maximo,Maxam,Maurais,Maughn,Matzek,Matts,Matin,Mathre,Mathia,Mateen,Matava,Masso,Massar,Massanet,Masingale,Mascaro,Marthaler,Martes,Marso,Marshman,Marsalis,Marrano,Marolt,Marold,Markins,Margulis,Mardirosian,Marchiano,Marchak,Marandola,Marana,Manues,Mantis,Mante,Mansukhani,Mansi,Mannan,Maniccia,Mangine,Manery,Mandigo,Manda,Mancell,Mamo,Malstrom,Malouf,Malenfant,Malena,Maldenado,Malandruccolo,Malak,Malabanan,Makino,Maj,Maisonave,Mainord,Maino,Mainard,Maillard,Maia,Mahmud,Mahdi,Mahapatra,Mahaley,Mahaffy,Magouirk,Maglaras,Magat,Magan,Maga,Maffia,Madrazo,Madrano,Maditz,Mackert,Mackellar,Mackell,Macht,Macchia,Maccarthy,Maahs,Lytal,Lye,Luzar,Luzader,Lutjen,Lunger,Lunan,Luma,Lukins,Luhmann,Luers,Ludvigsen,Ludlam,Ludemann,Luchini,Lucente,Lubrano,Lubow,Luber,Lubeck,Lowing,Loven,Loup,Louise,Louge,Losco,Lorts,Lormand,Lorenzetti,Longford,Longden,Longbrake,Lokhmatov,Loge,Loeven,Loeser,Locket,Locey,Locatelli,Litka,Lista,Lisonbee,Lisenbee,Liscano,Liranzo,Liquori,Liptrot,Lionetti,Lio,Linscomb,Linkovich,Linington,Lingefelt,Lindler,Lindig,Lindall,Lincks,Linander,Linan,Limburg,Limbrick,Limbach,Likos,Lighthall,Liford,Lietzke,Liebe,Liddicoat,Lickley,Lichter,Libel,Lias,Liapis,Lezo,Lewan,Levitz,Levesgue,Leverson,Levander,Leuthauser,Letbetter,Lesuer,Lesmeister,Lesly,Lerer,Leppanen,Lepinski,Leota,Lenherr,Lembrick,Lelonek,Leisten,Leiss,Leins,Leingang,Leinberger,Leinbach,Leikam,Leidig,Lehtonen,Lehnert,Lehew,Legier,Lefchik,Lecy,Leconte,Lecher,Lebrecht,Leather,Leaper,Lawter,Lawrenz,Lavy,Laur,Lauderbaugh,Lauden,Laudato,Latting,Latsko,Latini,Lassere,Lasseigne,Laspina,Laso,Laslie,Laskowitz,Laske,Laser,Lasenby,Lascola,Lariosa,Larcade,Lapete,Laperouse,Lanuza,Lanting,Lantagne,Lansdale,Lanphier,Langmaid,Langella,Lanese,Landrus,Lampros,Lamens,Laizure,Laitinen,Laigle,Lahm,Lagueux,Lagorio,Lagomarsino,Lagasca,Lagana,Lafont,Laflen,Lafavor,Lafarge,Laducer,Ladnier,Ladesma,Lacognata,Lackland,Lacerte,Labuff,Laborin,Labine,Labauve,Kuzio,Kusterer,Kussman,Kusel,Kusch,Kurutz,Kurdyla,Kupka,Kunzler,Kunsman,Kuni,Kuney,Kunc,Kulish,Kuliga,Kulaga,Kuilan,Kuhre,Kuhnke,Kuemmerle,Kueker,Kudla,Kudelka,Kubinski,Kubicki,Kubal,Krzyzanowski,Krupicka,Krumwiede,Krumme,Kross,Kropidlowski,Krokos,Kroell,Kritzer,Kribs,Kreitlow,Kreisher,Kraynak,Krass,Kranzler,Kramb,Kozyra,Kozicki,Kovalik,Kovalchik,Kovacevic,Kotula,Kotrba,Koteles,Kosowski,Koskela,Kosiba,Koscinski,Kosch,Kory,Korab,Kopple,Kopper,Koppelman,Koppel,Konwinski,Kon,Kolosky,Koloski,Kolinsky,Kolinski,Kolbeck,Kolasa,Koepf,Koda,Kochevar,Kochert,Kobs,Knust,Knueppel,Knoy,Knieriem,Knier,Kneller,Knappert,Klitz,Klintworth,Klinkenberg,Klinck,Kleindienst,Kleeb,Klecker,Kjellberg,Kitten,Kitsmiller,Kisor,Kisiel,Kise,Kirbo,Kio,Kinzle,Kinkaid,Kingsford,Kingry,Kimpton,Kimel,Kimberley,Killmon,Killick,Kilgallon,Kilcher,Kihn,Kiggins,Kiecker,Kher,Khaleel,Keziah,Kettell,Ketchen,Keshishian,Kersting,Kersch,Kerins,Kercher,Keno,Kenefick,Kemph,Kempa,Kelsheimer,Kelln,Kellenberger,Kekahuna,Keisling,Keirnan,Keimig,Kehn,Keal,Ke,Kaupp,Kaufhold,Kauffmann,Katzenberg,Katona,Kaszynski,Kaszuba,Kassebaum,Kasa,Kartye,Kartchner,Karstens,Karpinsky,Karmely,Karel,Karasek,Kapral,Kaper,Kanelos,Kanahele,Kampmann,Kampe,Kalp,Kallus,Kallevig,Kallen,Kaliszewski,Kaleohano,Kalchthaler,Kalama,Kalahiki,Kaili,Kahawai,Kagey,Justiss,Jurkowski,Jurgensmeyer,Juilfs,Josue,Jopling,Jondahl,Jomes,Joice,Johannessen,Joeckel,Jezewski,Jezek,Jeswald,Jervey,Jeppsen,Jenniges,Jennifer,Jennett,Jemmott,Jeffs,Jeffry,Jaurequi,Janisch,Janick,Janice,Jacek,Jacaruso,Iwanicki,Ishihara,Isenberger,Isbister,Iruegas,Inzer,Inyart,Inscore,Innocenti,Inglish,Infantolino,Indovina,Inaba,Imondi,Imdieke,Imbert,Illes,Ida,Iarocci,Iannucci,Huver,Hutley,Husser,Husmann,Hupf,Huntsberger,Hunnewell,Hullum,Huit,Huish,Huh,Hughson,Huft,Hufstetler,Hueser,Hudnell,Hovden,Housen,Houghtling,Hoth,Hossack,Hoshaw,Horsford,Horry,Hornbacher,Horde,Hoppenstedt,Hopkinson,Honza,Honor,Homann,Holzmeister,Holycross,Holverson,Holtzlander,Holroyd,Holmlund,Hollywood,Holderness,Holderfield,Holck,Hojnacki,Hohlfeld,Hohenberger,Hoganson,Hogancamp,Hoffses,Hoerauf,Hoell,Hoefert,Hodum,Hoder,Hockenbury,Hoage,Hisserich,Hislip,Hirons,Hippensteel,Hippen,Hinkston,Hindes,Hinchcliff,Hin,Himmel,Hillberry,Hildring,Hiester,Hiefnar,Hides,Hibberd,Hibben,Heyliger,Heyl,Heyes,Hevia,Heu,Hettrick,Hert,Hersha,Hernandz,Herkel,Herber,Henscheid,Hennesy,Henly,Henegan,Henebry,Hench,Hemsath,Hemm,Hemken,Hemann,Heltzel,Hellriegel,Hejny,Heinl,Heinke,Heidinger,Hegeman,Hefferan,Hedglin,Hebdon,Hearnen,Hearing,Heape,Heagy,Headings,Headd,Hazelbaker,Havlick,Hauschildt,Haury,Hassenfritz,Hasenbeck,Haseltine,Hartstein,Hartry,Hartnell,Harston,Harpool,Harmen,Hardister,Hardey,Harders,Harbolt,Harbinson,Haraway,Haque,Hansmann,Hanser,Hansch,Hansberry,Hankel,Hanigan,Haneline,Hampe,Hamons,Hammerstone,Hammerle,Hamme,Hammargren,Hamelton,Hamberger,Hamasaki,Halprin,Halman,Hallihan,Halen,Haldane,Hails,Haifley,Hai,Hages,Hagadorn,Hadwin,Habicht,Habermehl,Gyles,Gutzman,Gutekunst,Gustason,Gusewelle,Gurnsey,Gurnee,Gunterman,Gumina,Gulliver,Gulbrandson,Guiterez,Guerino,Guedry,Gucwa,Guardarrama,Guagliano,Guadagno,Grulke,Groote,Groody,Groft,Groeneweg,Grochow,Grippe,Grimstead,Griepentrog,Greenfeld,Greenaway,Grebe,Graziosi,Graw,Gravina,Grassie,Grapes,Granzow,Grandjean,Granby,Gramacy,Graces,Gozalez,Goyer,Gotch,Gosden,Gorny,Gormont,Goodness,Goodgion,Gonya,Gonnerman,Gompert,Golish,Goligoski,Goldmann,Goike,Goetze,Godeaux,Glenna,Glaza,Glassel,Glaspy,Glander,Glady,Giumarro,Gitelman,Gisondi,Gismondi,Girvan,Girten,Gironda,Giovinco,Ginkel,Gilster,Giesy,Gierman,Giddins,Giardini,Gianino,Ghea,Geurin,Gett,Getson,Gerrero,Germond,Gere,Gentsy,Genta,Gennette,Genito,Genis,Gene,Gendler,Geltz,Geiss,Gehret,Gegenheimer,Geffert,Geeting,Gebel,Gavette,Gavenda,Gaumond,Gaudioso,Gatzke,Gatza,Gattshall,Gaton,Gatchel,Gasperi,Gaska,Gasiorowski,Garritson,Garrigus,Garnier,Garnick,Gardinier,Gardenas,Garcy,Garate,Gandolfi,Gamm,Gamel,Gambel,Gallmon,Gallemore,Gallati,Gainous,Gainforth,Gahring,Gaffey,Gaebler,Gadzinski,Gadbury,Gabri,Gabe,Gaba,Fyke,Furtaw,Furnas,Furcron,Funn,Funck,Fulwood,Fulvio,Fullmore,Fukumoto,Fuest,Fuery,Fuente,Fuel,Frymire,Frush,Frohlich,Froedge,Frodge,Fritzinger,Fricker,Frericks,Frein,Freid,Freggiaro,Fratto,Franzi,Franciscus,Fralix,Fowble,Fotheringham,Foslien,Foshie,Fortmann,Forsey,Forkner,Foppiano,Fontanetta,Fonohema,Fogler,Fockler,Fluty,Flusche,Flud,Florin,Flori,Flenory,Fleharty,Fleeks,Flaxman,Flash,Flaming,Fiumara,Fitzmorris,Finnicum,Finkley,Fineran,Fillhart,Filipi,Fijal,Fieldson,Ficken,Ficarra,Fetch,Festerman,Fess,Ferryman,Ferner,Fergason,Ferell,Fennern,Femmer,Feldmeier,Feeser,Feenan,Federick,Fedak,Febbo,Feazell,Fearing,Fazzone,Fauth,Fauset,Faurote,Faulker,Faubion,Fatzinger,Fasick,Fanguy,Fambrough,Falks,Fahl,Fabio,Faaita,Exler,Ewens,Estrado,Esten,Esteen,Esquivez,Espejo,Esmiol,Esguerra,Esco,Ertz,Erspamer,Ernstes,Erisman,Erhard,Ereaux,Ercanbrack,Erbes,Epple,Entsminger,Entriken,Enslow,Ennett,Engquist,Englebert,Englander,Engesser,Engert,Engeman,Enge,Enerson,End,Emhoff,Emge,Emerald,Elting,Ellner,Ellenberg,Ellenbecker,Elio,Elfert,Elden,Elawar,Ekstrand,Eison,Eismont,Eisenbrandt,Eiseman,Eischens,Ehrgott,Egley,Egert,Eddlemon,Economy,Eckerson,Eckersley,Eckberg,Echeverry,Eberts,Earthman,Earnhart,Eapen,Eachus,Dykas,Dust,Dusi,Durning,During,Durdan,Dunomes,Duncombe,Dume,Dullen,Dullea,Dulay,Dul,Duffett,Dubs,Dubard,Drook,Drenth,Drahos,Dragone,Downin,Downham,Dowis,Dowhower,Doward,Dovalina,Dost,Dopazo,Doose,Donson,Donnan,Dominski,Dollarhide,Dolinar,Dolecki,Dolbee,Doege,Dockus,Dobler,Dobkin,Dobias,Divoll,Diviney,Ditter,Ditman,Dissinger,Dismang,Dirlam,Dinneen,Dini,Dingwall,Dine,Din,Diloreto,Dilmore,Dillaman,Dikeman,Diiorio,Dighton,Diffley,Dieudonne,Dietel,Dieringer,Diercks,Dienhart,Diekrager,Diefendorf,Dicke,Dicamillo,Dibrito,Dibona,Dezeeuw,Dewhurst,Devins,Deviney,Deupree,Detherage,Despino,Desmith,Desjarlais,Deshner,Desha,Desanctis,Derring,Derousse,Derobertis,Deridder,Derego,Derden,Deprospero,Deprofio,Depping,Deperro,Denty,Denoncourt,Dencklau,Demler,Demirchyan,Demichiel,Demesa,Demere,Demaggio,Delung,Deluise,Delmoral,Delmastro,Delmas,Delligatti,Delle,Delena,Delasbour,Delarme,Delargy,Delagrange,Delafontaine,Deist,Deiss,Deighan,Dehoff,Degrazia,Degman,Defosses,Deforrest,Deeks,Decoux,Decarolis,Debuhr,Deberg,Debarr,Debari,Dearmon,Deare,Deardurff,Daywalt,Dayer,Davoren,Davignon,Daviau,Dauteuil,Dauterive,Daul,Darnley,Darlin,Darakjy,Dapice,Dannunzio,Danison,Daniello,Damario,Dalonzo,Dallis,Daleske,Dalenberg,Daiz,Dains,Daines,Dagnese,Dady,Dadey,Czyzewski,Czapor,Czaplewski,Czajka,Cyganiewicz,Cuttino,Cutrona,Cussins,Cusanelli,Cuperus,Cundy,Cumiskey,Cumins,Cuizon,Cuffia,Cuffe,Cuffari,Cuccaro,Cubie,Cryder,Cruson,Crounse,Cromedy,Cring,Creer,Credeur,Crea,Cozort,Cozine,Cowee,Cowdery,Coventry,Couser,Courtway,Courington,Cotman,Costlow,Costell,Corton,Corsaro,Corrieri,Corrick,Corradini,Coron,Coren,Cord,Corbi,Corado,Copus,Coppenger,Cooperwood,Coontz,Coonce,Contrera,Connealy,Conell,Comtois,Compere,Commins,Commings,Comegys,Coma,Colyar,Colo,Collister,Collick,Collella,Coler,Colborn,Cohran,Cogbill,Coffen,Cocuzzo,Clynes,Closter,Clock,Clipp,Clingingsmith,Clemence,Clayman,Classon,Clas,Clarey,Clarence,Clague,Ciubal,Citrino,Citarella,Cirone,Cipponeri,Cindrich,Cimo,Ciliberto,Cichowski,Ciccarello,Cicala,Chura,Chubbuck,Chronis,Christlieb,Chriss,Chizek,Chittester,Chiquito,Chimento,Childree,Chianese,Chevrette,Cheese,Checo,Chastang,Chargualaf,Chapmon,Chantry,Chahal,Chafetz,Cezar,Ceruantes,Cerrillo,Cerrano,Cerecedes,Cerami,Cegielski,Cavallero,Catinella,Cassata,Caslin,Casano,Casacchia,Caruth,Cartrette,Carten,Carodine,Carnrike,Carnall,Carmicle,Carlan,Carlacci,Caris,Cariaga,Cardine,Cardimino,Cardani,Carbonara,Carano,Capua,Capponi,Cappellano,Caporale,Capelli,Canupp,Cantrel,Cantone,Canterberry,Cannizzo,Cannan,Canelo,Caneer,Candill,Candee,Campbel,Caminero,Camble,Caluya,Callicott,Calk,Caito,Caffie,Caden,Cadavid,Cacy,Cachu,Cachola,Cabreja,Cabiles,Cabada,Caamano,Byran,Byon,Buyck,Bussman,Bussie,Bushner,Burston,Burnison,Burkman,Burkhammer,Bures,Burdeshaw,Bumpass,Bullinger,Bullers,Bulgrin,Bugay,Buffalo,Budak,Buczynski,Buckendorf,Buccieri,Bubrig,Brynteson,Brunz,Brunmeier,Brunkow,Brunetto,Brunelli,Brumwell,Bruggman,Brucki,Brucculeri,Brozovich,Browing,Brotman,Broda,Brocker,Broadstreet,Brix,Britson,Brinck,Brimmage,Brightly,Brierre,Bridenstine,Brezenski,Brezee,Brevik,Brest,Brentlinger,Brentley,Breidenbach,Breckel,Brech,Breaker,Brazzle,Braughton,Brauch,Brattin,Brattain,Branhan,Branford,Braner,Brander,Braly,Braegelmann,Brabec,Boyt,Boyack,Bowren,Bowl,Bovian,Boughan,Botton,Botner,Bosques,Borzea,Borre,Boron,Bornhorst,Borgstrom,Borella,Boop,Bontempo,Bonniwell,Bonnes,Bonjour,Bonillo,Bonano,Bolek,Bohol,Bohaty,Boffa,Boetcher,Boesen,Boepple,Boehler,Boedecker,Boeckx,Bodi,Boal,Bloodsworth,Bloodgood,Blome,Blockett,Blixt,Blanchett,Blackhurst,Blackaby,Bjornberg,Bitzer,Bittenbender,Bitler,Birchall,Binnicker,Binggeli,Billett,Bilberry,Bijou,Biglow,Bierly,Bielby,Biegel,Beu,Berzas,Berte,Bertagnolli,Berreth,Bernhart,Bergum,Berentson,Berenson,Berdy,Bercegeay,Bentle,Bentivegna,Bentham,Benscoter,Benns,Bennick,Benjamine,Beneze,Benett,Beneke,Bendure,Bendix,Bendick,Benauides,Belman,Bellus,Bellott,Bellefleur,Bellas,Beljan,Belgard,Beith,Beinlich,Beierle,Behme,Beevers,Beermann,Beeching,Bedward,Bedrosian,Bedner,Bedeker,Bechel,Becera,Beaubrun,Beardmore,Bealmear,Bazin,Bazer,Baumhoer,Baumgarner,Bauknecht,Battson,Battiest,Basulto,Baster,Basques,Basista,Basiliere,Bashi,Barzey,Barz,Bartus,Bartucca,Bartek,Barrero,Barreca,Barnoski,Barndt,Barklow,Baribeau,Barette,Bares,Barentine,Bareilles,Barch,Barbre,Barberi,Barbagelata,Baraw,Baratto,Baranoski,Bar,Baptise,Bankson,Bankey,Bankard,Banik,Baltzley,Ballen,Balkey,Balius,Balderston,Bakula,Bakalar,Baffuto,Baerga,Badoni,Backous,Bachtel,Bachrach,Baccari,Babine,Babilonia,Baar,Azbill,Azad,Aycox,Ayalla,Avolio,Austerberry,Aughtry,Aufderheide,Auch,Attanasio,Athayde,Atcher,Astor,Asselta,Aslin,Aslam,Ashwood,Ashraf,Ashbacher,Asbridge,Asakura,Arzaga,Arriaza,Arrez,Arrequin,Arrants,Armiger,Armenteros,Armbrister,Arko,Argumedo,Arguijo,Ardolino,Arcia,Arbizo,Aravjo,Aper,Anzaldo,Antu,Antrikin,Antony,Antonia,Antonetty,Antinoro,Anthon,Antenucci,Anstead,Annese,Ankrum,Andreason,Andrado,Andaverde,Anastos,Anable,Amsterdam,Amspoker,Amrine,Amrein,Amorin,Amel,Ambrosini,Amber,Alsbrook,Alnutt,Almasi,Allessio,Allateef,Alison,Aldous,Alderink,Aldaz,Akmal,Akard,Aiton,Aites,Ainscough,Aikey,Ahrends,Ahlm,Aguada,Agans,Adelmann,Adebisi,Addesso,Adaway,Adamaitis,Ackison,Abud,Abendroth,Abdur,Abdool,Aamodt,Zywiec,Zwiefelhofer,Zwahlen,Zunino,Zuehl,Zmuda,Zmolek,Zizza,Ziska,Zinser,Zinkievich,Zinger,Zingarelli,Ziesmer,Ziegenfuss,Ziebol,Zettlemoyer,Zettel,Zervos,Zenke,Zembower,Zelechowski,Zelasko,Zeise,Zeek,Zeeb,Zarlenga,Zarek,Zaidi,Zahnow,Zahnke,Zaharis,Zach,Zacate,Zabrocki,Zaborac,Yurchak,Yuengling,Younie,Youngers,Youell,Yott,Yoshino,Yorks,Yordy,Yochem,Yerico,Yerdon,Yeiser,Yearous,Yearick,Yeaney,Ybarro,Yasutake,Yasin,Yanke,Yanish,Yanik,Yamazaki,Yamat,Yaggi,Ximenez,Wyzard,Wynder,Wyly,Wykle,Wutzke,Wuori,Wuertz,Wuebker,Wrightsel,Worobel,Worlie,Worford,Worek,Woolson,Woodrome,Woodly,Woodling,Wontor,Wondra,Woltemath,Wollmer,Wolinski,Wolfert,Wojtanik,Wojtak,Wohlfarth,Woeste,Wobbleton,Witz,Wittmeyer,Witchey,Wisotzkey,Wisnewski,Wisman,Wirch,Wippert,Wineberg,Wimpee,Wilusz,Wiltsey,Willig,Williar,Willers,Willadsen,Wilfred,Wildhaber,Wilday,Wigham,Wiggen,Wiewel,Wieting,Wietbrock,Wiesel,Wiesehan,Wiersema,Wiegert,Widney,Widmark,Wickson,Wickings,Wichern,Whtie,Whittie,Whitlinger,Whitfill,Whitebread,Whispell,Whetten,Wheeley,Wheeles,Wheelen,Whatcott,Weyland,Weter,Westrup,Westphalen,Westly,Westland,Wessler,Wesolick,Wesler,Wesche,Werry,Wero,Wernecke,Werkhoven,Wellspeak,Wellings,Welford,Welander,Weissgerber,Weisheit,Weins,Weill,Weigner,Wehrmann,Wehrley,Wehmeier,Wege,Weers,Weavers,Watring,Wassum,Wassman,Wassil,Washabaugh,Wascher,Wary,Warth,Warbington,Wanca,Wammack,Wamboldt,Walterman,Walkington,Walkenhorst,Walinski,Wakley,Wagg,Wadell,Vuckovich,Voogd,Voller,Vokes,Vogle,Vogelsberg,Vodicka,Vissering,Visage,Vipond,Vincik,Villalona,Vil,Vickerman,Vettel,Veteto,Vessel,Vesperman,Vesco,Vertucci,Versaw,Verba,Ventris,Venecia,Vendela,Venanzi,Veldhuizen,Vehrs,Veer,Vee,Vay,Vaughen,Vasilopoulos,Vascocu,Varvel,Varno,Varlas,Varland,Vario,Vareschi,Vanwyhe,Vanweelden,Vansciver,Vannaman,Vanluven,Vanloo,Vanlaningham,Vankomen,Vanhout,Vanhampler,Vangorp,Vangorden,Vanella,Vandresar,Vandis,Vandeyacht,Vandewerker,Vandevsen,Vanderwall,Vandercook,Vanderberg,Vanbergen,Valko,Valesquez,Valeriano,Valen,Vachula,Vacha,Uzee,Uva,Uselman,Urizar,Urion,Urben,Upthegrove,Unzicker,Unsell,Unick,Umscheid,Umin,Umanzor,Ullo,Ulicki,Uhlir,Uddin,Tytler,Tymeson,Tyger,Twisdale,Twedell,Tweddle,Turrey,Tures,Turell,Tur,Tupa,Tuitt,Tuberville,Tubby,Tryner,Trumpower,Trumbore,Truly,Troglen,Troff,Troesch,Trivisonno,Tritto,Tritten,Tritle,Trippany,Tringali,Tretheway,Treon,Trench,Trejos,Tregoning,Treffert,Traycheff,Travali,Trauth,Trauernicht,Transou,Trane,Trana,Toves,Tosta,Torp,Tornquist,Tornes,Torchio,Toppings,Toor,Tooks,Tonks,Tomblinson,Tomala,Tollinchi,Tolles,Tokich,Toh,Tofte,Todman,Toddy,Titze,Timpone,Tillema,Tier,Tienken,Tiblier,Thyberg,Thursby,Thurrell,Thurm,Thruman,Thorsted,Thorley,Thomer,Thoen,Thissen,Theimer,Thee,Thayn,Thanpaeng,Thammavongsa,Thalman,Texiera,Texidor,Teverbaugh,Teska,Ternullo,Teplica,Tepe,Teno,Tenholder,Tenbusch,Tenbrink,Temby,Tejedor,Teitsworth,Teichmann,Tehan,Tegtmeyer,Tees,Teem,Tays,Taubert,Tauares,Taschler,Tartamella,Tarquinio,Tarbutton,Tappendorf,Tapija,Tansil,Tannahill,Tamondong,Talahytewa,Takashima,Taecker,Tabora,Tabin,Tabbert,Szymkowski,Szymanowski,Syversen,Syrett,Syracuse,Synnott,Sydnes,Swimm,Sweney,Swearegene,Swartzel,Swanstrom,Svedin,Suss,Suryan,Surrey,Supplice,Supnet,Suoboda,Sundby,Sumaya,Sumabat,Sulzen,Sukovaty,Sukhu,Sugerman,Sugalski,Sugai,Sudweeks,Sudbeck,Sucharski,Stutheit,Stumfoll,Stuffle,Struyk,Strutz,Strumpf,Strowbridge,Strothman,Strojny,Strohschein,Stroffolino,Stribble,Strevel,Strenke,Stremming,Strehle,Strattman,Stranak,Stram,Stracke,Stoudamire,Storks,Stopp,Stonebreaker,Stolt,Stoica,Stofer,Stockham,Stockfisch,Stjuste,Stiteler,Stiman,Stillions,Stillabower,Stierle,Sterlace,Sterk,Stepps,Stenquist,Stenner,Stellman,Steines,Steinbaugh,Steinbacher,Steiling,Steidel,Steffee,Stavinoha,Staver,Stastny,Stasiuk,Starrick,Starliper,Starlin,Staniford,Staner,Standre,Standefer,Standafer,Stanczyk,Stallsmith,Stagliano,Staehle,Staebler,Stady,Stadtmiller,Squyres,Spurbeck,Sprunk,Spranger,Spoonamore,Spoden,Spilde,Spezio,Speros,Sperandio,Specchio,Spearin,Spayer,Spallina,Spadafino,Sovie,Sotello,Sortor,Sortino,Sorrow,Soros,Sorola,Sorbello,Sonner,Sonday,Somes,Soloway,Soledad,Soens,Soellner,Soderblom,Sobin,Sniezek,Sneary,Smyly,Smutnick,Smoots,Smoldt,Smitz,Smitreski,Smallen,Smades,Slunaker,Sluka,Slown,Slovick,Slocomb,Slinger,Slife,Slicker,Sleeter,Slanker,Skufca,Skubis,Skrocki,Skov,Skjei,Skilton,Skill,Skarke,Skalka,Skalak,Skaff,Sixkiller,Sitze,Siter,Sisko,Sirman,Sirls,Sinotte,Sinon,Sincock,Sincebaugh,Simmoms,Similien,Silvius,Silton,Silloway,Sikkema,Sieracki,Sienko,Siemon,Siemer,Siefker,Sieberg,Siebens,Siebe,Sicurella,Sicola,Sickle,Shumock,Shumiloff,Shuffstall,Shuemaker,Shuart,Shu,Shroff,Shreeve,Shostak,Shortes,Shorr,Shivley,Shintaku,Shindo,Shimomura,Shiigi,Sherow,Sherburn,Shepps,Shenefield,Shelvin,Shelstad,Shelp,Sheild,Sheaman,Shaulis,Sharrer,Sharps,Sharpes,Shareef,Shappy,Shapero,Shanor,Shandy,Shad,Seyller,Severn,Sessom,Sesley,Servidio,Serrin,Sero,Serge,Septon,Septer,Sennott,Sengstock,Senff,Senese,Semprini,Semone,Sembrat,Selva,Sella,Selbig,Seiner,Seif,Seidt,Sehrt,Seemann,Seelbinder,Sedlay,Sebert,Searing,Seaholm,Seacord,Seaburg,Se,Scungio,Scroggie,Scritchfield,Scripture,Scrimpsher,Scrabeck,Score,Scorca,Scobey,Scivally,Schwulst,Schwinn,Schwieson,Schwery,Schweppe,Schwartzenbur,Schurz,Schumm,Schulenburg,Schuff,Schuerholz,Schryer,Schrager,Schorsch,Schonhardt,Schoenfelder,Schoeck,Schoeb,Schnitzler,Schnick,Schnautz,Schmig,Schmelter,Schmeichel,Schluneger,Schlosberg,Schlobohm,Schlenz,Schlembach,Schleisman,Schleining,Schleiff,Schleider,Schink,Schilz,Schiffler,Schiavi,Scheuer,Schemonia,Scheman,Schelb,Schaul,Schaufelberge,Scharer,Schardt,Scharbach,Schabacker,Scee,Scavone,Scarth,Scarfone,Scalese,Sayne,Sayed,Savitz,Satterlund,Sattazahn,Satow,Sastre,Sarr,Sarjeant,Sarff,Sardella,Santoya,Santoni,Santai,Sankowski,Sanft,Sandow,Sandoe,Sandhaus,Sandefer,Sampey,Samperi,Sammarco,Samia,Samek,Samay,Samaan,Salvadore,Saltness,Salsgiver,Saller,Salaz,Salano,Sakal,Saka,Saintlouis,Saile,Sahota,Saggese,Sagastume,Sagan,Sadri,Sadak,Sachez,Saalfrank,Saal,Saadeh,Ryu,Rynn,Ryley,Ryle,Rygg,Rybarczyk,Ruzich,Ruyter,Ruvo,Rupel,Ruopp,Rundlett,Runde,Rundall,Runck,Rukavina,Ruggiano,Rufi,Ruef,Rubright,Rubbo,Rowbottom,Route,Rotner,Rotman,Rothweiler,Rothlisberger,Rosseau,Rossean,Rossa,Roso,Rosiek,Roshia,Rosenkrans,Rosener,Rosencrantz,Rosencrans,Rosello,Roques,Rookstool,Rondo,Romasanta,Romack,Rokus,Rohweder,Rog,Roethler,Roediger,Rodwell,Rodrigus,Rodenbeck,Rodefer,Rodarmel,Rockman,Rockholt,Rockford,Rochow,Roches,Roblin,Roblez,Roble,Robers,Roat,Rizza,Rizvi,Rizk,Rixie,Riveiro,Rius,Ritschard,Ritrovato,Risi,Rishe,Rippon,Rinks,Rings,Ringley,Ringgenberg,Ringeisen,Rimando,Rilley,Rijos,Rieks,Rieken,Riechman,Riddley,Ricord,Rickabaugh,Richmeier,Richesin,Reyolds,Rexach,Revere,Requena,Reppucci,Reposa,Renzulli,Renter,Renault,Remondini,Relic,Reither,Reisig,Reifsnider,Reifer,Reibsome,Reibert,Rehor,Rehmann,Reedus,Redshaw,Redfox,Reczek,Recupero,Recor,Reckard,Recher,Rear,Realbuto,Razer,Rayman,Raycraft,Rayas,Rawle,Raviscioni,Ravetto,Ravenelle,Rauth,Raup,Rattliff,Rattley,Rathfon,Rataj,Rasnic,Rappleyea,Rapaport,Ransford,Rann,Rampersad,Ramis,Ramcharan,Rainha,Rainforth,Ragans,Ragains,Rafidi,Raffety,Raducha,Radsky,Radler,Radatz,Raczkowski,Rack,Rabenold,Quraishi,Quinerly,Quiet,Quercia,Quarnstrom,Qian,Pusser,Puppo,Pullan,Pulis,Pugel,Puccini,Puca,Pruna,Prowant,Provines,Pronk,Prinkleton,Prindall,Primas,Priesmeyer,Pridgett,Prevento,Preti,Presser,Presnall,Preseren,Presas,Presa,Prchal,Prattis,Pratillo,Praska,Prak,Powis,Powderly,Postlewait,Postle,Posch,Porteus,Portal,Porraz,Popwell,Popoff,Poplaski,Poniatoski,Pollina,Polle,Polhill,Poletti,Polaski,Pokorney,Poke,Pointdexter,Poinsette,Po,Ploszaj,Plitt,Pletz,Pletsch,Plemel,Pleitez,Playford,Plaxco,Platek,Plambeck,Plagens,Placido,Pisarski,Pinuelas,Pinnette,Pinick,Pinell,Pinciaro,Pinal,Pilz,Piltz,Pillion,Pilkinton,Pilar,Pikul,Piepenburg,Piening,Piehler,Piedrahita,Piechocki,Picknell,Picker,Pickelsimer,Pich,Picariello,Phoeuk,Phillipson,Philbert,Pherigo,Phelka,Peverini,Petronis,Petrina,Petrash,Petramale,Petraglia,Pery,Personius,Perrington,Perrill,Perpall,Perot,Perman,Peragine,Pentland,Pennycuff,Penninger,Pennie,Pennachio,Penhall,Pendexter,Pencil,Penalver,Pelzel,Pelter,Pelow,Pelo,Peli,Peinado,Pedley,Pecue,Pecore,Pechar,Peairs,Paynes,Payano,Pawelk,Pavlock,Pavlich,Pavich,Pavek,Pautler,Paulik,Patmore,Patella,Patee,Patalano,Passini,Passeri,Paskell,Parrigan,Parmar,Parayno,Paparelli,Pantuso,Pante,Panico,Panduro,Panagos,Pama,Palmo,Pallotta,Paling,Palamino,Pake,Pajtas,Pailthorpe,Pahler,Pagon,Paglinawan,Pagley,Paget,Paetz,Paet,Padley,Pacleb,Pacific,Pachelo,Pacer,Paccione,Pabey,Ozley,Ozimek,Ozawa,Owney,Outram,Oun,Ouillette,Oudekerk,Ouch,Ostrosky,Ostermiller,Ostermann,Osterloh,Osterfeld,Ossenfort,Osoria,Oshell,Orsino,Orscheln,Orrison,Ororke,Orf,Orellano,Orejuela,Ordoyne,Opsahl,Opland,Onofre,Onaga,Omahony,Olszowka,Olshan,Ollig,Oliff,Olien,Olexy,Oldridge,Oldfather,Older,Olalde,Okun,Okumoto,Oktavec,Okin,Oka,Ohme,Ohlemacher,Ohanesian,Odneal,Odgers,Oderkirk,Odden,Ocain,Obradovich,Oakey,Nussey,Nunziato,Nunoz,Nunnenkamp,Nuncio,Noviello,Novacek,Nothstine,Nostrand,Northum,Norsen,Norlander,Norkus,Norgaard,Norena,Nored,Nobrega,Niziolek,Ninnemann,Nievas,Nieratko,Nieng,Niedermeyer,Niedermaier,Nicolls,Niang,Newham,Newcome,Newberger,Nevills,Nevens,Nevel,Neumiller,Netti,Net,Nessler,Neria,Nemet,Nelon,Nellon,Neller,Neisen,Neilly,Neifer,Neid,Negro,Neering,Neehouse,Neef,Needler,Nebergall,Nealis,Naumoff,Naufzinger,Narum,Narro,Narramore,Naraine,Napps,Nansteel,Namisnak,Namanny,Nallie,Nakhle,Naito,Naccari,Nabb,Myracle,Myra,Myhand,Mwakitwile,Muzzy,Muscolino,Musco,Muscente,Muscat,Muscara,Musacchia,Musa,Murrish,Murfin,Muray,Munnelly,Munley,Munivez,Mundine,Mundahl,Munari,Mulling,Mullennex,Mullendore,Mulkhey,Mulinix,Mulders,Muhl,Muenchow,Muellner,Mudget,Mudger,Muckenfuss,Muchler,Mozena,Movius,Mouldin,Motola,Mosseri,Mossa,Moselle,Mory,Morsell,Morrish,Morles,Morie,Morguson,Moresco,Morck,Moppin,Moosman,Moons,Montuori,Montono,Montogomery,Montis,Monterio,Monter,Monsalve,Mongomery,Mongar,Mondello,Moncivais,Monard,Monagan,Molt,Mollenhauer,Moldrem,Moldonado,Molano,Mokler,Moisant,Moilanen,Mohrman,Mohamad,Moger,Mogel,Modine,Modin,Modic,Modha,Modena,Mlynek,Miya,Mittiga,Mittan,Mitcheltree,Miss,Misfeldt,Misener,Mirchandani,Miralles,Miotke,Miosky,Minty,Mintey,Mins,Minnie,Mince,Minassian,Minar,Mimis,Milon,Milloy,Millison,Milito,Milfort,Milbradt,Mikulich,Mikos,Miklas,Mihelcic,Migliorisi,Migliori,Miesch,Midura,Miclette,Michele,Michela,Micale,Mezey,Mews,Mewes,Mettert,Mesker,Mesich,Mesecher,Merthie,Mersman,Mersereau,Merrithew,Merriott,Merring,Merenda,Merchen,Mercardo,Merati,Mentzel,Mentis,Mentel,Menotti,Meno,Mengle,Mendolia,Mellick,Mellett,Melichar,Melhorn,Melendres,Melchiorre,Meitzler,Mehtani,Mehrtens,Megan,Meditz,Medeiras,Meckes,Me,Mcteer,Mctee,Mcparland,Mcniell,Mcnealey,Mcmanaway,Mcleon,Mclay,Mclavrin,Mcklveen,Mckinzey,Mcken,Mckeand,Mckale,Mcilwraith,Mcilroy,Mcgreal,Mcgougan,Mcgettigan,Mcgarey,Mcfeeters,Mcelhany,Mcdaris,Mccomis,Mccomber,Mccolm,Mccollins,Mccollin,Mccollam,Mccoach,Mcclory,Mcclennon,Mccathern,Mccarthey,Mccarson,Mccarrel,Mccargar,Mccandles,Mccamish,Mccally,Mccage,Mcbrearty,Mcaneny,Mcanallen,Mcalarney,Mcaferty,Mazzo,Mazy,Mazurowski,Mazique,Mayoras,Mayden,Maxberry,Mauller,Matusiak,Mattsen,Matthey,Matters,Matkins,Mathiasen,Mathe,Mateus,Mate,Matalka,Masullo,Massay,Mashak,Mascroft,Martinex,Martenson,Marsiglia,Marsella,Marseille,Maroudas,Marotte,Marner,Marlo,Markes,Marina,Maret,Mareno,Marean,Marcinkiewicz,Marchel,Marasigan,Manzueta,Manzanilla,Manternach,Manring,Manquero,Manoni,Manne,Mankowski,Manjarres,Mangen,Mangat,Mandonado,Mandia,Mancias,Manbeck,Mamros,Mam,Maltez,Mallia,Mallar,Malla,Mall,Malen,Malaspina,Malahan,Malagisi,Malachowski,Makowsky,Makinen,Makepeace,Majkowski,Majid,Majestic,Majercin,Maisey,Mainguy,Mailliard,Maignan,Mahlman,Maha,Magsamen,Magpusao,Magnano,Magley,Magedanz,Magarelli,Magaddino,Maenner,Madnick,Maddrey,Madaffari,Macnaughton,Macmullen,Macksey,Macknight,Macki,Macisaac,Maciejczyk,Maciag,Macho,Machenry,Machamer,Macguire,Macdougal,Macdaniel,Maccormack,Maccabe,Mabbott,Mabb,Lynott,Lyndon,Lym,Lydia,Lycan,Luy,Lutwin,Luscombe,Lusco,Lusardi,Luria,Lunetta,Lundsford,Lumas,Luisi,Luevanos,Lueckenhoff,Ludgate,Ludd,Lucherini,Lubbs,Lozado,Lovie,Lourens,Lounsberry,Loughrey,Loughary,Lotton,Losser,Loshbaugh,Loser,Loseke,Loscalzo,Los,Lortz,Loperena,Loots,Loosle,Looman,Longstaff,Longobardi,Longbottom,Lomay,Lomasney,Lohrmann,Lohmiller,Logalbo,Loetz,Loeffel,Lodwick,Lodrigue,Lockrem,Llera,Llarena,Liv,Littrel,Littmann,Lisser,Lippa,Lipner,Linnemann,Lingg,Lindemuth,Lindeen,Limbo,Lillig,Likins,Lights,Lieurance,Liesmann,Liesman,Liendo,Lickert,Lichliter,Leyvas,Leyrer,Lewy,Leubner,Letters,Lesslie,Lesnick,Lesmerises,Lerno,Lequire,Lepera,Lepard,Lenske,Leneau,Lempka,Lemmen,Lemm,Lemere,Leinhart,Leichner,Leicher,Leibman,Lehmberg,Leggins,Lebeda,Leavengood,Leanard,Lazaroff,Laventure,Lavant,Lauster,Laumea,Latigo,Lasota,Lashure,Lasecki,Lascurain,Lartigue,Larouche,Lappe,Laplaunt,Laplace,Lanum,Lansdell,Lanpher,Lanoie,Lankard,Laniado,Langowski,Langhorn,Langfield,Langfeldt,Landt,Landingham,Landerman,Landavazo,Lampo,Lampke,Lamper,Lamery,Lambey,Lamadrid,Lallemand,Laisure,Laigo,Laguer,Lagerman,Lageman,Lagares,Lacosse,Lachappelle,Labs,Laborn,Labonne,Kyung,Kuzia,Kutt,Kutil,Kus,Kurylo,Kurowski,Kuriger,Kupcho,Kulzer,Kulesa,Kules,Kuhs,Kuhne,Krutz,Krus,Krupka,Kronberg,Kromka,Kroese,Krizek,Krivanek,Krishna,Kringel,Kreiss,Kratofil,Krapp,Krakowsky,Kracke,Kozlow,Koy,Kowald,Kover,Kovaleski,Kothakota,Kosten,Koskinen,Kositzke,Korff,Korey,Korbar,Kor,Kopplin,Koplin,Koos,Konyn,Konczak,Komp,Komo,Kolber,Kolash,Kolakowski,Kohm,Kogen,Koestner,Koegler,Kodama,Kocik,Kochheiser,Kobler,Kobara,Knezevich,Kneifl,Knapchuck,Knabb,Klutz,Klugman,Klosner,Klingel,Klimesh,Klice,Kley,Kleppe,Klemke,Kleinmann,Kleinhans,Kleinberg,Kleffner,Kleckley,Klase,Kisto,Kissick,Kisselburg,Kirsten,Kirschman,Kirks,Kirkner,Kirkey,Kirchman,Kipling,Kinville,Kinnunen,Kingdom,Kimmey,Kimmerle,Kimbley,Kilty,Kilts,Killmeyer,Killilea,Killay,Kiest,Kierce,Kiepert,Kielman,Khalid,Kewal,Keszler,Kesson,Kesich,Kerwood,Kerksiek,Kerkhoff,Kerbo,Keranen,Keomuangtai,Kenter,Kennelley,Keniry,Kendzierski,Kempner,Kemmis,Kemerling,Kelsay,Kelchner,Kela,Keithly,Keipe,Kegg,Keer,Keahey,Kaywood,Kayes,Kawahara,Kasuboski,Kastendieck,Kassin,Kasprzyk,Karraker,Karnofski,Karman,Karger,Karge,Karella,Karbowski,Kapphahn,Kap,Kannel,Kamrath,Kaminer,Kamansky,Kalua,Kaltz,Kalpakoff,Kalkbrenner,Kaku,Kaib,Kaehler,Kackley,Kaber,Justo,Juris,Jurich,Jurgenson,Jurez,Junor,Juniel,Juncker,Jugo,Jubert,Jowell,Jovanovic,Josiah,Joosten,Joncas,Joma,Johnso,Johanns,Jodoin,Jockers,Joans,Jinwright,Jinenez,Jimeson,Jerrett,Jergens,Jerden,Jerdee,Jepperson,Jendras,Jeanfrancois,Jazwa,Jaussi,Jaster,Jarzombek,Jarencio,Janocha,Jakab,Jadlowiec,Jacobsma,Jach,Izaquirre,Iwaoka,Ivaska,Iturbe,Israelson,Ismael,Isles,Isachsen,Isaak,Irland,Inzerillo,Insogna,Ingegneri,Ingalsbe,Inciong,Inagaki,Idol,Icenogle,Hyon,Hyett,Hyers,Huyck,Hutti,Hutten,Hutnak,Hussar,Husky,Hurrle,Hurford,Hurde,Hupper,Hunkin,Hunkele,Hunke,Hun,Humann,Huhtasaari,Hugger,Hugel,Huge,Hufft,Huegel,Hrobsky,Hren,Hoyles,Howlin,Hovsepian,Hovenga,Hovatter,Houdek,Hotze,Hossler,Hossfeld,Hosseini,Horten,Hort,Horr,Horgen,Horen,Hoopii,Hoon,Hoogland,Hontz,Honnold,Homewood,Holway,Holtgrewe,Holtan,Holstrom,Holstege,Hollway,Hollingshed,Holling,Hollenback,Hollard,Holberton,Hoines,Hogeland,Hofstad,Hoetger,Hoen,Hoaglund,Hirota,Hintermeister,Hinnen,Hinders,Hinderer,Hinchee,Himelfarb,Himber,Hilzer,Hilling,Hillers,Hillegas,Hildinger,Hignight,Highman,Hierholzer,Heyde,Hettich,Hesketh,Herzfeld,Herzer,Hershenson,Hershberg,Hernando,Hermenegildo,Hereth,Hererra,Hereda,Herbin,Heraty,Herard,Hepa,Henschel,Henrichsen,Hennes,Henneberger,Heningburg,Henig,Hendron,Hendericks,Hemple,Hempe,Hemmingsen,Hemler,Helvie,Helmly,Helmbrecht,Heling,Helin,Helfrey,Helble,Helaire,Heizman,Heisser,Heiny,Heinbaugh,Heigh,Heidemann,Heidema,Heiberger,Hegel,Heerdt,Heeg,Heefner,Heckerman,Heckendorf,Heavin,Headman,Haynesworth,Haylock,Hayakawa,Hawksley,Hawking,Haverstick,Haut,Hausen,Hauke,Haubold,Hattan,Hattabaugh,Hasten,Hasstedt,Hashem,Haselhorst,Harrist,Harpst,Haroldsen,Harmison,Harkema,Hark,Harison,Hariri,Harcus,Harcum,Harcourt,Harcharik,Hanzel,Hanvey,Hantz,Hansche,Hansberger,Hannig,Hanken,Hanhardt,Hanf,Hanauer,Hamberlin,Halward,Halsall,Hals,Hallquist,Hallmon,Halk,Halbach,Halat,Hajdas,Hainsworth,Haik,Hahm,Hagger,Haggar,Hader,Hadel,Haddick,Hackmann,Haasch,Haaf,Guzzetta,Guzy,Gutterman,Gutmann,Gutkowski,Gustine,Gursky,Gurner,Gunsolley,Gumpert,Gumbel,Gulla,Guilmain,Guiliani,Guier,Guers,Guerero,Guerena,Guebara,Guadiana,Grunder,Grothoff,Grosland,Grosh,Groos,Grohs,Grohmann,Groepper,Grodi,Grizzaffi,Grissinger,Grippi,Grinde,Griffee,Grether,Greninger,Greigo,Gregorski,Greger,Grega,Greenberger,Graza,Grattan,Grasse,Gras,Grano,Gramby,Gradilla,Govin,Goutremout,Goulas,Gotay,Gosling,Gorey,Goren,Gordner,Goossen,Goon,Goodwater,Gonzaga,Gonyo,Gonska,Gongalves,Gomillion,Gombos,Golonka,Gollman,Goldtrap,Goldammer,Golas,Golab,Gola,Gogan,Goffman,Goeppinger,Godkin,Godette,Glore,Glomb,Glauner,Glassey,Glasner,Gividen,Giuffrida,Gishal,Giovanelli,Ginoza,Ginns,Gindlesperger,Gindhart,Gillem,Gilger,Giggey,Giebner,Gibbson,Giacomo,Giacolone,Giaccone,Giacchino,Ghere,Gherardini,Gherardi,Gfeller,Getts,Gerwitz,Gervin,Gerstle,Gerfin,Geremia,Gercak,General,Gener,Gencarelli,Gehron,Gehrmann,Geffers,Geery,Geater,Gawlik,Gaudino,Garsia,Garrahan,Garrabrant,Garofolo,Garigliano,Garfinkle,Garelick,Gardocki,Garafola,Gappa,Gantner,Ganther,Gangelhoff,Gamarra,Galstad,Gally,Gallik,Gallier,Galimba,Gali,Galassi,Gaige,Gadsby,Gabby,Gabbin,Gabak,Fyall,Furney,Funez,Fulwider,Fulson,Fukunaga,Fujikawa,Fugere,Fuertes,Fuda,Fryson,Frump,Frothingham,Froning,Froncillo,Frohling,Froberg,Froats,Fritchman,Frische,Friedrichsen,Friedmann,Fridge,Friddell,Frid,Fresch,Frentzel,Freno,Frelow,Freimuth,Freidel,Freehan,Freeby,Freeburn,Fredieu,Frederiksen,Fredeen,Frazell,Frayser,Fratzke,Frattini,Franze,Franich,Francescon,Francesco,Frames,Framer,Fraiser,Fragman,Frack,Foxe,Fowlston,Fosberg,Fortna,Fornataro,Forden,Foots,Foody,Fogt,Foglia,Fogerty,Fogelson,Flygare,Flowe,Florentine,Flinner,Flem,Flatten,Flath,Flater,Flahaven,Flad,Fjeld,Fitanides,Fistler,Fishbaugh,Firsching,Fireman,Finzel,Finical,Fingar,Filosa,Filicetti,Filby,Fierst,Fierra,Ficklen,Ficher,Fersner,Ferrufino,Ferrucci,Fero,Ferns,Ferlenda,Ferko,Fergerstrom,Ferge,Fenty,Fent,Fennimore,Fendt,Femat,Felux,Felman,Feldhaus,Feisthamel,Feijoo,Feiertag,Fehrman,Fehl,Feezell,Feeny,Feeback,Fedigan,Fedder,Fechner,Feary,Fayson,Faylor,Fauteux,Faustini,Faure,Fauci,Fauber,Fattig,Farruggio,Farrens,Fare,Faraci,Fantini,Fantin,Fanno,Fannings,Faniel,Fallaw,Falker,Falkenhagen,Fajen,Fahrner,Fabel,Fabacher,Eytcheson,Eyster,Exford,Exel,Exe,Evetts,Evenstad,Evanko,Euresti,Euber,Etcitty,Estler,Esther,Essner,Essinger,Esplain,Espenshade,Espanol,Espaillat,Escribano,Escorcia,Errington,Errett,Errera,Erlanger,Erenrich,Erekson,Erber,Entinger,Ensworth,Ensell,Enno,Ennen,Englin,Engblom,Engberson,Encinias,Enama,Emel,Elzie,Elsbree,Elmo,Elman,Elm,Ellebracht,Elkan,Elfstrom,Elerson,Eleazer,Eleam,Eldrige,Elcock,Einspahr,Eike,Eidschun,Eid,Eickman,Eichele,Eiche,Ehlke,Eguchi,Eggink,Edouard,Edgehill,Eckes,Eblin,Ebberts,Eavenson,Earvin,Eardley,Eagon,Eader,Dzubak,Dylla,Dyckman,Dwire,Dutrow,Dutile,Dusza,Dustman,Dusing,Duryee,Durupan,Durtschi,Durtsche,Durell,Dunny,Dunnegan,Dunken,Dun,Dumm,Dulak,Duker,Dukelow,Dufort,Dufilho,Duffee,Duett,Dueck,Dudzinski,Dudasik,Duckwall,Duchemin,Dubrow,Dubis,Dubicki,Duba,Drust,Druckman,Drinnen,Drewett,Drewel,Dreitzler,Dreckman,Drappo,Draffen,Drabant,Doyen,Dowding,Doub,Dorson,Dorschner,Dorrington,Dorney,Dormaier,Dorff,Dorcy,Donges,Donelly,Donel,Domangue,Dols,Dollahite,Dolese,Doldo,Doiley,Dohrman,Dohn,Doheny,Doceti,Dobry,Dobrinski,Dobey,Divincenzo,Dischinger,Dirusso,Dirocco,Dipiano,Diop,Dinitto,Dinehart,Dimsdale,Diminich,Dimalanta,Dillavou,Dilello,Difusco,Diffey,Diffenderfer,Diffee,Difelice,Difabio,Dietzman,Dieteman,Diepenbrock,Dieckmann,Dicey,Dicampli,Dibari,Diazdeleon,Diallo,Dewitz,Dewiel,Devoll,Devol,Devincent,Devier,Devendorf,Devalk,Detten,Detraglia,Dethomas,Deter,Detemple,Desler,Desharnais,Desanty,Derocco,Dermer,Derks,Derito,Derick,Derhammer,Deraney,Dequattro,Depass,Depadua,Deon,Denzel,Denyes,Denyer,Dentino,Denlinger,Deneal,Demory,Demopoulos,Demontigny,Demonte,Demeza,Delsol,Delrosso,Delpit,Delpapa,Delouise,Delone,Delo,Delmundo,Delmore,Delmar,Dellapaolera,Delfin,Delfierro,Deleonardis,Delenick,Delcarlo,Delcampo,Delcamp,Delawyer,Delaware,Delaroca,Delaluz,Delahunt,Delaguardia,Dekeyser,Dekay,Dejaeger,Dejackome,Dehay,Dehass,Degraffenried,Degenhart,Degan,Deever,Deedrick,Deckelbaum,Dechico,Decent,Dececco,Decasas,Debrock,Debona,Debeaumont,Debarros,Debaca,Dearmore,Deangelus,Dealmeida,Dawood,Davney,Daudt,Datri,Dasgupta,Darring,Darracott,Darius,Darcus,Daoud,Dansbury,Dannels,Danish,Danielski,Danehy,Dancey,Damour,Dambra,Daman,Dalcour,Daisey,Dahlheimer,Dagon,Dadisman,Dacunto,Dacamara,Dabe,Cyrulik,Cyphert,Cwik,Cussen,Curles,Curit,Curby,Curbo,Cunas,Cunard,Cunanan,Cumpton,Culcasi,Cui,Cucinotta,Cucco,Csubak,Cruthird,Crumwell,Crummitt,Crumedy,Crouthamel,Cronce,Cromack,Cristina,Crisafi,Crimin,Cresto,Crescenzo,Cremonese,Creedon,Credit,Crankshaw,Cozzens,Cove,Coval,Courtwright,Courcelle,Coupland,Counihan,Coullard,Cotrell,Cosgrave,Cornfield,Cornelio,Corish,Cordoua,Corbit,Coppersmith,Coonfield,Cools,Conville,Contrell,Contento,Conser,Conrod,Connole,Congrove,Conery,Condray,Colver,Coltman,Colflesh,Colcord,Colavito,Colar,Coile,Coggan,Coenen,Codling,Coda,Cockroft,Cockrel,Cockerill,Cocca,Coberley,Coaster,Clouden,Clos,Clive,Clish,Clint,Clinkscale,Clester,Clammer,City,Cittadino,Citrano,Ciresi,Cillis,Ciccarelli,Ciborowski,Ciarlo,Ciardullo,Chritton,Chopp,Choo,Chirco,Chilcoat,Chevarie,Cheslak,Chernak,Chay,Chatterjee,Chatten,Chatagnier,Chastin,Chappuis,Channing,Channey,Champlain,Chalupsky,Chalfin,Chaffer,Chadek,Chadderton,Cestone,Cestero,Cestari,Cerros,Cermeno,Centola,Cedrone,Cayouette,Cavan,Cavaliero,Casuse,Castricone,Castoreno,Casten,Castanada,Castagnola,Casstevens,Cassio,Cassi,Cassanova,Caspari,Casher,Cashatt,Casco,Casassa,Casad,Carville,Carvel,Cartland,Cartegena,Carsey,Carsen,Carrino,Carrilo,Carpinteyro,Carmley,Carlston,Carlsson,Carie,Cariddi,Caricofe,Carel,Cardy,Carducci,Carby,Carangelo,Capriotti,Capria,Caprario,Capelo,Canul,Cantua,Cantlow,Canny,Cangialosi,Canepa,Candland,Campolo,Campi,Camors,Camino,Camfield,Camelo,Camarero,Camaeho,Calvano,Callum,Calliste,Caldarella,Calcutt,Calcano,Caissie,Cager,Caccamo,Cabotage,Cabble,Byman,Buzby,Butkowski,Bussler,Busico,Bushy,Bushovisky,Busbin,Busard,Busalacchi,Burtman,Burrous,Burridge,Burrer,Burno,Burin,Burgette,Burdock,Burdier,Burckhard,Bunten,Bungay,Bundage,Bumby,Bultema,Bulinski,Bulan,Bukhari,Buganski,Buerkle,Buen,Buehl,Bue,Budzynski,Buckham,Bub,Bryk,Brydon,Bruyere,Brunsvold,Brunnett,Brunker,Brunfield,Brumble,Brue,Brozina,Brossman,Brosey,Brookens,Broersma,Brodrick,Brockmeier,Brockhouse,Brisky,Brinkly,Brine,Brincefield,Brighenti,Brigante,Brieno,Briede,Bridenbaugh,Bridegroom,Brickett,Bria,Breske,Brener,Brenchley,Breitkreutz,Breitbart,Breister,Breining,Breighner,Breidel,Brehon,Breheny,Breard,Brean,Breakell,Breach,Brazill,Braymiller,Braum,Brau,Brashaw,Bransom,Brandolino,Brancato,Branagan,Braff,Brading,Bracker,Brackenbury,Bracher,Braasch,Boylen,Boyda,Boyanton,Bowlus,Bowditch,Boutot,Bouthillette,Boursiquot,Bourjolly,Bouret,Bouquet,Boulerice,Bouer,Bouchillon,Bouchie,Bottin,Boteilho,Bosko,Bosack,Borys,Bors,Borla,Borjon,Borghi,Borah,Booty,Booten,Boore,Bonuz,Bonne,Bongers,Boneta,Bonawitz,Bonanni,Bomer,Bollen,Bollard,Bolla,Bolio,Boisseau,Boies,Boiani,Bohorquez,Boghossian,Boespflug,Boeser,Boehl,Boegel,Bodrick,Bodkins,Bodenstein,Bodell,Bockover,Bocci,Bobbs,Boals,Boahn,Boadway,Bluma,Bluett,Bloor,Blomker,Blevens,Blethen,Bleecker,Blayney,Blaske,Blasetti,Blancas,Blackner,Blackie,Bjorkquist,Bjerk,Bizub,Bisono,Bisges,Bisaillon,Birr,Birnie,Bires,Birdtail,Birdine,Bina,Billock,Billinger,Billig,Billet,Bigwood,Bigalk,Bielicki,Biddick,Biccum,Biafore,Bhagat,Beza,Beyah,Bex,Bevier,Bevell,Beute,Betzer,Betthauser,Bethay,Bethard,Beshaw,Bertholf,Bertels,Berridge,Bernot,Bernath,Bernabei,Berkson,Berkovitz,Berkich,Bergsten,Berget,Berezny,Berdin,Beougher,Benthin,Benhaim,Benenati,Benejan,Bemiss,Beloate,Bellucci,Bells,Bellotti,Belling,Bellido,Bellaire,Bellafiore,Bekins,Bekele,Beish,Behnken,Beerly,Beddo,Becket,Becke,Bebeau,Beauchaine,Beaucage,Beadling,Beacher,Bazar,Baysmore,Bayers,Baun,Baulch,Baucher,Batto,Baton,Bathe,Basora,Baruffi,Bartimus,Bartholemew,Barrickman,Barribeau,Barreda,Barrack,Baroody,Barness,Barn,Barmer,Barillari,Barias,Barginear,Barg,Barde,Barbone,Barbato,Barbarin,Baoloy,Bansal,Bangle,Banducci,Bandel,Bambeck,Balter,Ballif,Baller,Balladares,Balkus,Baldy,Baldivia,Balcerzak,Balazs,Baksh,Bakr,Bakemeier,Baisey,Bainer,Bailly,Bagge,Badua,Badini,Bachtell,Bachrodt,Bachorski,Bacak,Babula,Bable,Babjeck,Babecki,Azbell,Ayudan,Awai,Avita,Avino,Avellar,Auzat,Autman,Autio,Autery,Ausman,Ausland,Aulabaugh,Augle,Aughenbaugh,Augeri,Audi,Attleson,Attig,Attal,Ator,Asselmeier,Askland,Asiello,Asch,Arya,Artola,Arslanian,Arron,Arrezola,Arnesen,Arnau,Armster,Armintrout,Armento,Armato,Arkenberg,Ariaza,Arguin,Arenson,Areias,Archut,Archibold,Arave,Arand,Appelman,Appello,Antonson,Antoniewicz,Antill,Antigua,Annino,Anness,Anneler,Angustia,Angry,Angiolillo,Angelico,Andreula,Andreen,Andreassi,Andeson,Ander,Anda,Anania,Anadio,Amicone,Amenta,Alzaga,Alwardt,Aluarado,Altreche,Altic,Alsobrooks,Alpern,Almodova,Almas,Alltop,Alliston,Allio,Alipio,Alicandro,Alibozek,Alguire,Alff,Alcalde,Alborn,Albery,Alberry,Albany,Albani,Albanez,Alavi,Akkerman,Ahlheim,Agresti,Agnelli,Agilar,Agib,Aggas,Afton,Afonso,Adil,Adi,Adank,Adamsky,Acri,Accurso,Abruzzese,Abrew,Abeln,Abdullai,Abdulkarim,Abdelrahman,Abbenante,Abatiell,Abaloz,Zyskowski,Zwiefel,Zurmiller,Zupancic,Zuno,Zumsteg,Zumbrennen,Zumaya,Zullinger,Zuleger,Zozaya,Zourkos,Zorrilla,Zorko,Zolocsik,Zittel,Ziobro,Zimmerly,Zimmerli,Zillmer,Zigmond,Zierer,Zieber,Zide,Zevenbergen,Zephier,Zemel,Zelazo,Zeitlin,Zeiser,Zehring,Zeger,Zedian,Zearfoss,Zbranek,Zaya,Zatarain,Zasso,Zarn,Zarilla,Zari,Zapp,Zapf,Zanghi,Zange,Zamacona,Zalesky,Zalazar,Zaki,Zafar,Zade,Yusko,Yurman,Yurkovich,Yuhasz,Younge,Yiu,Yeasted,Yarrito,Yark,Yarboro,Yannuzzi,Yankovich,Yanagawa,Yago,Yaffe,Wyndham,Wyms,Wyand,Wuensch,Wryals,Wrubel,Worosz,Woolstenhulme,Wolpe,Wolner,Wolgamot,Wolfman,Wojtaszek,Woeppel,Woehr,Wodarski,Wizwer,Wittkop,Wisseman,Wisor,Wishum,Wischmann,Wisch,Wirkkala,Wion,Wintjen,Wintermute,Wintermantel,Winks,Winkey,Winham,Windschitl,Willow,Willitzer,Willier,Willets,Willenbrink,Willen,Willaimson,Wilfahrt,Wilenkin,Wilen,Wildeboer,Wilchek,Wigren,Wignall,Wiggington,Wierson,Wiegman,Wiegel,Widmayer,Wider,Widder,Wickey,Wickers,Wical,Whiton,Whitenton,Whiteleather,Whiston,Whirley,Whetham,Wheatly,Wetenkamp,Westenberger,Westenbarger,Westall,Werblow,Wengel,Welson,Welschmeyer,Wellmann,Wellbrock,Wela,Wekenborg,Weiter,Weisenstein,Wehmann,Weeda,Wede,Webley,Waver,Wauford,Waterworth,Watchorn,Wassinger,Wassell,Wasp,Wasiuta,Warnix,Warning,Warnes,Warmoth,Warling,Warila,Warga,Warburg,Wanzer,Want,Waner,Wanek,Walwyn,Walle,Walkner,Walin,Waletzko,Waler,Walenta,Wainer,Wailes,Wahr,Waddel,Wactor,Wachtler,Wachsman,Wachowski,Vulgamore,Vukelich,Vote,Vost,Voskamp,Vorwerk,Vongphakdy,Volpi,Volle,Volino,Voeks,Vodopich,Vittone,Virdin,Virag,Vinroe,Vinegar,Vindiola,Vilmont,Villerreal,Villaneva,Villalobas,Villada,Vilhauer,Vilchis,Vilches,Viggiani,Vig,Vieux,Viets,Vient,Vielle,Viejo,Vidovich,Vichi,Veys,Veverka,Verser,Veronesi,Vernoy,Vermont,Verhines,Verheyen,Veren,Vereb,Verano,Venuto,Ventry,Ventrone,Veltz,Velo,Velazguez,Veeser,Vassey,Vasque,Varin,Varaza,Varady,Vaquez,Vaquerano,Vansteenwyk,Vanschoick,Vanroekel,Vannorden,Vanlent,Vangrouw,Vangelder,Vanes,Vanelli,Vanderkar,Vanderbeek,Vandenburgh,Vandekieft,Vandekamp,Vancura,Vancooten,Vanconey,Vancampen,Vanaria,Valvano,Vallette,Vallero,Valiton,Valin,Valeri,Valek,Valdovino,Valdivieso,Vakas,Vagas,Vadala,Vaccarella,Vacanti,Urrabazo,Urguhart,Urda,Urbino,Urbas,Upmeyer,Umphlett,Ulerio,Uitz,Uchimura,Uccello,Tysdal,Ty,Tweedle,Turrubiates,Turrubiartes,Turri,Turnham,Turko,Turben,Tupin,Tumulty,Tuffey,Tuckey,Tuckett,Tucholski,Tubolino,Tubergen,Tsuboi,Tschumperlin,Tschoepe,Trynowski,Tryba,Truslow,Truog,Trumball,Trudelle,Trojillo,Trnka,Trizarry,Trigueiro,Trigleth,Tricomi,Tresselt,Trentacoste,Trendell,Trenary,Treml,Treleven,Treherne,Treasure,Trayer,Travino,Traugott,Trappey,Tranbarger,Tramontano,Tramell,Trainum,Traino,Traill,Trabucco,Townsell,Tourtillott,Touar,Toscani,Torrella,Torguson,Torda,Top,Toomes,Tonner,Tommasino,Tomaro,Tolve,Tolefree,Toguchi,Tofflemire,Tofanelli,Tody,Toce,Tobacco,Toan,Toalson,Tkacik,Tirone,Tipple,Tippery,Tinson,Tinnell,Timper,Timmers,Times,Timblin,Tilotta,Tillberg,Tijernia,Tigges,Tigar,Tielking,Thyng,Thonen,Thomley,Thombs,Thimmesch,Thier,Thevenin,Theodorov,Theodoropoulo,Tharnish,Tharaldson,Thackaberry,Tewari,Tetu,Tetter,Tersigni,Tepezano,Tennon,Tennent,Teichman,Teehan,Tayloe,Taus,Tatis,Tata,Tat,Tashima,Tarufelli,Tarlow,Tarkowski,Tarka,Targett,Taran,Tarabokija,Tappen,Tanzer,Tanous,Tanigawa,Taneja,Tammo,Tallerico,Tallada,Talk,Talhelm,Takehara,Takata,Tagliavia,Taffer,Tadman,Tacdol,Tacconi,Tables,Szewczak,Szeredy,Szanto,Sympson,Symmes,Syers,Sydney,Syas,Swinny,Swierk,Swendsen,Sweigard,Sweezey,Sweesy,Sween,Sweely,Sweed,Sweazy,Swauger,Swansbrough,Swango,Swanda,Swamp,Swallows,Swaggerty,Svatek,Survant,Surowka,Surina,Suozzi,Sunstrom,Sunford,Sundseth,Sundahl,Summerill,Sumida,Sumbler,Suma,Sulyma,Sulla,Sulieman,Suit,Sugiyama,Suell,Sudo,Suddreth,Sucher,Sturn,Sturkey,Studzinski,Studler,Stuckmeyer,Stryjewski,Stroy,Strotman,Strollo,Stroik,Stroede,Streeby,Stredny,Strazi,Stray,Strawderman,Straiton,Stower,Stoudmire,Stormont,Stopka,Stoneback,Stoldt,Stolarz,Stolarski,Stockmaster,Stobb,Stivason,Stirk,Stipp,Stipes,Stingel,Stike,Stiebel,Stidd,Steurer,Sterley,Sterle,Stepro,Stepovich,Stephson,Stenseth,Stenerson,Stello,Steinbrook,Steidley,Stehlin,Stegmaier,Stefanow,Steese,Steenhuis,Stavely,Stave,Stautz,Staunton,Stater,Stas,Startup,Startt,Startin,Starratt,Stargell,Starcevich,Stank,Stanis,Standing,Stancliff,Stanchfield,Stanbrough,Stakes,Stahmer,Staheli,Staebell,Stadtlander,Stadheim,Sroufe,Sroczynski,Srnsky,Sreaves,Srader,Squeo,Spuler,Sproat,Springmeyer,Sprengeler,Sport,Spolar,Spivack,Spinale,Spiegler,Spickerman,Spessard,Spenner,Speich,Spaziano,Sparaco,Spalter,Sowells,Sovich,Southmayd,Southgate,Sotto,Sotomayer,Sosaya,Sorvillo,Sorrel,Soos,Songco,Somerset,Somero,Soll,Soldan,Solarzano,Solana,Sokal,Soibelman,Soesbe,Sobotta,Sobina,Sobeck,Soard,Snorton,Snopek,Snoozy,Snethen,Smithhisler,Smee,Smaniotto,Slusarski,Slowe,Slotnick,Sleva,Sleighter,Slappey,Skyers,Skutt,Skorcz,Skoczylas,Skillicorn,Skiffington,Skibicki,Skerl,Skehan,Skalla,Siwinski,Sivley,Sittloh,Sitterly,Sith,Sit,Sise,Siroky,Sirles,Sirin,Sirignano,Siren,Sinsabaugh,Sinks,Sinisi,Sinibaldi,Singson,Sindlinger,Simpkin,Siminski,Simcoe,Siford,Siegert,Sidor,Sidhom,Siddique,Siddell,Sicotte,Sichting,Sicari,Sic,Siano,Shufflebarger,Shramek,Shortnacy,Sholler,Sholette,Sholders,Shogren,Shoenberger,Shoemate,Shoat,Shinoda,Shines,Shimshak,Shigley,Sheward,Shetrone,Shetlar,Sherretts,Sherod,Shenkle,Shely,Sheltra,Shelpman,Shellabarger,Shelite,Sheldrick,Shelburn,Sheinbein,Shebby,Shawley,Shatrau,Shartle,Sharifi,Shanker,Shami,Shamel,Shamburg,Shamas,Shallow,Shaffstall,Shadowens,Shackleton,Shaak,Seykora,Seyfert,Sevillano,Sevcik,Seubert,Seu,Setter,Sesler,Servatius,Serrant,Serramo,Serl,Serini,Serenil,Serapion,Sept,Sensibaugh,Sens,Senich,Sengbusch,Sendra,Senate,Semrau,Semrad,Sempertegui,Semons,Semke,Selma,Sellinger,Seliga,Sekel,Seilheimer,Seigfried,Seesholtz,Seefeld,Seecharran,Sedrakyan,Seavy,Search,Seamster,Seabold,Scyoc,Sculley,Scullawl,Scrogham,Scow,Scopa,Scontras,Sciulli,Sciola,Scifres,Schweyen,Schwering,Schwerdtfeger,Schweim,Schweikert,Schweder,Schwebel,Schwartzwalde,Schusterman,Schuhmann,Schuerman,Schuchman,Schrotenboer,Schreurs,Schoppert,Schopper,Schools,Schoneman,Scholfield,Schoeppner,Schoenleber,Schoeman,Schoel,Schnurbusch,Schnepel,Schnader,Schlarb,Schlappi,Schlangen,Schlaht,Schiraldi,Schinkel,Schimizzi,Schifo,Schiesher,Scheyer,Schettler,Scheppke,Schepper,Scheinost,Scheidel,Scheets,Schatzman,Scharwath,Scharp,Schaarschmidt,Schaack,Scarnato,Scarnati,Scaringi,Scarcia,Scarano,Sberna,Sawina,Sawer,Sawaya,Sawatzky,Savcedo,Sauser,Saumier,Sauchez,Sauceman,Sathre,Satawa,Sasala,Sartoris,Sare,Sarchet,Saracco,Santulli,Santory,Santorelli,Santopietro,Sansing,Sanseverino,Saniatan,Sangiacomo,Sanges,Sanfratello,Sanflippo,Sandona,Sandelin,Sandate,Samona,Sammis,Sambor,Samano,Salvitti,Salvietti,Salvi,Salum,Salsa,Salonek,Salm,Salles,Sall,Salera,Salemo,Salee,Salak,Sakihara,Sakasegawa,Sakaguchi,Sagastegui,Saeturn,Sadan,Sacayanan,Saborio,Sabeiha,Sabedra,Sabagh,Rzepecki,Rzasa,Ryser,Ryner,Rydman,Rycroft,Rybij,Ruyes,Ruttan,Russon,Rushe,Rusert,Rusell,Runnells,Rundstrom,Rumschlag,Rullman,Ruka,Ruiloba,Ruh,Ruggs,Ruffer,Ruest,Rueluas,Rueger,Ruediger,Rubinoff,Rubendall,Rozmus,Roxburgh,Rowls,Rousch,Rothove,Rotelli,Roszel,Roske,Roskam,Rosensteel,Rosendo,Roome,Rombough,Romash,Romanson,Romanello,Romance,Rolison,Rogol,Rogas,Roese,Roehrs,Roegner,Roeger,Rodrguez,Rodeman,Rodebaugh,Rockenbaugh,Rocconi,Robleto,Robateau,Roarty,Roaf,Rivenberg,Rivara,Rivali,Risse,Risby,Ripperger,Riopelle,Ringrose,Rinebarger,Rile,Riggen,Rigano,Riff,Rifenbark,Rieper,Rieffenberger,Riedmayer,Ridolfi,Ridderhoff,Rickon,Rickers,Rickels,Richoux,Richens,Ribao,Rhodarmer,Rheingans,Reznik,Reveron,Reus,Reph,Renko,Remme,Remlinger,Remke,Remily,Reitano,Reissig,Reisher,Reinitz,Reinholtz,Reines,Reigstad,Reigh,Reichelderfer,Rehnert,Rehagen,Redline,Rediger,Redhouse,Redepenning,Recla,Rechkemmer,Reando,Razavi,Rayson,Rayna,Rax,Raveling,Rauser,Rauschenberg,Raupach,Raum,Rauen,Ratulowski,Ratterree,Ratering,Rapin,Rannels,Rane,Randhawa,Ramus,Ramsfield,Rams,Ramroop,Ramano,Raj,Raina,Raikes,Ragonese,Rafaniello,Raetz,Raether,Raeside,Radwan,Radman,Rademaker,Radar,Racki,Rachlin,Rabena,Rabassa,Rabadan,Raad,Quoss,Quizon,Quito,Quintela,Quimet,Quilty,Quilimaco,Quidley,Quezaire,Quave,Quarto,Quaranto,Quandel,Qiu,Qazi,Pyrdum,Pyon,Pyeatt,Puzinski,Putnal,Punter,Pumphery,Pumper,Pump,Pummell,Pumarejo,Pulvermacher,Pultz,Pully,Pullens,Pulkrabek,Pulk,Pudlinski,Puccetti,Przygocki,Przybyszewski,Prusha,Prudente,Prucnal,Prottsman,Prosch,Prodoehl,Procell,Prinzivalli,Primes,Prey,Presnar,Presho,Prentis,Preisler,Preisel,Pratka,Pratcher,Prass,Pozzuoli,Powanda,Poundstone,Potters,Potra,Potestio,Potempa,Postlethwait,Posas,Portrum,Portland,Portilla,Portie,Popovitch,Popken,Ponzio,Pontremoli,Pontarelli,Pombo,Pomainville,Polycarpe,Pollart,Politowski,Politano,Poliquin,Polczynski,Pokoj,Poitevint,Poissonnier,Poeppel,Poellot,Poehlman,Poehlein,Podratz,Pociask,Plocher,Pline,Plessinger,Plautz,Platten,Plass,Plageman,Placko,Pizzola,Pizzella,Pittsenbarger,Pittner,Pitstick,Pitsch,Pitney,Pitaniello,Pistoresi,Pirc,Pinski,Pinera,Pincock,Pinckley,Pincince,Piliero,Pilat,Pigue,Pietschman,Pierpoint,Pierini,Picon,Picking,Picardi,Phlegm,Phippin,Phetteplace,Pharel,Pfundt,Pfluger,Pfeuffer,Pfefferle,Pezzulo,Pezzano,Peveler,Pettersson,Petsch,Petrusky,Petruska,Petrulis,Petrossian,Petroske,Petrini,Petitte,Petito,Petela,Petaccio,Pesto,Pestka,Pesta,Pessoa,Perun,Perrow,Perricone,Peros,Perney,Perlin,Perigo,Perella,Percle,Pepple,Penz,Penttila,Pensiero,Penigar,Penez,Pendrak,Penas,Pellowski,Pellow,Pellin,Pelissier,Pelini,Pekrul,Peevey,Pedraja,Pecher,Peasel,Payment,Pavolini,Paviolitis,Paulsell,Paulina,Paule,Patrum,Patrone,Patrie,Patras,Patera,Patek,Patane,Pastrano,Pastora,Passow,Passley,Passaretti,Passantino,Paske,Partible,Parsa,Parnes,Parliman,Parlato,Paravati,Paradowski,Papaleo,Papagni,Paoletta,Panzarino,Pannunzio,Panis,Pandit,Paluzzi,Palomin,Palomaki,Pallanes,Palla,Pall,Palino,Palfreyman,Palazzi,Palanza,Palagi,Painton,Pain,Pahulu,Paganico,Paeth,Padlo,Padillia,Paddy,Paddick,Paciolla,Pacholski,Paap,Paa,Owolabi,Overshown,Overocker,Overgaard,Ouchi,Ottoson,Ostrye,Osterland,Osland,Oslan,Osick,Osen,Osdoba,Osberg,Orzel,Ortmeier,Orren,Ormerod,Orio,Orgeron,Orengo,Orbaker,Opiela,Opdahl,Onks,Oltrogge,Olnick,Olivarres,Olide,Oleksy,Olaya,Okray,Okonek,Okinaka,Ojima,Ojala,Oinonen,Ohotto,Ohan,Ogwin,Ogborn,Oflaherty,Offill,Oetken,Oertle,Oehlert,Odems,Oconnel,Ocha,Ocarroll,Oby,Oblak,Oberst,Obermann,Obas,Oachs,Nydegger,Nybo,Nuuanu,Nutile,Nuse,Nuriddin,Nungesser,Nuber,Noy,Novinger,Nouri,Northan,Norseworthy,Norrod,Normington,Nori,Norenberg,Nordine,Nop,Noori,Noblet,Nives,Nist,Niskala,Nilan,Nikolai,Nigl,Nightengale,Nichole,Ni,Nhek,Ngvyen,Newville,Newsam,Newnham,Newmeyer,Newlan,Newbert,Neuschwander,Neusch,Neun,Nethken,Nethercutt,Nesser,Neske,Neman,Nelton,Nelles,Nekola,Neiling,Neeser,Neelly,Nedved,Neang,Navejar,Naveja,Nauarro,Natho,Nathe,Natcher,Naser,Nasby,Narlock,Nanton,Naillon,Naill,Naguin,Nagele,Naftzger,Naegle,Naegele,Naef,Nacke,Nabritt,Mynhier,Myart,Muzquiz,Mutty,Musolino,Mushero,Murtaugh,Murie,Muresan,Murdough,Mura,Munuz,Munstermann,Munsen,Munselle,Munise,Mungle,Munerlyn,Muncher,Mulrooney,Mullee,Mulaney,Mulanax,Muhlhauser,Muhlestein,Mugleston,Mugg,Mugford,Muckel,Mucerino,Mt,Mrotek,Mrnak,Mozdzierz,Moyler,Moury,Moulin,Moulding,Moul,Mottai,Mostyn,Mosimann,Mosholder,Mosburg,Morrisseau,Moron,Morice,Morgante,Moreta,Morcos,Morasco,Morante,Mooe,Montori,Montminy,Monteforte,Montante,Montanari,Monsees,Mondier,Monden,Monckton,Monce,Monarch,Monarca,Mompoint,Mollema,Molin,Molima,Molen,Molash,Moher,Mogle,Mogannam,Moel,Moehn,Modesitt,Mobilia,Moag,Miyagawa,Mivshek,Miu,Mittman,Mittleman,Mittelsteadt,Mittelstaedt,Mitsch,Mithell,Miscione,Mirbaha,Mirabelli,Mir,Minon,Minniti,Minnerly,Mingrone,Minervini,Minerd,Minarcin,Mimnaugh,Milord,Milnor,Milnik,Millers,Milkowski,Mikrot,Mikles,Miglorie,Mientka,Midthun,Middlesworth,Micklos,Mickler,Michetti,Michelli,Michelet,Micallef,Meyn,Meullion,Mette,Metoxen,Messore,Messano,Mesaros,Mertel,Merritts,Merrion,Merril,Mermis,Merlini,Merker,Meridith,Mergel,Merbaum,Mente,Mensi,Menninger,Mennen,Menlove,Menken,Menezes,Menette,Mendyk,Mendoca,Mendivel,Mendias,Menasco,Melloy,Mellema,Mellard,Melis,Meldahl,Melberg,Meirick,Meinel,Meiler,Meile,Meidl,Meerdink,Meer,Medus,Meduna,Medovich,Medine,Medico,Medici,Mcvaigh,Mctier,Mcquirk,Mcnight,Mcmurrey,Mcmurdo,Mcmorries,Mcmilleon,Mcmickell,Mcmicheal,Mcmeel,Mcleese,Mclee,Mclaws,Mclanahan,Mclaird,Mckusker,Mckibbens,Mckenley,Mckenize,Mckendall,Mckellop,Mckellip,Mckeirnan,Mcinvale,Mcguffee,Mcgrue,Mcgregory,Mcgrann,Mcgoey,Mcglinn,Mcgillicuddy,Mcgillen,Mcgeachy,Mcgarrell,Mcgannon,Mcgalliard,Mcfarlen,Mcevers,Mcerlean,Mcennis,Mcelvany,Mcelvaine,Mcdonal,Mcdavitt,Mccullick,Mccrone,Mccreadie,Mccoun,Mcconchie,Mcconaughy,Mcconahy,Mcconaghy,Mccomsey,Mccoggle,Mcclimans,Mccleod,Mccleaf,Mcclafferty,Mccatty,Mccarry,Mccance,Mccament,Mccaghren,Mcbreen,Mcardell,Mcabier,Mazell,Mayotte,Maybrier,Mavis,Mautone,Matuszek,Mattimoe,Mattey,Matterson,Matten,Matsushima,Matsubara,Matrone,Matras,Mato,Matier,Matheus,Massucci,Massoni,Massare,Maslin,Mashaw,Mase,Mascola,Masci,Marze,Marvray,Marusak,Martowski,Martiny,Martie,Martabano,Marsha,Marschel,Marsack,Marsac,Marohnic,Markve,Markis,Marking,Marken,Marioni,Marichalar,Margosian,Maretti,Mardesich,Marcussen,Marchessault,Marcey,Maraldo,Marafioti,Manzanero,Manwill,Manual,Manocchio,Manko,Manista,Manire,Manikowski,Manganiello,Manetta,Mandy,Mandino,Mandarino,Mancinelli,Manasse,Manary,Manalang,Malling,Mallahan,Maliska,Malet,Maleski,Maldonaldo,Malaterre,Malaney,Malagarie,Malabe,Maks,Makinster,Makar,Maita,Maiolo,Mahley,Magos,Mago,Magnotti,Magnant,Maglott,Maglori,Maenius,Madkin,Madarang,Madagan,Macrina,Macquarrie,Macphee,Macneal,Macmahon,Maclellan,Mackeen,Maciver,Machkovich,Machan,Macewen,Macera,Macer,Maceachern,Macdonell,Macaskill,Maaske,Lysaght,Lynum,Lynema,Lyas,Lutton,Luttman,Lutsky,Luthi,Lutfy,Lupoe,Lundrigan,Lunderville,Lukan,Luedeman,Ludke,Lucore,Lucksinger,Lucks,Luckner,Lucarell,Lubelski,Luarca,Luaces,Lozinski,Loynes,Lowis,Lovorn,Loverde,Lovasz,Loughery,Lotzer,Losito,Loschiavo,Lorsung,Lorquet,Lorkowski,Lorino,Lorey,Lorente,Loreman,Lopaz,Looft,Lonie,Longman,Longhofer,Longan,Lomascolo,Lomack,Lolagne,Lokaphone,Logins,Loggin,Lofredo,Loffler,Loescher,Loendorf,Locus,Lockyer,Lockheart,Lobendahn,Lobasso,Lob,Lizana,Livshits,Litzau,Litty,Litteer,Litsey,Litrenta,Litner,Liszewski,Lisman,Lisboa,Liquet,Liptok,Lineweaver,Lindenpitz,Lindel,Lime,Lillywhite,Life,Lievano,Lieblong,Liebler,Lidey,Libutti,Liborio,Libengood,Leyson,Leyland,Lewczyk,Lewark,Leviner,Levenstein,Leuenberger,Leszczynski,Lestage,Leske,Lerwick,Leray,Lepkowski,Leonor,Lenyard,Lenger,Lendon,Lemarie,Leman,Lelle,Leisner,Leisey,Leischner,Leimer,Leigers,Leiferman,Leibfried,Lehoullier,Lehnortt,Legget,Legato,Legath,Legassie,Legarreta,Leftridge,Leewright,Ledsome,Lecrone,Lecourt,Lecky,Lechman,Lebsack,Lebouf,Lebon,Leazer,Leavins,Leadbeater,Lawwill,Lawall,Lavorini,Laviero,Lavertue,Lavalais,Lautenbach,Lausier,Laurita,Lauriano,Laurange,Launey,Laughead,Laufenberg,Lauderman,Laubhan,Latunski,Latulas,Lastrape,Lastiri,Lason,Laskoski,Lasanta,Laroux,Larizza,Larive,Larish,Laquerre,Lappas,Lapilio,Lapadula,Lapa,Lanzi,Lanzafame,Lantier,Lanski,Laningham,Langon,Langdale,Landron,Landero,Landauer,Landacre,Lamport,Lamping,Lamott,Lamonda,Lammi,Lambiase,Laite,Lahaye,Laframboise,Lafone,Laferte,Laeger,Ladieu,Ladabouche,Lachat,Labonville,Labbee,Labatt,Laban,Kynaston,Kwaterski,Kuzniar,Kuthe,Kuter,Kutchar,Kurtin,Kuramoto,Kupstas,Kuperman,Kuns,Kullmann,Kuligowski,Kukielka,Kuehler,Kudrna,Kubie,Kubera,Kubas,Kuba,Kualii,Krysinski,Kryder,Kronberger,Kroft,Kroencke,Kristiansen,Krigger,Krieser,Kretschman,Krentz,Krenke,Kremers,Kreitner,Kreimer,Kray,Krawchuk,Kravs,Kranich,Krampitz,Kragh,Krager,Kozuch,Kozloski,Kozatek,Kozakiewicz,Kovalsky,Kovalcik,Kovack,Kotera,Kot,Koszyk,Kostel,Kosmicki,Koshy,Korona,Koroma,Korba,Koopmann,Konstantinidi,Kolodzik,Kolodzieski,Kolle,Kolkmann,Kolker,Kolda,Kokaly,Kofford,Koepper,Koeing,Koehnen,Kodish,Kodani,Kocur,Kocourek,Kobza,Koble,Koback,Knutzen,Knows,Knolton,Knoblauch,Knispel,Knieper,Knepshield,Klyce,Klunk,Kluka,Klostermann,Klosinski,Klish,Klint,Klinner,Klindt,Klimko,Klicker,Kleman,Kleinsorge,Kleinfelder,Kleier,Klas,Klaman,Kizzee,Kitto,Kitka,Kirtdoll,Kirscht,Kintzer,Kinstle,Kinning,Kinniburgh,Kinnett,Kinker,Kinkelaar,Kings,Kingham,Kingfisher,Kimmet,Killingbeck,Kilberg,Kikuchi,Kikkert,Kiesow,Kienitz,Kidner,Kida,Kid,Khuu,Khatak,Khaleck,Kezar,Keyton,Ketelhut,Kesley,Keshishyan,Kerzman,Kertesz,Kerslake,Kerscher,Kernes,Kerin,Ker,Kenimer,Kenfield,Kempe,Kemick,Kem,Keitsock,Keisker,Keery,Keblish,Kebalka,Kearny,Kearby,Kayler,Kavin,Kauer,Kattan,Katoa,Kassis,Kashuba,Kashan,Kartman,Karry,Karpel,Karo,Karnopp,Karmazyn,Karjala,Karcz,Karasti,Karagiannis,Kapoi,Kapanke,Kanz,Kaniewski,Kanemoto,Kaneholani,Kandt,Kampfer,Kammann,Kamler,Kamal,Kalvig,Kalmen,Kalmar,Kallstrom,Kallin,Kallbrier,Kakaviatos,Kakar,Kahahane,Kagel,Kabat,Kabanuck,Kaas,Jurczak,Jurasin,Juras,Junke,Junghans,Jungen,Jund,Juliusson,Juhnke,Juett,Jolla,Jokinen,Jokela,Joffe,Joecks,Jochumsen,Joa,Jeziorski,Jesseman,Jessamy,Jernejcic,Jergenson,Jerdon,Jensrud,Jellinek,Jedrey,Jedele,Jeannette,Jauron,Jatho,Jarrel,Januszewski,Janski,Janovsek,Janning,Janikowski,Jane,Jandres,Jamaica,Jalonen,Jainlett,Jahnsen,Jahde,Jagow,Jagielski,Jaffray,Jaecks,Jacquot,Jacoway,Jacocks,Iwami,Isadore,Irmeger,Irie,Iredale,Iqbal,Inscoe,Inklebarger,Ingemi,Immen,Imig,Imberg,Imamura,Illies,Ilacqua,Ijams,Iha,Iden,Ibraham,Ibey,Ialongo,Iafrate,Hyzer,Hyacinthe,Huyard,Huxman,Hutchkiss,Hutchingson,Husson,Hussman,Hurm,Hupka,Hunyadi,Hunstad,Humpert,Hummons,Hultz,Hulton,Hules,Huisenga,Huhta,Hugueley,Hughe,Huggler,Hufton,Huffstickler,Huddelston,Huba,Hrivnak,Hoysradt,Howorth,Howenstine,Hovda,Hourani,Houglum,Houch,Hotalen,Hosse,Horwich,Horvitz,Horoschak,Hornor,Hornbrook,Horita,Hoque,Hopman,Hoovler,Hoople,Hookfin,Honeysucker,Honeycut,Honerkamp,Homyak,Homa,Holzwart,Holzerland,Holyoke,Holtry,Holterman,Holohan,Hollinshed,Hollington,Hollenshead,Holey,Holderby,Holak,Hokkanen,Hohner,Hogsed,Hoglen,Hogen,Hogberg,Hofland,Hofius,Hoffis,Hofferber,Hoffarth,Hofacker,Hoekman,Hodor,Hochstetter,Hochnadel,Hobbins,Hoa,Hlavaty,Hittner,Hitson,Hirtz,Hirschi,Hinkes,Hinke,Hindley,Hince,Hilse,Hilke,Hilferty,Hildesheim,Hikes,Hignite,Higman,Hiemer,Hidden,Hickinbotham,Hewatt,Hetz,Hetsler,Hessian,Hershaw,Herra,Hernander,Herlocker,Hepper,Henseler,Henri,Hennick,Hennecke,Hendrikson,Henderlight,Hellstrom,Helderman,Heitland,Heistand,Heiskell,Heisinger,Heiserman,Heinritz,Heinly,Heinlen,Heimerdinger,Heimbigner,Heidbreder,Hegwer,Hedeen,Hebrank,Heberlein,Heaslet,Hearin,Hazle,Hazelbush,Hayzlett,Hayre,Haymans,Hayenga,Hayduk,Haward,Havner,Haushalter,Hauf,Hatke,Hatchel,Hassard,Haskovec,Hashmi,Harvest,Harvath,Hartill,Harteau,Harshfield,Harrigill,Harriet,Haros,Haroldson,Harmeson,Harl,Harkley,Hariston,Harington,Harian,Hargus,Hargens,Hardina,Haraldson,Harajly,Hapke,Hapeman,Hanz,Hanthorn,Hanry,Hannen,Hannasch,Hannam,Hanifan,Hanft,Handon,Handford,Hancher,Hancey,Hample,Hammrich,Hammerstrom,Hambric,Halwick,Halma,Hallgren,Hallet,Hallada,Halla,Halik,Halgas,Halcon,Halbrooks,Hakel,Hairfield,Hainesworth,Haggarty,Hagenhoff,Hagebusch,Hagadone,Haft,Haflett,Haefele,Haddow,Hackbart,Haberer,Haass,Gwinner,Gwathney,Gwartney,Gutterrez,Gutoski,Gutkin,Gutherie,Gutches,Gustus,Gustison,Gustaveson,Gurtner,Gurkin,Gummo,Gulliksen,Gulke,Guldin,Gulden,Guitierez,Guile,Guildford,Guidice,Gugerty,Guffy,Gueningsman,Gudgell,Guderjahn,Guastella,Guariglia,Guardia,Gryniuk,Grueser,Grudem,Growden,Grossett,Gropper,Gron,Grodin,Groch,Grismore,Gripper,Grinvalsky,Grima,Griffth,Griess,Greynolds,Gresh,Greminger,Gregoria,Greenwade,Greenlief,Greenier,Grayes,Gravell,Grassmyer,Grappe,Grantland,Grandin,Grandel,Grandbois,Granahan,Gramham,Graffeo,Graeter,Gradwell,Gradel,Grabo,Graban,Goy,Govoni,Governale,Govern,Gouty,Goughnour,Goude,Goubeaux,Goth,Gosline,Goslee,Goshen,Gosewisch,Gorzynski,Gortman,Gorter,Gordin,Gord,Goos,Goodwine,Goodrick,Goodley,Gombert,Goletz,Goldy,Goldthwaite,Goldthwait,Goldizen,Golar,Goist,Gofman,Goffer,Goerges,Goeltz,Goedicke,Goedecke,Godnick,Gocke,Goade,Gneiser,Gluth,Glovier,Glomski,Glodo,Gloden,Glenister,Glawson,Glasier,Gladysz,Gladstein,Gjertsen,Giudice,Gitto,Gittelman,Girvin,Girolamo,Gionfriddo,Gingell,Gimble,Gilhousen,Gilboy,Gilberti,Gigantino,Gietzen,Gieseking,Gianikas,Ghosn,Ghosh,Geyman,Gevara,Getsinger,Gessert,Gerrits,Gerrior,Geris,Gerhauser,Gerety,Genzone,Genuario,Gentles,Gentille,Genter,Genetti,Gelle,Gelfand,Gelabert,Gekas,Geck,Gearin,Gdovin,Gaydosh,Gawith,Gave,Gauntlett,Gaugler,Gaudy,Gaub,Gatten,Gathje,Gasperini,Gasner,Gasco,Gascho,Gasbarro,Garvis,Garra,Garnette,Garing,Garick,Gardunio,Gardon,Gardemal,Garde,Garczynski,Garant,Ganus,Gantnier,Ganis,Gangloff,Gangler,Ganer,Ganem,Gandolfo,Gampp,Gallihugh,Galletti,Gallenstein,Gallarello,Galla,Galka,Galayda,Galarneau,Galapon,Gaito,Gaglione,Gady,Gadsen,Gachupin,Gaboury,Futterman,Fusch,Furuta,Furth,Furber,Fune,Funai,Fuess,Frutchey,Frumkin,Fruhling,Frommer,Fromdahl,Froehner,Frizzle,Friends,Friederich,Freyre,Freilich,Fregia,Frediani,Frederico,Frater,Fraile,Foste,Fosselman,Fosnaugh,Fosburg,Fortis,Fortgang,Forstner,Forson,Forseth,Forkin,Forister,Forinash,Footer,Fontillas,Fontenelle,Fonesca,Folker,Fogerson,Fogelquist,Flye,Flummer,Floth,Floro,Florine,Flies,Flexer,Flessner,Flatness,Flank,Fland,Flahive,Flager,Fiveash,Fitzner,Fitzke,Fitcheard,Fisherman,Fishbeck,Fipps,Fiorino,Finster,Finken,Finigan,Fingal,Finer,Filsaime,Fillingim,Filipponi,Fila,Fies,Fiebelkorn,Fiducia,Fiallo,Fetherston,Fetherolf,Fesmire,Fesenmyer,Ferroni,Ferriss,Ferrini,Ferrick,Ferraris,Ferniza,Fernades,Ferdig,Ferandez,Feoli,Fenninger,Fenney,Femi,Fejes,Fehlman,Feger,Fede,Febo,Febbraio,Feasel,Feagley,Fayad,Favaloro,Fauerbach,Fauble,Fasheh,Farrant,Farra,Faro,Farinacci,Farfaglia,Farell,Farb,Farace,Fanjoy,Fangmann,Famulare,Falsetta,Fallows,Fallert,Falero,Faldyn,Falconi,Falce,Fait,Fairburn,Faiola,Faiella,Fahlsing,Faggett,Fafinski,Fadness,Fabros,Fabert,Everidge,Evaristo,Eustache,Etzkorn,Etier,Estabillo,Esquivias,Esquirel,Eslava,Eschete,Esau,Erway,Ertzbischoff,Eron,Erner,Ermitano,Ermitanio,Ermert,Erie,Erdley,Equihua,Enzor,Ensing,Enns,Engleking,Engelkes,Endlich,Endler,Emry,Emms,Emmerling,Emerich,Ellsbury,Ellie,Elizarraras,Eliot,Eliopoulos,Elery,Elek,Elderidge,Elbaum,Ekins,Ekin,Eisley,Eilderts,Eikleberry,Eigo,Eighmy,Eichel,Ehly,Egloff,Egland,Eggington,Eggenberger,Egar,Egans,Eftekhari,Efford,Eeds,Edvalson,Edin,Edgman,Edemann,Edelmann,Eddens,Eckl,Eckerle,Eckelman,Ebrahim,Eberth,Eberspacher,Ebbighausen,Ebaugh,Easly,Eash,Dzledzic,Dyett,Dyba,Dworaczyk,Duttry,Duthie,Duszynski,Duso,Dushaj,Dusett,Dus,Durman,Durkins,Durick,Duplechain,Dunnivan,Dunlow,Dunivan,Dumars,Dumaine,Duliba,Dulany,Duka,Duft,Dufrane,Duffek,Duellman,Ducking,Dubourg,Drzewiecki,Drugan,Drozdowski,Drozda,Dronet,Drilling,Driesenga,Dreyfuss,Drevs,Dreben,Draudt,Draleau,Dragos,Draghi,Doyer,Dowlin,Douma,Dotterweich,Dottavio,Doroff,Dornon,Dorland,Doop,Donndelinger,Donehoo,Donate,Donado,Dommer,Dominici,Domann,Dolio,Dolence,Doland,Dolak,Doersam,Doerrer,Doede,Dockham,Dobrich,Dobosz,Dobin,Dobbratz,Divlio,Divel,Ditzel,Disalvatore,Diotte,Dinnen,Dinkin,Dimler,Dimiceli,Dimeglio,Dimascio,Dimare,Diluca,Dilsaver,Dillen,Dilibero,Dile,Digioia,Difede,Diefenbach,Diedrick,Dickmann,Dickes,Dickason,Dicapua,Dicaprio,Dibrell,Dibley,Dibattista,Deyon,Devotie,Devoid,Deval,Detlefsen,Destro,Destiche,Desposito,Desola,Deshotels,Descombes,Deschepper,Desautel,Desano,Deroy,Derosset,Derosby,Deroeck,Derocher,Dergance,Deren,Deptula,Deprey,Depolis,Depner,Depetro,Denunzio,Densford,Dennington,Dene,Dender,Denbo,Demuro,Demoranville,Demling,Demerson,Demelis,Demeglio,Dembo,Demattia,Demarinis,Delprincipe,Deloria,Delnoce,Delmedico,Dellow,Delles,Dellavalle,Dellamora,Delguidice,Delgato,Delfs,Delcourt,Delcolle,Delbert,Delaportilla,Delahoz,Delacueva,Deisch,Deike,Degro,Degonia,Degollado,Degolier,Degirolamo,Degener,Degele,Degeest,Degeare,Defina,Defabio,Deeley,Decraene,Decou,Decorte,Declercq,Decinti,Dechambeau,Debutts,Debro,Deblieck,Deblasi,Debem,Deavila,Deases,Deangeles,Deahl,Daymude,Daven,Datil,Daros,Darnick,Darienzo,Dardy,Daponte,Dannhaus,Danneman,Danielle,Dani,Danger,Dangel,Danes,Danekas,Dandrow,Dambrose,Dalpe,Dalesandro,Daiton,Dainels,Daigh,Dahnke,Dahme,Dahling,Dagata,Dack,Czaplicki,Czachorowski,Cuttitta,Cutaia,Custance,Curless,Curie,Curi,Cupelli,Cumens,Cumbass,Cumba,Cullars,Cullar,Cukaj,Cubito,Cuascut,Crytzer,Crye,Cruzen,Cruser,Crunkleton,Crummett,Crumbliss,Cropley,Cronquist,Cronkite,Cronic,Crombie,Crockwell,Crnkovich,Critcher,Cristo,Cristales,Crisanti,Crier,Cretsinger,Crest,Creson,Crelia,Crecco,Craze,Craveiro,Cratch,Crapps,Cran,Craigmiles,Craiger,Craige,Crady,Cradic,Craddieth,Cowels,Coveney,Courcy,Coulbourne,Cotsis,Cotrone,Cotney,Cotilla,Costaneda,Costabile,Cossel,Cossa,Cos,Corte,Corsino,Corria,Cornog,Cornely,Corio,Corino,Corington,Coressel,Cordone,Corbisiero,Corbelli,Copps,Coovert,Coopwood,Cooner,Cookman,Conzales,Conver,Contratto,Conrady,Conradi,Connel,Conneely,Conmy,Comunale,Comber,Comans,Colvert,Columbo,Coluccio,Colp,Colop,Collini,College,Colestock,Colebank,Colasante,Colasacco,Colapietro,Cokeley,Coia,Cocuzza,Coalson,Co,Clowes,Cliche,Clevette,Cleven,Clerico,Clearwater,Civiello,Ciullo,Citro,Cirocco,Cioppa,Cilek,Cieszynski,Cieri,Cicerchia,Ciaschi,Ciani,Cianchetti,Chudy,Chuc,Chryst,Christodoulou,Christin,Chrisley,Chokshi,Chmela,Chkouri,Chiodini,Chio,Chimilio,Chilen,Chilek,Childrey,Chier,Chicas,Chiaro,Chiappone,Chiappinelli,Chiado,Chhom,Chesterfield,Chesteen,Cheshier,Cherrez,Cherep,Chene,Cheevers,Checkett,Cheaney,Chayka,Chawla,Chasin,Chasen,Charvat,Char,Chapoton,Chantos,Chantler,Chant,Chadez,Chad,Chaco,Chabez,Cerrito,Ceppetelli,Centanni,Celso,Cederberg,Cedar,Cecchetti,Cavel,Cavanah,Cavagna,Catus,Catton,Catterton,Catrambone,Catherwood,Catherman,Cataldi,Castellana,Castellan,Cassey,Casparis,Casilla,Cashdollar,Casaceli,Carvana,Carriedo,Carrecter,Carraher,Carrabine,Carpinelli,Carouthers,Carnovale,Carmany,Carles,Caretto,Careaga,Cardosa,Cardelli,Carbine,Carathers,Caraker,Caracci,Capuchin,Cappelletti,Capistran,Capdeville,Caparros,Canute,Cante,Canizares,Canel,Canclini,Cancino,Campus,Campise,Campen,Cammarano,Camilli,Camic,Camey,Calwell,Calvey,Calvary,Callo,Callinan,Callais,Calizo,Calixto,Calisto,Calip,Calibuso,Caira,Cahillane,Cahalane,Cahal,Caffery,Caffarelli,Cafarelli,Cadlett,Cacciatori,Cabebe,Byus,Byrnside,Byrer,Byone,Buza,Buttrum,Buttel,Butremovic,Butanda,Bustin,Bussen,Bushlen,Bushart,Burtchell,Burrel,Burnard,Burlett,Burkeen,Burce,Buote,Bunyan,Buntrock,Bunck,Bumpas,Bulleri,Buglione,Bugge,Bueter,Buerk,Buenger,Buehrle,Buechele,Budrow,Buddenhagen,Bucolo,Buchenau,Bucco,Buccino,Bubar,Bruzas,Brutsch,Bruschke,Brunot,Brungard,Brund,Bruender,Brucks,Bruchey,Brozowski,Brownd,Brothern,Broomhead,Bronw,Brom,Brog,Brodigan,Brockhaus,Brockel,Broadaway,Brletich,Briston,Brissett,Brines,Brillon,Brilliant,Brightbill,Brigges,Briel,Bresciani,Brents,Breitmeyer,Breithaupt,Breidenthal,Breden,Bredemeier,Breckinridge,Brecheisen,Brecheen,Breazeal,Bream,Brazzel,Brawdy,Brave,Brashers,Branz,Branyon,Brantz,Brannam,Brankovich,Brandle,Branchaud,Branca,Bramley,Bramante,Bramall,Brakeman,Bradby,Bozzo,Bozelle,Boyarski,Bowline,Bowey,Bowerize,Bowdon,Bowdler,Boutros,Bouten,Bourdier,Bouras,Boufford,Bottex,Bottemiller,Bothman,Botcher,Boshers,Borris,Bornemann,Bonus,Bonnot,Bonifant,Bongiardina,Bonenberger,Bonasera,Bollier,Bolar,Bokman,Bokanovich,Boissonnault,Boiles,Bohrn,Bohlke,Bogenschutz,Bogel,Bogda,Boevers,Boever,Boender,Boehringer,Boehne,Bodor,Bodda,Bodak,Bocker,Bockenkamp,Boche,Blyden,Bluto,Bludworth,Bloxsom,Blomstrom,Bloise,Bloebaum,Blier,Bleiweiss,Blegen,Bleacher,Blaum,Blasz,Blasingim,Blasengame,Blanda,Blagman,Blackstad,Blackham,Blache,Bixel,Bitters,Bissegger,Bisker,Bishoff,Bisard,Bis,Birtwell,Birley,Birkenmeier,Birkenholz,Birkeland,Birdsey,Birdo,Birdinground,Binner,Bilsborough,Billot,Billops,Billingham,Bigney,Bigg,Bienkowski,Bienek,Bielefeld,Bielec,Biddie,Bickell,Bichler,Bibo,Biava,Biagi,Biagas,Bhayani,Bez,Beyene,Beyda,Bevels,Bettner,Bettinson,Betson,Beto,Bessix,Bessire,Bertschy,Bertozzi,Bertoncini,Bertelson,Berteau,Berrong,Berrones,Berringer,Berrigan,Bernsen,Berlingeri,Berken,Berka,Berges,Bergdorf,Bergara,Bergant,Bergamini,Beren,Berdugo,Berdine,Berberian,Benvenuti,Benish,Benincase,Benek,Benedith,Bendas,Benak,Bena,Beltrame,Belsheim,Belotti,Bellrichard,Belleville,Beliles,Belgrade,Belcastro,Bekius,Bekhit,Beightol,Behel,Beetz,Bedson,Becze,Beckmeyer,Beckey,Beckers,Beckelhimer,Beccue,Beberwyk,Bebber,Beamesderfer,Beacom,Bazzle,Bazil,Baynham,Bayhonan,Bayas,Bawany,Bava,Baumgardt,Bauerkemper,Baudry,Baudino,Battko,Battisti,Batta,Bassano,Baskas,Baseler,Basanta,Bartucci,Bartron,Barthold,Bartamian,Barsalou,Barrineau,Barriger,Barreneche,Barkie,Barich,Bardes,Barbano,Baral,Baragar,Baque,Banther,Banome,Bannowsky,Banke,Baniaga,Bandley,Banahan,Banaag,Bamba,Baltzer,Balster,Balnis,Balkin,Bali,Balfe,Balerio,Balent,Baldyga,Baldor,Baldinger,Baldassano,Baldacci,Balanoff,Balado,Balaban,Balaam,Bakes,Bajwa,Baisch,Bahnsen,Bahls,Bahler,Bahamonde,Bagdasarian,Bagaoisan,Bafia,Baese,Badolato,Bado,Badder,Bacurin,Backers,Bachor,Babe,Babbit,Babauta,Baadsgaard,Azzara,Azebedo,Avril,Avello,Aveline,Authur,Ausby,Auricchio,Auna,Aukerman,Auckerman,Auck,Auble,Atterson,Attard,Aswegan,Aste,Asta,Assaf,Aspen,Asken,Asif,Asiedu,Ashner,Asel,Aschenbach,Arvay,Arvan,Artus,Artley,Arrollo,Aroyo,Aronov,Aromin,Arnsworth,Arnspiger,Arnn,Armant,Arington,Argubright,Arentz,Arcoraci,Arbuthnot,Arbo,Aquilina,Aquilera,Apt,Apsey,Appolonia,Apollo,Apana,Antista,Anshutz,Anon,Anno,Annala,Anklam,Angold,Angelone,Angeline,Angeletti,Andren,Andreadis,Andera,Andelman,Andel,Anctil,Anchors,Anacker,Ampy,Amons,Amirault,Amir,Amezaga,Ameigh,Alyea,Altvater,Altig,Altermatt,Alo,Almengor,Alme,Allvin,Allocco,Allegrini,Aliment,Algee,Alexanian,Aler,Aldo,Albero,Alarid,Akiona,Akemon,Ajello,Aitcheson,Ainley,Ailey,Ahluwalia,Ahlf,Ahlbrecht,Agundez,Agro,Agins,Aggarwal,Afalava,Adriano,Adomaitis,Adolphus,Adlam,Adie,Adey,Adduci,Addleman,Adamyan,Acothley,Acklen,Ackert,Ackerly,Acencio,Accosta,Abundiz,Abedi,Abbassi,Abbasi,Aanerud,Aakre,Aagaard,Zwickl,Zuver,Zurasky,Zumbo,Zumba,Zuckerwar,Zuccarelli,Zubris,Zoucha,Zorns,Zorc,Zitzow,Zitzloff,Zirkles,Zippe,Ziola,Zinz,Zinsmeister,Zincke,Zieschang,Zierdt,Zien,Ziemke,Zidek,Zickler,Zeuner,Zerba,Zera,Zenger,Zeltmann,Zelle,Zelinka,Zelek,Zele,Zeiner,Zeimet,Zeidler,Zecchini,Zebley,Zdanowicz,Zbell,Zaro,Zaremski,Zar,Zani,Zancanella,Zana,Zambarano,Zakar,Zadorozny,Zader,Zaccaro,Ysquierdo,Yoxall,Youst,Youngstrom,Youn,Youker,Yoss,Yoshina,Yonke,Yonemura,Yohannes,Yock,Yerhot,Yengo,Yehle,Yanofsky,Yaker,Yagues,Yach,Ya,Xue,Wyrosdick,Wygle,Wygand,Wurzer,Wurl,Wunderlin,Wunderle,Wuerth,Writer,Wrighten,Wrich,Wozny,Wozney,Wowk,Wouters,Wormington,Worf,Woolem,Woodrich,Wooderson,Wonder,Womeldorf,Wolz,Woltmann,Wolstenholme,Wollmuth,Wolle,Wolfard,Woldridge,Wojtanowski,Wojner,Woitowitz,Woehl,Wittenburg,Wittel,Witschi,Witaszek,Witaker,Wiszynski,Wiswall,Wiss,Wisher,Wisenbaker,Wires,Winsky,Winfough,Windler,Winckler,Wimes,Wiltberger,Wilm,Willrich,Willoby,Willimon,Willenborg,Wilda,Wilczewski,Wilcock,Wiggens,Wigboldy,Wiesler,Wies,Wienhoff,Wielgus,Wiebers,Wieber,Wickizer,Wichrowski,Wibbens,Whyard,Wholey,Whitsey,Whitlingum,Whitlach,Whirry,Wharry,Wharff,Whack,Weyman,Weyler,Wethje,Westveer,Westmorland,Westerhold,Wesselman,Wesloh,Wery,Wermers,Werlinger,Werksman,Wenzinger,Weninger,Wendeln,Wendelin,Wenck,Wember,Welters,Welland,Welchman,Welchel,Weitnauer,Weissler,Weinger,Weimann,Weigert,Weidert,Wehby,Wehbe,Weck,Wechter,Weaving,Weather,Weal,Weagle,Wdowiak,Wayns,Waycott,Waychoff,Waterfall,Watcher,Watahomigie,Wasowski,Wasner,Washko,Washing,Washell,Wartenberg,Warson,Warrenfeltz,Warp,Warmbrodt,Warhurst,Wardsworth,Wanzek,Wanta,Wansing,Wankel,Wangberg,Wanberg,Wamack,Waltzer,Walthers,Walterson,Walshe,Walrond,Wallschlaeger,Wallgren,Walema,Waldram,Waldhauser,Waldecker,Walby,Wakin,Wakabayashi,Wah,Wagy,Waggner,Wagenaar,Wage,Waffle,Wadzinski,Wademan,Wackerly,Wachs,Wable,Vredenburg,Vrana,Vrable,Voyer,Voto,Vosper,Vosberg,Vorhees,Voran,Vora,Vonstein,Vondoloski,Voltin,Volpicelli,Volland,Volentine,Volcko,Vojtko,Voice,Vogeler,Vizzini,Vizena,Vix,Vitko,Viste,Visor,Visco,Virock,Vinup,Vinion,Vincenzo,Villas,Villarta,Villari,Vilello,Vigne,Viener,Vielmas,Vielhauer,Viehman,Vidulich,Vidinha,Videen,Vickerson,Vicker,Vertz,Verry,Vermeesch,Verhulst,Verhoff,Verhagen,Verhaeghe,Vergo,Vergeer,Verdino,Venus,Ventrella,Ventola,Venter,Vennes,Venneri,Venditto,Velzy,Velilla,Velie,Velandia,Vecker,Vecellio,Vear,Vavricka,Vautrin,Vates,Vassall,Vasmadjides,Varty,Varriano,Varriale,Varrato,Varnedoe,Varillas,Vardaman,Varajas,Vaquero,Vanzyl,Vanvleet,Vanvleck,Vansoest,Vanskiver,Vanskike,Vanruler,Vanputten,Vanoy,Vanous,Vanoort,Vanliew,Vanlew,Vanhulle,Vanhoozier,Vanhofwegen,Vanhaitsma,Vanecek,Vandrunen,Vandixon,Vandivier,Vandiford,Vandezande,Vandewege,Vanderzanden,Vanderwerff,Vanderwerf,Vanderschel,Vandergiessen,Vandenberghe,Vandehei,Vandee,Vancheri,Vanbramer,Valsin,Valli,Valido,Valenzano,Vajda,Vaillencourt,Vacheresse,Va,Uzdygan,Uyetake,Usilton,Urueta,Ursprung,Ursiak,Urquilla,Urquidi,Urfer,Ureta,Urbancic,Ura,Upwall,Uptegrove,Uphaus,Upadhyaya,Unterburger,Unch,Unavailable,Unangst,Umphenour,Umbenhauer,Ulseth,Ulatowski,Ukosata,Uhyrek,Uhrmacher,Uhlich,Ueno,Uelmen,Udoh,Ude,Uchytil,Tzeng,Typhair,Twelves,Twehous,Tuxhorn,Turybury,Turro,Turne,Turnblom,Turkus,Turks,Turbin,Turbes,Tunick,Tumpkin,Tuholski,Tuggie,Tufnell,Tubertini,Tubaugh,Tsutsui,Tsuha,Tsuda,Tsinnie,Trupp,Trupiano,Trupia,Truner,Trundle,Trumm,Trullinger,Truell,Trucco,Trowers,Trover,Trosien,Tronnes,Trompeter,Tromp,Trolio,Troendle,Trobaugh,Triska,Trimarco,Trifiletti,Tridle,Tricoche,Tresvant,Trest,Tresler,Tresca,Tremont,Tremayne,Treinen,Treichler,Treglia,Treamer,Traxson,Traugh,Trasher,Trapasso,Trant,Trancoso,Traister,Trailor,Trageser,Traficante,Trac,Toya,Towson,Tovrea,Totherow,Tote,Tortorelli,Torri,Tornabene,Torigian,Torello,Toppa,Topor,Toothill,Toop,Tonsil,Tomsich,Tommie,Tomlison,Tolmich,Tollner,Tollefsrud,Toledano,Tolayo,Toenges,Toefield,Tock,Tobiasz,Tobery,Tobert,Toban,Toback,Tjarks,Tiznado,Titlow,Tishler,Tirabassi,Tippet,Tinkey,Timson,Timperman,Timmis,Timmermans,Timme,Timberman,Tikkanen,Tietze,Tierman,Tiberi,Thuringer,Thul,Thu,Thro,Thornwell,Thomlison,Thomlinson,Thomassen,Thimmes,Thilking,Thierman,Thielemann,Thiboutot,Thibideau,Theresa,Theard,Thavichith,Thaut,Tezak,Tetzloff,Teto,Tetlow,Tessler,Tesseyman,Teskey,Tes,Terzian,Terwillegar,Tervo,Terronez,Ternasky,Termini,Terboss,Teramoto,Tepley,Tenuta,Tenen,Tellio,Tellefson,Telecky,Tekell,Tefertiller,Teece,Tedesko,Tederous,Tebeau,Tear,Teahan,Tazewell,Tazelaar,Tavano,Tatsapaugh,Tatlock,Tataris,Tassinari,Tassie,Tarvis,Tarkey,Tarangelo,Tappa,Tanna,Tanikella,Tamblyn,Tamaro,Talyor,Tallas,Talayumptewa,Talaska,Taj,Tagliarini,Tagata,Taflinger,Taddonio,Tacderan,Tablang,Tabisula,Tabicas,Tabar,Szwed,Szumski,Szumigala,Szollosi,Szczesny,Sypniewski,Syon,Sylvan,Syal,Swor,Swoopes,Swoap,Swire,Swimmer,Swiler,Swida,Sweezer,Sweep,Sweeley,Swede,Swearengen,Sweadner,Swartzwelder,Swanhart,Sveen,Svay,Sutyak,Sutten,Sutler,Suski,Surprise,Supernault,Suozzo,Suns,Sunder,Sumney,Summarell,Sumera,Sulzbach,Sulfridge,Sukhram,Suk,Suitor,Sughroue,Sugahara,Sudlow,Sudan,Sudak,Subido,Style,Stweart,Sturz,Sturdy,Sturchio,Stulce,Stukenborg,Stuckemeyer,Stsauveur,Stroll,Strohmeier,Strissel,Strimple,Stremmel,Streczywilk,Strawhorn,Stratz,Stratos,Straton,Strassner,Strama,Strada,Stoss,Storti,Stomberg,Stolze,Stoliker,Stoler,Stolberg,Stolarik,Stohlton,Stofko,Stofflet,Stoff,Stoesser,Stoeber,Stodden,Stobierski,Stobbs,Stjohns,Stirrup,Stirman,Stinehelfer,Stimmell,Stimits,Stigger,Stiers,Stieff,Stidam,Stewarts,Stevinson,Stevey,Sterett,Ster,Steppello,Stepnoski,Stentzel,Stencil,Stencel,Stempien,Steketee,Steinbruckner,Steinborn,Steigman,Steiber,Stegent,Steffani,Steerman,Steenken,Steenhard,Steedman,Steckley,Stealey,Stayrook,Stavnes,Stauss,Stash,Stary,Stare,Stant,Stanfa,Standfield,Standberry,Standage,Stanco,Stanage,Stampe,Stamdifer,Stalworth,Stalma,Staires,Staines,Staine,Stahlberg,Stadden,Staberg,Stabel,Spurgers,Spruce,Sprinkel,Springman,Spriggle,Sporleder,Sporcic,Spontak,Sponholz,Spohr,Spittle,Spiry,Spiece,Spicuzza,Sperlich,Sperdute,Sperazza,Spelts,Speares,Speakes,Sparhawk,Spaniel,Spaar,Soyars,Soverns,Southam,Sour,Souphom,Soun,Soula,Sossamon,Sosh,Sosby,Sorsby,Soroka,Soricelli,Sorgi,Sorbera,Soplop,Soohoo,Sonoda,Sonny,Sonneborn,Somodi,Sommese,Solman,Sollie,Solla,Solina,Soliani,Soley,Solecki,Solages,Sohre,Soenksen,Sodeman,Sobiech,Soberanis,Snobeck,Snerling,Sneider,Snaza,Smolic,Smigel,Smigaj,Smiechowski,Smida,Smerkar,Smeby,Slothower,Slotemaker,Slodysko,Slivka,Slimmer,Slight,Slifko,Slayter,Slawski,Slauson,Slatten,Slain,Skultety,Skrip,Skowyra,Skorupa,Skordahl,Skomsky,Skoff,Sklenar,Skeldon,Skeesick,Skea,Skagen,Sjostrand,Sixtos,Sivyer,Siverson,Siverling,Sivan,Siva,Sitzler,Sither,Siskind,Siske,Siron,Siregar,Sirbaugh,Sirak,Siptak,Sinstack,Sins,Siniscalchi,Singlton,Sinden,Sinagra,Sina,Simpon,Simmoneau,Simler,Simkulet,Simi,Simeona,Simens,Silverstone,Silverness,Silsbee,Sillas,Sileo,Silbert,Sikula,Siglin,Sigley,Sigafus,Siew,Sietsma,Sierras,Siembida,Sieker,Siedlik,Sidur,Sidell,Siddoway,Sibille,Sibilia,Sibbald,Shusta,Shuskey,Shurts,Shryack,Shroll,Showell,Shove,Shoulars,Shortino,Shopp,Shmidt,Shiu,Shirar,Shinners,Shingles,Shinabery,Shimko,Shibles,Shertzer,Sherrin,Sherril,Shellhamer,Shellhaas,Sheldrup,Sheladia,Shehab,Sheff,Sheck,Shearman,Sheaff,Shauer,Shatswell,Shaske,Sharick,Shappard,Shallcross,Shala,Shaklee,Shakespear,Shafe,Shady,Shadwell,Shacklett,Seymor,Settlemire,Setting,Sether,Sesma,Sesareo,Seryak,Serven,Sers,Serbus,Serb,Seppi,Sephus,Sentinella,Sensel,Senf,Senato,Sempek,Semidey,Semasko,Selz,Seltz,Selmer,Selitto,Selim,Seiser,Seikel,Seigle,Seid,Segouia,Segner,Segerson,Segala,Sefcik,Seeholzer,Seegert,Sedita,Sedenko,Sedar,Secondo,Seckinger,Sebald,Seba,Seahorn,Seabright,Scotty,Scothorn,Scordato,Scoma,Scobie,Scipione,Sciara,Schwieterman,Schwendemann,Schwede,Schwartzbach,Schwarcz,Schwalen,Schutzman,Schunemann,Schulweis,Schul,Schuffert,Schuckers,Schrull,Schrubbe,Schreyer,Schreckhise,Schreader,Schoonhoven,Schoolman,Schol,Schoettmer,Schoepf,Schoenle,Schoenecker,Schobert,Schnyer,Schnoke,Schnipper,Schneiter,Schneekloth,Schnapp,Schmits,Schmelzle,Schmelz,Schmeisser,Schmeiser,Schmahl,Schlotzhauer,Schlott,Schlossberg,Schlipf,Schlicker,Schleuder,Schleimer,Schlauch,Schlau,Schlaefer,Schiesser,Schieler,Schied,Schie,Scheuvront,Scheumann,Scherz,Scheperle,Schenewerk,Schemm,Schellenger,Schaupp,Schauf,Schaudel,Schau,Schatzberg,Scharr,Schappert,Schapp,Schamel,Schallhorn,Schaefers,Schadt,Schadel,Schackow,Schabowski,Schabes,Schabert,Schab,Schaab,Scavotto,Scarver,Scarsella,Scarbro,Scampoli,Scammon,Scallon,Scalley,Scale,Scafuri,Scadden,Scacco,Sawchuk,Saviano,Saverchenko,Savelli,Savarino,Satsky,Satoe,Sarwinski,Sartorio,Sartorelli,Sarria,Saro,Sarna,Sarkin,Sarisky,Sario,Sarazin,Sara,Sapia,Santmyer,Santmier,Santillana,Santanna,Santacroce,Sansouci,Sannes,Sanez,Sandvig,Sandino,Sandella,Sanburg,Samy,Sammer,Samit,Salvucci,Salvey,Salvatori,Salvant,Salvage,Salts,Salton,Saltarelli,Salt,Salome,Sallade,Saletta,Salehi,Saleeby,Salameh,Salama,Salaiz,Salafia,Sakry,Sako,Sakash,Saitta,Sahu,Sahara,Saguil,Sagrera,Saglimben,Sagi,Saggio,Sagen,Safranek,Safko,Saeli,Sadar,Sacre,Saccardi,Saborido,Sabins,Sabet,Sabbah,Saale,Rynne,Rynders,Rylands,Rykowski,Ruzbasan,Ruwe,Rutiaga,Ruthledge,Rutecki,Rusu,Russler,Rurup,Ruozzo,Ruot,Runels,Rumphol,Rumpel,Rumpca,Rullo,Ruisi,Ruic,Ruhle,Ruffaner,Rufer,Ruetz,Ruesink,Ruehle,Ruedy,Ruden,Rubulcaba,Rua,Roya,Rowald,Rovner,Rouselle,Roura,Roulston,Rougeaux,Rotty,Rothery,Rotert,Rossler,Roskowinski,Rosiak,Rosh,Rosenstock,Roselius,Roscigno,Rosaro,Rosada,Roperto,Ropers,Rookwood,Rongo,Rondinelli,Ronda,Ronchetti,Romrell,Rollinger,Rola,Rokos,Rohwer,Rohrscheib,Rohlf,Rogal,Rogacion,Roeschley,Roers,Roemen,Roelofs,Roekle,Roehrich,Rodriguel,Rodges,Rodeen,Roddey,Roddam,Rocquemore,Rockers,Roccia,Robishaw,Robida,Robichau,Robertshaw,Roberton,Roberta,Roberg,Rob,Roary,Rizzuti,Rizal,Riveros,Rittenour,Risper,Rippin,Ripp,Riola,Riogas,Rinner,Ringus,Ringhand,Rinehardt,Rinderer,Rigotti,Righetti,Riggi,Riggans,Rigazio,Rigatti,Rifenburg,Rieu,Riehm,Riegler,Riech,Riebau,Ridgel,Ridens,Ridener,Riddel,Rickner,Richardt,Ricciardone,Rhynard,Rhyan,Rhoderick,Rho,Rheinschmidt,Rezak,Reusing,Rettkowski,Retterath,Retta,Reshid,Reppe,Repke,Reos,Reome,Rensen,Renschler,Renova,Renollet,Renison,Reninger,Rengers,Rengel,Renart,Rena,Relihan,Reisen,Reiniger,Reindel,Reil,Reier,Reh,Reggio,Regener,Reekers,Reeger,Redmann,Reddinger,Redcay,Reckling,Rebert,Reategui,Reagin,Reagen,Readnour,Razzano,Raynolds,Rayer,Raybould,Rawdon,Ravotta,Ravo,Ravitz,Ravert,Rathert,Raterman,Ratel,Raque,Rapko,Ransone,Ransburg,Rangnow,Randon,Rancifer,Ramotar,Ramones,Ramone,Ramire,Ramin,Rameres,Rakoski,Rajala,Raithel,Rainie,Rainge,Rainbow,Raigoza,Rahming,Ragazzo,Radomski,Radish,Radilla,Raden,Radde,Racano,Rabine,Rabil,Rabell,Rabasca,Quiterio,Quinzi,Quink,Quinci,Quilliams,Quiller,Quider,Quenneville,Quelch,Queeley,Quear,Quattro,Quastad,Quaglieri,Pyscher,Pust,Purtle,Purtill,Purdin,Puorto,Punja,Pullem,Pulfer,Puleio,Pujia,Puetz,Puehler,Puebla,Ptomey,Przewozman,Prysock,Pruter,Prunier,Pruess,Prudom,Pruchnik,Proveaux,Prophit,Promise,Procknow,Proby,Pro,Prive,Preziosi,Preza,Prem,Preite,Preisser,Pregler,Precella,Prazma,Prats,Prator,Prakash,Prahm,Prader,Pozniak,Poxon,Powledge,Pouge,Pott,Postlewaite,Posthumus,Posnick,Posley,Poskey,Porro,Poreda,Poppema,Popat,Pondexter,Ponciano,Pompilio,Pommer,Polosky,Pollom,Pollo,Pollica,Pollaro,Polizio,Polek,Polack,Polacek,Poirot,Poertner,Poduska,Pockrus,Pochintesta,Pluym,Pluhar,Pluck,Pliner,Pliml,Plese,Pleasent,Playle,Plasky,Plane,Plack,Pizani,Pitz,Pittari,Pitruzzello,Pistorius,Pistilli,Pisha,Piselli,Pisco,Piros,Pirone,Pirolli,Pirman,Pirkl,Pirie,Pique,Pintado,Pinkey,Pingrey,Pinger,Pinelo,Pilsner,Pilley,Pilgreen,Piles,Pila,Pignatello,Pietig,Pierrott,Pierron,Pierceall,Pieratt,Pienta,Piekos,Piechota,Picquet,Pickar,Picerno,Piceno,Phyfiher,Phorng,Phearsdorf,Pharmes,Phariss,Pfuhl,Pfenning,Pezzetti,Pevy,Petzoldt,Pettrey,Pettas,Petta,Petross,Petrochello,Petriello,Petrelli,Petch,Pestoni,Pestano,Pesick,Pesavento,Perzanowski,Perrien,Perrenoud,Perque,Peroff,Perlas,Perkerson,Perisho,Perich,Perfect,Peregrino,Peregoy,Perch,Pequeno,Penza,Pensis,Penquite,Peniston,Penister,Pendola,Pendergraph,Pelle,Pelczar,Pelch,Pela,Pehler,Pegoda,Peelle,Peeling,Pedroni,Pedlar,Pedder,Pecoraino,Peckman,Pechal,Pebsworth,Peasnall,Peasant,Pead,Peacemaker,Paytes,Paysen,Payn,Pavletic,Pavlat,Pavlas,Pavese,Paup,Paulis,Patrice,Patocka,Pat,Pastorino,Pascocello,Parthemer,Parreira,Parido,Paretti,Pardun,Parchment,Papstein,Papps,Papetti,Papakostas,Pantoni,Panik,Panfilov,Panfil,Pana,Pampusch,Pamperin,Palmitessa,Palmero,Pallett,Palilla,Palese,Palesano,Palange,Pagenkopf,Padon,Padmanabhan,Padinha,Packen,Pacitto,Pacchiana,Pabich,Oza,Oyabu,Overdorf,Ourada,Otukolo,Otterbine,Ottalagano,Oto,Other,Otano,Osting,Ostiguy,Osterholt,Osley,Oscarson,Osaile,Ortz,Ortolano,Ortea,Orte,Ortaga,Orszulak,Orser,Orihuela,Orejel,Ordorica,Ording,Ordal,Orbin,Oransky,Oppel,Onsgard,Ondrick,Olsin,Ollmann,Olives,Olavarria,Olano,Olafson,Okuno,Okuniewski,Okuhara,Okrent,Okoniewski,Okeke,Ohs,Ohotnicky,Ohno,Ohlund,Ohlendorf,Ohaire,Ogaz,Ogando,Offield,Odiorne,Oclair,Ockenfels,Ochocki,Ocamb,Ocallahan,Obleton,Oberly,Oberhelman,Oberbeck,Nylin,Nydick,Nwachukwu,Nutzmann,Nuque,Nunz,Nulle,Nuffer,Notti,Nothum,Nothnagel,Notah,Nossett,Nose,Nosbisch,Norrix,Norlien,Norkin,Nordon,Nordmeyer,Norat,Nooe,Nokleby,Nofziger,Noens,Nivison,Niu,Nittler,Nissalke,Nishikawa,Ninness,Nin,Nimon,Nifong,Niewieroski,Nietzer,Niemela,Nicolette,Nicoletta,Nico,Nickolas,Nickless,Nicklaw,Niccoli,Nibbs,Neyland,Newmark,Newey,Newbauer,Nevwirth,Neverman,Neuser,Neumaier,Neufville,Netzley,Netzel,Nettle,Neiswonger,Neiswender,Neilan,Neidhardt,Neesmith,Nebgen,Navia,Nate,Nasuti,Nasso,Nassimi,Nashe,Nases,Naro,Nardo,Narasimhan,Naqvi,Nanka,Naman,Nahrstedt,Nagura,Nagarajan,Nadile,Nabours,Nabers,Mysinger,Mynear,Muzzarelli,Muthig,Mustian,Muskus,Muskelly,Musi,Mushtaq,Musca,Murzynski,Murzyn,Murrillo,Murello,Murdy,Murakawa,Munsinger,Munnell,Munks,Munkberg,Mundorf,Mummey,Mullick,Mulkin,Mulhollen,Mulgrew,Mulderig,Mulac,Muehl,Muddiman,Muckerman,Muckenthaler,Much,Mucciolo,Mruczek,Mrazek,Mowat,Moure,Mould,Motts,Mosure,Mossor,Mossberg,Mosler,Mosha,Moscrip,Moschetti,Mosbarger,Morua,Morss,Morron,Morrall,Moroni,Morioka,Moricca,Morgensen,Morganson,Moreshead,Morely,Morch,Moras,Morar,Moranville,Moralas,Morak,Moradel,Moothart,Moonen,Monzingo,Montpetit,Montjoy,Monteagudo,Monoz,Mongrain,Mongon,Mondejar,Monas,Monachino,Momplaisir,Momin,Moment,Molpus,Molony,Molner,Molleda,Molinski,Molinelli,Molfetta,Molenda,Molchan,Mohseni,Mogg,Moerke,Moenius,Moehlman,Modugno,Modi,Modest,Moder,Moch,Moat,Miyamura,Mittlestadt,Mittelstedt,Mittelman,Mitschelen,Mitro,Mitchan,Misty,Missey,Misenhimer,Mirra,Mirjah,Mirante,Miosek,Minteer,Minrod,Minning,Minney,Minnema,Minium,Minihane,Minicucci,Minecci,Minchey,Milota,Millson,Milloway,Millonzi,Millier,Milley,Millam,Milillo,Milbrath,Mikowski,Mikola,Mikler,Mihelic,Mihaila,Miesen,Mierzejewski,Mickels,Michienzi,Michalke,Miazga,Mezydlo,Mezick,Meynard,Meylor,Mexicano,Metsker,Metrick,Meter,Mestad,Meske,Mertins,Merta,Mersinger,Merschman,Merna,Merila,Meridieth,Mergen,Merel,Menzella,Menze,Mentnech,Menson,Mensick,Mennig,Mendillo,Memos,Melroy,Melochick,Mells,Mellgren,Meline,Melich,Melena,Melchiori,Melching,Melahn,Meisler,Meinerding,Meilleur,Meidlinger,Mehner,Megrabyan,Megee,Meeuwsen,Medlar,Medick,Medema,Mechler,Mechanic,Meadowcroft,Mcpike,Mcpeake,Mcnell,Mcneary,Mcmutry,Mcmeekin,Mcmannus,Mcluen,Mclouth,Mclerran,Mcleoud,Mclagan,Mckone,Mckneely,Mckissic,Mckinnell,Mckillips,Mckibbon,Mckenty,Mckennan,Mckeeman,Mckasson,Mcinturf,Mcinerny,Mchan,Mcgurn,Mcguirl,Mcgue,Mcgrain,Mcgonnell,Mcglumphy,Mcglauflin,Mcginity,Mcgibboney,Mcgeough,Mcgauley,Mcgarvie,Mcfatter,Mcentegart,Mcenroe,Mcelmury,Mcelhinny,Mcdonnel,Mcdoniel,Mcdoe,Mcdermond,Mcdearmon,Mcdearman,Mcday,Mcdannald,Mcdaid,Mccurren,Mccrosky,Mccrane,Mccraig,Mccooey,Mccoo,Mccolpin,Mccolloch,Mcclucas,Mcclester,Mcclement,Mcclamroch,Mcclammy,Mcclallen,Mccarte,Mccaie,Mccaddon,Mcanelly,Mcalmond,Mcalary,Mazzini,Mazzarino,Mazzara,Mazzanti,Mazurk,Mazor,Mayerle,Mayenschein,Mayard,Mayans,Maxedon,Mavromatis,Mavins,Maves,Mausser,Maulsby,Matya,Matuke,Matto,Mattler,Mattiace,Matkowski,Mathern,Matero,Matchette,Matayoshi,Matar,Mastine,Massing,Massimo,Masseria,Massenberg,Massard,Masoud,Masotti,Maslak,Masey,Masella,Mascarena,Mascall,Marzella,Maryott,Marwick,Marugg,Martt,Martinis,Martian,Martha,Marstaller,Marsingill,Marsicek,Marotto,Market,Markegard,Marke,Marinella,Marien,Margison,Margheim,Margason,Margaris,Margaret,Marett,Marentes,Marcott,Marcon,Marchena,Marcellino,Mapston,Mantione,Mantanona,Mansouri,Manoi,Mankus,Mankins,Manin,Manikas,Mangieri,Manfredini,Mane,Mandt,Mandolini,Mandley,Mancina,Manas,Maltsberger,Maltais,Malmin,Mallis,Mallicoat,Malleck,Mallach,Malkowski,Malkani,Malito,Malensek,Malandra,Malander,Makos,Makanani,Maille,Mail,Maidens,Maid,Mahowald,Mahala,Mahajan,Magnotta,Maggiore,Magel,Maestos,Maerz,Maedche,Madise,Madi,Mades,Maddaloni,Madayag,Madaras,Macnair,Mackinlay,Mackesy,Machon,Machia,Machey,Machesky,Machacek,Maceyak,Macchio,Macbride,Mabray,Maasch,Lyseski,Lykken,Luzania,Luxenberg,Lutrell,Lupkes,Lupino,Lupardus,Lunnon,Lunghofer,Lundvall,Lundby,Lundborg,Lulow,Lukman,Lukin,Lukaszewski,Lukacs,Lugones,Luger,Lueder,Ludeke,Lucek,Lucchetti,Lucchese,Lozowski,Lozaro,Loyer,Lowthert,Lowdermilk,Lovitz,Lovinggood,Lovenduski,Loura,Loung,Lounder,Louks,Loughry,Loudermill,Lotta,Lostetter,Loskot,Losiewski,Lorman,Loren,Lorelli,Lorange,Lonsinger,Longinotti,Longhurst,Lomedico,Lola,Lohwasser,Lohn,Lohden,Lograsso,Logie,Loftman,Loften,Lofaso,Loewer,Loehrs,Locy,Loconte,Lockerman,Lockerby,Locken,Lobaton,Loatman,Lleras,Lizak,Livingood,Litwiler,Litvin,Littledave,Lites,Lisee,Lipszyc,Lippy,Lionello,Linsday,Linnear,Linklater,Lingbeck,Lindie,Lindenfelser,Lindenberger,Linarez,Limber,Lily,Lightning,Liffick,Lieto,Liestman,Liepins,Lieng,Liebross,Licciardi,Licavoli,Libbee,Lhuillier,Lhommedieu,Leyra,Lewman,Levreault,Levitre,Levings,Levick,Levecke,Levanger,Leval,Leva,Leuthold,Leuenthal,Letze,Letterlough,Leski,Lerwill,Lertora,Leppla,Leopoldo,Leonides,Leonardis,Lenoue,Lenoch,Lengerich,Lemont,Lemmert,Lemery,Lemaitre,Lella,Leko,Leithauser,Leisher,Leise,Leisch,Leiendecker,Leiber,Leialoha,Lehtomaki,Lehigh,Leggs,Legate,Leflar,Lefeber,Leezer,Ledden,Lecleir,Lechliter,Lebrane,Lebarron,Leason,Leapheart,Leadman,Lazarte,Lawin,Lavole,Lavesque,Laverdure,Lautner,Lauthern,Laurila,Laurendeau,Launderville,Laumeyer,Latina,Laszlo,Lassan,Larzelere,Larzazs,Larubbio,Larriuz,Larew,Laremont,Laredo,Lardizabal,Larance,Lappa,Lapolla,Lapatra,Lapaglia,Lantieri,Lannan,Lann,Langwith,Langolf,Langloss,Langlo,Langholz,Langhart,Langfitt,Langendorf,Langenbach,Langbehn,Lanehart,Landoni,Landherr,Landberg,Landazuri,Lancey,Lamus,Lamunyon,Lampitt,Lampiasi,Lammon,Lamme,Lamirand,Lambes,Lamarta,Lamarra,Lalim,Lalande,Laky,Laitila,Laidler,Laich,Lahue,Lahtinen,Lagrasse,Lagrand,Lagle,Lagerstrom,Lagerberg,Laferney,Lacson,Lachenauer,Lablue,Labean,Lab,Kuzara,Kuza,Kuy,Kutchera,Kustra,Kurtyka,Kurschner,Kurka,Kunstlinger,Kunka,Kunicki,Kunda,Kulling,Kulla,Kulbida,Kuker,Kujath,Kujala,Kuhta,Kuhner,Kuhle,Kufalk,Kuennen,Kuen,Kudley,Kucharik,Kuca,Kubic,Kryst,Krysh,Krumenauer,Kruczek,Kroschel,Kronk,Kroells,Krivak,Kristoff,Kristin,Kreuziger,Kreitz,Kreisberg,Kreiman,Kreighbaum,Kreh,Kreck,Kraszewski,Krason,Krammes,Krake,Kozusko,Kozola,Kozikowski,Kozielski,Kowis,Kowalske,Kottman,Kottler,Kottenstette,Kostelnick,Kosmowski,Koska,Kosinar,Kosik,Kosanovic,Kosanke,Kortge,Korsak,Kornbau,Kordas,Korby,Korbel,Kopperman,Koppenhaver,Kopischke,Koper,Kopelman,Kopel,Kopas,Kooser,Koors,Koor,Koone,Koogle,Konzen,Konieczka,Kondracki,Kondos,Komatsu,Kolo,Kolarik,Kolacki,Kokesh,Kohrt,Kohrs,Kogel,Kofron,Kofman,Koewler,Koetting,Koes,Koellner,Koellmann,Koczela,Kocon,Knoth,Knollman,Knoebel,Knknown,Knittle,Kniphfer,Knightly,Kniffin,Knaphus,Knaak,Kloth,Klonoski,Kloke,Kloer,Klinetob,Kliger,Klich,Kleyman,Klepchick,Klemish,Kleen,Klebe,Klakowicz,Klaft,Kithcart,Kister,Kisker,Kishel,Kishbaugh,Kirt,Kirouac,Kirley,Kirklen,Kirkegaard,Kirchen,Kipka,Kipfer,Kinsinger,Kiniry,Kinikini,Kingma,Kinderknecht,Kinahan,Kimmes,Kimak,Killiany,Killelea,Kilkus,Kilfoyle,Kiflezghie,Kiffer,Kiesewetter,Kienow,Kieler,Kiebler,Kicks,Kicker,Kibel,Kibe,Kibbee,Kiang,Khounthavong,Khatri,Khamsyuorauon,Kham,Keye,Keup,Keto,Ketch,Kess,Kerth,Kero,Kernell,Kerkvliet,Keomany,Keomanivong,Kennemur,Kennel,Kenndey,Kendi,Kempter,Kempinski,Kemna,Kellan,Keliikoa,Keledjian,Keithan,Keisel,Keib,Kehs,Kedley,Keay,Kearin,Kawulok,Kawai,Kawaa,Kava,Kaunisto,Kaumo,Kauahi,Kattner,Katra,Kastel,Kastein,Kassulke,Kassman,Kassing,Kashani,Kasch,Karty,Karstetter,Karrenberg,Karper,Karow,Karmo,Karhoff,Kardell,Kardas,Karapetian,Kapper,Kappen,Kapichok,Kanis,Kaneakua,Kanaris,Kamuda,Kamirez,Kamat,Kaloudis,Kallberg,Kallaher,Kalkwarf,Kalkman,Kalk,Kalisek,Kalehuawehe,Kalchik,Kalbfleisch,Kalberer,Kalal,Kala,Kakimoto,Kaing,Kaigle,Kahill,Kahanaoi,Kaemmerling,Kadri,Kadle,Kading,Kadi,Kadar,Kachmar,Kachiroubas,Kachelmeyer,Kaase,Juve,Juul,Justinger,Jungwirth,Jungman,Jungck,Julander,Juenemann,Jubie,Joun,Joswick,Jossund,Joss,Jory,Jonnson,Jongsma,Joliet,Johngrass,Jocoy,Jing,Jimerez,Jimbo,Jeudy,Jerowski,Jernstrom,Jernstad,Jernberg,Jeoffroy,Jentry,Jennie,Jeng,Jenaye,Jemerson,Jeltema,Jeanpaul,Jeanmard,Jax,Javery,Jaudon,Jasperse,Jasmer,Jarred,Jarrar,Jargas,Jardot,Jardell,Jaquay,Jappa,Janower,Jankoski,Janise,Jandrey,Jandl,Jakubiak,Jakobson,Jakobsen,Jahncke,Jagers,Jacobitz,Jackon,Izard,Ivel,Itzkowitz,Itani,Issacs,Isome,Isle,Islar,Isidro,Isidoro,Isch,Irvan,Irizary,Irene,Ipson,Ip,Ioele,Interiano,Insalaco,Iniestra,Ingargiola,Impson,Illiano,Iller,Illa,Ilardi,Iida,Ihrke,Igneri,Igbal,Igartua,Iffland,Idell,Iberra,Iba,Ianacone,Hysong,Hyrkas,Huzzard,Huttle,Husselbee,Husseini,Hupe,Hunzeker,Hunnicut,Humprey,Humbird,Humason,Hugle,Hufana,Huestis,Huesing,Huell,Hudy,Hudley,Hudas,Hudalla,Hudack,Huckfeldt,Hubka,Hubenthal,Huante,Hsing,Hromek,Hritz,Hrdlicka,Howzell,Howles,Howat,Hovarter,Houy,Housler,Houska,Houseal,Houlberg,Hostert,Hosman,Hoscheid,Horvers,Hortin,Hornish,Hornbeak,Hornaday,Hoppman,Hopfer,Hoot,Honts,Honsberger,Hons,Honnen,Honberger,Honahnie,Homma,Homesley,Holyoak,Holweger,Holubar,Holtzer,Holtrop,Holtberg,Holpp,Holmquest,Hollinghead,Holje,Holgerson,Holabaugh,Hoitt,Hofford,Hoffmaster,Hoffine,Hoffelt,Hoes,Hoellwarth,Hoegh,Hoegerl,Hoeger,Hodrick,Hodgkiss,Hodek,Hockey,Hobday,Hlavacek,Hlad,Hitzeman,Hitzel,Hitsman,Hissong,Hissam,Hiscock,Hirz,Hirshberg,Hipkins,Hinsch,Hinken,Hinckle,Hinchliff,Himmons,Himmelwright,Himmelspach,Himebaugh,Hilst,Hilmes,Hillsgrove,Hillestad,Hillesland,Hillegass,Hilfiger,Hilado,Highshaw,Highers,Higginbothan,Higbie,Hieronymus,Hidy,Hickory,Hickernell,Hibma,Hibbets,Heximer,Hewgley,Heutmaker,Heuschkel,Heupel,Heumann,Heuman,Hetzer,Hetherman,Hesterman,Hespe,Hertweck,Herson,Herry,Herrboldt,Herms,Hermosilla,Herl,Herbolsheimer,Herbel,Hera,Heptinstall,Heppler,Heppell,Henslin,Henschen,Hennington,Hennagir,Henkhaus,Henken,Henggeler,Hempfling,Hemmerling,Hemish,Hema,Helveston,Helsey,Helscher,Helo,Heline,Helfin,Helder,Heitner,Heiple,Heinzelman,Heinricher,Heines,Heimsness,Heiler,Heidelburg,Heiberg,Hegner,Hegler,Hefferman,Heffelbower,Heebner,Hediger,Hedding,Heckbert,Hearnsberger,Heaivilin,Heagle,Heafner,Hazelrig,Hayth,Hayoz,Haydu,Haybarger,Haya,Havers,Haverfield,Hauze,Haugabrook,Haub,Hathcoat,Hasychak,Hassin,Hassey,Hasenberg,Hasek,Harvat,Haruta,Hartvigsen,Hartong,Hartke,Harre,Harradon,Harnisch,Harmond,Harmening,Harlem,Harkrader,Harklerode,Hargitt,Hardon,Hardgrave,Hardester,Harbeson,Harben,Hanrath,Handville,Handcock,Hamza,Hamson,Hamming,Hamic,Hambley,Halphen,Halpain,Halmes,Hallaway,Hallauer,Half,Haldiman,Halbur,Hakkila,Hakimian,Haimes,Hahs,Hagmann,Hagglund,Hagert,Hagee,Hafeman,Haeber,Haddan,Hada,Hackner,Hackel,Hacher,Habisch,Haarstad,Haare,Haaker,Gyger,Guzowski,Guzi,Guzalak,Guyon,Guyll,Gutzmer,Guttirez,Gutt,Gutierrex,Gutierre,Gut,Gustis,Gushwa,Gurke,Gurevich,Gunyan,Gumz,Guisbert,Guire,Guintanilla,Guimaraes,Guillereault,Guidos,Guidera,Guffin,Guererro,Guenthner,Guedes,Guareno,Guardian,Grussing,Gruska,Grudzien,Growcock,Grossenbacher,Grosjean,Groshans,Grondahl,Grollimund,Groeneveld,Groenendyk,Grinnan,Grindell,Grindeland,Grimaud,Grigorov,Griffard,Grierson,Grich,Gribbins,Gribbin,Grever,Gretter,Grennon,Grenfell,Gremer,Greising,Greenhoward,Gravitz,Gravis,Gravino,Graubard,Grates,Granstrom,Grannell,Grandt,Granat,Grambling,Gramajo,Gralak,Graise,Grafe,Grade,Grad,Gracy,Goyco,Goyal,Govindeisami,Govert,Govero,Gouras,Goulbourne,Goularte,Gouker,Gotwalt,Gottshall,Gottsch,Gorum,Gordo,Gordils,Gorbet,Goonan,Goombi,Gooley,Goolesby,Goodlet,Goodland,Gomaz,Golt,Golombek,Golom,Golojuch,Golightley,Goldyn,Goldkamp,Goldfine,Goldermann,Goffinet,Goetter,Goethals,Goerdt,Goehl,Goedken,Goede,Goedde,Goeckel,Godshall,Godleski,Godino,Godine,Godden,Godar,Gockley,Gockel,Gochnour,Gobler,Goard,Gniewek,Gnerre,Gluszek,Glunt,Glotzbach,Glory,Glista,Glisan,Glende,Glee,Gleave,Glaus,Glau,Glassing,Gladhill,Gizzo,Giulian,Gittins,Girven,Girt,Girling,Girardot,Gipp,Giovannini,Gionet,Gins,Ginolfi,Gimar,Gilvin,Gilliom,Gilling,Gillece,Gilio,Gildow,Gilberg,Gieser,Gierisch,Gielow,Gieck,Gica,Gibboney,Giarraputo,Gianopoulos,Giannecchini,Giambruno,Ghrist,Ghiloni,Geving,Getto,Gessford,Gesner,Gesick,Gerstenkorn,Gersbach,Geroge,Gerleman,Gerl,Gerkin,Gerding,Gerchak,Georgiades,Geoffroy,Gentes,Genre,Genous,Genge,Geney,Gendusa,Gendel,Gemma,Gembler,Gemaehlich,Geldmacher,Gehris,Geffrard,Geffken,Geans,Gavel,Gavaldon,Gaughran,Gaud,Gaucin,Gauch,Gattuso,Gatliff,Gather,Gastonguay,Gassen,Gasior,Garzia,Gartz,Gartley,Garski,Garramone,Garoner,Garone,Garnow,Garley,Garibai,Garguilo,Garfunkel,Gardley,Gardecki,Garcilazo,Garbarini,Garan,Garafalo,Gani,Gandert,Gampong,Gamons,Gamma,Gambone,Gambler,Galves,Galo,Galm,Galluccio,Gallinari,Gallentine,Gallamore,Galeotti,Galella,Gajica,Gaisford,Gaietto,Gahlman,Gahl,Gaglia,Gaffke,Gaetz,Gadwah,Gabaree,Gaar,Fust,Furutani,Furner,Furnace,Furgison,Furgeson,Fundis,Fullem,Fullagar,Fujisawa,Fugit,Fugh,Fuemmeler,Fuelling,Fude,Frusci,Frosch,Frontera,Fronek,Fritzman,Fristoe,Frishkorn,Frilling,Frigge,Friels,Friehe,Friedline,Fridlington,Frezzo,Frezza,Fresta,Freise,Freiman,Freidhof,Freiberger,Freetage,Freet,Freemyer,Fredin,Fredenberg,Frayne,Fraughton,Franzel,Frankie,Frankenstein,Frankenberg,Francher,Franch,Francesconi,Franc,Fraize,Fragmin,Frabott,Foxman,Fouty,Fournet,Foulcard,Fouhy,Fougere,Fotopoulos,Forsmark,Fornell,Form,Forline,Forguson,Fontus,Fontanella,Folkner,Fok,Foggie,Fogelman,Flumerfelt,Fluegge,Fluegel,Fluck,Floe,Flocco,Flitsch,Flirt,Flinders,Fletchen,Flechsig,Flebbe,Flathers,Flatau,Flamer,Flaharty,Fladger,Fitten,Fitchpatrick,Fissori,Fissel,Fischler,Fioritto,Fiori,Fiorentini,Fiorella,Finnemore,Finkelson,Fingleton,Fingerhut,Finazzo,Filmer,Fillip,Fillingham,Filipek,Filan,Figurski,Figueron,Figueiras,Figley,Fiedor,Ficker,Fickas,Fevig,Feutz,Fetner,Fertal,Ferraiolo,Fernsler,Fernet,Fernatt,Fergusen,Ferg,Feraco,Fenny,Fengler,Felsted,Fellner,Fellin,Fellenz,Felkner,Felkel,Feliu,Feleppa,Felderman,Felde,Feigel,Feickert,Feibusch,Fedorek,Fedora,Federgreen,Fedalen,Feck,Febre,Fearnow,Feagler,Favorito,Faville,Favalora,Fauls,Faudree,Fasulo,Fassino,Farson,Farlin,Faretra,Farenbaugh,Farella,Faraone,Faragoza,Fanucchi,Fantroy,Fanny,Fangman,Famiglietti,Faltus,Faltin,Falt,Falley,Falldorf,Falick,Fala,Fahrney,Faggs,Fafard,Faes,Fadely,Fadel,Facchine,Fabionar,Ezagui,Evoy,Evilsizer,Evick,Eversoll,Eversman,Everley,Evelo,Euvrard,Eun,Etkin,Ethen,Estrela,Esteb,Estain,Estacion,Esquerra,Esposto,Espert,Eskra,Eskin,Eskenazi,Eshom,Eshenbrenner,Esera,Escobio,Eschief,Eschenbrenner,Erschen,Erlewine,Erdner,Erck,Erceg,Erbach,Epolito,Ephriam,Enwright,Enwall,Entrikin,Entress,Entler,Enstad,Engwall,Engroff,Englemann,Engelson,Enderlin,Enamorado,Emme,Emlay,Emke,Emerton,Embertson,Elworthy,Elwick,Elward,Eloy,Ellyson,Ellstrom,Ellingboe,Elliam,Elifritz,Elgart,Elerick,Eitzen,Eismann,Eisentrout,Eischeid,Eirich,Eikner,Eickhorst,Ehrler,Ehrle,Eglinton,Egerer,Egelhoff,Edmunson,Ecord,Eckrich,Eckland,Echevaria,Ebersold,Eberenz,Ebener,Ebadi,Ealand,Eaks,Eagleston,Eaglen,Eagin,Dyals,Dwelley,Duy,Duva,Dutter,Dutko,Duster,Duskin,Dusel,Durrenberger,Durke,Durian,Dupay,Duntley,Dunsford,Dundee,Dulemba,Dugi,Dufficy,Duensing,Dueno,Dueitt,Duclo,Dubrock,Dubitsky,Drumgo,Drozdowicz,Dromgoole,Drobot,Drivas,Drinkwine,Drewing,Dressman,Dreessen,Drainville,Dragna,Draffin,Dowgiallo,Dovey,Dougher,Dottin,Dossous,Dossie,Dose,Doronio,Dorning,Dorko,Dorion,Dorinirl,Doring,Doorn,Donohoo,Donnally,Donkin,Donez,Donerson,Dondlinger,Donchez,Donaway,Donatien,Donath,Dommel,Domine,Domin,Domiano,Domhoff,Domek,Doller,Dolinsky,Dolberry,Doker,Doil,Doidge,Dohman,Doeden,Dodridge,Dodgson,Dobkowski,Dobie,Dobes,Dobert,Diwan,Ditomasso,Distaffen,Distad,Dispenza,Disorbo,Diskind,Diserens,Discipio,Dirico,Dire,Dirago,Diprima,Dinwoodie,Dinn,Dinkens,Dinius,Dingeldein,Dimon,Dimitt,Dimitriadis,Dilliard,Dilick,Dilauro,Dilallo,Dilalla,Dihel,Digilio,Difonzo,Difeo,Dietze,Dietl,Diesi,Diesel,Dieppa,Dienes,Diemert,Diegel,Dieffenbacher,Diec,Dickhoff,Dickensheets,Dibonaventura,Dibblee,Dibartolo,Dibacco,Dhondt,Dewer,Develbiss,Devazier,Devara,Deuser,Deur,Deuell,Detzel,Dettling,Detro,Destine,Destefanis,Desorcy,Desomma,Deslandes,Desisto,Desiga,Deshler,Deshaw,Desgroseillie,Desaulniers,Derwitsch,Derrig,Derouchie,Dermady,Derider,Derfus,Derbes,Depperschmidt,Depoyster,Depaula,Dense,Dennin,Deniro,Denio,Dengel,Deneen,Dempsy,Demmy,Demmert,Demichelis,Demedeiros,Dembroski,Dembitzer,Demarse,Demaranville,Demagistris,Deluz,Delson,Delrossi,Delrie,Delossanto,Delos,Delmolino,Dellis,Dellarocco,Dellano,Della,Delisser,Delille,Deleston,Delerme,Deleone,Delehanty,Delbalso,Delavina,Delauter,Delashmit,Dekalb,Deguire,Degross,Degroote,Degrasse,Degrange,Degrace,Degasperis,Deffibaugh,Defaber,Decrosta,Decristoforo,Dechert,Decelle,Decapua,Decapite,Decandia,Debuse,Debruler,Deblauw,Debella,Debeer,Dayrit,Davidian,Davick,Davich,Davia,Daversa,Davern,Davault,Dautrich,Dausch,Dathe,Dastrup,Dassow,Darras,Darnold,Darks,Dargis,Dargatz,Darbouze,Dannenfelser,Dannard,Dampf,Dalzen,Dalphonse,Dalluge,Dalhover,Daivs,Dainack,Daher,Dagle,Daghita,Dagdag,Dafonseca,Daffern,Daehler,Dadson,Czuba,Czlapinski,Czarnik,Czap,Cynova,Cwiklinski,Cuzco,Cutno,Curt,Curbow,Cunninghan,Cunis,Cuningham,Cunico,Culmer,Cuhel,Cuestas,Cuebas,Cuchares,Cubr,Csizmadia,Crumpacker,Cruell,Crousore,Crosten,Crosman,Crooked,Cromuel,Cromey,Crockarell,Croan,Crissler,Crispen,Crismon,Crise,Criscillis,Crippin,Crilly,Cresta,Cregar,Cragun,Coye,Cowing,Cower,Coverstone,Coverdell,Couty,Coutant,Courtnage,Courteau,Couper,Countee,Coultas,Coughran,Cottew,Cotler,Cotelesse,Costen,Cossin,Coskrey,Cosen,Cosden,Corvera,Cortis,Corsello,Corrion,Corrigeux,Correiro,Coro,Cornetta,Corneil,Corlee,Corin,Corgan,Corfman,Corell,Cordovi,Cordia,Cordas,Corcino,Corchero,Coral,Coppolino,Coppernoll,Coppens,Coote,Cooperstein,Cooperrider,Conterras,Consolazio,Cons,Connin,Connerley,Conkin,Congress,Concienne,Conaghan,Comrey,Cominsky,Comella,Comee,Come,Combe,Coln,Collums,Collamore,Colicchio,Colee,Colding,Colder,Colbenson,Colagiovanni,Cokely,Coin,Codde,Cobrin,Coak,Cluxton,Cluesman,Clouston,Closser,Clopp,Cliatt,Clendennen,Clearman,Clattenburg,Clarks,Clapsaddle,Cius,Cira,Ciolli,Cinotti,Cimko,Cima,Cienega,Cicatello,Cicale,Ciarlante,Cianfrini,Cianciulli,Churley,Churches,Chuong,Chukes,Christou,Christescu,Christe,Chrismon,Chrisler,Choun,Chobot,Chisem,Chiong,Chimera,Chila,Chicca,Chiarito,Chhun,Chhum,Chhim,Chestang,Chesler,Cherubin,Chernosky,Cherebin,Chepiga,Chellis,Chell,Cheda,Checca,Cheater,Cheatem,Chaulk,Chaudhuri,Chauca,Chatcho,Chartraw,Charping,Charnley,Charm,Charlson,Charbonneaux,Charan,Chapp,Chango,Chanez,Chancer,Chamnanphony,Chalepah,Chaiken,Chaddlesone,Chaconas,Chabaud,Cestia,Cessor,Cervetti,Cerveny,Cerise,Cerecer,Cerasoli,Cera,Centini,Cenci,Cembura,Celli,Cederstrom,Cdebaca,Cayo,Cawthron,Caviggia,Cavers,Caveney,Causley,Caughlin,Cathie,Catan,Catala,Castrogiovann,Castleton,Castilo,Castillio,Castellaw,Castellari,Castejon,Caspersen,Casivant,Cashio,Cascioli,Casciano,Casamento,Casadei,Carwin,Carvin,Carucci,Cartin,Cartez,Carston,Carrio,Carriaga,Carretino,Carotenuto,Carosiello,Carolfi,Carnathan,Carnalla,Carnagey,Carlill,Carinio,Cariker,Caride,Care,Cardero,Cardenal,Carasquillo,Carabez,Capwell,Capurro,Capulong,Cappucci,Cappetta,Cappa,Capouch,Caporali,Caponigro,Capilla,Capata,Capan,Canzoneri,Cantine,Cantarano,Cannellos,Cannard,Cannada,Canlas,Cangey,Canaan,Campoy,Campany,Campainha,Cambi,Camba,Camastro,Camano,Calrk,Callin,Callari,Calicutt,Calemine,Caleb,Caldon,Caldas,Cajas,Cadelina,Cacal,Cabriales,Cables,Bytheway,Byland,Byes,Byan,Buzick,Buziak,Buzhardt,Butzlaff,Buttolph,Butta,Butron,Butorac,Butaud,Butac,Busuttil,Busque,Busing,Busboom,Burwood,Burright,Burri,Burrall,Burness,Burlington,Burlin,Burkham,Burick,Burich,Burgner,Burdex,Burdell,Burde,Burba,Buol,Bundi,Bulick,Bulgin,Bukovsky,Bukovac,Bujak,Bugett,Buffo,Bueschel,Bueckers,Budnik,Buckey,Buckel,Buchko,Buchinski,Buchana,Buchaman,Bucek,Buba,Bryans,Brustkern,Brussel,Brusseau,Bruntz,Brunscheen,Brunken,Brumbach,Bruess,Brueckman,Brueck,Brucken,Brozena,Brozek,Brownley,Browers,Brosman,Brosch,Broody,Brood,Bronzo,Bronn,Bromwell,Brome,Bromagen,Broll,Brofman,Broekemeier,Brodi,Brixner,Brisban,Brinkmeier,Bringham,Bridgforth,Bridgette,Breznak,Brewbaker,Breitweiser,Breiten,Breitbarth,Brehaut,Breedan,Breech,Bree,Bredernitz,Brechner,Brechbiel,Breashears,Brazinski,Brazille,Bratz,Bratu,Bratsch,Bras,Branting,Brannin,Bramsen,Brailford,Bragas,Bradney,Bradner,Bradigan,Bradica,Brad,Brabston,Bozwell,Boys,Boyn,Boyar,Boyance,Boxton,Bowering,Bowar,Bournazian,Bourgue,Bourgoine,Bourdage,Boulier,Boulds,Boulding,Bouch,Bottum,Bottorf,Botero,Bossler,Bosshardt,Bossart,Bosman,Borzillo,Borstad,Borsos,Borsellino,Borrayo,Borowiak,Borio,Borgos,Borglum,Borghoff,Boreland,Bordeleau,Borchelt,Boorman,Boole,Bookwalter,Bookhart,Bonventre,Bonucchi,Bonnema,Bongard,Bonardi,Bonadio,Bomstad,Bombaci,Bolus,Bolognese,Bolnick,Bolebruch,Boldrin,Bolder,Boje,Boho,Bohmker,Bogosh,Bognar,Bogin,Bogatitus,Bogaert,Boga,Boehmke,Boeh,Bodway,Bodemann,Bockhorst,Bochner,Bocek,Boblitt,Bobbit,Boatfield,Boast,Boardley,Bo,Blumhardt,Blower,Blondell,Bloemer,Bloczynski,Blint,Blenden,Blend,Blem,Bleininger,Bleile,Blehm,Blechman,Bleak,Blattler,Blattel,Blatherwick,Blatchley,Blasing,Blasen,Blandin,Blaire,Blad,Blackler,Bizzle,Bison,Bisogno,Bisking,Bishopp,Bischke,Biscaro,Bisarra,Birton,Birrueta,Birrell,Birklid,Binkerd,Binetti,Binegar,Bindrup,Billerbeck,Bilka,Biley,Bilecki,Biglin,Bievenue,Bierwagen,Biernat,Bienvenue,Bielik,Biedrzycki,Bideaux,Bidding,Bickman,Biber,Bibel,Biancardi,Bialy,Bialke,Bialecki,Bhattacharya,Bezak,Bevilaqua,Beuth,Beuter,Beutel,Beucler,Betties,Betteridge,Betschart,Betran,Bethley,Beteta,Beswick,Bessmer,Bessemer,Besherse,Beserra,Berver,Bertuzzi,Bertke,Berthelsen,Berthelette,Bertagna,Bersch,Berrio,Bernoski,Bernatowicz,Bernardy,Berling,Berl,Bergmeier,Bergland,Bergfield,Bergesen,Bergem,Bergantzel,Bergamo,Berdecia,Berardo,Berardino,Bequillard,Benzinger,Benyamin,Bentzen,Bennice,Benke,Benet,Beneker,Benedum,Benedick,Bend,Bencosme,Bemrose,Bemiller,Bemer,Belzung,Belmarez,Bellina,Bellendir,Bellemare,Bellantuono,Bellanca,Belkin,Belinski,Belcourt,Bejaran,Behl,Beeker,Beeghly,Bedney,Bedker,Bedeau,Beddome,Beddoe,Becvar,Beccaria,Beaz,Beaushaw,Beaulac,Beatley,Beardon,Beachem,Beachel,Bazydlo,Baydal,Baxi,Bauserman,Baudler,Batzli,Battino,Battee,Batley,Batesole,Batcher,Basurto,Basu,Bastianelli,Bassage,Basner,Bashford,Basher,Bashara,Basha,Baselice,Bartosiewicz,Bartolomucci,Bartnick,Bartholic,Barthe,Bartelson,Barsuhn,Barson,Barries,Barricelli,Barrena,Barredo,Barraz,Barrale,Baroldy,Barne,Barmettler,Barjas,Baris,Bareis,Bardach,Barcroft,Barcello,Barbuto,Barbrick,Barbo,Barbish,Barbaria,Baras,Baragona,Baquet,Banwell,Banowetz,Bandle,Bambhrolia,Balthazar,Balson,Balliett,Ballestas,Balin,Balfany,Balette,Baldrige,Baldenegro,Baldassara,Baldasaro,Balcorta,Balckwell,Balcitis,Balasco,Baka,Baish,Bainum,Bailin,Baile,Bahlmann,Baher,Bagoyo,Baggette,Bafford,Baddley,Badanguio,Badamo,Badame,Baczewski,Bacorn,Bacolor,Bacigalupi,Bachtold,Bacha,Babick,Azzano,Azua,Azhocar,Ayre,Aydt,Aydlett,Axsom,Awada,Averbach,Avenoso,Auzston,Auyong,Autaubo,Austad,Aus,Aurora,Aultz,Aulds,Auldridge,Aul,Auge,Auel,Audirsch,Audain,Auchmoody,Aubertine,Auber,Astry,Asquith,Asp,Ashdown,Asen,Aselage,Ascensio,Asam,Asad,Artuso,Artinger,Arritola,Arre,Arraiol,Arra,Arouri,Arnzen,Arntson,Arnstein,Arnoldy,Arnhart,Arnet,Armentor,Armel,Arganbright,Argall,Argabright,Arenstam,Ardinger,Arcuo,Arambulo,Aramboles,Arabian,Appelt,Appelgren,Apodoca,Ape,Anzai,Anttila,Antoniou,Antoniotti,Antonakos,Antell,Antee,Antaya,Anschutz,Ano,Annon,Anne,Annarummo,Anick,Angelovich,Anes,Androes,Andrle,Andreoli,Andreassen,Anderl,Ancira,Anastasi,Anastacio,Analla,Ana,Amunrud,Amparan,Amory,Amores,Amodei,Amdahl,Amazan,Alway,Alvira,Aluise,Altomonte,Altidor,Altadonna,Alstott,Alsina,Alshouse,Alpizar,Alonge,Almestica,Almaras,Almand,Allwardt,Allum,Allgier,Allerman,Alkbsh,Alier,Aliano,Alfson,Alfero,Alexender,Alessandro,Alesci,Aldas,Aldaba,Alcide,Alby,Albelo,Albares,Albair,Albach,Alamin,Alagna,Akuna,Akright,Akim,Akes,Aken,Akbari,Akau,Aitkins,Aita,Airola,Aines,Aimone,Ailts,Ahrent,Ahne,Ahlman,Ahlin,Aguire,Agor,Agner,Agerter,Age,Agcaoili,Afzal,Afshari,Affleck,Aduddell,Adu,Adolfo,Adolf,Adjei,Adham,Aderholdt,Adens,Adee,Adauto,Acocella,Ackroyd,Ackers,Acken,Ack,Achter,Acheampong,Aceret,Accornero,Abts,Abruzzino,Abrecht,Abramov,Aboud,Abo,Abes,Abed,Abby,Aamot,Aalbers,Zwolensky,Zwiener,Zwanzig,Zvorsky,Zutter,Zurowski,Zupfer,Zunker,Zumbach,Zubik,Zubiate,Zottola,Zoss,Zorman,Zonker,Zomer,Zollo,Zolezzi,Znidarsic,Zmijewski,Zmich,Zlaten,Zisk,Zinter,Zingler,Zindel,Zimlich,Zillman,Zilliox,Zigich,Ziesemer,Zielonka,Ziebart,Zia,Zhuang,Zeyer,Zerkle,Zepf,Zenisek,Zempel,Zemaitis,Zeltner,Zellman,Zelasco,Zeisler,Zeinert,Zeier,Zegarra,Zeeman,Zedaker,Zecher,Zeagler,Zbinden,Zaunbrecher,Zarlengo,Zannino,Zanni,Zangara,Zanetti,Zanes,Zanderigo,Zanayed,Zambito,Zalusky,Zakutney,Zaiss,Zahar,Zagrodnik,Zaeske,Zadroga,Zadeh,Zacek,Yzaquirre,Yuro,Yupe,Yunt,Yue,Youns,Youngerman,Youkhana,Yoshizumi,Yoshiyama,Yoshikawa,Yoshihara,Yore,Yoneda,Yoh,Yepsen,Yepiz,Yentzer,Yelin,Yedid,Yeddo,Yeboah,Yeah,Yauck,Yattaw,Yarrow,Yarosh,Yarn,Yanuaria,Yanko,Yampolsky,Yamin,Yamagata,Yakow,Yaegle,Yacono,Yacko,Xayavong,Wythe,Wyrich,Wydeven,Wyandt,Wurtzel,Wurdeman,Wunner,Wulffraat,Wujcik,Wry,Wrighton,Wreath,Wraight,Wragge,Woznick,Woten,Wormuth,Woofter,Woodmore,Woode,Womeldorff,Wolvin,Wolman,Wolgast,Wolfgramm,Wojtas,Wojenski,Wohletz,Woetzel,Woelke,Woelk,Woehrle,Wittlinger,Wittke,Witthuhn,Witthoft,Wittekind,Witkus,Witbeck,Wist,Wissinger,Wisnoski,Wisley,Wishard,Wish,Wipperfurth,Winterling,Winterholler,Winterfeld,Winsman,Winkenwerder,Wingerson,Winegard,Windland,Winchel,Wilmott,Willwerth,Willougby,Willinger,Willims,Williby,Willian,Williamon,Willhelm,Willging,Willens,Willenbring,Willcott,Willardson,Wilhelmy,Wildsmith,Wildoner,Wildberger,Wikholm,Wigner,Wiglesworth,Wiggett,Wiget,Wigdor,Wieman,Wied,Wieboldt,Widen,Wickett,Wickard,Wichterman,Wichland,Wicher,Whysong,Whyms,Whooper,Whooley,Whitver,Whitmoyer,Whitehorse,Whitebear,Whish,Whippo,Wheler,Whelehan,Wheetley,Wheeland,Wheelan,Whatoname,Whalan,Weygandt,Wexell,Wetherald,Westfahl,Westerholm,Westerheide,Westenhaver,Westen,Wessendorf,Wescom,Werstein,Wersal,Werra,Werntz,Wernicki,Wernett,Werger,Werber,Wenskoski,Wenk,Wendzel,Wendelboe,Wenciker,Wemhoff,Welshans,Welde,Welby,Welburn,Weisfeld,Weisenfels,Weinreich,Weikert,Weiglein,Weida,Wegweiser,Wegley,Weflen,Weeler,Wedo,Wedin,Wedgewood,Wedderspoon,Wedd,Weberg,Weathington,Wears,Weakly,Weafer,Weaber,Waz,Waxler,Wave,Wauson,Waugaman,Waterer,Wasmuth,Washmuth,Warters,Warsaw,Warns,Warnken,Warney,Wariner,Warchol,Wansitler,Wanless,Wanker,Wandrie,Wandler,Wanczyk,Waltmann,Waltersdorf,Walsworth,Walseth,Walp,Walner,Walmer,Walloch,Wallinger,Wallett,Walkley,Walkingstick,Walentoski,Walega,Wale,Waldock,Waldenmyer,Walde,Waldbauer,Walchak,Wakayama,Waiau,Waddick,Wacyk,Vreeken,Vrbka,Vradenburg,Vounas,Votolato,Vosquez,Vosika,Vorwald,Vorse,Voros,Vorgas,Vorel,Voorhes,Voncannon,Volstad,Volo,Volkmer,Volden,Volbrecht,Voisard,Voetsch,Voetberg,Voeltner,Voegeli,Vock,Vlloa,Vivona,Vivino,Vivenzio,Vitucci,Vittitoe,Viti,Viteaux,Vitatoe,Viscome,Virzi,Virula,Virrey,Virella,Virani,Viox,Violetta,Vinall,Villatora,Vilcan,Vik,Vigen,Vieths,Vielman,Vidra,Vidot,Vidalez,Vicent,Vibert,Vibbard,Veth,Vestering,Veshedsky,Versoza,Verrell,Veroeven,Vernola,Vernia,Verjan,Verity,Veriato,Verhague,Verdusco,Verderosa,Verderame,Verdell,Verch,Verbeke,Venture,Veness,Vener,Vendrick,Vences,Vellucci,Vellone,Velk,Vegh,Vedia,Vecchiarelli,Vazzana,Vaux,Vaupel,Vaudrain,Vatalaro,Vastano,Vasso,Vasiliou,Vasher,Vascones,Vas,Varuzzo,Varrelman,Varnedore,Vari,Varel,Vanwright,Vanvoorhees,Vanvolkinburg,Vantrump,Vanstraten,Vanstone,Vansice,Vanscoter,Vanscoit,Vanord,Vanoosten,Vannortwick,Vannette,Vannatten,Vanloon,Vanliere,Vanis,Vanhese,Vangalder,Vanelderen,Vandre,Vandover,Vandinter,Vandewalle,Vandevander,Vanderroest,Vandermay,Vanderloo,Vanderlee,Vanderlaan,Vandergraph,Vanderen,Vandenbrink,Vandenboom,Vandenberge,Vandel,Vandegriff,Vandale,Vanbruggen,Vanboerum,Vanbelle,Vanauker,Vanasten,Vanarsdall,Vallerand,Valladao,Valis,Valintine,Valenziano,Valentia,Valensuela,Vaisman,Vahena,Vaglienty,Vacchiano,Uziel,Uyemura,Utsler,Usie,Urzua,Ureste,Urby,Urbine,Urabe,Uptgraft,Unterzuber,Untalan,Ungerman,Ungerland,Underland,Underberg,Umholtz,Umbright,Ulwelling,Ulstad,Ulmen,Ulcena,Ulanski,Uhlenkott,Uher,Uhas,Uglow,Ugland,Uerkwitz,Uccellini,Tysarczyk,Tyron,Twymon,Twohey,Twisselman,Twichell,Tweten,Tuzzolo,Tuzzo,Tutoky,Tusler,Turnner,Turja,Turick,Turiano,Tunnicliff,Tummons,Tumlison,Tumaneng,Tuder,Tuczynski,Tuchman,Tubville,Tsukiyama,Tselee,Truxon,Truxler,Trussler,Trusler,Trusillo,Trudillo,Trude,Truchan,Trowery,Trotochaud,Tropiano,Tronstad,Trolinger,Trocinski,Triveno,Trites,Triplet,Trick,Trichell,Trichel,Trevey,Trester,Treisch,Treger,Trefz,Tredwell,Trebbe,Treakle,Travillion,Travillian,Travaglio,Trauscht,Traube,Trapper,Tranum,Trani,Train,Towlson,Towlerton,Towey,Tovmasyan,Tousley,Tourtellotte,Toure,Toulson,Totin,Tosti,Tosado,Toruno,Torrisi,Torris,Torrent,Torrado,Torner,Torino,Torell,Topolansky,Tooze,Toot,Tontarski,Tonnessen,Tonneson,Tones,Tomisin,Tomilson,Tomasetti,Tolomeo,Tollman,Tolhurst,Tolchin,Tolbent,Toher,Toffton,Toepel,Toelkes,Todorovich,Todisco,Toczek,Tockey,Tochterman,Tobiasson,Tlucek,Titzer,Titman,Tise,Tippets,Tio,Tingwald,Timmel,Timbrook,Tilmon,Tijerino,Tigerino,Tigano,Tieken,Tiegs,Tiefenbrun,Tichacek,Tica,Thurmer,Thuotte,Thramer,Thoroughman,Thornock,Thorndyke,Thongchanh,Thomen,Thoe,Thody,Thigpin,Thielemier,Thi,Therres,Thal,Thakur,Tewes,Teves,Tesmer,Teslow,Tesler,Teruel,Terron,Terris,Terre,Terrasi,Terrace,Tero,Terman,Tereska,Teresi,Tepp,Teo,Tenzer,Tennille,Tennies,Tencza,Tenamore,Tejadilla,Tecklenburg,Techaira,Tayse,Tawwater,Tavolacci,Taverner,Taurino,Taulman,Taublee,Tauarez,Tattershall,Tatsuta,Tatsuno,Taschner,Tasby,Tarrats,Tarrants,Tarone,Tarley,Taraborelli,Taper,Tanniehill,Tanks,Tankard,Tangri,Tanequodle,Tamporello,Tamer,Tamburro,Tambunga,Taliman,Talib,Talas,Takala,Takach,Taiwo,Taibi,Taghon,Tagaban,Tadena,Taccone,Taccetta,Tabatabai,Szyszka,Szmalc,Szerszen,Szczepanik,Szarek,Szafraniec,Szafran,Szablewski,Syta,Sysyn,Syndergaard,Symanski,Sylvian,Syck,Swymer,Swoffer,Swoager,Swiggum,Swiat,Swetnam,Swestka,Swentzel,Sweetwood,Swedenburg,Swearingin,Swartzendrube,Swarm,Swant,Swancey,Sverchek,Svenson,Sutor,Suthoff,Suthar,Susong,Suskin,Surra,Surano,Supplee,Supino,Sundborg,Summons,Summerour,Sumers,Sultzer,Sulouff,Sulecki,Suhoski,Suhar,Sugerak,Suganuma,Suddoth,Sudberry,Sud,Stymiest,Stvrestil,Stuve,Sturrup,Sturmer,Stumer,Stuhlsatz,Stuenkel,Studier,Stuczynski,Stubbolo,Struebing,Struchen,Strozzi,Strowder,Strohbehn,Stroer,Strobridge,Strobeck,Stritmater,Strike,Strieter,Strickling,Streu,Streifel,Straugter,Stratakos,Strasburger,Straface,Straatmann,Stpeters,Stovel,Stoudenmire,Stotsky,Stothart,Storz,Stormes,Storman,Stoppel,Stooks,Stonelake,Stonebrook,Stombaugh,Stoltzman,Stolsig,Stolpe,Stoglin,Stoffle,Stodgell,Stocke,Stirna,Stipetich,Stinner,Stimpert,Stimer,Stilphen,Stikeleather,Stifel,Stiely,Stielau,Stieger,Stidman,Stickrath,Stickman,Stickels,Stgerard,Sternberger,Stergios,Stepien,Stepanski,Stent,Stenkamp,Stenehjem,Stempel,Stemmer,Stelb,Steiskal,Steinmuller,Steinmacher,Steinhorst,Steinhaus,Steinharter,Steinhagen,Steinburg,Steifle,Stefanick,Stefanich,Steeber,Stay,Stawarz,Stavropoulos,Staves,Staup,Stauch,Staubs,Stathopoulos,Stathis,Startz,Starowitz,Starowicz,Starkie,Starcic,Stanely,Standrod,Standahl,Stanczak,Stample,Stampka,Stamer,Stallins,Stalford,Stahoski,Stagger,Stader,Staack,Srsic,Srey,Squitieri,Spyres,Spuhler,Sprouffske,Sprosty,Sprinzl,Springle,Spoth,Spletzer,Spizer,Spitsberg,Spitale,Spiroff,Spirer,Spiotta,Spinola,Spingler,Spike,Spierling,Spickler,Sphon,Spettel,Sperle,Sperka,Sperberg,Speltz,Spaw,Spasiano,Spare,Spancake,Spagna,Sowerby,Sovern,Souvannasap,Southerly,Sous,Sourwine,Soult,Sotiriou,Sothman,Sota,Sortore,Sorley,Sorin,Sorells,Soratos,Soose,Soong,Sonsino,Sonnabend,Sonia,Songster,Sondrol,Sondergaard,Soltau,Solinski,Solinger,Solid,Sojda,Sohns,Softleigh,Soffel,Soffa,Sodaro,Sodano,Soda,Sobran,Sobczynski,Sneeden,Snater,Snair,Smoker,Smithingell,Smink,Smiles,Smialek,Smetak,Smejkal,Smeck,Smaldone,Sluyter,Slot,Slostad,Slingerland,Sliffe,Slemmer,Slawter,Slavinski,Slagowski,Slaff,Skuse,Skulski,Skornia,Skolfield,Skogstad,Skinkle,Skidgel,Skeffington,Skeets,Skeele,Skarupa,Skarphol,Skaare,Sjolander,Sjaarda,Sitts,Sitterud,Sitt,Sissell,Siprasoeuth,Sipper,Sipla,Sipkema,Sinning,Sinitiere,Single,Simmens,Simm,Simiskey,Simelton,Silverthorne,Silvernale,Silvan,Siliado,Silbaugh,Siket,Siker,Sigurdson,Signore,Sigers,Siffert,Sieving,Sieverding,Sietsema,Siering,Sienicki,Siemsen,Siemonsma,Siemering,Sielski,Siedlecki,Siebers,Sidbury,Sickman,Sickinger,Sicilian,Sible,Sibilio,Sibble,Shutler,Shurgot,Shuping,Shulda,Shula,Shrieves,Shreiner,Shreckengost,Shreck,Showes,Showe,Shoupe,Shoumaker,Shortey,Shorten,Shorrock,Shorkey,Shones,Shockency,Shoats,Shivel,Shipmen,Shinsel,Shindledecker,Shinabarger,Shiminski,Shiloh,Shillingford,Shigo,Shifman,Shiers,Shibuya,Shewchuk,Shettsline,Shetter,Shetrawski,Sheffel,Sheesley,Sheekey,Sheeder,Sheares,Shauger,Sharko,Shanna,Shankin,Shani,Shandley,Shanaa,Shammo,Shamlin,Shambrook,Shadow,Shackley,Sgambati,Sferrazza,Seydel,Sewald,Sevenbergen,Sevaaetasi,Seumanu,Seuell,Settler,Setterberg,Setera,Sesso,Sesay,Servoss,Servino,Serpe,Sermeno,Serles,Serena,Serapio,Senske,Semmler,Seminole,Semel,Selvaggi,Sellai,Selissen,Seling,Seleg,Seledon,Selbo,Selan,Sekuterski,Sekula,Seiwell,Seivert,Seise,Sein,Seils,Seier,Seidita,Seiberling,Seher,Segroves,Segoviano,Segel,Segee,Seftick,Sees,Seekell,Seegobin,Seebold,Sedlack,Sedbrook,Section,Secrease,Secore,Seckler,Seastrand,Seargent,Seacrist,Seachord,Seabrooke,Scudieri,Scrim,Scozzafava,Scotten,Sconce,Scircle,Scipioni,Sciarretta,Sciallo,Schwingler,Schwinghammer,Schwingel,Schwiesow,Schweinfurth,Schweda,Schwebke,Schwarzkopf,Schwander,Schwaller,Schwall,Schut,Schurkamp,Schunter,Schulder,Schuenemann,Schue,Schuckman,Schuchart,Schroff,Schoville,Schorzman,Schorder,Schooner,Schones,Scholler,Schofell,Schoewe,Schoeninger,Schoenhals,Schoenbeck,Schoefield,Schoberg,Schnittker,Schneidermann,Schneckloth,Schnebly,Schnathorst,Schnarrs,Schnakenberg,Schmitzer,Schmidbauer,Schmeeckle,Schmeckpeper,Schmandt,Schmalzried,Schmal,Schlinker,Schliep,Schlette,Schlesier,Schleig,Schlehuber,Schlarbaum,Schlaffer,Schkade,Schissel,Schindeldecke,Schimandle,Schiermeier,Scheunemann,Scherrman,Schepp,Schemmer,Schelp,Schehr,Schayer,Schaunaman,Schauland,Schatzel,Scharrer,Scharping,Scharpf,Scharnberg,Scharmer,Scharbor,Schalow,Schaf,Schader,Schacter,Scelfo,Scarpello,Scarlet,Scaringe,Scarduzio,Scamardo,Scaman,Sbano,Sayman,Saylee,Saxena,Sawdey,Sawada,Savitsky,Savickas,Savic,Savaglio,Sauriol,Sauret,Saulo,Satar,Sasportas,Sarvas,Sarullo,Sarsfield,Sarne,Sarmento,Sarjent,Sarellano,Sardin,Saputo,Santheson,Santellana,Santarsiero,Santago,Sansalone,Sanos,Sanna,Sanko,Sanker,Sanghani,Sangalli,Sandven,Sandmann,Sandhoff,Sandelius,Sandall,Sanchious,Sancedo,Sance,Sampogna,Sampilo,Sampayan,Sampaia,Sampaga,Samo,Samlal,Samela,Samec,Samad,Salzberg,Salway,Salwasser,Salveson,Salvemini,Salus,Salquero,Salowitz,Salizzoni,Salina,Salin,Salimi,Salgero,Salemi,Salato,Salassi,Salamacha,Salahubdin,Salada,Saintignon,Saintamand,Saines,Sahl,Saha,Sagona,Sagedahl,Saffel,Saemenes,Sadow,Sadlow,Sadger,Sacramento,Sackal,Sachtleben,Sabota,Sabot,Sabe,Sabata,Sabastian,Sabad,Rzepka,Ryzinski,Rytuba,Ryon,Rynes,Rykiel,Rykert,Rykard,Rydolph,Rydell,Ruzicki,Rutko,Rutenbar,Rustrian,Rusinski,Rushmore,Rushenberg,Rushen,Ruschak,Rury,Ruper,Ruotolo,Rummerfield,Rumer,Rumbolt,Rulon,Ruleman,Rufe,Rudo,Rudkin,Rudick,Rubinich,Rubidoux,Rubero,Roys,Rowman,Rovere,Rousu,Rouillier,Rotton,Rotondi,Rothenbach,Roszell,Rossotto,Rossmiller,Rossey,Roshannon,Rosenfeldt,Roscioli,Rosander,Rorrer,Rorex,Ropes,Ropac,Rooth,Roorda,Ronsani,Ronne,Rong,Ronfeldt,Rondy,Romp,Romon,Romness,Romm,Romera,Romeiro,Rombach,Romar,Romansky,Romagnoli,Rom,Rolson,Rojos,Rohanna,Rogstad,Rogillio,Rogg,Rogacki,Roffman,Roethle,Roeth,Roetcisoender,Rodibaugh,Roderiques,Rodenburg,Rodemeyer,Rodberg,Rockovich,Rocher,Roccio,Robeck,Robe,Robayo,Robar,Rizzardo,Rivie,Rival,Ritterbush,Ritchko,Ritchhart,Ristig,Rishty,Rippstein,Rippelmeyer,Rioseco,Ringwald,Ringquist,Ringham,Rinella,Rineer,Rimple,Rilling,Rill,Rijo,Riihimaki,Riglos,Riggens,Rigaud,Rigali,Rietz,Rietdorf,Riessen,Riesgraf,Rienstra,Riekena,Riedle,Riedinger,Rieb,Rickenbaker,Richcreek,Richbourg,Riccelli,Riberdy,Ribb,Rhodie,Rheome,Rheinhardt,Rezai,Reynalds,Reyman,Reyez,Rewenko,Reville,Revello,Revelez,Reul,Resue,Restuccia,Replenski,Reon,Rentar,Rensberger,Rens,Rennaker,Renell,Remson,Rell,Relacion,Rekuc,Reker,Reitler,Reischl,Reints,Reinoehl,Reinart,Reimund,Reimold,Reikowsky,Reiger,Reifman,Reicks,Reichler,Reichhardt,Rehling,Regos,Regino,Regalbuto,Reffner,Reents,Reenders,Reeks,Reek,Reeck,Redmer,Redican,Reddoch,Reddig,Reddicks,Redbird,Rectenwald,Recek,Rebillard,Rebich,Rebeck,Reagon,Raziano,Raymore,Ravenel,Ravel,Rause,Rauschenbach,Rauer,Rauchwerger,Ratelle,Rasinski,Rasbury,Rardon,Rapson,Rapkin,Raoof,Rannells,Ranke,Rangitsch,Rangasammy,Randt,Ran,Ramser,Ramsaroop,Ramsahai,Ramrez,Rampley,Ramirec,Ramesh,Ralbovsky,Rakoczy,Rakoci,Rajwani,Rajaratnam,Raiden,Rahmani,Ragno,Raghunandan,Ragas,Ragar,Rafuse,Radvany,Rados,Radmacher,Radick,Radecki,Raczynski,Rachell,Qureshi,Quirin,Quire,Quintona,Quinnett,Quinalty,Quiambao,Quella,Quatraro,Quartararo,Qualle,Qin,Pytko,Pyer,Pyanowski,Puzio,Pushcar,Purviance,Purtlebaugh,Pupo,Pulte,Pulse,Pullom,Pullings,Pullano,Pulkkinen,Puliafico,Pulfrey,Pujols,Puhala,Puchalla,Pucciarelli,Prutzman,Prutt,Pruneau,Prucha,Provitt,Protin,Prose,Proco,Proa,Prisk,Prioletti,Priode,Prinkey,Princiotta,Prich,Pribnow,Prial,Preyer,Prestino,Pressimone,Preskitt,Preli,Preissler,Prehoda,Predovich,Precise,Prazenica,Prawdzik,Prast,Pozzobon,Pozos,Powles,Pov,Poullard,Pouch,Potucek,Postert,Posten,Posson,Posa,Portuondo,Porten,Porst,Poree,Pora,Poque,Popiolek,Poot,Poock,Pongkhamsing,Ponessa,Pone,Poncio,Polumbo,Pollutro,Pollet,Pollen,Poljak,Polemeni,Pokswinski,Poisel,Poette,Poelman,Pody,Podewils,Podaras,Pocius,Pobanz,Plympton,Ply,Plush,Plume,Pluff,Plues,Plue,Plona,Plexico,Plew,Pleiss,Pleil,Pleasanton,Plattsmier,Plathe,Plankey,Plahs,Plagge,Placker,Placha,Pizira,Piwowar,Piwetz,Pittelkow,Pitta,Pithan,Pitcherello,Pisciotti,Pipilas,Pintea,Pinta,Pinkstaff,Pinkos,Pinc,Pilotte,Pillo,Pihl,Pignotti,Piggs,Pietrzyk,Piermont,Pieczynski,Piechowski,Piech,Pickersgill,Picetti,Picciuto,Piccinini,Picarello,Picardo,Picado,Piantanida,Pianka,Pian,Phothirath,Phippard,Philman,Philipson,Philavanh,Phelts,Phanor,Phanco,Pflughoeft,Pflugh,Pfliger,Pfeister,Pfeifle,Peyre,Peyatt,Pettine,Pettett,Petru,Petronio,Petricka,Petrak,Petko,Petitto,Petersson,Pesnell,Peshek,Pesh,Pescador,Perze,Perteet,Pertee,Pert,Perschbacher,Perruzzi,Perrish,Perrigan,Perriello,Perr,Perozo,Perlich,Perking,Perkes,Perfater,Perce,Pepez,Peon,Penunuri,Penuel,Penso,Pennisi,Penkins,Penkalski,Pendon,Pellon,Pellissier,Pelino,Pel,Peick,Peguese,Peggs,Pefanis,Peeters,Peedin,Peduto,Pedulla,Pedrozo,Pedrotti,Pedroncelli,Pedrogo,Pedri,Pedregon,Pederzani,Pedde,Pecukonis,Peckler,Pecka,Pecha,Pecci,Peatman,Peals,Pazo,Paye,Pawlusiak,Pawlitschek,Pavlosky,Pavlo,Paveglio,Paulman,Paukstis,Pauk,Patts,Patter,Patriss,Patneaude,Paszek,Paswaters,Pastula,Pastuch,Pastel,Passy,Passarella,Pasquin,Pasqualetti,Pasqual,Pascuzzi,Pasceri,Parviainen,Parral,Parolini,Parmele,Parma,Parlavecchio,Parfitt,Parez,Pardieck,Pardew,Parda,Paraz,Parat,Papay,Paparello,Papaioannou,Paolello,Pansini,Panelli,Panell,Pander,Pancholi,Panaro,Panagiotopoul,Palomarez,Palmrose,Palmisciano,Palmese,Pallotto,Palleschi,Palk,Palhegyi,Palenzuela,Paleaae,Palczynski,Palakiko,Palaia,Paith,Pagonis,Pago,Pagliuca,Pagliari,Paganini,Padovani,Padfield,Padamadan,Pacquette,Paco,Packwood,Pachero,Pachar,Pacewicz,Paasch,Pa,Ozols,Ozga,Ozenne,Oxman,Overpeck,Overbeek,Overbee,Oulette,Otsu,Otremba,Otool,Otar,Otanicar,Osumi,Osucha,Ostrov,Osthoff,Ostertag,Ostergard,Ostaba,Ospital,Ososkie,Osofsky,Osisek,Oshinsky,Orzalli,Orwin,Ortwein,Ortuno,Orts,Ortell,Orpen,Ornelaz,Orewiler,Ores,Ordones,Opunui,Oppenlander,Opoien,Opalka,Ooley,Ontko,Ondrey,Omura,Omtiveros,Omland,Olup,Olthoff,Olsten,Ollila,Olivia,Olinsky,Olinick,Oleksa,Olejarz,Oldakowski,Okoronkwo,Okins,Ohmer,Ohlsson,Oherron,Oheron,Ohanian,Oganesian,Ogaldez,Oest,Oehlenschlage,Oedekerk,Odon,Odekirk,Ocran,Oconor,Obrzut,Obrist,Obringer,Oborny,Oblander,Obi,Oberley,Oberer,Obeng,Oatridge,Oajaca,Nypaver,Nuzzi,Nuzback,Nuxoll,Nussbaumer,Nurmi,Nuhn,Nugen,Nuara,Nquyen,Nozicka,Noxon,Nowick,Nowaczyk,Novielli,Novembre,November,Novas,Noun,Notto,Notowich,Norzagaray,Norway,Northover,Northcross,Norem,Nordmann,Nordenson,Nolet,Nojiri,Nohel,Noethiger,Nodd,Nitzel,Nita,Nisbit,Nina,Nikas,Nigon,Niglio,Nighswander,Nighbert,Niemietz,Niedzielski,Niederkorn,Niederhaus,Niederer,Nicometo,Nicolaides,Nickolich,Nguyn,Neyra,Neymeyer,Newmon,Newgent,Newbery,Nevala,Neuweg,Neuhoff,Neuhauser,Neubecker,Nettik,Netters,Nestingen,Nesspor,Nerad,Nenez,Neldon,Neizer,Neives,Neils,Neiger,Neidich,Neibert,Negroni,Neemann,Needle,Neeb,Nedry,Nedley,Neas,Naze,Nazaroff,Nayes,Nayar,Nattress,Natonabah,Nassr,Nasseri,Nassef,Naso,Narkier,Naret,Nardini,Nardecchia,Naragon,Naputi,Napierala,Nanny,Nanke,Namdar,Naji,Naidoo,Nahm,Nahas,Nagelschmidt,Naes,Naegeli,Nacol,Naclerio,Nachor,Nabozny,Nabarrete,Nab,Myrlie,Mykins,Muzio,Mutolo,Muta,Mustoe,Muster,Muske,Muschamp,Muscarello,Musacchio,Murzycki,Murrufo,Murnan,Muraski,Murany,Murano,Munzer,Munis,Munion,Mumby,Mumbower,Mulrain,Mullinex,Mullineaux,Mullennix,Mullahey,Mukhtar,Muina,Muha,Muehlman,Muccigrosso,Mrozoski,Mozier,Mow,Mova,Moustafa,Mousser,Mouse,Mousa,Mouritsen,Mourad,Mottet,Motten,Motamedi,Mostowy,Mostafavi,Mosiman,Moscone,Moscicki,Mosbrucker,Morva,Mortinez,Mortel,Morsey,Morrin,Morren,Morosco,Morledge,Morla,Morisky,Morishita,Morisey,Morgia,Moretta,Morera,Morenz,Mordue,Mordhorst,Mordaunt,Morber,Morawa,Moravick,Morarity,Mooty,Mooser,Moock,Moochler,Montoure,Montooth,Montonez,Montierth,Monticello,Monteverde,Monterrano,Montella,Montecillo,Monsrud,Monsma,Monserrat,Monrreal,Monro,Monetti,Mondok,Mondella,Moncion,Monaldi,Moltz,Molon,Mollicone,Molle,Moliterno,Molinere,Molinary,Molesworth,Moh,Mogush,Mogren,Moellers,Moeck,Modert,Mockbee,Mocher,Mochel,Moc,Moberley,Moan,Moallankamp,Miyose,Miyata,Miyashita,Miyagi,Mitsuda,Misumi,Missel,Miskelly,Misiaszek,Mirzadeh,Mirto,Mirsch,Mirles,Miolen,Minzel,Minutillo,Minugh,Mintzer,Minskey,Minnaert,Minkoff,Miniard,Mingledorff,Minas,Minaai,Milly,Millinor,Millie,Millerd,Millea,Milkey,Milham,Milfeld,Mileham,Milas,Milar,Milak,Mikulski,Mihara,Mihalek,Mihalchik,Mihal,Mignot,Mignano,Mighty,Miesse,Mierzwinski,Micthell,Mickus,Mickolick,Mickiewicz,Michlin,Michelena,Micha,Miccio,Micari,Mezzatesta,Mewbourn,Meuse,Meurin,Metzker,Mettling,Metting,Metters,Metropoulos,Metevia,Mesteth,Mesko,Mesi,Meserole,Mervyn,Mernin,Mermelstein,Merling,Merli,Merkowitz,Merklin,Merkerson,Merica,Merendino,Mercury,Meray,Meranto,Merancio,Mensik,Mense,Menoni,Mennie,Mengsteab,Menes,Mend,Mency,Memolo,Meltz,Meling,Melen,Melcer,Melamed,Mekee,Meiste,Meise,Meinhard,Meierotto,Mehok,Meharg,Meginnes,Meenach,Medicus,Mediano,Media,Medell,Mede,Meddaugh,Meconi,Mech,Mearse,Meardon,Mealor,Meadville,Meachen,Mcvicar,Mcsparin,Mcrorie,Mcrobbie,Mcoy,Mcowen,Mcnorton,Mcnertney,Mcnamer,Mcnail,Mcmanamon,Mcmain,Mclyman,Mcleland,Mckirgan,Mckew,Mckevitt,Mckercher,Mckensie,Mckeegan,Mckeane,Mckahan,Mcinture,Mcindoe,Mcilvenny,Mcillwain,Mciff,Mcgwin,Mcguff,Mcgrotty,Mcgrone,Mcgrant,Mcgoogan,Mcglon,Mcgloin,Mcgiveron,Mcghehey,Mcghay,Mcgavin,Mcgahen,Mcfann,Mcelwaine,Mcelduff,Mceachron,Mcdilda,Mcdermid,Mcdannold,Mcdale,Mcculough,Mccuien,Mccrumb,Mccrorey,Mccreless,Mccravy,Mccourtney,Mccorrison,Mccorkell,Mccorey,Mcconney,Mcconnaughhay,Mccollester,Mcclurkan,Mccluer,Mccloudy,Mcclenaghan,Mcclave,Mcclarnon,Mcclarin,Mcclaney,Mcclanan,Mcclair,Mcchristion,Mccaskell,Mccartha,Mccarl,Mccamant,Mccalmont,Mccalman,Mccaine,Mccahill,Mccague,Mcbrown,Mcanany,Mcalvain,Mazzurco,Mazuc,Mazo,Mazingo,Mawhorter,Mavro,Mavraganis,Mautner,Mautino,Mauceli,Matzinger,Maturi,Matturro,Mattlin,Mattheis,Matsuoka,Matsuki,Matro,Matlack,Matice,Mathson,Matheu,Mathenia,Math,Matejka,Mateja,Matanane,Masztal,Mastropaolo,Mastromarino,Mastrolia,Mastel,Massy,Massoud,Massimino,Maslanka,Masini,Mascioli,Marzec,Marvier,Maruyama,Marusarz,Marum,Martorella,Martire,Martinkus,Martinas,Martiez,Marthe,Marteney,Marschall,Marruffo,Marrazzo,Marples,Marohl,Marn,Marlborough,Markunas,Marki,Marjan,Maritnez,Marinkovic,Marineau,Margaitis,Marentis,Mare,Marcou,Marciel,Marci,Marchiori,Marchello,Marchell,Marcelle,Marcelin,Marales,Mapel,Manzanarez,Mantilia,Mansmith,Manon,Mannschreck,Mannick,Mankiewicz,Mankel,Manila,Manifold,Manha,Mangrich,Mangiapane,Mangiamele,Manera,Mandes,Mandella,Mandelik,Mandaloniz,Mand,Mancusi,Mancine,Mana,Mamula,Mammoccio,Malzhan,Malzahn,Malsom,Maloon,Malnar,Mallone,Mallinson,Mallie,Mallek,Malle,Malinoski,Malinconico,Malicoat,Malicdem,Malhi,Malfatti,Malandrino,Malamud,Malakowsky,Makovec,Makey,Majercik,Majer,Majamay,Maisenbacher,Mainey,Mailey,Mailander,Mahuna,Mahomes,Mahoe,Mahnken,Maheras,Mahaxay,Mahana,Maham,Magnia,Magni,Magnanti,Magliano,Magliacane,Maglaughlin,Magistrale,Magierski,Maggini,Magano,Mafnas,Madren,Mador,Maderios,Madena,Maddron,Madan,Madalinski,Macmanus,Maclead,Mackowski,Mackinaw,Mackessy,Mackerl,Macker,Macivor,Machold,Machain,Macedonio,Macdiarmid,Macchiaroli,Macbean,Macayan,Macari,Mabin,Mabel,Lyter,Lyster,Lysne,Lynskey,Lyness,Lyndaker,Lymaster,Lykke,Lyell,Luxmore,Luttmer,Lutgen,Lusignan,Lupold,Lungstrom,Lunford,Lundeby,Lumbard,Lule,Lukaskiewicz,Luinstra,Luevand,Luer,Lueking,Luehrs,Luecking,Ludvigson,Ludgood,Lucich,Luchetti,Lubman,Lubic,Lozito,Lowhorn,Lowd,Loverich,Loveman,Lovas,Lovaas,Louvier,Louthen,Loury,Loukanis,Loughner,Loughnane,Louato,Lotshaw,Lother,Lothamer,Loter,Losinski,Losinger,Loshek,Losecco,Lortie,Lorin,Lorent,Lorello,Loras,Lorah,Lopau,Loosen,Lontz,Longpre,Longie,Loncaric,Lombrana,Lomba,Lohrey,Lohoff,Logghe,Loges,Lofstead,Lofft,Loertscher,Loeper,Loeblein,Lodato,Lochen,Lobbins,Lobban,Lizarrago,Livigni,Livernash,Liukko,Littich,Litterer,Littau,Litchmore,Lisy,Lissy,Lishman,Lischak,Lirag,Liptow,Lins,Linkhart,Linkert,Lingren,Lingelbach,Lingel,Lingad,Linet,Linegar,Linebrink,Lindroth,Lindeland,Lindboe,Linardi,Linard,Ligman,Liggans,Lifland,Liff,Lieuallen,Liesveld,Liess,Lienhard,Liehr,Liedy,Liedke,Liebau,Lidtke,Lidstrom,Licano,Libra,Leys,Leymeister,Lewerke,Lewand,Levoci,Leviton,Levien,Leveston,Leverenz,Levere,Levangie,Leuy,Leukuma,Lettman,Letran,Letlow,Lethco,Letersky,Lestronge,Lesso,Lessey,Leshem,Lerud,Leps,Leonesio,Leones,Lento,Lente,Lennertz,Lenior,Lenhard,Lenfest,Lene,Lendrum,Lempicki,Lemonier,Lemle,Lemkau,Lemings,Lem,Lelli,Lekas,Leitten,Leitheiser,Leino,Leiner,Leinenbach,Leidy,Leidich,Leid,Leich,Lehnhoff,Leh,Legum,Legoullon,Legeyt,Legalley,Legace,Lefton,Lefthand,Leforge,Lefore,Lefleur,Leerar,Leef,Leed,Ledl,Leddon,Ledain,Leckie,Lecates,Lebeouf,Leben,Lebeck,Lebeaux,Leban,Leaverton,Learman,Leardi,Leamy,Lazare,Lazarczyk,Layssard,Layson,Layhew,Layel,Laychock,Lawernce,Lavzon,Lavalla,Lauterborn,Laut,Lauseng,Lausen,Laurino,Lauri,Laurenzano,Laurenza,Laundry,Laumbach,Lauinger,Lauenroth,Latzke,Latulipe,Lattig,Latronica,Latouf,Latko,Latiker,Lathern,Laterza,Latchaw,Lataquin,Lasure,Lashomb,Lasell,Lasasso,Lartey,Larriva,Laro,Lardner,Lardieri,Laprarie,Lapping,Lapitan,Lapeyrolerie,Lapar,Lanzetta,Lantis,Lanka,Lani,Langshaw,Langmyer,Langin,Langerman,Langeland,Langbein,Landro,Landrian,Landmesser,Landmann,Landfair,Landesberg,Lanciotti,Lamprey,Lampey,Lamos,Lamora,Lamoine,Lamfers,Lambka,Lamance,Lamana,Laliotis,Lajza,Lajaunie,Lainson,Laher,Lahar,Lagrotta,Lagrant,Lagraize,Lagnese,Lafrazia,Lafountaine,Laflin,Lafaso,Lafarga,Ladage,Lacsamana,Lacrosse,Lacrone,Lachowski,Labruyere,Labrake,Labossiere,Laba,Laack,Kyzar,Kynard,Kwek,Kuzmin,Kuttner,Kusiak,Kuser,Kuse,Kurtzer,Kurtzeborn,Kurpinski,Kurohara,Kuroda,Kurnik,Kurihara,Kurdziel,Kurban,Kuras,Kupper,Kupferer,Kupec,Kunzelman,Kunkler,Kunin,Kunesh,Kumro,Kumpf,Kulon,Kulka,Kukucka,Kuk,Kuhse,Kuhls,Kuhlo,Kuhar,Kuerbitz,Kuenzi,Kuehneman,Kudron,Kuczenski,Kuchle,Kuchenmeister,Kuchenbecker,Kucan,Kubu,Kubsch,Kubiszewski,Kubish,Kubicz,Kubick,Kubaska,Kuarez,Ksiazek,Kshywonis,Krzykowski,Krzak,Krysl,Kruzewski,Kruzan,Krumrine,Krumins,Krucker,Kroupa,Krough,Krotz,Kronstedt,Kromrey,Krogstad,Krogmann,Kroeze,Kroetz,Kroc,Kristianson,Kristen,Kriser,Krips,Kringas,Kriete,Kreuter,Kretschmann,Kresha,Kreidel,Kregger,Kreatsoulas,Kratochwil,Krasovec,Krase,Krapf,Kranawetter,Krajnik,Kozubal,Koyanagi,Kowalkowski,Kovarovic,Kovalcin,Kou,Kotzen,Kotnik,Kostelecky,Kostek,Kostecki,Kostal,Kosse,Koslowski,Koskie,Kosicki,Koshar,Kosek,Kortright,Korpal,Kornhauser,Kormos,Korinek,Korgie,Kordsmeier,Kordish,Koral,Kops,Kopps,Kopperud,Koppang,Kopfer,Kopet,Kook,Konno,Konik,Konek,Konefal,Komm,Komis,Komer,Komarek,Kolsrud,Kolp,Kolopajlo,Kollmorgen,Kolis,Kolesnik,Koles,Kolding,Kohs,Kohlhoff,Kohatsu,Kohara,Koetter,Koestler,Koepsel,Koeppe,Koenigsman,Koelewyn,Koe,Kodadek,Koci,Kochler,Kocab,Kobylinski,Kobryn,Koberg,Knower,Knollenberg,Knock,Knizley,Kniss,Knies,Knezovich,Knesek,Knepel,Knehans,Kneeskern,Knaust,Knapke,Kmet,Kluz,Klukas,Kloska,Klopf,Klinglesmith,Klinekole,Klimes,Kliment,Klimaszewski,Klepfer,Klepacki,Klepac,Klemash,Kleinkopf,Kleinknecht,Kleimola,Kleiboeker,Klei,Klehn,Klegin,Klavuhn,Klauer,Klasinski,Klasing,Klarr,Klapec,Klaass,Klaameyer,Kjelland,Kiyuna,Kitching,Kistle,Kissi,Kishi,Kirvin,Kirtner,Kirovac,Kirnon,Kirkby,Kiritsy,Kirchgesler,Kippley,Kipping,Kinzig,Kins,Kinnare,Kinna,Kingcade,Kinatyan,Kimme,Kimbrow,Kimbril,Kilzer,Kiltz,Killmer,Killibrew,Killeagle,Kilger,Kiles,Kievit,Kientzy,Kielty,Kiekbusch,Kiehne,Kiefert,Khou,Khiev,Khat,Khare,Keywan,Keyt,Kevin,Keville,Kevern,Keuler,Ketola,Ketelaar,Kertis,Kerson,Kernen,Kerkman,Kerker,Keogan,Kenwood,Kenne,Kenaan,Kempler,Kempisty,Kempfer,Kempen,Kemmerlin,Kelter,Kelman,Kellie,Keliihoomalu,Keleman,Kekiwi,Keiswetter,Keiss,Keilty,Keidong,Kegel,Keets,Keeneth,Keefner,Kedzierski,Kebort,Keate,Keat,Kazmorck,Kazi,Kaz,Kawachi,Kaushiva,Kauk,Katzner,Katzmark,Katzen,Katsuda,Kats,Kater,Katen,Kasting,Kasserman,Kassay,Kassabian,Kasprowicz,Kasperek,Kasowski,Kasmir,Kaska,Kasik,Kascak,Karth,Karsnak,Karshner,Karsh,Karmel,Karlstad,Karley,Karins,Karimi,Karcich,Karch,Karapetyan,Karakas,Kapsalis,Kappeler,Kapke,Kaperonis,Kapahu,Kanthak,Kansky,Kansas,Kanoy,Kanno,Kannady,Kandarian,Kanai,Kanae,Kanaan,Kamphoefner,Kammler,Kaminetzky,Kaminaka,Kamienski,Kamaunu,Kamakea,Kama,Kaltefleiter,Kaloustian,Kaloi,Kallmeyer,Kalisch,Kalinski,Kaliher,Kalgren,Kalfas,Kales,Kalafatis,Kagle,Kadish,Kachermeyer,Kabina,Kaawa,Kaaua,Kaatz,Juvera,Jutte,Justen,Jusko,Juriga,Jure,Jungquist,Jungbluth,Juneja,Juncaj,Juliet,Juhas,Juenger,Juell,Jucean,Jubinville,Jovich,Jorres,Joris,Jore,Jonhson,Joneson,Jonassen,Jolissaint,Jointer,Johnny,Johengen,Johar,Joh,Joern,Jodway,Jobs,Joanette,Jirik,Jirasek,Jipson,Jinkerson,Jinkens,Jiminian,Jimeno,Jiau,Jevnikar,Jessel,Jerauld,Jephson,Jentzen,Jenkerson,Jenista,Jenifer,Jemmett,Jelovich,Jehlicka,Jeffris,Jedziniak,Jeantet,Jeanclaude,Jayme,Javor,Javaux,Jaurigue,Jaureguy,Jarvinen,Jarocki,Japp,Janszen,Jansons,Jans,Jankauskas,Janka,Janhunen,Janeczek,Jandrin,Janczewski,Janack,Jamir,Jakuboski,Jakubik,Jakubek,Jahnel,Jageman,Jaenicke,Jacquem,Jacquay,Jaconski,Jacobellis,Jablon,Iyo,Ivancevic,Iurato,Iulianetti,Itri,Issler,Isla,Isip,Ishmon,Ishizu,Isgrigg,Iseri,Iseli,Iseley,Isbrecht,Isassi,Isaiah,Irsik,Irias,Inzana,Intveld,Intrieri,Interdonato,Instasi,Inscho,Ingwell,Ingebretsen,Inga,Inda,Incle,Inabinett,Imus,Immordino,Imbesi,Imbach,Illsley,Illig,Ill,Ignowski,Idler,Idleburg,Ideue,Ibara,Ianuzzi,Ianniello,Iacovone,Hyter,Hyles,Hyle,Hykes,Hyams,Huxley,Hutch,Hustead,Huscher,Hurtz,Hurse,Hurren,Huret,Huotari,Huntress,Hunting,Hunstiger,Hunking,Humpries,Humbles,Hum,Hulvey,Hulcy,Huizinga,Huhman,Huhammad,Hufty,Huesso,Hueftle,Huebschman,Huebert,Hue,Hudmon,Huberman,Hubbartt,Hubach,Hsueh,Hrycenko,Hrabal,Hoxit,Howsare,Howman,Howitt,Howerter,Houlton,Houis,Hottman,Hotovec,Hostin,Hoshall,Hosfeld,Hoschek,Horwath,Horsely,Horsburgh,Horovitz,Hornstrom,Hornbarger,Horkley,Horka,Horey,Horeth,Hordyk,Horack,Hoppin,Hoppel,Hopfensperger,Hooey,Hooe,Honhart,Honga,Honeck,Homs,Hommell,Homles,Homen,Home,Holzner,Holzheimer,Holzem,Holsopple,Holsman,Holowell,Holliway,Holizna,Holesovsky,Holderbaum,Holbach,Holan,Hoit,Hoist,Hohenbrink,Hoger,Hofmans,Hofheimer,Hoffhines,Hofbauer,Hoesing,Hoeschen,Hoerter,Hoepfner,Hoemann,Hodgeman,Hockersmith,Hochadel,Hobock,Hobel,Hluska,Hlavac,Hisrich,Hirsbrunner,Hirpara,Hire,Hinners,Hindbaugh,Himenez,Hilles,Hilleary,Hillanbrand,Hillan,Hildner,Hilding,Hilderbrandt,Hiland,Hightree,Highnote,Highberger,Higgason,Higaneda,Hidinger,Hickock,Heymann,Heusinkveld,Heusel,Heuring,Hettler,Hesseltine,Hesselink,Hesford,Herth,Herskovits,Herschell,Heroman,Hernton,Herne,Hernandaz,Hermez,Hermanstorfer,Herling,Herke,Herimann,Heriford,Hergenrader,Herforth,Herdes,Hercher,Herceg,Herbick,Hentze,Henniger,Henney,Henness,Hennegan,Henkes,Heneisen,Henderickson,Henard,Hemrick,Hemric,Hempton,Hemp,Hemme,Hemeon,Hembry,Hembrough,Hembrey,Helstad,Helmus,Hellings,Hellgren,Helie,Helgert,Helgerman,Helger,Helgason,Helfinstine,Helfgott,Helfenstein,Heldreth,Helander,Heitzmann,Heisserer,Heising,Heisel,Heinold,Heinis,Heinemeyer,Heimark,Heiliger,Heiderman,Heidenescher,Heidebrink,Hehir,Hegan,Heersink,Heep,Hedquist,Heckford,Hebets,Heberly,Heberle,Hebenstreit,Heavilin,Heartz,Heaphy,Heany,Hazer,Hazelgrove,Haynsworth,Haydock,Hawelu,Havnen,Havely,Hauss,Hausam,Haumesser,Hauman,Haulk,Hauley,Haubrick,Haubner,Hattman,Hatman,Hatherly,Hatchcock,Hastert,Hassenplug,Hasko,Haser,Haselhuhn,Hasberry,Has,Harthorne,Harthcock,Harriett,Harouff,Harootunian,Harkavy,Harell,Hardridge,Hardacre,Harborth,Haraguchi,Haptonstall,Happenny,Hantman,Hanses,Hannemann,Hannay,Hannafin,Hanle,Hangartner,Handerson,Hanberg,Hamzik,Hamstra,Hammans,Hamano,Halsema,Halonen,Halim,Halek,Haleamau,Halama,Hakeem,Hainley,Hagley,Hagist,Hagie,Haggberg,Haggan,Hagele,Hafenstein,Hafemeister,Hady,Hadges,Hadef,Hackey,Hach,Habbyshaw,Haaga,Haab,Gysin,Gwirtz,Guzzio,Guzzardo,Guzma,Gutzmann,Gutta,Gutermuth,Guterman,Gutenberger,Gurganious,Gural,Guppy,Gunzalez,Guntert,Gums,Gumb,Gullotta,Gullixson,Gulling,Gullace,Guler,Gulbransen,Guitian,Guinta,Guinasso,Guilboard,Guichard,Gugliotta,Guglielmina,Guggenheim,Gugel,Guetierrez,Guethle,Gueth,Guerrido,Gueits,Gudenkauf,Gucciardo,Guarnera,Guadagnolo,Gsell,Gschwend,Grush,Grupp,Grundmann,Grunau,Grueninger,Gruca,Groupe,Grotzinger,Grotheer,Grossmeyer,Grossetete,Grossack,Gromer,Groenke,Groening,Groehler,Groebner,Grochmal,Groby,Grobes,Gritman,Griswould,Grisset,Grime,Griffo,Griesinger,Greuel,Greth,Gressman,Gremel,Greiwe,Greis,Greil,Greife,Greider,Grefrath,Greff,Greenmyer,Greany,Grazioplene,Gravlin,Gravito,Gravert,Grav,Grater,Grap,Granzin,Grannum,Granlund,Grando,Grammes,Gramley,Grambo,Grala,Grahl,Gradwohl,Gradillas,Gradert,Graciana,Grabner,Grabinski,Grabinger,Grabel,Graaf,Gouzy,Gouger,Gottron,Gottardo,Gothro,Gosso,Gossi,Gorringe,Gorneault,Gorn,Gormly,Gorenflo,Goral,Gopen,Goosey,Goodnoe,Goodie,Goodhile,Goodfield,Goodard,Gonneville,Gongalez,Gondola,Gompf,Gommer,Gollehon,Golie,Golebiewski,Goldinger,Goldhaber,Goldfeder,Goldbaum,Golaszewski,Gojcaj,Gogerty,Goettsche,Goethe,Goessl,Godson,Godbe,Gochanour,Gocha,Gnau,Gnatek,Glud,Glorius,Glordano,Gloodt,Glod,Glinka,Glime,Gleim,Gleicher,Glazewski,Glay,Glasford,Glascott,Glanzman,Glahn,Gladish,Gjerde,Gizinski,Gitzen,Girsh,Girote,Girman,Giovino,Giovanini,Giorgini,Ginty,Ginsky,Ginnings,Gingues,Gingg,Ginger,Giner,Gimm,Gilruth,Gillund,Gillenwaters,Gilday,Gilcrest,Gilcher,Gilani,Gigstad,Giernoth,Gienger,Gidaro,Giczewski,Gibas,Giarratano,Giantonio,Giannitti,Giannetti,Giampapa,Giacopelli,Giacone,Giacomelli,Gherman,Ghera,Ghan,Gevorkyan,Gettig,Getchman,Gesinski,Gerundo,Gershenson,Gerraro,Gernert,Germundson,Gerloff,Gergel,Gerdeman,Gerdel,Geraldo,Geraldes,Georgopoulos,Georgis,Georgevic,Georgeson,Genzel,Genung,Gentzler,Gentili,Genich,Gelzinis,Geiken,Geidner,Geidl,Gehrer,Geho,Gehlbach,Geeding,Gedye,Geberth,Geathers,Gearan,Gealy,Gazzola,Gazella,Gawrych,Gavidia,Gautam,Gaumont,Gaudenzi,Gaucher,Gaubert,Gattas,Gatley,Gaters,Gatchalian,Gassel,Gasman,Gaslin,Garufi,Garriepy,Garrell,Garrand,Garnto,Garns,Garno,Garlinger,Garivay,Garhart,Gardino,Garcea,Garbin,Garaventa,Garavaglia,Garahan,Garafano,Garacia,Gapen,Ganiron,Ganino,Ganim,Gangwish,Gange,Ganes,Gandia,Gandeza,Gamlin,Gamelin,Galway,Galow,Gallob,Gallishaw,Gallinaro,Gallicchio,Gallese,Gallero,Gallegas,Galeoto,Galeas,Galbreth,Galbavy,Galavis,Galam,Gajate,Gair,Gagney,Gagel,Gagarin,Gaete,Gaetani,Gadbaw,Gack,Gabrysch,Gabardi,Fyksen,Futrelle,Furl,Furches,Furbeck,Funnye,Funicello,Fumagalli,Fullford,Fulginiti,Fulenwider,Fulena,Fugler,Fuerstenberge,Fuentas,Fucillo,Fuapau,Fryberger,Frusciante,Fruehling,Fromberg,Froeschle,Frock,Fritzgerald,Fritcher,Frisbey,Frihart,Frieling,Friedler,Frie,Fridell,Freuden,Freud,Frett,Frend,Freiling,Freije,Freie,Freidman,Freibert,Fregozo,Freehling,Fredo,Fredlund,Fredley,Frede,Freberg,Frayre,Fraunfelter,Frascella,Franssen,Frankowski,Francour,Francom,Francillon,Francey,Fraioli,Fracassa,Fostervold,Fossey,Foshay,Foscue,Forsell,Forrister,Forren,Fornicola,Fornes,Forgie,Forbs,Foppe,Foore,Fontecchio,Fongeallaz,Follick,Folio,Foder,Flyzik,Fluhman,Fluet,Flow,Floto,Floros,Floriano,Floren,Floran,Floerke,Flitcroft,Flipp,Flintroy,Fleschner,Flenner,Fleeting,Flamio,Flaggs,Flagge,Fjeseth,Fithen,Fissell,Fischman,Fire,Fioranelli,Finseth,Finocchiaro,Finerty,Fineman,Finchman,Filyaw,Filipovich,Filas,Figler,Figge,Fiers,Fiereck,Fidell,Ficorilli,Fico,Ficks,Fickle,Fialkowski,Feyen,Fetz,Fetsko,Ferullo,Fertitta,Ferriman,Ferrebee,Ferrand,Ferrales,Fernelius,Fernberg,Ferioli,Fergoson,Ferenc,Fereira,Fequiere,Fennema,Fenelus,Fenelon,Feneis,Femrite,Feltenberger,Felsenthal,Fels,Felmet,Felgenhauer,Felarca,Feiteira,Feirer,Feinen,Feigenbaum,Fehlinger,Federle,Fecko,Feavel,Featheringham,Fayer,Faxon,Faurrieta,Faull,Fatone,Fatigate,Fasy,Fasula,Fassio,Fass,Farwick,Farrill,Farquer,Farmwald,Fantozzi,Fanoele,Fannell,Fanizza,Fandrich,Fallo,Fallago,Faist,Faines,Faine,Fahrendorff,Faggard,Faessler,Fadale,Fabrizi,Eychaner,Exon,Exilus,Ewig,Evitts,Evinger,Everheart,Everhardt,Eveleth,Eveleigh,Eurbin,Esworthy,Estus,Estock,Esterbrook,Essler,Esque,Espina,Espalin,Eschenburg,Eschberger,Esbenshade,Ertley,Erstad,Erp,Eroman,Erno,Ermatinger,Erkkila,Erkela,Eriquez,Erin,Ericks,Erdahl,Ercolani,Equils,Eppinette,Eon,Enter,Enke,Engley,Englebrecht,Engleberg,Englar,Engelstad,Engelsman,Engellant,Ence,Emslie,Empie,Emoto,Emons,Emley,Emile,Embly,Embler,Emanuelson,Emal,Elzinga,Elwer,Elvis,Elvington,Elshere,Elmquist,Ellout,Ellifritz,Ellerd,Ellerbusch,Elizando,Elizabeth,Elick,Eliasen,Elgert,Elger,Elena,Elbers,Ekstein,Ekmark,Eiser,Einck,Eimers,Eilert,Eidinger,Eicke,Ehsan,Ehn,Egleton,Egel,Effner,Ednilao,Edner,Edmons,Edmister,Edmison,Edlow,Edholm,Edgeman,Edgcomb,Edell,Edelblute,Eclarinal,Eckroad,Echave,Ebesu,Eberwein,Ebeid,Ebe,Ebbing,Eastlund,Eary,Earps,Dzuro,Dziuban,Dysinger,Dyner,Dymek,Dyll,Dyl,Dydell,Dwelle,Dwan,Duvernois,Dutson,Dutro,Dutchover,Dusky,Duskey,Dusik,Dushkin,Dushane,Durrani,Duroseau,Durnford,Durk,Durepo,Duranceau,Duprat,Duplechin,Duperry,Dunscomb,Dunkleberger,Dung,Dunegan,Dundlow,Dumpson,Dumphy,Dumpert,Dumesnil,Dullum,Duldulao,Dular,Dukart,Duhan,Dugdale,Dugat,Duffney,Duesing,Duenow,Duce,Dubson,Drzewicki,Druetta,Drube,Drozdenko,Drop,Drohan,Drivers,Drinski,Driever,Drewer,Dressen,Drehmer,Drawe,Drapkin,Draney,Drahota,Dowers,Dowdall,Dovenbarger,Dousay,Douin,Doughan,Doucett,Douce,Dorshimer,Dorsaint,Dorries,Dorosky,Dorl,Dorich,Dorenfeld,Dorcelus,Dool,Donoso,Donnick,Donnely,Donart,Donalds,Donaghey,Donaghe,Dominges,Domebo,Dollings,Dolejsi,Doggette,Doell,Dockwiller,Dockal,Dobosh,Dobis,Dobiesz,Dluhy,Dixons,Divin,Diventura,Divenere,Divelbiss,Dittrick,Ditommaso,Dirosa,Dircks,Diogo,Diodonet,Dinning,Dininno,Dimodica,Dimitroff,Diminno,Dimassimo,Dillie,Dilan,Digsby,Digrande,Digmann,Digirolomo,Digian,Digiacinto,Dietzen,Dietlin,Dietert,Diersen,Dienst,Dieffenbach,Dicorcia,Dickhaut,Diberardino,Diab,Dhein,Dhar,Dhamer,Dezan,Dez,Dewispelaere,Dewhirst,Devonish,Devincenzo,Devillez,Devany,Devalcourt,Deubler,Dettori,Detone,Detommaso,Detoma,Desue,Destree,Destephen,Desso,Desselle,Desimoni,Desadier,Derham,Derfler,Dercole,Derasmo,Depugh,Deporter,Depolito,Depa,Deninno,Deni,Denenberg,Denaro,Denardis,Demry,Demro,Demmel,Demme,Demiel,Demeritte,Demarzio,Demaline,Demaine,Deluco,Delton,Delsordo,Delosa,Delongis,Delois,Deloff,Delmuro,Delmoro,Delmonaco,Delmage,Dellen,Dellaripa,Dellamore,Delhierro,Delfuente,Deleppo,Delemos,Delea,Delcarmen,Delaura,Delanuez,Delang,Delamarter,Delamare,Delage,Delacuesta,Dekorte,Dekenipp,Dekany,Deinhardt,Deily,Deierlein,Degravelle,Deglow,Degler,Degiulio,Defoore,Defonce,Deflorio,Defiore,Defilippi,Deed,Dedeke,Dedecker,Dedaj,Decost,Decillis,Dechellis,Dechaine,Decarr,Decaprio,Debutiaco,Debski,Debry,Debruhl,Debouse,Deblase,Debey,Debenedetti,Debacker,Deang,Deandrade,Deadmond,Deacy,Daykin,Dayhuff,Dayal,Davion,Davidsen,Dautremont,Daughrity,Daubs,Datwyler,Datko,Dasmann,Daruszka,Darugar,Darroch,Daro,Darkis,Daricek,Daras,Dar,Dapoz,Dapinto,Danuser,Danoff,Dankmeyer,Danesi,Danesh,Daneker,Dammen,Damien,Damberger,Dalmoro,Dallmier,Daller,Dalka,Daliva,Dahline,Dahlhauser,Daguerre,Dagrella,Dagraca,Dagesse,Dage,Daehn,Dado,Dabbraccio,Dabato,Czolba,Czepiel,Czelusniak,Czechowski,Czarny,Czar,Czapski,Cywinski,Cyran,Cypret,Cwiek,Cuzzort,Cuzzi,Cutty,Cutrone,Cuthrell,Cuthill,Cutbirth,Custeau,Cushingberry,Curvey,Curson,Currell,Curly,Curll,Curdy,Curcuru,Cupstid,Cuoco,Culverson,Culnane,Culliver,Cullivan,Culleton,Cuddeback,Cuckler,Cubillo,Cubias,Cua,Cryar,Crutsinger,Crusan,Crupe,Crummie,Cruice,Cruea,Crowthers,Crowers,Crowdis,Crovo,Croson,Crosno,Crosdale,Cronwell,Cronon,Crocetti,Crnich,Cristal,Crisson,Crismond,Crighton,Cridland,Crickard,Creten,Cretella,Crespino,Cremins,Cremers,Creehan,Creecy,Credell,Cranney,Cranker,Craker,Craffey,Cozzy,Coyazo,Coxum,Cowdin,Covino,Coven,Courtenay,Course,Courier,Courchene,Coup,Couley,Couchenour,Cotugno,Cottongim,Cotti,Cotillo,Costine,Costain,Cosmo,Coslan,Cose,Coryea,Cortwright,Corsoro,Corrente,Correl,Cornford,Corneluis,Cornelious,Corneau,Corne,Corkins,Corippo,Corgiat,Coreil,Cordwell,Cordovano,Cordill,Cordano,Corazza,Coran,Coppess,Coonrad,Coonfare,Coomber,Cooksley,Cookis,Coodey,Contrino,Contee,Consorti,Console,Conorich,Conole,Connoly,Connley,Connington,Connie,Conness,Conly,Conkright,Coner,Conchas,Comrie,Compston,Compagno,Comnick,Commiskey,Commer,Comiso,Comish,Comden,Colondres,Collica,Colleen,Colle,Collaer,Colinger,Colford,Colao,Colanero,Cohens,Cofresi,Coerver,Cockriel,Cockran,Cockerell,Cobham,Cobert,Cobern,Cobell,Clunie,Clubs,Clubbs,Cloutman,Clise,Clippinger,Clerkley,Cler,Clemmens,Clemen,Cleare,Cleamons,Claycamp,Clawges,Claverie,Clarkston,Clarity,Clantz,Clakley,Clain,Cizek,Ciuffreda,Citrone,Ciraco,Cinotto,Cini,Cinadr,Cilento,Cilano,Cihon,Ciganek,Cieslinski,Cicoria,Cicco,Cibula,Ciarrocchi,Ciak,Ciafardoni,Chubbs,Chrzan,Christophel,Christoph,Christoforou,Christel,Christan,Chreene,Chrabaszcz,Chrabasz,Chowhan,Choules,Chorney,Chorley,Cholico,Cholewinski,Cholakyan,Chojnowski,Chlebek,Chittam,Chiszar,Chisam,Chirafisi,Chiprean,Chinetti,Chimes,Chiera,Chicon,Chiarelli,Chiaravalle,Chiappetta,Chesner,Cheser,Chesbrough,Cherubino,Cherrette,Cherpak,Chelf,Cheesebrough,Cheeney,Cheely,Chean,Cheak,Chavana,Chauvette,Chatt,Chasser,Chaskey,Charriez,Chappie,Chappelear,Chapparo,Chapek,Chanoine,Chandley,Challenger,Challberg,Challacombe,Chaleun,Chainey,Chaffey,Cetta,Cerza,Cervenak,Certosimo,Cerruti,Cerqueira,Cernohous,Cereceres,Ceovantes,Ceo,Centrich,Centore,Cellucci,Ceglinski,Ceconi,Cecilio,Cecchinato,Cecchi,Cazorla,Cayne,Cayabyab,Cavill,Cavicchia,Cavez,Cavener,Cavasos,Cavaness,Cavalcante,Caulk,Caudel,Cattano,Catrett,Catlow,Catella,Cataquet,Catalino,Cataline,Catalanotto,Catalanatto,Cata,Castenanos,Castelo,Cassiday,Casparian,Casillo,Casewell,Casarrubias,Casalman,Casal,Carvalno,Carskadon,Carrus,Carrison,Carriker,Carrazco,Carratala,Carpanini,Carovski,Caroli,Carne,Carmella,Carlis,Carfagno,Carethers,Carella,Cardonia,Cardno,Carda,Carcieri,Carcano,Carcana,Carboneau,Carbon,Caravantes,Carattini,Caramanica,Capriola,Cappelluti,Capossela,Caponi,Caperon,Caper,Capati,Cantv,Cantore,Cantell,Cantatore,Cantarella,Cantadore,Canslor,Canonico,Cannonier,Cannone,Cannavo,Cannatella,Cangiano,Campoli,Campellone,Campean,Campanile,Camera,Camcam,Cambel,Calta,Callsen,Callarman,Calicott,Calhaun,Calegari,Calco,Calciano,Calabretta,Cake,Cairone,Cahela,Cagliostro,Caflisch,Cafferky,Caetano,Cadice,Caddle,Cadarette,Cackowski,Caccia,Cabrena,Cabotaje,Caborn,Caberto,Bystrom,Byndon,Buzek,Buysse,Bux,Buttrick,Buttaro,Butscher,Butsch,Butor,Butman,Buteux,Butchee,But,Bustard,Busta,Bussy,Busson,Bussing,Bussa,Busi,Buseman,Buschner,Buscaglia,Burttram,Burth,Bursch,Burnsworth,Burland,Burkowski,Burglin,Burgdorfer,Burdman,Burau,Buran,Burakowski,Buquet,Buonomo,Buntyn,Bungo,Bunche,Bunal,Bult,Bulliner,Bullaro,Bulkeley,Bulcao,Bula,Buisson,Buissereth,Bugni,Buetow,Buesgens,Budziszewski,Budinich,Buddington,Buchtel,Buchli,Buchert,Buchar,Buben,Brzuchalski,Brummell,Brull,Brudnicki,Brucz,Bruchman,Brubach,Brownwood,Browen,Browe,Brossett,Brosco,Brookshear,Brookfield,Bronstad,Bronsky,Bronaugh,Bron,Brohawn,Brogna,Brodzik,Brodsho,Brodowski,Brodnicki,Brodell,Brod,Brockney,Broas,Broadrick,Briz,Britschgi,Brint,Brinich,Bringard,Brindamour,Brincat,Brimfield,Brillant,Brilhante,Brihon,Brignoni,Brightful,Briggman,Bried,Brickle,Brickel,Brezeale,Brewen,Breutzman,Bretado,Brester,Bresko,Brennon,Brennaman,Breniser,Brendon,Brems,Breisch,Breidenstein,Brechtel,Brea,Brazington,Brazen,Brayer,Brawer,Bravata,Braune,Braunbeck,Braue,Braucht,Braseth,Brantly,Branter,Branski,Brandler,Bramham,Brahney,Bradac,Brackley,Brackey,Brackemyre,Brach,Boyarsky,Bowlan,Bowhall,Bowdre,Bovie,Bouyea,Boustead,Bourgeault,Bounthapanya,Boultinghouse,Bouillon,Boudrie,Boudinot,Bottgenbach,Bottari,Botos,Bothof,Botha,Bosten,Bostelmann,Bossley,Bossick,Bossen,Bosquet,Boscio,Bosche,Bosa,Borski,Borsh,Borowik,Borom,Borke,Borgerding,Borgatti,Bordwine,Booser,Bookbinder,Bookard,Boock,Bonte,Bonomi,Bonning,Bonito,Bonillas,Bondura,Bombich,Boltinghouse,Bollozos,Bolliger,Bollie,Bolka,Bolitho,Boldenow,Bolch,Bolay,Boissoneault,Boisjolie,Boisclair,Boie,Bohrman,Bohley,Boglioli,Boghosian,Boggus,Boggiano,Bogden,Boey,Boesenhofer,Boerst,Boerma,Boenisch,Boemig,Boebinger,Boday,Bodamer,Bocklage,Bocchini,Bobseine,Bobian,Boberg,Bobek,Blyler,Blumenstein,Bloyer,Blotter,Blore,Blomme,Blomdahl,Bliske,Blinston,Bliek,Blessman,Bleggi,Bleeker,Bledsaw,Blauch,Blaskovich,Blankley,Blankenberg,Blanken,Blakelock,Blaida,Bjorgen,Biven,Bitzel,Bittman,Bitonti,Bissen,Bisom,Bisher,Birman,Birky,Birkes,Bippus,Bintz,Bintner,Bintliff,Binnie,Binks,Binkiewicz,Binienda,Bingley,Bilotto,Billheimer,Billen,Billeck,Billeaudeau,Bilinski,Bilello,Bild,Bihari,Bigda,Biez,Bierwirth,Bierle,Bierbower,Bienenstock,Biemer,Bieler,Bielak,Bidle,Biddleman,Biddiscombe,Bicknese,Bickerton,Bickelhaupt,Bichsel,Bibles,Bibian,Biase,Biancuzzo,Biancaniello,Biamonte,Bia,Bhatnagar,Bhardwaj,Bhan,Beyett,Bewig,Beuchat,Better,Betsill,Bethey,Betenbaugh,Betance,Betacourt,Beske,Besendorfer,Besemer,Besco,Bery,Bertran,Bertling,Bertie,Bernson,Bernosky,Bernon,Berninger,Bernes,Bernecker,Bernasconi,Bernardin,Berlo,Berliew,Berky,Berhe,Berhalter,Bergsjo,Bergholm,Bergener,Bergeman,Beraun,Benward,Benusa,Bense,Bennage,Benischek,Benion,Beninato,Bengel,Benedek,Bene,Bendzus,Bendler,Bendit,Benderman,Benberry,Benallie,Bemrich,Belyea,Beltrain,Belter,Bellue,Bellocchio,Bellisle,Bellipanni,Bellion,Bellessa,Bellavia,Belay,Bejjani,Beisser,Beiriger,Beik,Beien,Behymer,Behrenwald,Behanna,Beed,Beechum,Beechner,Bednarik,Bednarek,Bedenbaugh,Becwar,Beckton,Beckom,Bech,Bebo,Beatie,Beat,Bearman,Beaner,Beakley,Beahan,Beachamp,Bazzi,Bayman,Bayardo,Bayala,Bawcum,Bavier,Bauswell,Baures,Baune,Baumgarter,Bault,Baughey,Baugatz,Bauernfeind,Bauerlein,Bau,Batun,Battistone,Batteen,Batko,Batistich,Bater,Batcheller,Batarse,Bastow,Bassuk,Bassolino,Bassel,Bason,Basilone,Basich,Bascle,Bascetta,Bartush,Bartrum,Bartlet,Barthelmes,Bartberger,Bartash,Barsoum,Barsanti,Barrott,Barrom,Barriner,Barnhurst,Barnell,Barkle,Barkes,Barillaro,Bargerstock,Barganier,Baremore,Bardney,Barda,Barbot,Barbie,Barayuga,Barager,Bantz,Bandulin,Banasiak,Balzarini,Balwin,Balton,Balsiger,Balmos,Balmir,Ballestero,Ballek,Balick,Balian,Balestra,Balensiefen,Balduf,Balckburn,Balasa,Balafoutas,Baksi,Bakowski,Baklund,Bakko,Bakey,Bakanauskas,Baj,Baio,Bainard,Baima,Baillet,Baich,Bahrmasel,Bahrke,Bahoora,Bagsby,Bagger,Badena,Badders,Backfisch,Bacik,Bachler,Bachleda,Bachhuber,Bachert,Babiracki,Baatz,Azzarito,Azzarella,Azulay,Azotea,Azeem,Ayoob,Ayola,Ayles,Ayersman,Ayaia,Axthelm,Ax,Awtry,Avrett,Avilar,Aveni,Avellino,Aurelia,Aumend,Auletta,Augustson,Augustave,Aughe,Auerswald,Aubrecht,Athalone,Atanacio,Atamian,Astrologo,Astrella,Aspinall,Asman,Ashlin,Ashenfelter,Aschenbrener,Ascheman,Ascenzo,Asante,Asa,Arvayo,Artmann,Artice,Art,Arslan,Arrott,Arrojo,Arrizola,Arriano,Arrendell,Arps,Aronstein,Aronow,Aronica,Arntz,Arnst,Arnio,Arne,Armengol,Armantrout,Arlt,Arkadie,Arjune,Arismendez,Arimas,Aries,Ariel,Argandona,Arflack,Areola,Arenales,Ardman,Arciga,Arciba,Archacki,Arcaro,Arcano,Arbogust,Arauz,Aranas,Aquil,Aquero,Apresa,Appiah,Appert,Apostal,Apodace,Apadoca,Antrobus,Antoniuk,Antione,Antinarelli,Antich,Anslow,Ansbro,Annicchiarico,Angleberger,Angelson,Angello,Andruzzi,Androsky,Androlewicz,Andrion,Andringa,Andracki,Andra,Ancelet,Anastas,Anast,Anagnost,Amsley,Amsdell,Amsberry,Amsbaugh,Amoruso,Amoa,Amici,Amesbury,Ambrosia,Ambrogi,Amack,Alvia,Alvaro,Alvanas,Altrogge,Altomare,Altmire,Altenbach,Alsheimer,Alquisira,Alouf,Aloisi,Aloe,Almiron,Allford,Allex,Allery,Allenbach,Allegrucci,Alig,Alicuben,Alfisi,Alferez,Alfandre,Alf,Alexion,Alevras,Alessandrini,Alesi,Alescio,Alegre,Alea,Aldecoa,Alcini,Albrittain,Albrashi,Alawdi,Ala,Aksamit,Akima,Akel,Akahi,Ajose,Ajayi,Aivao,Aiu,Ainge,Ailshire,Aidt,Aicklen,Ahuja,Ahr,Aholt,Agle,Agamao,Affeld,Aeschbacher,Aeling,Adriance,Adkin,Adhami,Adeyemo,Ades,Adelgren,Addicks,Adamitis,Ada,Acor,Acimovic,Accomando,Accola,Acampora,Abuaita,Abshear,Abrantes,Abramovich,Abrachinsky,Abilay,Abellera,Abeles,Abdula,Abdon,Abbed,Abati,Abascal,Aavang,Aadland,Zylka,Zwolak,Zwingman,Zwerschke,Zwack,Zurin,Zupp,Zumbrunnen,Zukoski,Zukor,Zukas,Zuanich,Zoumis,Zoulek,Zou,Zorra,Zorich,Zomorodi,Zolty,Zolondek,Zolnoske,Zoldesy,Zoldak,Zocklein,Zlotnik,Ziraldo,Zipf,Zinsli,Ziniewicz,Zindell,Zin,Zimmerebner,Zimmel,Zimm,Zills,Zilla,Zilka,Zietz,Zietlow,Ziemski,Zielesch,Zieler,Zieglen,Ziegenbein,Ziegelbauer,Ziegel,Ziech,Zicker,Zicherman,Zich,Ziccardi,Zgoda,Zeschke,Zerko,Zerhusen,Zepka,Zents,Zeni,Zeme,Zematis,Zema,Zella,Zelkin,Zelenski,Zeilinger,Zeidan,Zegarelli,Zeanah,Zdon,Zbikowski,Zazula,Zavesky,Zavasky,Zaruba,Zarrineh,Zarrillo,Zarraluqui,Zarling,Zaring,Zaretsky,Zarebski,Zanini,Zanin,Zangl,Zaner,Zand,Zampieri,Zaltz,Zaloudek,Zall,Zalk,Zalar,Zakowski,Zajc,Zahran,Zahnen,Zagroba,Zagel,Zagara,Zagami,Zaffuto,Zachmann,Zachariades,Zaccagnino,Zaccagnini,Zaborski,Zabloudil,Zabarkes,Yvon,Yusef,Yuricic,Yuill,Yuenger,Yuasa,Ysbrand,Yourshaw,Younkers,Youngdahl,Youngblut,Youkers,Youkanaa,Yorkey,Yoneyama,Yonamine,Yoeckel,Yodis,Yocius,Yocham,Yobst,Yeubanks,Yetto,Yerigan,Yerbic,Yentsch,Yennard,Yemchuk,Yax,Yaun,Yasurek,Yasui,Yaskiewicz,Yantzer,Yantz,Yanosky,Yanek,Yandle,Yance,Yanagi,Yambao,Yamakawa,Yagoda,Yaekel,Yackeren,Yacavone,Yacano,Ximines,Xaimoungkhoun,Wysock,Wyont,Wynott,Wynans,Wylde,Wyett,Wydner,Wurzbacher,Wulfing,Wruck,Wroe,Wrobliski,Wrobbel,Wrights,Wraspir,Wrape,Woytowicz,Woy,Worthan,Worstel,Worsfold,Worrel,Worbington,Wools,Woollen,Woolems,Woodmancy,Woodhull,Woodgate,Woodfield,Woodcox,Woock,Wonsik,Wolven,Wolslegel,Wolny,Wolma,Wollyung,Wollin,Wolley,Wollan,Wolkow,Wolke,Wolever,Woleslagle,Wolansky,Wojnicki,Wohner,Wohlfahrt,Wohler,Wloch,Wittlin,Wittkopp,Wittenborn,Wittels,Withiam,Withfield,Wisz,Wissel,Wisseh,Wislocki,Wiscombe,Wischmeyer,Wischman,Wirebaugh,Winzelberg,Winterstein,Wintersmith,Winterroth,Winrich,Winograd,Winlock,Winley,Winkley,Wings,Winfred,Winebaugh,Windover,Windly,Winarski,Wimbs,Wimber,Wiltgen,Willmschen,Williver,Willinghurst,Williamston,Willenbrock,Willars,Willamson,Wileman,Wileczek,Wildenberg,Wildeman,Wilcutt,Wilch,Wilby,Wilbers,Wikstrom,Wigman,Wigle,Wigelsworth,Wietzel,Wiesneski,Wienert,Wienecke,Wienandt,Wieloch,Wielgosz,Wiedmann,Wieckowski,Wiece,Wieand,Widmar,Widhalm,Widgeon,Widerski,Widdows,Widdop,Widdison,Widby,Wida,Whyne,Whyel,Whybrew,Whittman,Whittall,Whitler,Whitinger,Whitewater,Whitescarver,Whitemarsh,Whitecloud,Whit,Whistlehunt,Whinnery,Whillock,While,Whilby,Wheldon,Wheatcroft,Whapham,Whaite,Wettlaufer,Wetterer,Wettach,Wetsel,Wethern,Westrum,Westlie,Westgaard,Westerhof,Westerfeld,Westad,Wesly,Wesberry,Werring,Werre,Wernz,Wermter,Werkmeister,Werbelow,Wentzlaff,Weniger,Wengreen,Wendolski,Wendelberger,Wempa,Weltzin,Welti,Weltch,Wellnitz,Wellenstein,Wekenmann,Weitze,Weitman,Weisholz,Weishar,Weisbaum,Weinraub,Weinbauer,Weinbach,Weidig,Weiderhold,Wehrwein,Wehrs,Wehrly,Wehnes,Wehn,Wegge,Weerts,Weemhoff,Weekey,Wedman,Weder,Weckman,Weckhorst,Weaklend,Wauters,Wauer,Waud,Wattenberg,Watte,Watling,Waszkiewicz,Wasmus,Wasilko,Washor,Wartchow,Warshauer,Warsham,Warrender,Warnstaff,Warmuth,Warmington,Wardrup,Wardhaugh,Wardall,Warchal,Warboys,Wanty,Wanous,Wanlass,Wangstad,Waneka,Wandless,Wandel,Wanda,Wamser,Wamhoff,Walvatne,Waltemeyer,Walsingham,Walljasper,Wallet,Wallerich,Walkling,Walkers,Walezak,Waldroff,Waldhoff,Waldall,Walbright,Walat,Wakita,Waka,Waisner,Waiki,Waiden,Wagle,Wagenblast,Wadusky,Wadden,Waclawski,Wackenhut,Wackenheim,Wachal,Waananen,Waack,Vy,Vukcevic,Vreugdenhil,Vreeman,Vrazel,Vranes,Vranek,Voytek,Voves,Vormelker,Vorachek,Vontungeln,Vonniederhaus,Vonner,Vonhagen,Vondrak,Vondielingen,Vonasek,Vonallmen,Voltaire,Vollucci,Vollick,Vollenweider,Volante,Voitier,Vogts,Vocu,Voci,Voccia,Vliet,Vliem,Vizarro,Vizard,Vittorini,Vitro,Vitolas,Vititoe,Viteo,Visnic,Visher,Visel,Viscia,Viscera,Vis,Virrueta,Virola,Viren,Vinz,Vinke,Vinger,Vind,Vinagre,Viltz,Villwock,Villifana,Villiard,Villetas,Villasana,Villarin,Villante,Villacana,Vile,Vilcheck,Vilardi,Vigueras,Vigoren,Vignovich,Vignaux,Vignarath,Vigier,Vieweg,Vietti,Vietor,Viegas,Viebrock,Vidals,Victorin,Vicsik,Vicic,Vicens,Viapiano,Vetsch,Vetri,Vertiz,Versluis,Verrilli,Verrelli,Verrecchia,Verni,Vernetti,Vermeer,Verling,Verlato,Verkler,Verkamp,Verghese,Verducci,Verant,Venzeio,Venturella,Ventress,Venton,Venhorst,Venerable,Veneman,Ven,Velverton,Velunza,Velmontes,Vellutini,Vellekamp,Veleta,Veldkamp,Velazques,Veino,Veigel,Veeneman,Vavro,Vauters,Vattes,Vaszily,Vastakis,Vasiloff,Vasilauskas,Vasconcelos,Vars,Varos,Varnon,Varkey,Vares,Varenhorst,Vardy,Varcoe,Vanwye,Vanwoert,Vanwieren,Vanvickle,Vantreese,Vansyckle,Vanstrander,Vansteenburg,Vanstee,Vanslander,Vanproosdy,Vanpoucke,Vanpoppelen,Vanpatton,Vanosdel,Vannelli,Vanmiddleswor,Vanloh,Vanlith,Vankoten,Vanisouvong,Vanholland,Vanhekken,Vanharlingen,Vanhandel,Vangemert,Vaneyck,Vanert,Vaneps,Vanegdom,Vandesteene,Vanderschaege,Vanderkam,Vanderheiden,Vandergriend,Vanderark,Vandeputte,Vandenbergh,Vandegraaff,Vandebogart,Vandamme,Vandalsen,Vandagriff,Vanclief,Vanboven,Vanbecelaere,Vanartsdalen,Vanaller,Vanakin,Vanabel,Valrie,Valrey,Valotta,Vallangeon,Valladolid,Valaitis,Vala,Vair,Vaidya,Vaid,Vagt,Vagle,Uyeno,Uson,Us,Urwin,Urtado,Ursino,Urry,Urquiza,Urps,Urmeneta,Urlaub,Uribazo,Urhahn,Ure,Urch,Urbanic,Urata,Urankar,Ur,Uppinghouse,Unthank,Unland,Unikel,Ungvarsky,Ungerleider,Ungerecht,Underkoffler,Umlauf,Umbdenstock,Ulrick,Uliano,Uldrich,Ulch,Ulberg,Uknown,Ukena,Uk,Uhri,Uhde,Udley,Uboldi,Tzeremes,Tysor,Tyrus,Tyrol,Tyl,Tyksinski,Tycer,Tyberg,Twitt,Tweden,Tuy,Tuton,Tuter,Tustison,Tuschhoff,Turso,Turrigiano,Turowski,Turnbo,Turnball,Turlich,Turli,Turla,Turkin,Turke,Turi,Tuong,Tulk,Tulip,Tugman,Tuggles,Tufano,Tucknott,Tuccillo,Tubeszewski,Tuason,Tsuzuki,Tsunoda,Tschannen,Trytten,Trybala,Truskowski,Trueba,Trueax,Truden,Trucchi,Trotti,Trongone,Tromble,Tromblay,Trokey,Troiani,Troglin,Trodden,Troccoli,Tritz,Tritch,Trischitta,Trisch,Trippet,Triplette,Trinca,Trimmell,Trilling,Trieger,Treworgy,Trevorrow,Trevillion,Trevigne,Trevett,Tretter,Treston,Trepagnier,Trentinella,Trenkle,Trenh,Trenbeath,Tremelling,Treider,Treib,Treftz,Tredennick,Trecroci,Trebil,Traves,Traversa,Tratar,Traster,Trasport,Trank,Trampe,Trammer,Trame,Trachte,Toyoshima,Towley,Tovias,Touvell,Tout,Toussant,Tourikis,Toten,Tosten,Tosic,Tosches,Tortoriello,Tortorice,Torstrick,Torset,Torrijos,Torrie,Torress,Torred,Torra,Torma,Torkildsen,Toppi,Toporek,Topolosky,Topick,Topez,Toper,Toncrey,Tompsett,Tompkin,Tomory,Tommolino,Tomjack,Tombs,Tombrello,Tomaszycki,Tomaski,Tolzmann,Tolston,Tolosky,Toldness,Tokuoka,Tokihiro,Tokay,Tok,Tojo,Tointon,Tohill,Togni,Tognazzini,Todeschi,Tobola,Tobeck,Toala,Toadvine,Tllo,Tkacz,Titchener,Titch,Tissot,Tiso,Tirri,Tipka,Tintle,Tinneberg,Tinius,Tinelli,Tin,Timmreck,Timmerberg,Timinsky,Timi,Timchak,Tillberry,Tilgner,Tiff,Tieszen,Tiemeyer,Tiemens,Tiell,Tiehen,Tidey,Tick,Ticas,Tiboni,Tiberio,Tibbert,Thyne,Thurton,Thurau,Thune,Thrune,Threets,Thorngren,Thornbrugh,Thorin,Thongdy,Thommarson,Thoene,Thoben,Thoams,Thixton,Thistlethwait,Thingvold,Thiesfeld,Thierauf,Thielbar,Thiebeault,Thiara,Thews,Theophilus,Theodoratos,Thenhaus,Theam,Thay,Thalmann,Thake,Thady,Tevlin,Tevebaugh,Testen,Tesseneer,Tervort,Terri,Terrey,Terres,Terrasas,Terney,Termeer,Terlecki,Terheggen,Terhark,Terhar,Terepka,Terault,Terando,Teppo,Tepler,Teper,Tent,Tenpas,Tennill,Tennett,Tenley,Templer,Tempe,Temp,Teltschik,Telschow,Telle,Tekippe,Teitsort,Teitenberg,Tei,Tegarden,Teffeteller,Tefera,Teesdale,Teemer,Teekasingh,Teddick,Tebay,Tebar,Teats,Teano,Teagues,Teachman,Teabo,Tchakian,Tazzara,Tayor,Tavorn,Tavira,Taverna,Tave,Tautuiaki,Tatters,Tatevosian,Tassey,Taschereau,Tarzia,Tarring,Tarrien,Tarras,Tarkenton,Tariq,Tardio,Tarascio,Tara,Tappeiner,Tannen,Tankersly,Tanious,Tangren,Tangredi,Tangert,Tamulis,Tamburrino,Tambasco,Tamargo,Tamanaha,Talluto,Taki,Takeshita,Takemura,Takaoka,Tajiri,Taintor,Tahu,Tags,Taglieri,Tafel,Tadiello,Tacket,Taborda,Tabolt,Tabisola,Tabian,Taback,Szymansky,Szwejbka,Szweda,Szufat,Szubinski,Szerlong,Szekula,Szczygiel,Szczepanek,Szalay,Szafryk,Syrek,Syphard,Synan,Symmonds,Sydner,Swirsky,Swires,Swietoniowski,Swickheimer,Swets,Swetland,Swenk,Sweetin,Swavely,Swatt,Swatsworth,Swatski,Swartzmiller,Swartzbeck,Swartzbaugh,Swansen,Swalley,Swaisgood,Swails,Swaggert,Svrcek,Svinth,Svetz,Svetlik,Sutulovich,Suttell,Susswein,Sussex,Susor,Susoev,Susich,Susana,Surwillo,Suran,Sunn,Sunkel,Sundling,Sundholm,Sumsion,Sump,Summar,Sumlar,Suminski,Sumi,Sumas,Sulzman,Sultana,Sullinger,Suleski,Sulcer,Sul,Sukeforth,Suing,Suglia,Sugiki,Suggett,Sueltenfuss,Suders,Sudar,Suchecki,Sucharzewski,Suchanek,Subler,Suben,Subasic,Styborski,Stvil,Stumme,Stulick,Studyvin,Stubson,Stuble,Stubits,Stubenrauch,Strysko,Struggs,Strudwick,Strowd,Stroub,Stroth,Stropko,Stroinski,Strnad,Stritzke,Stritzinger,Strittmater,Strieker,Strickert,Strength,Stremlow,Stremel,Strejcek,Streitmatter,Streif,Streb,Streams,Straws,Strausberg,Strathy,Strathman,Strater,Straseskie,Strapp,Stranger,Strande,Stramiello,Strakbein,Strachn,Stoyer,Stoyanoff,Stowman,Stowbridge,Stove,Stoutt,Stoutenburg,Stouer,Stouder,Store,Stoppkotte,Stopa,Stolts,Stolinski,Stolecki,Stole,Stojanovic,Stofsky,Stoffregen,Stoffels,Stoffa,Stoesz,Stodolski,Stockett,Stittsworth,Stipek,Stinett,Stillion,Stillinger,Stiel,Stiehl,Stiegler,Stieg,Stickrod,Sticht,Stibbins,Stevener,Steudeman,Stetzel,Sterr,Sternal,Sterback,Stephco,Stenman,Stemmerman,Stemme,Stemarie,Stelting,Stellings,Steir,Steinlicht,Steiniger,Steinbrenner,Steidinger,Stehney,Stehly,Stefka,Steffel,Stefanovich,Steeno,Steeneck,Steenburgh,Steckline,Steckelberg,Stazenski,Stavis,Staum,Stauffacher,Stauder,Staude,Statzer,Stasinos,Starwalt,Starrs,Starnauld,Starek,Stapleford,Stapf,Stapels,Stansifer,Stanojevic,Stanick,Standring,Standrew,Standke,Standford,Stancle,Stanciel,Stamnos,Stamison,Stallons,Stallion,Stallbaumer,Stailey,Staie,Staiano,Stahnke,Stahle,Stageman,Stacken,Stachecki,Stableford,Stabb,Sramek,Squines,Spurzem,Sprock,Springate,Spreng,Spratte,Sprang,Sprake,Spotwood,Splain,Spiwak,Spitznogle,Spirito,Spirek,Spingola,Spincic,Spillett,Spika,Spigelman,Spielmann,Spetter,Sperl,Spenard,Speilman,Speigel,Speice,Speach,Spaugh,Spatafore,Spatafora,Spar,Spanski,Spannaus,Spanish,Spanfellner,Spalinger,Spagnolia,Spadea,Spadafore,Spadaccini,Spachtholz,Spach,Spacek,Sozzi,Sowels,Soulasinh,Souffront,Soucier,Sotolo,Soteros,Sotero,Soter,Sossaman,Soshnik,Sorrick,Soron,Soroa,Sornsen,Sorgente,Sordahl,Sonza,Sontheimer,Sonstroem,Sonoski,Sonnenfeld,Sonderup,Somani,Soman,Somalski,Solymani,Solton,Soloveichik,Solmonson,Sollberger,Solkowitz,Solimini,Soleman,Solders,Soldavini,Solanki,Sohm,Sodek,Sode,Socks,Sockalosky,Sochan,Sobilo,Soapes,Snyders,Snowman,Snowdy,Sniffin,Snetting,Snellman,Snellenberger,Snellen,Snellbaker,Sneathen,Sneath,Smyrl,Smull,Smolko,Smithheart,Smiht,Smestad,Sluter,Slupe,Slomkowski,Slomka,Slomba,Sliz,Slipp,Slim,Slightam,Sleper,Sledz,Slechta,Slaughterbeck,Slaughenhoupt,Slaight,Sladick,Slader,Skye,Skupski,Skroch,Skripko,Skrine,Skreen,Skradski,Skorski,Skornik,Skokowski,Skok,Skocilich,Skinnen,Skillington,Skemp,Skay,Skattebo,Skagerberg,Siwik,Sivik,Sitar,Sitaca,Sission,Sissac,Sisney,Siruta,Sirmon,Sirkoch,Siriano,Siracuse,Sipler,Sipho,Sinkovich,Sinkey,Sinistore,Singo,Sinclaire,Simunovich,Simuel,Simril,Simpton,Simpliciano,Simoson,Simonis,Simoncini,Simister,Simison,Simenez,Simco,Simcheck,Silvi,Silveri,Silvano,Silletto,Sillavan,Siles,Silbernagel,Sigwart,Sigona,Signs,Signaigo,Sigmond,Sigars,Siemek,Siem,Sieloff,Sieligowski,Siefke,Siebeneck,Siebenberg,Siderman,Siderine,Sidberry,Sicilia,Sichta,Sibrel,Sibell,Sibayan,Shyu,Shvey,Shuter,Shumski,Shulund,Shulte,Shuker,Shugars,Shufford,Shubrick,Shub,Shouldice,Shotton,Shotkoski,Shost,Shortsleeve,Shorette,Shopen,Shont,Shonerd,Shone,Shomin,Shomer,Sholl,Shoger,Shirts,Shirota,Shinholster,Shindle,Shinaberry,Shimura,Shimsky,Shimo,Shillinger,Shilleh,Shihadeh,Shierling,Shewbridge,Shevitz,Sheumaker,Shettle,Shers,Sherren,Shern,Sherling,Sherle,Sheridon,Sherdon,Shelter,Shelmon,Shelling,Shelko,Sheline,Shelhamer,Shekey,Shekarchi,Sheinberg,Shehata,Sheffo,Shebchuk,Shearing,Sheaks,Shazier,Shayne,Shawnee,Shawhan,Shaud,Shastri,Sharr,Sharlin,Shark,Sharits,Sharf,Share,Shapskinsky,Shape,Shankland,Shames,Shalhoup,Shaftic,Shadiack,Shackle,Shabala,Sevick,Sevedge,Seurer,Sette,Servan,Serva,Serrett,Serrand,Serisky,Sering,Serie,Serianni,Sereda,Sequin,Senti,Senosk,Senno,Senner,Senna,Senerchia,Sendro,Sencabaugh,Semonick,Semetara,Sembler,Selvaggio,Seltzen,Selser,Sellek,Sellberg,Selking,Seliba,Selfe,Seki,Seifarth,Seielstad,Sehorn,Sehl,Segur,Segrave,Sefcovic,Seeton,Seek,Seecharan,Seeberger,Sedman,Sedano,Secunda,Seburg,Sebold,Sebastion,Seate,Seashore,Seard,Seang,Seaney,Seace,Seabert,Sczygiel,Scurti,Scullen,Scroggy,Scripter,Scowden,Scorsone,Scoleri,Scocca,Scire,Sciotti,Sciera,Scibilia,Sciabica,Schwisow,Schwier,Schweinert,Schweinberg,Schweiker,Schweigart,Schweickert,Schwass,Schwarzenbach,Schwarts,Schwarm,Schwamberger,Schwalenberg,Schwabenbauer,Schwabauer,Schuttler,Schutjer,Schuring,Schure,Schuppert,Schuner,Schulthess,Schulteis,Schulle,Schuhmacher,Schuermann,Schuepfer,Schuele,Schrott,Schrope,Schrauder,Schrandt,Schouviller,Schonert,Schonack,Scholzen,Scholnick,Schoffstall,Schoenthal,Schoenstein,Schoenhut,Schoenhard,Schoeneman,Schoemer,Schoborg,Schnicke,Schneidtmille,Schneiders,Schmunk,Schmoyer,Schmeider,Schmale,Schlottman,Schlitzer,Schlipp,Schlink,Schliesser,Schlieper,Schlesselman,Schlensker,Schleis,Schlein,Schleck,Schlabaugh,Schiver,Schirpke,Schindel,Schimler,Schiltz,Schillings,Schiffelbein,Schiebel,Schiaffino,Schettig,Schetrompf,Schessler,Scherler,Scheppe,Schepens,Schellman,Schellhammer,Scheirman,Scheibelhut,Schei,Schech,Scheaffer,Schattner,Schatt,Scharte,Schappell,Schanding,Schanbacher,Schan,Schaming,Schamburek,Schaeffler,Schadle,Schadegg,Schabot,Schaberg,Schaadt,Scerra,Scercy,Scattergood,Scarset,Scarrow,Scarritt,Scarpaci,Scarles,Scarce,Scanlin,Scalice,Scali,Scahill,Sazama,Saysithideth,Sayres,Sayavong,Sawlivich,Sawczyszyn,Savo,Savina,Savilla,Savela,Savasta,Saurel,Saupe,Sauberan,Satunas,Sattley,Satterley,Satiago,Satchel,Saska,Sarvey,Saroukos,Sarnowski,Sarnoff,Sarli,Sarley,Sarelas,Sardi,Sarconi,Sarbacher,Saragusa,Saraceno,Sar,Sappenfield,Sanzotta,Santy,Santorella,Santopolo,Santin,Santiesteban,Santhuff,Santell,Sansburn,Sanpaolo,Sanocki,Sannon,Sannella,Sanlucas,Sanjabi,Sangrey,Sangi,Sanghvi,Sangh,Sanfiorenzo,Sandrowicz,Sandoual,Sandora,Sandlian,Sandi,Sandholm,Samuelsen,Samu,Sampedro,Samorano,Samok,Samide,Samber,Samain,Saltzgaber,Saltonstall,Saltern,Salte,Salonia,Salmond,Sallas,Saliva,Saler,Salek,Saldibar,Salabarria,Sakon,Sakelaris,Sake,Sajorda,Sajor,Sahni,Sagoes,Saglimbeni,Sagehorn,Sagayaga,Safdeye,Safa,Sadlon,Sadbury,Sadahiro,Sache,Sacavage,Sacarello,Sables,Sabean,Sabates,Sabataso,Saager,Saa,Rzucidlo,Rzeszutko,Ryther,Rylant,Ryks,Ryherd,Ryhal,Rygalski,Rybacki,Rviz,Ruys,Ruuska,Ruttman,Ruttinger,Ruts,Ruter,Rutana,Rusten,Russnak,Rusinko,Rusi,Rushiti,Rushia,Rushdan,Ruscetti,Rusboldt,Ruppenthal,Rupke,Rundahl,Rund,Rummer,Rummans,Rumler,Ruminski,Rumfola,Rull,Ruise,Ruggle,Ruescher,Ruegsegger,Ruegger,Rudzik,Rudney,Rudisail,Rudis,Rudduck,Rucky,Ruckdeschel,Rubins,Rubenzer,Rozo,Rox,Rowzee,Rownd,Rowey,Rowcliffe,Rovinsky,Roup,Rottner,Rothmiller,Rothgery,Rothbart,Rotenberg,Rotando,Roswick,Rosu,Rossum,Rossetto,Rosseter,Rosselli,Roskos,Roskopf,Rosenholm,Rosencranz,Rosenbrook,Rosella,Rosebaugh,Rosbough,Rosan,Roofe,Ronson,Ronhaar,Rones,Ronchetto,Romeno,Rombs,Romanoski,Romanini,Romanick,Roloson,Rollock,Rollheiser,Rollans,Rold,Rolark,Rokisky,Roja,Roik,Rohaley,Rognstad,Rofkahr,Roethel,Roessner,Roesser,Roehrman,Roehrenbeck,Roegge,Roefaro,Rody,Rodrigo,Rodricks,Rodino,Rodillas,Rodia,Rodenbaugh,Rodell,Rodeiguez,Rodarta,Rockenbach,Robley,Robes,Robertello,Robello,Robella,Robak,Roarx,Rivlin,Rivira,Rivena,Ritzert,Ritell,Ritcheson,Riska,Risberg,Ripke,Rinkel,Riniker,Ringman,Ringlein,Ringelheim,Ringbloom,Rinde,Rincones,Rimson,Rimar,Riliford,Rihn,Rihanek,Rigoni,Riggott,Riffon,Rievley,Rieve,Riesenweber,Rieg,Rieff,Riedell,Riechers,Rieber,Rieben,Riebeling,Ridpath,Ridler,Riddock,Rickson,Rickmon,Rickley,Rickie,Richrdson,Ribot,Riblet,Rhyme,Rhoney,Rhed,Rhead,Rezek,Reynvaan,Reynoza,Reye,Rexwinkle,Revord,Reven,Reveal,Reutlinger,Reuland,Reuer,Retzler,Rettke,Retterbush,Retort,Reth,Resureccion,Restifo,Resnikoff,Rerko,Repsher,Repress,Reppell,Repinski,Repenning,Renze,Rennix,Renning,Renney,Rennell,Renfer,Rener,Rendino,Renaker,Remmen,Rementer,Remenaric,Relkin,Reiterman,Reist,Reisser,Reisling,Reisert,Reise,Reio,Reinmiller,Reine,Reill,Reigner,Reifler,Reifel,Reidenbach,Rehnquist,Rehler,Rehfield,Rehfeldt,Rehberger,Regler,Regel,Regehr,Refsell,Reen,Reem,Reeher,Reech,Reeber,Redstone,Redo,Redish,Redhage,Redenz,Redell,Reddrick,Redder,Reckley,Reckleben,Recine,Rebusi,Rebuldela,Rebera,Rebell,Rebeles,Reavley,Reau,Reatherford,Reaney,Reaid,Reagans,Reado,Razinger,Razey,Raza,Rayside,Raymos,Raygosa,Rawding,Raw,Ravens,Ravenhorst,Rav,Rauzman,Rautenberg,Rausin,Rauner,Raudebaugh,Rattner,Ratleff,Rathmell,Rathgeb,Ratermann,Rataczak,Rasher,Rashdi,Rashada,Rasbery,Rarang,Rapose,Rapa,Ransick,Ranos,Rankhorn,Raniero,Rang,Randzin,Rancher,Rances,Rancatti,Ramoutar,Ramnarase,Ramlakhan,Ramiro,Ramiriz,Ramez,Rameriez,Rambus,Ramaswamy,Ramagos,Ramadanovic,Ramadan,Ralko,Ralat,Rakel,Raju,Rajtar,Raja,Rairdon,Raimo,Raif,Raiche,Raheja,Raheem,Rahall,Raguso,Rafanan,Rafalko,Raes,Radzavich,Radune,Radulescu,Raduenz,Radsek,Radom,Radell,Rackett,Racilis,Rachi,Rach,Racedo,Rabold,Rabner,Rabern,Rabenstein,Rabelo,Quintas,Quinlisk,Quine,Quincey,Quilantang,Quicksey,Quereto,Quelette,Quaresma,Quann,Quall,Quails,Quaas,Qadir,Pytlovany,Pybus,Putaski,Purwin,Purter,Purple,Purol,Purkiss,Pummel,Pults,Pultorak,Pullian,Puller,Pulham,Puletasi,Puidokas,Puhuyaoma,Puffinburger,Puesey,Puelo,Puddephatt,Pucillo,Puc,Przepiora,Prys,Pruzansky,Pruyn,Prust,Prusinski,Prus,Pruette,Provis,Provine,Proue,Protz,Prosonic,Prophett,Pronto,Pronovost,Proksch,Prok,Proietto,Proia,Proenza,Probus,Prizzi,Privalsky,Prisock,Printy,Primozich,Priefert,Pridham,Preus,Prettner,Prester,Pressel,Preskar,Premer,Premeaux,Preisinger,Preisendorf,Prehm,Pregeant,Preedom,Pralle,Prag,Pradel,Prabhakar,Poyser,Poupard,Potterson,Pottebaum,Potolsky,Poto,Potes,Postlethwaite,Postin,Pospishil,Poskus,Posik,Portsche,Portolese,Porrini,Poro,Porietis,Poppenhagen,Poppen,Poppel,Pontonio,Ponting,Pono,Pomposo,Pomponio,Pomplun,Pomo,Pomeranz,Pomella,Pomberg,Pomares,Polucha,Polselli,Polnau,Pollins,Pollara,Polisky,Polio,Policz,Policar,Polchinski,Polashek,Polakowski,Polaco,Poitevin,Poister,Pointon,Poinson,Poinsett,Pogar,Poetter,Podmore,Poczobut,Pockette,Pocasangre,Pobre,Plys,Plunket,Plumpton,Pluemer,Plover,Ploetz,Ploense,Plocek,Plikerd,Pleet,Pleasure,Plazza,Plaxico,Platko,Platania,Plassmann,Plantier,Plantenga,Plancarte,Plakke,Pladson,Pizzano,Pivin,Pittsinger,Pittmann,Pitsenbarger,Pitonyak,Pitmon,Pitfield,Pitek,Pitassi,Pistulka,Pistole,Piske,Pishko,Pisegna,Pirnie,Pirkey,Pippitt,Piorkowski,Pinna,Pinkton,Pinks,Pinkerman,Pinchbeck,Pimpare,Pilloud,Pillitteri,Pilakowski,Pikus,Pikula,Pikkarainen,Pijanowski,Pigao,Piette,Pietrzykowski,Pietryga,Pietropaolo,Pies,Piersaul,Pieri,Piepenbrink,Pieloch,Pieffer,Picucci,Pickl,Pickhardt,Picini,Picerni,Picaro,Piatak,Pianalto,Piacquadio,Phoun,Phonharath,Phomsoukha,Phommaseng,Phinazee,Phillippy,Phillians,Philavong,Phernetton,Pheonix,Phenes,Pfotenhauer,Pfleiderer,Pfleider,Pflanz,Pfieffer,Pfeiff,Pfautz,Pezzica,Pevez,Pevehouse,Petrunger,Petrullo,Petrucco,Petrson,Petrilla,Petrides,Petrauskas,Petkus,Petiet,Petgrave,Peterschick,Petaway,Pesner,Pesiri,Pesin,Pesa,Pervine,Pertubal,Perschall,Perrucci,Perow,Peroddy,Perocho,Perno,Perloff,Peria,Pergerson,Pereyda,Pereria,Pereiro,Perdzock,Perchinski,Peraro,Peques,Pepito,Pentek,Pentaris,Pennison,Pennewell,Pennacchio,Penington,Peninger,Pengelly,Penegar,Pencek,Penale,Penaherrera,Pembrook,Pelyo,Pelligra,Pele,Pekala,Peine,Peightal,Peers,Peerbolt,Pedaci,Ped,Pectol,Pecot,Pecos,Pecorelli,Pechart,Pebbles,Peatry,Pearle,Peard,Peakes,Peaches,Paywa,Paysinger,Payes,Pawelczyk,Pavoni,Pavlovic,Pavelec,Pavan,Paullus,Pauldo,Patuto,Patruno,Patoine,Patock,Patka,Pata,Pastiva,Pastick,Passwater,Passineau,Passi,Pasquino,Pasquel,Pasquarelli,Pason,Paskert,Pashley,Pashia,Partis,Partido,Parsi,Parrill,Parolari,Parisio,Pariser,Parents,Parduhn,Parden,Parcel,Parbo,Paray,Papson,Pappa,Papillion,Papik,Paparella,Papai,Paoletto,Pantone,Pannhoff,Pankowski,Pangelina,Pangallo,Panda,Panciera,Panchana,Panasci,Panarella,Paltanavage,Palsgrove,Palovick,Paloma,Palmiotto,Palmiero,Palmerton,Palmerin,Pallet,Pallesen,Pallazzo,Palitti,Palischak,Paliotta,Palifka,Palenik,Palecek,Palczewski,Palasik,Palacious,Pala,Pahnke,Pahls,Paguirigan,Pagnozzi,Pagliarini,Paduano,Paddison,Padavano,Pacubas,Packingham,Packebush,Pacius,Paci,Pacey,Pacas,Pac,Ozolins,Ozog,Ozminkowski,Oyuela,Owston,Ovsanik,Overlie,Overbo,Oven,Ovard,Ourso,Ouderkirk,Ottis,Otterholt,Otomo,Otley,Osuch,Ostling,Ostlie,Ostheimer,Osterstuck,Osterdyk,Ostenson,Osten,Ossowski,Osso,Osmon,Osle,Oskins,Osendorf,Osburne,Osawa,Ortic,Ortenzio,Orrantia,Orrala,Orouke,Orone,Orofino,Orkwis,Orizetti,Oris,Orines,Orgovan,Orgain,Orendorff,Orendain,Oree,Orea,Ordner,Ordas,Orbeck,Oravec,Opray,Ophus,Opela,Opatrny,Opara,Oosterhof,Onusko,Onstead,Onorata,Onitsuka,Onishea,Oneel,Ondrusek,Omundson,Omoyosi,Omdahl,Oltz,Olton,Olrich,Olquin,Olp,Olmscheid,Olm,Olivio,Oliverson,Oliven,Olis,Oline,Olexa,Olesnevich,Olesky,Oleksiak,Oldani,Olcus,Oksen,Okolo,Okojie,Okerblom,Okajima,Ohrenich,Ohms,Ohmann,Ohland,Oguinn,Ogiba,Ogeen,Oge,Oganyan,Offenbacker,Oesterreich,Oerther,Oelschlager,Odore,Odonal,Odonahue,Odiase,Odenwald,Odens,Odear,Octave,Ockey,Ochwat,Ochotorena,Ochiltree,Och,Ocejo,Ocano,Obstfeld,Obleness,Obiesie,Oberloh,Oberfell,Obannion,Oakleaf,Oak,Nyswonger,Nyseth,Ny,Nuvallie,Nusom,Nush,Nurnberger,Nunziata,Nunev,Nudelman,Nucklos,Nuce,Novik,Noury,Notik,Notari,Nosis,Nosel,Northcraft,Northcote,Norskog,Norrid,Norquest,Normann,Norma,Norlund,Norley,Norcott,Norbeck,Noonon,Nooney,Nonaka,Nollora,Nollman,Nolda,Nolau,Nol,Nogueras,Nogowski,Nogosek,Noftsger,Noeldner,Nocum,Nocket,Nocar,Noaks,Niverson,Nittinger,Nitterhouse,Nitkowski,Niten,Nitchals,Nissila,Nishiguchi,Nippert,Nippe,Ninos,Nine,Nimocks,Nimmer,Nilsby,Nill,Nikolas,Nikirk,Niimi,Nii,Niheu,Nihei,Nigg,Niforos,Niezgoda,Nieva,Niethamer,Niesman,Nienow,Niedermayer,Niedecken,Nied,Niebyl,Nie,Nicotera,Nicolet,Nicolaisen,Nickolls,Nickol,Nickleson,Nickelston,Nichois,Nicewarner,Niceswander,Nicarry,Nicar,Nhep,Ngueyn,Nguen,Ngov,Nghe,Newsted,Newnum,Newer,Newburg,Newall,Nevland,Neugin,Neuenfeldt,Neuby,Nestel,Nesseth,Nervis,Nerpio,Nenninger,Nemzek,Nemoede,Nemer,Nelmark,Nellem,Neithercutt,Neiswander,Neisius,Neish,Neihart,Neiderhiser,Nehmer,Negrisor,Negrette,Nefzger,Neeper,Neelon,Needels,Needam,Nealley,Nealen,Nealeigh,Nayee,Nawn,Navone,Navejas,Navedo,Navar,Naud,Natiello,Nathoo,Nasson,Naselli,Nase,Naschke,Narez,Nares,Nappier,Napoletano,Napihaa,Naone,Nannini,Nannie,Nania,Nanda,Nampel,Nalepka,Najjar,Nahass,Naeve,Naecker,Nadell,Myrum,Myint,Myhr,Myerscough,Muterspaw,Mutana,Muszar,Mustafaa,Must,Mussenden,Mussen,Mushett,Musetti,Musemeche,Musel,Muscaro,Murrock,Murrie,Murrain,Murilla,Murelli,Murayama,Murai,Munzell,Munteanu,Munt,Munshower,Munlin,Muni,Munding,Munda,Mulvehill,Mulry,Mulliner,Mullice,Mullaly,Muhr,Muhn,Mugica,Muether,Muehlberger,Muehlbach,Muccia,Mrowka,Mrotz,Mrochek,Mracek,Moznett,Moyse,Moxham,Mowris,Moutoux,Moussette,Mousley,Moun,Moulinos,Mostrom,Mostert,Mosses,Moskovitz,Mosinski,Mosgrove,Mosebach,Moschetto,Morway,Morthland,Morta,Morsbach,Morreau,Morowski,Moroles,Morlas,Morgenstein,Morasch,Moranda,Moralis,Moraitis,Moraites,Moote,Moorcroft,Montier,Montie,Montesa,Monteros,Montefusco,Montecalvo,Montazami,Montaya,Monsky,Monsegur,Monnet,Monjaras,Moniot,Monholland,Monet,Monestine,Monds,Mondry,Mondo,Mondino,Momsen,Momaya,Molski,Mollins,Molitoris,Mokbel,Moistner,Moilien,Mohring,Mohrbacher,Mogro,Moerman,Moellman,Modero,Moczo,Mocco,Mocarski,Mobus,Mizukami,Miyares,Miyahara,Miyagishima,Mittendorf,Mittelstadt,Mitsakos,Mith,Mita,Misura,Missler,Misrahi,Misnick,Misemer,Miscovich,Miscavage,Misasi,Mirich,Miravalle,Miras,Miramon,Mioduszewski,Mio,Minster,Minnier,Minneweather,Minnehan,Minkel,Miners,Mineah,Mincher,Minatra,Minato,Minari,Minardo,Milush,Miltner,Milster,Milovich,Milman,Millraney,Millot,Millisor,Milliren,Millimaki,Millich,Milland,Milkovich,Militano,Mileti,Milek,Mildren,Milder,Milch,Milbert,Milbauer,Milanowski,Milanese,Mikulecky,Mikulak,Mikita,Mikelsen,Mihlfeld,Mihatsch,Mihalkovic,Mihalko,Mignogna,Migl,Miessner,Mieras,Midcap,Mickleberry,Michocki,Michelman,Michales,Michalenko,Mias,Mhoon,Mezza,Mezquita,Mezera,Meyette,Meyerhoffer,Meyerhofer,Meury,Meuller,Mettle,Metter,Mettee,Metta,Metroka,Metevier,Metaxas,Mestrovich,Messa,Mesidor,Meschino,Meryman,Merrett,Merrbach,Merone,Merkling,Merickel,Mercante,Meo,Mensinger,Menist,Menino,Menhennett,Mengarelli,Menez,Menesez,Mendelowitz,Mencl,Men,Mellors,Mellom,Mellencamp,Mellekas,Melkonian,Melish,Meleski,Melero,Melchin,Melbert,Melandez,Melander,Meisels,Meighen,Mehtala,Mehserle,Meholick,Mehalic,Megna,Meginnis,Meggitt,Meggers,Meger,Meeter,Meeske,Meeder,Medows,Mednick,Medich,Mediate,Median,Medez,Medbery,Medak,Mebus,Meason,Meanor,Meager,Mcwethy,Mcvean,Mcthune,Mcsweeny,Mcspedon,Mcsharry,Mcravin,Mcraven,Mcquistion,Mcquilkin,Mcquaide,Mcquage,Mcpherren,Mcpeck,Mcnaney,Mcmindes,Mcmilliam,Mcmenomy,Mcmarlin,Mcmahill,Mcloy,Mcloone,Mclear,Mclaughlan,Mckoan,Mckerley,Mckerchie,Mckeone,Mckennie,Mckellan,Mckaig,Mcinally,Mchendry,Mcgwier,Mcguirt,Mcgugin,Mcgready,Mcgraff,Mcgrade,Mcgorry,Mcglothian,Mcglory,Mcgavisk,Mcgarrigle,Mcever,Mcelmurry,Mcelheny,Mcelhattan,Mcdaries,Mcdargh,Mccumiskey,Mccredie,Mccraven,Mccoyle,Mccoppin,Mccombie,Mccloughan,Mccleve,Mcclenty,Mcclennan,Mcclees,Mccleer,Mcclearen,Mccaskin,Mccartin,Mccamy,Mccammack,Mccaman,Mccalop,Mccaffity,Mcburrows,Mcburrough,Mcbrady,Mcalphin,Mcalhaney,Mcaboy,Mazikowski,Mazar,Mayzes,Maymon,Mayeski,Maycumber,Mayala,Maxin,Maute,Mauss,Mauritz,Maurey,Maulin,Matuszeski,Matusik,Matuseski,Mattu,Mattier,Matthys,Matteucci,Matsuhara,Matsen,Matrejek,Matlick,Mathewes,Mathal,Matey,Matesic,Materna,Matelic,Matarese,Matalavage,Mataalii,Mastrocovi,Mastrobuono,Mastoris,Mastera,Mastenbrook,Mastella,Massaglia,Maslyn,Masley,Masin,Masiclat,Mashiah,Mashek,Mascot,Maschke,Maschio,Masch,Marzinske,Marxen,Marville,Marushia,Marungo,Maruffo,Maruca,Martinz,Martinetto,Martinetti,Martinea,Martincic,Martig,Marske,Marshalsea,Marsette,Marroguin,Marreo,Marquena,Marona,Marola,Marmie,Markstrom,Marksbury,Markrof,Markovitz,Markevich,Markette,Marius,Maritt,Marionneaux,Marinos,Marinese,Maricich,Marhoefer,Margiotta,Maren,Marecki,Marcone,Marcoline,Marcolina,Marchuk,Marcelynas,Marcaida,Marbus,Marazzi,Marazas,Marashio,Maranville,Marani,Marandi,Marander,Marade,Mapalo,Manza,Manylath,Manvelyan,Manusyants,Mantuano,Mantsch,Mantell,Mantano,Mansmann,Manship,Manozca,Mannie,Mannes,Manliguis,Manigold,Maniatis,Mania,Mangon,Manginelli,Mangicavallo,Mangiaracina,Mangas,Mangaoang,Manford,Mandiola,Manchini,Mamoran,Mammucari,Mamer,Malys,Malvin,Malvaez,Malusky,Maltie,Maltbie,Malphurs,Malotte,Malloch,Malkasian,Malit,Malis,Malinski,Malinchalk,Malicote,Malich,Maletz,Malesky,Maler,Malekzadeh,Maleh,Malech,Malbaurn,Malara,Malakan,Malakai,Malafronte,Malady,Makley,Makekau,Majmundar,Majersky,Maiten,Mainiero,Mainello,Mailes,Maigret,Mahusay,Maharg,Mahany,Maguet,Magowan,Magone,Magnall,Magleby,Maglaya,Maginn,Magin,Magil,Maggs,Maggie,Magelssen,Magaw,Magario,Magallanez,Maeweather,Madura,Madrueno,Madinger,Madho,Maderas,Maddry,Madaris,Maczko,Macugay,Macrowski,Macomb,Macnab,Maclaurin,Maclauchlan,Mackynen,Macksoud,Macks,Mackney,Mackintosh,Mackinder,Maciej,Macie,Machowski,Machol,Machinsky,Machalek,Macchione,Macall,Macafee,Mabus,Mabins,Mabane,Maassen,Lysen,Lynaugh,Lykens,Luvian,Luttenegger,Lutkins,Lutchman,Lutao,Luskin,Luskey,Lungren,Lundburg,Lumm,Lulic,Lulewicz,Lukaszewicz,Luiso,Luhnow,Lugg,Lugardo,Lufsey,Luetmer,Luepke,Ludtke,Luczkowiak,Luckhardt,Luckenbaugh,Lucken,Luchenbill,Lubke,Lubell,Lube,Lubbock,Lozon,Loze,Lozaya,Loynd,Loxley,Lowthorp,Lowek,Loviska,Lovig,Lovgren,Loverink,Lovensheimer,Lounsbery,Loukota,Loughnan,Loughborough,Loudenslager,Lotson,Lothspeich,Lotan,Lossa,Losolla,Losier,Lorna,Lorimor,Lori,Lorett,Lorens,Loreg,Loreaux,Lorandeau,Loque,Lopus,Lopriore,Lootens,Lookadoo,Lonneman,Lonn,Longiotti,Longhini,Longendyke,Longbotham,Londre,Londagin,Lonabaugh,Lomu,Lominy,Lomboy,Lomartire,Lollie,Lokker,Loia,Loi,Logrono,Logosso,Loggains,Loflen,Lofink,Lofgreen,Loewenthal,Loeurm,Loerzel,Loeppke,Loepp,Loegering,Lodholz,Lockey,Lockbaum,Lochte,Lochan,Lobur,Loban,Llorca,Lloid,Llewlyn,Llanez,Liwanag,Livernoche,Litzenberg,Litano,Lissard,Lisko,Liscio,Lipskar,Lipscombe,Lipschutz,Lipphardt,Lipinsky,Lipani,Lions,Linnertz,Links,Linkowski,Linko,Lingafelter,Lingafelt,Lindzy,Lindman,Lindert,Lindersmith,Linders,Linderholm,Lindburg,Lindaman,Lincicome,Linberg,Linamen,Limke,Lilyquist,Liloia,Lillpop,Lillick,Lillich,Lilien,Lighter,Liggin,Lifton,Lifsey,Lifford,Lifer,Liest,Liem,Lidke,Liddiard,Lick,Lichtenwalner,Lichtenfeld,Lichak,Licerio,Licausi,Licause,Libman,Libera,Liaw,Leya,Lewitt,Lewandoski,Levoy,Levitin,Leviston,Leventer,Levenhagen,Leveillee,Leve,Lettre,Letsche,Lesiak,Leshinsky,Leriche,Leri,Lepri,Leppke,Lepping,Lepp,Lepo,Leonhard,Leonello,Leona,Leofsky,Lensing,Lenoci,Lennington,Lennihan,Lenn,Lenkiewicz,Lenis,Lenertz,Lenehan,Lenci,Lenarz,Lemucchi,Lemick,Lelah,Lelacheur,Lejenne,Leitman,Leithoff,Leistiko,Leipert,Leibert,Leibe,Lehnertz,Leheny,Lehar,Lehane,Legorreta,Legoff,Legleu,Legions,Leggat,Leggans,Legaard,Left,Leesmann,Leemaster,Leemans,Ledwig,Ledlie,Lederhos,Lecorchick,Leclear,Leclare,Leckman,Leckbee,Lebrecque,Lebahn,Leavenworth,Leatherberry,Leamer,Leady,Lazzeri,Lazarini,Lazarine,Laza,Layng,Lawshe,Lawman,Lawer,Laware,Lavista,Lavis,Laviola,Lavinder,Lavern,Lavene,Lavelett,Lavanway,Lavanchy,Lavalette,Lavala,Lavadie,Lava,Lautzenheiser,Lautt,Lauser,Laurimore,Lauridsen,Laurey,Laurenti,Laurente,Laurenitis,Laurelli,Laukitis,Laud,Lattrell,Lattner,Latterell,Latten,Lattari,Lattanzi,Latif,Lastufka,Lasswell,Lasseson,Lassa,Laslo,Laski,Lashute,Lashmet,Larrieu,Larrier,Larribeau,Laronda,Larney,Larita,Lariccia,Largin,Larez,Lardin,Larch,Lapusnak,Laprete,Lapre,Lapradd,Lapore,Lapinsky,Lapid,Laperriere,Laos,Lantto,Lantaff,Lanson,Lanois,Lanius,Lanini,Languirand,Languell,Langstraat,Langreck,Langkabel,Langill,Langeness,Langefels,Langarica,Langager,Lanfranco,Lanfear,Lanfair,Landvatter,Landolfi,Landborg,Lanagan,Lampson,Lampshire,Lamoreux,Lambrukos,Lambrakis,Lamborne,Lambing,Lamax,Lamarch,Lallave,Lalka,Lais,Lairy,Laiben,Lahren,Lahn,Lahmers,Lah,Lagory,Laforrest,Laflore,Lafkas,Lafield,Lafay,Laduc,Laderer,Ladell,Ladakakos,Lacoy,Lacki,Lacio,Lacinski,Lachowsky,Lacerda,Lace,Lacasa,Labruzzo,Labre,Labove,Laberpool,Labbadia,Labarba,Labady,Kytle,Kym,Ky,Kwasnicki,Kwapniewski,Kwang,Kuzminski,Kuzel,Kuwahara,Kut,Kusko,Kusick,Kuruvilla,Kurtulus,Kurtis,Kurtich,Kurkowski,Kurkeyerian,Kuritz,Kurelko,Kurcaba,Kuralt,Kuprewicz,Kupetz,Kuntzman,Kunishige,Kundtz,Kulwicki,Kulow,Kulis,Kuhlmey,Kufel,Kues,Kuehnel,Kudrick,Kudlacik,Kudej,Kuchel,Kuchan,Kucha,Kuboushek,Kubishta,Kubilus,Kubert,Kubeika,Kubasik,Kuakini,Krzyston,Krzeczkowski,Kryzak,Krygier,Kry,Krupski,Krupke,Krupansky,Krumvieda,Krumholz,Krumbholz,Krudop,Krstic,Krovious,Krommes,Kromm,Krolak,Kroes,Kroening,Kroener,Kritter,Kristy,Krisman,Kriege,Kridel,Kreul,Kretsinger,Kretlow,Kresal,Krejsa,Kreines,Kreig,Krefft,Krauskopf,Kratt,Krassow,Krasnecky,Krance,Krajcik,Krail,Kraham,Krack,Kozloff,Kozlak,Kozera,Kozee,Koyama,Kowalowski,Kowalchuk,Kovalovsky,Kovalcheck,Koutz,Kotts,Kostyk,Kosty,Kostohryz,Kostiuk,Kostis,Kostick,Kosofsky,Kosman,Kosin,Kosier,Kosen,Kosco,Koschnitzki,Kosbab,Kosack,Korzep,Korvin,Kortkamp,Kornrumpf,Korfhage,Kordus,Korchnak,Koppinger,Kopinski,Kopald,Kooyman,Koopmans,Koonz,Kooker,Kooch,Konzal,Konye,Kontogiannis,Konruff,Konowal,Konopnicki,Konopacky,Konopacki,Konig,Konicki,Konecni,Kondel,Konakowitz,Komlos,Kombe,Komatz,Kolm,Kollmeyer,Kollasch,Kolin,Kolden,Kolbo,Kolata,Kolaga,Kokocinski,Koko,Koinzan,Kohrman,Kohnz,Kogler,Koets,Koerwitz,Koep,Koenecke,Koehly,Kockler,Kocka,Kociolek,Kobie,Knudsuig,Knoten,Knotek,Knole,Knochel,Knobbe,Knightstep,Knigge,Knife,Kniess,Knickelbein,Kneisler,Kneedler,Knedler,Knall,Knable,Klym,Klussmann,Kluever,Kludt,Klouda,Klotzbach,Klosowski,Klockars,Klinker,Klingshirn,Klingelhoets,Klingelhoefer,Klena,Klempa,Klemisch,Klemens,Klemencic,Klemen,Kleinhenz,Klecha,Klebanow,Klebanoff,Klave,Klang,Klammer,Klamet,Klaers,Klacic,Kjar,Kivisto,Kivel,Kitzrow,Kitzerow,Kitz,Kiszka,Kistenmacher,Kisicki,Kisak,Kirylo,Kirson,Kirschke,Kirmer,Kirakosyan,Kinton,Kint,Kinsland,Kinlock,Kini,Kingsolver,Kingdon,Kindschuh,Kindlimann,Kindl,Kindberg,Kinas,Kinaj,Kimberl,Killoy,Killette,Killer,Killary,Kilgor,Kildoo,Kilborne,Kilbert,Kil,Kijek,Kiewiet,Kiever,Kiesz,Kiessling,Kielar,Kiehn,Khosravi,Kholodivker,Kho,Khatib,Khatcherian,Keyworth,Keylor,Kewanwytewa,Kettman,Kettlewell,Kettl,Kettelle,Kethcart,Ketay,Keslar,Kesby,Kerne,Kerk,Kercy,Kerchal,Kerbel,Kenrick,Kennis,Kennin,Kennemuth,Kennelty,Kenkel,Kemmerling,Kemfort,Kelstrom,Kellow,Kellom,Kelk,Keliiholokai,Kelcourse,Kekua,Keiger,Keglovic,Keesecker,Keehne,Keedah,Keding,Keavney,Keanu,Keagy,Keaffaber,Keadle,Kazemi,Kazanowski,Kazanjian,Kazan,Kawelo,Kavanah,Kautzer,Kaukola,Kaufusi,Kauffeld,Katowicz,Katos,Katheder,Kately,Kata,Kastor,Kastl,Kassouf,Kassler,Kassam,Kaskey,Kasimis,Kasdon,Kaschmitter,Kaschel,Karratti,Karpinen,Karpen,Karmann,Karlovich,Karlen,Karkut,Karin,Kariger,Karaffa,Kapsos,Kapps,Kapnick,Kanoa,Kanney,Kannas,Kanduth,Kampman,Kamimura,Kamens,Kamemoto,Kalvaitis,Kaltenhauser,Kalloch,Kaller,Kallenberg,Kaliszuk,Kalinoski,Kalinger,Kalich,Kalfus,Kalfayan,Kalert,Kalenkoski,Kalen,Kaleiwahea,Kaleel,Kaldas,Kalawe,Kalathas,Kakos,Kaiserman,Kais,Kailiponi,Kaighn,Kahuhu,Kahoun,Kahen,Kahaleua,Kah,Kagy,Kager,Kagarise,Kaffka,Kaempfer,Kaemmerer,Kaelker,Kady,Kadner,Kadlubowski,Kadakia,Kacynski,Kacic,Kach,Kabrick,Justman,Justine,Jurina,Jurik,Jurcik,Junius,Jumalon,Julca,Jui,Jugan,Juart,Jove,Journeay,Joung,Jou,Josilowsky,Josephsen,Josephpauline,Jorde,Joor,Jonte,Jolie,Johnke,Johanningmeie,Joerg,Jochems,Jilk,Ji,Jhonston,Jez,Jethva,Jethro,Jest,Jesko,Jerrel,Jerich,Jentsch,Jensvold,Jennrich,Jenious,Jenck,Jemenez,Jelle,Jelinski,Jeleniewski,Jelen,Jeffrie,Jefford,Jedik,Jebbett,Jayes,Javarone,Jauss,Jaus,Jaskolski,Jasionowski,Jasin,Jarzynka,Jarva,Jaruis,Jaross,Jaret,Jaquess,Janovich,Jannusch,Jann,Jankins,Janitz,Janicke,Jangula,Jamon,Jammer,Jamie,Jameel,Jakupcak,Jakubczak,Jakowich,Jakeman,Jagneaux,Jagher,Jaekel,Jadin,Jacobowitz,Jackstadt,Jackowiak,Jackiewicz,Jackels,Jabour,Izsak,Izarraras,Iwasa,Iwanyszyn,Iulo,Iuliucci,Iturbide,Itkin,Isby,Isam,Isales,Isackson,Irizarri,Iribarren,Irani,Iracheta,Iott,Ioli,Iodice,Ioannidis,Intriago,Interrante,Intermill,Insco,Inloes,Ingrim,Inglin,Inglese,Ingala,Infield,Inestroza,Ineson,Indest,Incorvaia,Inacio,Imparato,Imm,Imfeld,Imaizumi,Illescas,Ikuta,Iino,Ignasiak,Igler,Igel,Iffert,Idris,Idema,Ichinotsubo,Ichinose,Iburg,Iarossi,Iannaccone,Iams,Iacovissi,Hytros,Hyten,Hysinger,Hylle,Hylinski,Hvizdos,Huyghe,Huus,Hutsler,Hutchen,Hustus,Huso,Husni,Huslander,Huska,Hush,Huschle,Husayko,Husanini,Hurtis,Hurter,Hurrington,Hurrigan,Hurl,Hurban,Hunten,Hundemer,Humerickhouse,Humbel,Hulstine,Hulm,Huitzacua,Hughlett,Huger,Huewe,Huels,Hudrick,Hudek,Huckeby,Hubright,Hubric,Hubel,Hsi,Hryniewich,Hrovat,Hronick,Hribar,Hozempa,Hoxworth,Howryla,Howison,Howieson,Howdeshell,Hoving,Hovi,Hovelson,Hovell,Houten,Housten,Housekeeper,Houpe,Houp,Houman,Houghland,Hougas,Hothan,Hotchkin,Hoste,Hosie,Hosendove,Hoseman,Hoseck,Hoschouer,Horwood,Horuath,Hortillosa,Horth,Horsfield,Horniak,Hornby,Hormander,Horii,Hores,Horaney,Horal,Hopskins,Hoppesch,Hoopengardner,Hoomana,Hoolihan,Hoof,Honzel,Honse,Honohan,Hongo,Hongerholt,Homola,Homerding,Homchick,Holy,Holvey,Holsing,Holshue,Hollenberg,Hollemon,Holla,Holka,Holifeild,Holets,Holdt,Holdness,Holdiness,Holda,Holcey,Holbein,Hoium,Hoisl,Hohstadt,Hohowski,Hoh,Hogy,Hogsten,Hogsette,Hoggins,Hofler,Hoffstot,Hoffschneider,Hoffee,Hoevel,Hoernemann,Hoeper,Hoener,Hoene,Hoeke,Hoeg,Hoeflich,Hoeffner,Hoeffliger,Hoecker,Hoeck,Hoe,Hodgen,Hodan,Hockema,Hochschild,Hobkirk,Hnatow,Hledik,Hjalmarson,Hitzler,Hittman,Hisman,Hirstein,Hirschhorn,Hirsche,Hirkaler,Hiraoka,Hiraki,Hipwell,Hippo,Hinsey,Hinkey,Hinish,Hingst,Hingle,Hindin,Hinahon,Himelstein,Hillburg,Hillaire,Hilgert,Hildred,Hildahl,Hilcher,Higueros,Higle,Higinbotham,Hieserich,Hidvegi,Hidrogo,Hickton,Hickonbottom,Hickert,Hibl,Heyveld,Heydel,Hevner,Hevesy,Heverley,Heverin,Heusley,Heuberger,Hettwer,Hett,Heter,Hesters,Hessong,Hessing,Hessenthaler,Hessell,Hessee,Hesby,Herzberger,Herwood,Herting,Herscher,Herschel,Herrling,Herrig,Herriage,Herrel,Herre,Herpolsheimer,Hernanders,Hermosura,Hermie,Hermens,Herklotz,Herkert,Herby,Herbster,Herbison,Herbers,Herbein,Heppeard,Henrick,Henrey,Henretta,Henneberg,Hennagin,Henington,Henifin,Heney,Henesey,Henehan,Hendy,Henderosn,Hender,Hendee,Henby,Henaire,Hemrich,Hemmie,Hemmes,Hemlepp,Heminover,Hemauer,Helvy,Helsing,Helmy,Helmstetler,Helmink,Helmcamp,Hellar,Hellams,Helker,Helgesen,Helfritz,Helena,Hele,Hektner,Hejl,Heitschmidt,Heitger,Heinzmann,Heinzen,Heininger,Heineken,Heimrich,Heimbaugh,Heiermann,Hehr,Hegre,Hegmann,Hefler,Hefflinger,Heese,Heeney,Heemstra,Hedrich,Hedgespeth,Hedemann,Hedegore,Heddlesten,Heckenberg,Hebig,Hebden,Hebda,Heatly,Heathershaw,Hearson,Heally,Healan,Heads,Hazleton,Hazarika,Hayhoe,Haydal,Hayburn,Hawthrone,Hawman,Hawkey,Hawf,Havice,Havercroft,Hautamaki,Hauskins,Haulter,Haugrud,Hauan,Hatzenbuhler,Hatzenbuehler,Hattub,Hattier,Hatteyer,Hatstat,Hathway,Hataway,Hassick,Hassian,Hasselman,Hasselbarth,Hasper,Haspel,Haske,Hasgill,Hasen,Harviston,Harvilla,Harvilicz,Harver,Hartzer,Hartup,Hartsough,Hartsch,Hartly,Hartlep,Hartlein,Hartkopf,Harthun,Hartfiel,Hartery,Hartert,Hartage,Harsey,Harrey,Harrett,Harral,Haroutunian,Harmeyer,Harlowe,Harloff,Hardyman,Hards,Hardrict,Hardmon,Hardigree,Hardenburg,Hardell,Hardebeck,Hardaman,Hardaker,Harcey,Harbick,Harajli,Happer,Hapgood,Hanstein,Hansbury,Hanold,Hanohano,Hano,Hanns,Hannifan,Hannes,Hanko,Hanis,Hanenkrat,Hanemann,Hanek,Handzel,Handwerker,Handwerk,Handsaker,Handrick,Handelsman,Handal,Hancin,Hanbury,Hanaway,Hanahan,Hams,Hammerly,Hammeren,Hammatt,Hammarlund,Hamling,Hamiss,Hamiel,Hamelinck,Hambrecht,Halo,Hallinger,Hallick,Halifax,Halgrimson,Halfmann,Halder,Hald,Halburnt,Halberstam,Halaby,Haker,Haken,Haine,Hagos,Hagmaier,Hagenson,Hagene,Hagenbrok,Hagenbaugh,Hafter,Haffling,Haeger,Haegele,Hade,Hadder,Hadcock,Haczynski,Hackle,Hachigian,Hachez,Habrock,Habowski,Habina,Haberkamp,Habben,Habash,Haaby,Gyatso,Gwalthney,Guziec,Guziak,Guys,Guynup,Gutzwiller,Guttmann,Gutting,Gutteridge,Guterrez,Guszak,Gusky,Gusciora,Gurry,Gurrieri,Guritz,Gunst,Gundry,Gundert,Gulsvig,Gulisano,Gulinson,Guittar,Guitard,Guisti,Guiski,Guinto,Guinther,Guinnip,Guilliam,Guillerault,Guilfoil,Guijarro,Guidetti,Guiberteau,Guger,Guevera,Guetersloh,Guerini,Guella,Guedea,Guecho,Gudis,Guckin,Guberman,Guardipee,Guanio,Guagliardo,Grzegorek,Grybel,Grunst,Grunlien,Grundmeier,Grundhoefer,Grun,Grumer,Grum,Gruhn,Gruger,Grudt,Growney,Grotts,Groton,Grotelueschen,Grotberg,Grosswiler,Gronowski,Gronosky,Gronewald,Gronert,Groholski,Groetken,Groeschel,Groene,Grodecki,Groceman,Griswell,Griseta,Grinkley,Grinie,Grinberg,Grimmius,Grieme,Greytak,Grett,Grenke,Grenda,Greinke,Greeves,Greever,Greet,Greenlun,Greenler,Greenham,Grebin,Grboyan,Grawburg,Grattelo,Grassham,Granvold,Granthan,Gransky,Grandolfo,Grandmaison,Grandchild,Granbois,Gramolini,Grammatica,Gramc,Grajek,Grahe,Gragson,Gragert,Grage,Grafenstein,Graetz,Gracely,Graceffo,Grabarczyk,Gouzalez,Gouse,Gourdin,Goudelock,Goud,Gottlob,Gottke,Gotthelf,Gotthard,Gotter,Gotsche,Gotschall,Gosz,Goston,Gossack,Gosdin,Gorz,Gorrill,Gornto,Gornie,Gorenberg,Gorelli,Gordinier,Gora,Gopin,Gopie,Goolman,Goolden,Goodsite,Goodmanson,Goodly,Goodkin,Goodiel,Gonzolas,Gonsior,Gonseth,Gonez,Gonchoff,Gonales,Gomzales,Gomora,Golly,Gollihar,Gollhofer,Golka,Golinski,Golen,Golembeski,Golemba,Goldwater,Goldstock,Goldklang,Goldbeck,Golda,Gojmerac,Goich,Gohlke,Goger,Gogel,Goga,Gofton,Goffe,Goetting,Goeser,Goerner,Goerke,Goerdel,Goeppner,Godsman,Godert,Godel,Gobeli,Gnas,Glucksman,Glotzbecker,Gloeckner,Glockner,Glish,Glickson,Glicken,Glew,Glessing,Gleichman,Glazener,Glave,Glausier,Glatzel,Glassett,Glasbrenner,Gladu,Glab,Glaab,Giza,Gittler,Gittleman,Gittinger,Gitting,Gitthens,Gissel,Gischer,Girst,Girsch,Girona,Girillo,Gire,Gira,Giovanetti,Gionest,Gingles,Gingery,Ging,Gillstrap,Gillson,Gillotti,Gillmor,Gilliss,Gillig,Gillert,Gillcrest,Gilgour,Gilgore,Gilding,Gilderman,Gilcreast,Gieseman,Gieselman,Gieringer,Gick,Giangrosso,Giangregorio,Giambra,Giambattista,Ghibaudy,Ghianni,Ghelfi,Ghaziani,Ghantt,Ghant,Ghaemmaghami,Gey,Getler,Getchius,Gesualdo,Gesmondi,Gerweck,Gerwe,Gerula,Gertsen,Gershey,Gershen,Gers,Gerritsen,Gerdsen,Gerczak,Gerbatz,Gerba,Gerache,Georgl,Georgiadis,Georgelis,Georgalas,Genualdo,Gentery,Gennock,Gennett,Genett,Gendernalik,Genas,Gena,Gemmen,Gelston,Gellman,Gelfo,Gelen,Gelbowitz,Geibig,Gehlhausen,Geffre,Geesaman,Geel,Gedman,Geckles,Gebbie,Gearwar,Gearlds,Gayne,Gayfield,Gawlas,Gauwain,Gaufin,Gauani,Gastley,Gastello,Gassoway,Gasparino,Gaskey,Gaser,Gascot,Garuti,Garrington,Garreh,Garnand,Garlits,Garity,Garitty,Gariety,Garia,Gari,Garetson,Garelik,Garding,Garb,Garasha,Ganzer,Gantert,Ganotisi,Ganner,Ganison,Ganie,Gangell,Gangel,Ganesh,Gandrud,Ganas,Gamby,Gambles,Galyan,Galuski,Galper,Gallwas,Galluzzi,Gallups,Gallosa,Gallipeau,Gallet,Gallerani,Gallegly,Gallaty,Gallaspy,Gallander,Galioto,Galicinao,Galer,Galdon,Galardi,Galamay,Galabeas,Gala,Gaitor,Gagg,Gagan,Gaerlan,Gadley,Gacke,Gacia,Gach,Gabrelcik,Gabay,Gabard,Fylnn,Fydenkevez,Futter,Fuse,Fuscaldo,Furstenberg,Furmanik,Furlone,Furia,Furer,Furci,Furbish,Funt,Fulker,Fukano,Fujino,Fuhrmeister,Fugo,Fuerman,Frymyer,Fryling,Frontz,Froncek,Fronce,Frolich,Froio,Froid,Froehle,Frischman,Friou,Friot,Frieze,Friesz,Friemering,Frieman,Friedrick,Friedle,Frickson,Frickel,Frichette,Fricano,Fribley,Frewing,Frever,Freudenstein,Frerking,Frenger,Freisner,Fregeau,Freedle,Frease,Frazey,Frascone,Franzmann,Franzetti,Frankforter,Francy,Franckowiak,Francies,Franchette,Fralin,Fraleigh,Fraint,Fragozo,Fracchia,Frabizzio,Fousek,Fouraker,Foucault,Fosson,Fossati,Fosnough,Forts,Forthman,Forsting,Forstedt,Forshay,Forshaw,Forsha,Forro,Forno,Forlivio,Forkosh,Forkan,Forcello,Foradori,Fontane,Fonger,Foney,Fondy,Fondow,Folta,Follin,Folliard,Folley,Folken,Foiles,Fohn,Foggs,Foesch,Foertsch,Foecking,Fodness,Foat,Flot,Flosi,Florenz,Florens,Florencio,Florea,Florczak,Flodin,Flocke,Flo,Flentroy,Flenard,Fleisner,Flecther,Flaks,Flagstad,Flagel,Fjetland,Fixico,Fiume,Fitterer,Fisette,Firlit,Firestein,Fiotodimitrak,Fioto,Finner,Finnefrock,Fingado,Finely,Fincel,Finau,Fimbrez,Filoteo,Fillpot,Fillare,Filipski,Filippo,Filipovic,Filipelli,Filimaua,Filhiol,Filgo,Fileds,Filbert,Figuera,Figliola,Figart,Fietsam,Fieselman,Fiene,Fieldhouse,Fiebig,Fidel,Fida,Fickert,Fiato,Fevold,Feuerborn,Fetchko,Fesh,Feser,Ferruso,Ferriolo,Ferriola,Ferrence,Ferrar,Ferran,Ferraiz,Feroz,Ferone,Fernstrom,Fernstaedt,Fernow,Ferkovich,Fergen,Ferdolage,Ferdinandsen,Ferbrache,Fennewald,Fenk,Fenix,Fendler,Fenchel,Felske,Fellinger,Felicetti,Feldpausch,Feighan,Feichter,Fehrle,Fehringer,Fegaro,Feener,Feeler,Fedorchak,Federowicz,Fedd,Feauto,Feagen,Feaganes,Fazzina,Fazzi,Faykosh,Fayard,Favuzza,Favolise,Fausset,Fauske,Fausel,Fauscett,Faulknen,Faulkenburg,Fatica,Fastlaben,Fastic,Farzan,Farstvedt,Farin,Farguharson,Fargnoli,Farfalla,Farese,Farer,Faraldo,Faraj,Fara,Fanzo,Fanton,Fanney,Fanizzi,Fanion,Fanelle,Falterman,Falsetti,Fallone,Falkiewicz,Falconio,Fake,Fairleigh,Fahringer,Fahrenkrug,Faerber,Fadley,Fadeley,Facundo,Fack,Face,Faby,Fabrizius,Fabozzi,Fabiszewski,Fabin,Ezpeleta,Ezparza,Eyrich,Eyerman,Ewoldt,Ewards,Evasco,Evanich,Evangelo,Eustace,Eugley,Euertz,Etulain,Etchells,Esson,Esskew,Essery,Esselink,Espinol,Espenoza,Espelien,Espeland,Espadas,Esler,Eske,Eska,Escuriex,Escovar,Escort,Eschrich,Eschette,Eschen,Eschbaugh,Escalon,Escalero,Esbrandt,Esary,Ertman,Eroh,Ernesto,Erlenbusch,Erle,Erke,Erichsen,Eric,Erholm,Erbstein,Erbst,Eppolito,Eppihimer,Eppich,Entin,Enslinger,Enslen,Enockson,Ennenga,Enman,Englett,Engleson,Englerth,Engl,Engholm,Engelken,Engelkemier,Engelhaupt,Engelbach,Endries,Endow,Endito,Enderby,Encallado,Emziah,Embt,Embs,Embelton,Emard,Elwonger,Elvsaas,Elumbaugh,Elstner,Elsmore,Elskamp,Elshant,Elmblad,Ellson,Ellias,Elletson,Ellestad,Ellert,Ellermann,Ellerbrock,Elleman,Ellars,Elland,Eliezrie,Eldib,Eldert,Elbe,Ekwall,Ekholm,Eken,Eitnier,Eitniear,Eisenzimmer,Eisenstadt,Eisensmith,Eiselman,Eisbach,Eisaman,Eiken,Eibell,Ehrke,Ehrismann,Ehrenfeld,Ehlman,Egizi,Egitto,Eggeman,Effron,Ednie,Edelbrock,Edde,Edd,Economos,Eckols,Eckloff,Echegoyen,Ebia,Eberlin,Ebbers,Easterbrook,Earney,Earleywine,Eanni,Eadens,Dyron,Dykhoff,Dyers,Dyda,Dybala,Dwane,Dwaileebe,Duverne,Duve,Dusen,Dusatko,Dusablon,Durrette,Durphey,Durnin,Durkes,Durette,Durdy,Durch,Duracher,Dupray,Dupoux,Duponte,Duperclay,Dupass,Dupar,Dunwiddie,Dunsing,Dunnaville,Duncomb,Duncklee,Dunay,Dunakin,Dumpe,Dumes,Dumdei,Dumay,Dulkis,Dukich,Dukas,Duin,Dugo,Duewall,Duemmel,Duelm,Dueber,Dudman,Dudak,Duckhorn,Duchscherer,Ducat,Ducas,Dubyk,Dubill,Dubiansky,Dubaldi,Dua,Dspain,Drzazgowski,Drymon,Drylie,Druvenga,Druschel,Drungo,Droze,Drouse,Drott,Drosick,Droneburg,Droessler,Droesch,Drobny,Drizin,Dripps,Drinkley,Drillock,Driesbach,Dretzka,Dresner,Drentlaw,Drenon,Drehs,Drehobl,Drda,Draxler,Drath,Drapeaux,Dragula,Drafts,Draft,Dozer,Doxtater,Doxie,Dowst,Dowson,Downton,Dowlen,Dowey,Dowery,Douty,Doughtry,Doughtery,Dotzler,Dotterer,Dothard,Dosher,Dosal,Dorso,Dorsette,Doro,Dornfeld,Dorkin,Dorka,Dorge,Dorchy,Dorame,Dopler,Dopico,Doore,Dooms,Donnie,Donnelley,Donnel,Donayre,Donatello,Donachie,Dominiguez,Domingos,Dominga,Dominey,Domenget,Dolores,Dollyhigh,Dollen,Dollak,Doleac,Dolch,Dolbeare,Dokka,Dokes,Doire,Doing,Dohring,Dohogne,Dohnal,Dohan,Doerle,Doerhoff,Doemelt,Doehring,Doegg,Dodsworth,Dodoo,Dodier,Dockendorf,Docken,Dobrowski,Dobrin,Dobine,Doberstein,Dizer,Dixey,Divita,Diven,Divalerio,Dituri,Ditton,Disspain,Disparte,Dismore,Disilvestro,Dishong,Dishian,Diseth,Discenza,Dirkson,Dirkse,Dirker,Dirk,Dipippo,Dipinto,Dipierro,Dinnocenzo,Dinizio,Dinis,Dingivan,Dingfelder,Dincher,Dimucci,Dimpson,Dimpfl,Dimitrov,Dimarzo,Dils,Dilisio,Diliberto,Diliberti,Diles,Dileonardo,Dilena,Dijulio,Diiulio,Digiuseppe,Diga,Difillippo,Difebbo,Dieng,Diekman,Didyk,Didriksen,Dickus,Dickow,Dickeson,Dicastro,Dibenedetti,Dhaliwal,Dezenzo,Dewyse,Dewinter,Dewaters,Dewaele,Devoto,Devor,Devoogd,Deviva,Devitis,Devit,Deveyra,Devericks,Devenuto,Deveja,Devaughan,Deutschendorf,Deuink,Deubner,Detzler,Detullio,Detore,Dethlefsen,Dethlefs,Detamble,Desrevisseau,Desotel,Deso,Desmeules,Desmaris,Desilvio,Deshpande,Deschambault,Descamps,Desatnik,Desamito,Desalle,Desak,Derwin,Derting,Derrah,Deroven,Derosso,Deromer,Dermott,Deringer,Derico,Derga,Derflinger,Derezinski,Derck,Derbacher,Deranick,Depuydt,Depung,Depree,Deppert,Depierre,Dephillips,Deojay,Denzin,Denten,Dentel,Dennies,Denina,Denger,Deneke,Denegre,Denboer,Denapoli,Demsky,Demsey,Demotta,Demmons,Demman,Demendonca,Demeester,Dembowski,Demarce,Deman,Demallie,Demaire,Delwiche,Delphia,Delore,Dellenbaugh,Dellbringge,Dellaratta,Dellaporta,Dellapenna,Dellacioppa,Deliberto,Delibertis,Delgenio,Delcueto,Delaurie,Delauder,Delatrinidad,Delash,Delaet,Del,Dekrey,Dejoie,Deiters,Deimund,Degrenier,Degre,Degrand,Degon,Degeston,Degelbeck,Degaust,Degasparre,Defreece,Defenderfer,Defee,Deeken,Dedon,Dedinas,Dedicke,Dedic,Decristofaro,Decoud,Decos,Deconti,Deckers,Decio,Decenzo,Debroux,Debrot,Debray,Deboef,Debiasio,Debettignies,Debenedittis,Debbins,Debaecke,Dearson,Dearo,Deardon,Deaquino,Deacetis,Dayne,Dayem,Dax,Dawoud,Davitt,Davito,Davidoff,Dauterman,Daughterty,Daugaard,Daudelin,Daubendiek,Dattilio,Datcher,Dasovich,Daso,Dasilua,Dashem,Darou,Darke,Dargin,Darga,Darco,Darcey,Dapas,Dantos,Danson,Danny,Danielian,Danchetz,Danby,Damrow,Damours,Damboise,Dambakly,Dambach,Damasco,Damann,Dallmeyer,Dallesandro,Dalfonso,Dakins,Dakes,Daire,Dahill,Daguio,Dagis,Dabdoub,Czerkies,Czarnota,Czachor,Czach,Cypress,Cynthia,Cylkowski,Cyfers,Cwiakala,Cvetkovic,Cuzman,Cuzick,Cuttler,Cutt,Cuti,Cutforth,Cutchins,Cutchall,Cushwa,Curo,Curbeam,Cunnick,Cuneio,Cundick,Cumbaa,Cultice,Cullity,Cullip,Cullifer,Cucvas,Cuculich,Cucino,Cubeta,Cser,Crupper,Crunkilton,Cruden,Crover,Crouter,Crough,Crouchet,Crosthwaite,Croon,Cronshaw,Cronenberg,Crome,Croman,Crognale,Crogan,Croasmun,Cristofori,Cristiano,Crisan,Cringle,Crincoli,Crill,Crieghton,Cridge,Criblez,Crellin,Cregeen,Creeks,Creath,Creacy,Crazier,Crawmer,Crawhorn,Cratin,Crapser,Crapse,Cranmore,Cramm,Cramblit,Cramblet,Cragin,Cracas,Cozzone,Coyco,Coxey,Cowper,Cowett,Covone,Covill,Coverton,Councilman,Coultrap,Coulas,Coughenour,Cough,Cotty,Cotherman,Cother,Costantini,Cossell,Cossano,Cosley,Coslett,Coskey,Cosgray,Corza,Corvi,Corvan,Corsetti,Corscadden,Corsa,Corrow,Corrice,Correro,Correale,Corre,Corna,Corke,Corid,Corelli,Cordonnier,Cordona,Corak,Coppler,Copelan,Coore,Coonradt,Coones,Cookus,Conveniencia,Contrerras,Contrenas,Contorno,Constantini,Constantineau,Consolver,Conrath,Connet,Connerly,Conliffe,Conforto,Conda,Conca,Conales,Compono,Compau,Commendatore,Comings,Comboy,Combass,Coltrin,Colpetzer,Colonel,Colombini,Cologie,Colla,Colbeth,Colbaugh,Colasuonno,Colapinto,Colamarino,Colaluca,Colaianni,Colafrancesco,Colace,Colabella,Coggsdale,Coffill,Codispoti,Codell,Cocoros,Cocopoti,Cocola,Cockley,Cockey,Cochron,Coch,Cobden,Coatsworth,Coarsey,Coar,Clymore,Clumpner,Clougher,Clolinger,Clinkingbeard,Clineman,Clewes,Clemments,Claypole,Clayburg,Claybron,Claybon,Claughton,Clase,Clarenbach,Clankscales,Clampett,Claessens,Claburn,Citrin,Cisney,Cirri,Cipro,Cipkowski,Cione,Cinquanti,Cink,Cimiano,Ciervo,Ciers,Cicora,Ciciora,Cicione,Cicerelli,Ciccolini,Ciccarone,Cicarella,Ciarletta,Ciaccio,Chuta,Chustz,Churan,Chumbler,Chuba,Chruch,Christler,Christinsen,Christinat,Christello,Chrispin,Chrismer,Chrislip,Chrisjohn,Chrestman,Choute,Chough,Chorlton,Chomka,Chmelicek,Chiulli,Chislom,Chiras,Chinzi,Chinnery,Chinick,Chim,Chilvers,Chilo,Chiarmonte,Chiarenza,Chiapetti,Chhuon,Chhour,Chheang,Chetram,Chessher,Cherrier,Cherepy,Cherenfant,Chenot,Cheli,Checa,Cheathan,Chears,Chauvaux,Chaudoin,Chauarria,Chatters,Chatlos,Chatley,Chasey,Charves,Charsky,Charania,Chaplen,Chaple,Channer,Chander,Champey,Champeau,Challen,Chall,Chalkley,Chalet,Chalcraft,Chaix,Chadick,Chadbourn,Chaban,Cesari,Cervoni,Cervin,Certalich,Cerni,Cerney,Cereo,Cerce,Ceravolo,Ceparano,Centrella,Centner,Centano,Cenat,Celmer,Celenza,Celadon,Cefaratti,Cefalo,Cedillos,Cecilia,Cechini,Cecala,Cease,Cearns,Cazeau,Cayson,Cayanan,Cavallario,Cauthron,Cattrell,Catterson,Catrone,Catone,Catoggio,Caterino,Catching,Catalani,Castrataro,Castoe,Castles,Castillanos,Castellonese,Castelhano,Cassman,Cassius,Cassisse,Cassem,Cassani,Cassandra,Casola,Caselli,Cascone,Casburn,Casbeer,Casbarro,Carrin,Carreker,Carrea,Carre,Carrauza,Carranzo,Carpinello,Carolin,Carmolli,Carmena,Carmell,Carmain,Carlye,Carlsten,Carlough,Carlone,Caringi,Carine,Carin,Carela,Cardono,Cardle,Cardinali,Cardi,Cardera,Carback,Capuzzi,Capracotta,Cappo,Cappleman,Capparelli,Caponera,Caplener,Capanna,Caoili,Caoile,Canzio,Cantoran,Cantillo,Canta,Canonica,Cannington,Canniff,Cangas,Canevazzi,Canes,Caneles,Candido,Canders,Cance,Canaway,Canarte,Canario,Canan,Camren,Campusano,Campman,Camm,Caminos,Camferdam,Camerena,Camell,Camak,Camaj,Calway,Calvino,Calvetti,Calvani,Caltabiano,Calnimptewa,Calnick,Calnen,Calmese,Callander,Callabrass,Caliz,Calija,Calger,Calendine,Calderara,Calcara,Calamity,Cailler,Caho,Caguimbal,Cadoff,Caddick,Cadavieco,Cabos,Cabiltes,Cabibbo,Cabellero,Cabasso,Caballes,Cabading,Caal,Byra,Byod,Bynon,Byner,Bynam,Byker,Buzzi,Buzzeo,Butzen,Buttz,Butteris,Butkiewicz,Buteaux,Bustad,Bussone,Busman,Bushmaker,Busche,Burwinkel,Burum,Burtless,Bursi,Burrup,Burross,Burries,Burrichter,Burrelli,Buron,Buro,Burnstein,Burnaugh,Burnap,Burkdoll,Buris,Burington,Burgun,Burgie,Burghard,Burgh,Burgas,Burgardt,Burga,Burdess,Burcin,Burchfiel,Burchess,Burandt,Buonanno,Buonamici,Buntjer,Bungert,Bundschuh,Bumps,Buman,Bulosan,Bullocks,Bullie,Bularz,Buland,Bujarski,Buhmann,Buhman,Bugna,Buglisi,Buggy,Buemi,Budke,Buder,Budds,Buddie,Buczak,Buckwald,Buckovitch,Buckholtz,Buckhanan,Buchetto,Buchauer,Bucciarelli,Buccheri,Bucaram,Bubis,Bubash,Bubak,Brzostek,Brzezowski,Bryton,Brusuelas,Brussell,Bruschi,Brundrett,Brundin,Brumet,Bruley,Bruk,Brug,Bruestle,Brudner,Bruccoleri,Brozie,Broxterman,Brox,Browy,Brownle,Browm,Broward,Brouwers,Brousard,Brought,Brotherson,Brotemarkle,Brossoit,Broscious,Brooms,Broomhall,Brookshaw,Brookhouse,Bronchetti,Broks,Broida,Brohl,Broglie,Brofft,Broermann,Broenneke,Brodnex,Brodka,Brodish,Brockelmeyer,Brockberg,Broch,Broccoli,Brobeck,Broadstone,Brittman,Brislan,Brisk,Brisentine,Bringhurst,Brindel,Brinda,Brincks,Brimeyer,Brihm,Brignolo,Briglia,Brighi,Brient,Bridenbaker,Briddell,Briante,Brians,Briagas,Brevo,Breu,Bretto,Bretthauer,Breslauer,Bresemann,Brentari,Brenning,Brenhaug,Brengettey,Brenek,Brendal,Brenagh,Breiling,Breidenbaugh,Brehant,Bregel,Bredeweg,Bredehoft,Breceda,Braylock,Brause,Brauning,Braulio,Braukus,Braucher,Bratchett,Brasseur,Brasser,Branstutter,Branstad,Branscombe,Brannick,Brandolini,Brandly,Brandenberg,Brandeis,Brandal,Branciforte,Brancheau,Brancati,Bramlette,Bramlet,Brakhage,Braitman,Braisted,Bradfute,Bracks,Bracket,Braccia,Braam,Bozzone,Bozenski,Bozard,Boyson,Boylston,Boxwell,Bowlen,Bowdle,Bowdich,Boward,Bovia,Bovey,Boven,Bouza,Bouwman,Bouwkamp,Boutiette,Boursaw,Bourret,Bourgoyne,Bounleut,Bound,Bouma,Bouleris,Bouler,Boughman,Boughamer,Boudoin,Boudewyns,Botwinick,Bottone,Bottino,Botticello,Botten,Bottaro,Bottalico,Bostel,Boshes,Boshard,Bosell,Boscarello,Bory,Borsari,Borok,Borodec,Bornmann,Bormuth,Bormet,Borling,Borlace,Borkin,Borkenhagen,Boreen,Bordin,Borcherding,Boote,Booras,Boody,Bonton,Bontemps,Bonomini,Bonina,Bonifer,Bongartz,Boness,Bonefont,Bonefield,Bonder,Bonde,Bondanza,Bonavia,Bonamo,Bonadurer,Bomkamp,Bolognia,Bollich,Bollacker,Bolinsky,Boldosser,Boldon,Bolda,Bolado,Boken,Bok,Boisselle,Boisen,Bois,Bohs,Bohnenblust,Bohlig,Bohinc,Bogumil,Bogie,Boggioni,Boggi,Bogenschneide,Bogema,Boge,Bogdanski,Bogdanovich,Boettner,Boesiger,Boesel,Boensch,Boele,Boeken,Boehning,Boehlar,Bodwell,Bodreau,Bodovsky,Boda,Boczar,Boclair,Bockemehl,Bochenski,Bochat,Boch,Boccio,Bocchicchio,Boccanfuso,Bobzien,Bobson,Bobino,Bobier,Bobeck,Bobak,Boarts,Boardwine,Boaldin,Boakye,Boady,Blunden,Blumenstock,Blovin,Blouir,Bloschichak,Bloome,Bloodough,Blonder,Blommer,Blok,Bloeser,Blinks,Blinka,Bline,Blickem,Bleyl,Blews,Bless,Blenner,Bleimehl,Blecker,Bleasdale,Bleakney,Blatnick,Blaski,Blare,Blanzy,Blankumsee,Blancett,Blaich,Blada,Blackbum,Bjorseth,Bjorlin,Bizzaro,Bivin,Bitetto,Bisso,Biskup,Biskach,Bisio,Bisi,Bishard,Bisesi,Bisaccia,Birtcher,Birrittella,Birkhimer,Birkey,Biringer,Biren,Birdette,Birak,Bio,Binker,Bink,Bingler,Bingert,Bingamon,Bindas,Bilson,Billow,Billon,Billo,Bille,Bilis,Bilich,Biler,Bilek,Bilden,Bilazzo,Bila,Bigus,Biggart,Biggar,Bigaud,Biesheuvel,Biernacki,Bierley,Bierlein,Bielefeldt,Biedermann,Biedenbender,Biddulph,Bicksler,Bickes,Bicek,Bica,Bibiano,Biangone,Bi,Bezzo,Bezdicek,Beyt,Beydler,Bevelacqua,Beuther,Beucke,Betzold,Bettman,Bettino,Betterley,Betancourth,Bessel,Beska,Beschorner,Berwald,Berum,Bertotti,Bertorelli,Bertoldo,Bertolami,Bertley,Berteotti,Bertaina,Berstler,Berniard,Berndsen,Bernadette,Berlinski,Berkstresser,Berks,Berkovich,Berkoff,Berkhimer,Berkery,Bergmark,Berga,Berfield,Bereznak,Beresky,Berenger,Berendzen,Berendt,Berczel,Berch,Berbes,Berardinelli,Beppu,Benziger,Benzie,Benzango,Benthall,Bentancourt,Bensberg,Benno,Bennin,Bennes,Benken,Benike,Benigni,Benestad,Bendtsen,Bendis,Bendig,Bendetti,Bendele,Benasher,Benack,Bemben,Belts,Belrose,Belnas,Bellusci,Belloso,Bellizzi,Bellinghausen,Belliard,Belletto,Bellettiere,Belko,Belitz,Belfanti,Beldon,Bekis,Bejcek,Beitler,Beiser,Beine,Beiley,Beierschmitt,Behrle,Behran,Behlmer,Behlke,Beguelin,Beghtol,Beger,Begeal,Beezley,Beesmer,Beerer,Beere,Beerbohm,Beenel,Beelby,Beecken,Bedor,Bede,Beddows,Beddow,Beddia,Becky,Beckius,Beckfield,Beckem,Becena,Beavis,Beaumonte,Beauman,Beauharnois,Beaudine,Beasly,Beales,Be,Bazylewicz,Bazner,Bazel,Baytos,Bayton,Bayt,Baylock,Bayird,Baygents,Baxa,Bawner,Bawden,Bavelas,Bauske,Baumberger,Baul,Battuello,Battig,Batterman,Battani,Battaglino,Batimon,Bathke,Baters,Batch,Batas,Batara,Batala,Bastine,Bassani,Bassali,Baskind,Baseman,Basehore,Basara,Barze,Barwell,Barut,Baruffa,Bartlome,Bartin,Barthol,Barthell,Barters,Barswell,Barshaw,Barrigan,Barria,Barrasa,Barraco,Barnthouse,Barnt,Barmes,Barkhimer,Barios,Bario,Barino,Barie,Barick,Barfuss,Barfknecht,Barer,Bareford,Bardis,Barcley,Barchick,Barcena,Barbur,Barbor,Barbin,Barben,Barbella,Barbaglia,Baransky,Baragan,Baquiran,Banzhaf,Banter,Bankowski,Banet,Bandt,Banaszek,Banana,Balque,Balowski,Ballog,Ballina,Ballensky,Ballato,Baliga,Baldomero,Balden,Balde,Baldassare,Balbontin,Balbas,Balassi,Balandran,Bakkala,Bakhshian,Bakerville,Bakaler,Bajaj,Baites,Baisten,Bairam,Bailard,Baierl,Baichan,Bai,Bahrs,Bagozzi,Bagni,Bagnato,Baglione,Baggio,Baggesen,Baggenstoss,Bagan,Baessler,Baerman,Baerlocher,Badgero,Baddour,Badami,Baculpo,Bacio,Bacigalupo,Bachta,Bachar,Bacchi,Babrow,Babonis,Babish,Babicke,Babeu,Baab,Azzopardi,Azore,Azen,Aykroid,Axon,Axelrad,Awkard,Awender,Avon,Avirett,Averitte,Averbeck,Avellano,Avary,Auwaerter,Autrano,Auteri,Austgen,Ausdemore,Aurich,Aumen,Auler,Augustyniak,Augliano,Aughtman,Aue,Auduong,Aucter,Attianese,Atiles,Athas,Asturias,Astrup,Astley,Assante,Aspden,Aspacio,Asley,Asleson,Askvig,Askegren,Askam,Ashmen,Ashauer,Asfour,Aschoff,Aschim,Aschan,Asal,Arzo,Arvesen,Arrow,Arrocha,Arris,Arribas,Arquitt,Arone,Aroche,Arnt,Arnoux,Arnoldi,Arning,Arnholt,Arndorfer,Armson,Arment,Arlotta,Arlinghaus,Arlia,Arkema,Arizaga,Arisumi,Aristide,Aris,Arif,Ariano,Arguilez,Argudo,Argrow,Argiro,Argetsinger,Arfman,Arenburg,Aredondo,Area,Ardry,Ardner,Ardizone,Arcudi,Arcizo,Arcila,Archilla,Archangel,Arcega,Arbucci,Arato,Arano,Aran,Aragan,Apostol,Apolito,Apland,Apkin,Aperges,Apalategui,Apaez,Anzora,Antonsen,Antolos,Antolini,Antman,Anter,Anspaugh,Anselm,Annonio,Annichiarico,Annibale,Annarumo,Anliker,Ankrapp,Ankenman,Anhorn,Angton,Angrisano,Angon,Angolo,Angleton,Anglebrandt,Anglea,Anglade,Angilletta,Angeron,Angelotti,Angelbeck,Angela,Anez,Andueza,Andrulis,Andronis,Andreu,Andreoni,Andert,Anderlik,Anauo,Anastasiades,Ananias,Anand,Amuso,Amrich,Amr,Amour,Amoss,Amorosi,Amoako,Amoah,Ammirato,Ammar,Amirian,Amiot,Amidi,Ameduri,Amderson,Ambuehl,Amass,Amanza,Amadio,Alwang,Alwan,Alvine,Alvarran,Alvarracin,Alvanez,Aluqdah,Altshuler,Altonen,Altmiller,Altken,Altiery,Althiser,Altaras,Alstrom,Alstad,Alsbury,Alsberry,Alquijay,Alpha,Alonza,Aloia,Alnas,Almerico,Almenar,Almen,Allwood,Allstott,Allridge,Alleva,Allenson,Allenbaugh,Allegretta,Allegra,Allbritten,Allara,Allamon,Alken,Alizadeh,Alirez,Alires,Aline,Alim,Algire,Algier,Algien,Alfonsi,Alexy,Alexnder,Alessandroni,Alert,Alemany,Aleksey,Alderton,Alderfer,Aldava,Aldapa,Alconcel,Albornoz,Albini,Albergotti,Alben,Albea,Albang,Alario,Alamilla,Alalem,Akoni,Akles,Akande,Akamine,Ajasin,Aiyer,Aihara,Ahrendes,Aherns,Aharoni,Agunos,Aguliar,Aguillar,Agudo,Agoras,Agnor,Agni,Agers,Agel,Aery,Aerts,Adon,Adessa,Aderson,Aderman,Adema,Adelsberg,Adelblue,Adel,Addiego,Adas,Adamcik,Acquilla,Ackmann,Achterhof,Achane,Abuhl,Abrial,Abreau,Aboulahoud,Aboudi,Ablao,Abilez,Abete,Aberson,Abelman,Abelardo,Abedelah,Abdulmateen,Abato,Aas,Aarestad,Aanenson,Zymowski,Zyla,Zybia,Zwolski,Zwigart,Zuwkowski,Zurovec,Zurkuhlen,Zuppa,Zunich,Zumpfe,Zumalt,Zulkowski,Zulfer,Zugg,Zuerlein,Zuehls,Zuckerberg,Zuchelkowski,Zucchetto,Zucca,Zubrowski,Zubizarreta,Zsadanyi,Zrake,Zotti,Zosel,Zoltek,Zolla,Zogopoulos,Zogby,Zmek,Zitzmann,Zitzelberger,Zirker,Zinzow,Zimick,Zimerman,Zilk,Zigomalas,Ziesman,Ziernicki,Zierke,Zierk,Zierenberg,Zierden,Ziems,Zieger,Ziebert,Zicafoose,Zic,Zibell,Ziada,Ziad,Zhen,Zetzer,Zetino,Zerphey,Zercher,Zeran,Zephyr,Zelonis,Zellinger,Zelko,Zeliff,Zeleznik,Zekria,Zeidman,Zehrer,Zehrbach,Zeherquist,Zehender,Zegar,Zega,Zechiel,Zeccardi,Zebracki,Zeavala,Zbierski,Zaza,Zayicek,Zawistowski,Zawasky,Zavitz,Zaverl,Zavcedo,Zavattieri,Zavacky,Zausch,Zatorski,Zarrabi,Zarlingo,Zarin,Zarillo,Zaren,Zapel,Zapatero,Zantow,Zant,Zannini,Zangger,Zanfardino,Zanardi,Zan,Zampella,Zamoro,Zamborano,Zambelli,Zalamea,Zajdel,Zais,Zahourek,Zaharek,Zagulski,Zagacki,Zadina,Zaczek,Zachter,Zachariah,Zacchini,Zabenko,Zabbo,Yuska,Yuscak,Yurovic,Yurek,Yunes,Yumas,Yuk,Yudell,Ysaguirre,Yray,Yozzo,Yovan,Youssefi,Yousko,Younghans,Youmon,Youla,Yotter,Yoshi,Yoseph,Yorck,Yono,Yoneoka,Yonashiro,Yomes,Yokel,Yoest,Ynocencio,Yewell,Yetzer,Yetsko,Yerty,Yeropoli,Yerka,Yergin,Yenor,Yem,Yeley,Yearego,Yeakel,Yazzle,Yazzi,Yazdani,Yaws,Yasika,Yarwood,Yarris,Yaroch,Yarmitsky,Yara,Yantzi,Yannucci,Yannayon,Yannantuono,Yankovski,Yankovitch,Yandow,Yanchik,Yanagihara,Yanagida,Yanacek,Yamanoha,Yamaki,Yalon,Yaklin,Yake,Yaiva,Yaish,Yahne,Yafuso,Yafaie,Yacullo,Yacovone,Yacoub,Xyong,Xayasith,Wyze,Wyrostek,Wynes,Wyker,Wygal,Wybenga,Wurz,Wung,Wueste,Wubnig,Wubbena,Wubben,Wrzesien,Wrynn,Wrightington,Wride,Wreyford,Woytowich,Woytek,Wosick,Workowski,Worell,Wordlow,Worchester,Wooward,Woolhiser,Woodlin,Woodka,Woodbeck,Woodal,Wondoloski,Wonderling,Wolsdorf,Wolper,Wollert,Wollenburg,Woline,Wolfing,Wolfensperger,Wolbrecht,Wojnowski,Wojewoda,Wojdak,Wohlfeil,Wohlert,Woge,Woelfl,Wodicka,Wobser,Wobbe,Wnukowski,Wnorowski,Wmith,Wlodarek,Wiza,Witucki,Wittrup,Wittnebel,Witthoeft,Wittenbrink,Wittbrodt,Witkowsky,Wisnowski,Wisely,Wirtzfeld,Wirfs,Wipfli,Winterberg,Winslette,Winscott,Winnicki,Winnen,Winik,Wingeier,Windsheimer,Windrow,Windhorst,Windfield,Windauer,Wincapaw,Win,Wimbrow,Wimble,Wilund,Wilshusen,Wilsen,Willock,Willmert,Willies,Williemae,Williamis,Willia,Willi,Willeto,Willborn,Wilkus,Wilkson,Wilkoff,Wildridge,Wilczak,Wilcut,Wiklund,Wiggan,Wigand,Wig,Wiesemann,Wieseman,Wiersteiner,Wienberg,Wielock,Wielgasz,Wiegard,Wiedrich,Wiederholt,Wieben,Widjaja,Widera,Wide,Wicklin,Wickersheim,Wiborg,Wiatrowski,Why,Whittum,Whittinghill,Whittenbeck,Whitiker,Whitey,Whiter,Whitelightnin,Whitcome,Whisted,Whirlow,Whiles,Whilden,Whetzell,Whelihan,Wheeldon,Wheater,Whaltey,Weynand,Weyker,Weydert,Weuve,Wetzstein,Wetzell,Westler,Westermeier,Westermark,Westermann,Westerhoff,Westbrooke,Weske,Weser,Werst,Werremeyer,Wernsman,Wernex,Wern,Werme,Werline,Werk,Wergin,Werdlow,Werderman,Went,Wensman,Wenske,Wendorff,Welzel,Weltha,Wellinghoff,Welding,Weit,Weissenbach,Weispfenning,Weismantle,Weisbecker,Weirauch,Weinzierl,Weinrib,Weinland,Weinfurter,Weinburg,Weiher,Weig,Weidower,Weicht,Weibe,Wehking,Weglage,Wegiel,Wedige,Weckwerth,Weatherington,Weasel,Weant,Wealer,Weagraff,Weader,Wayts,Wayson,Waymon,Waygood,Wayford,Waychowsky,Waverly,Wattigny,Watsky,Watry,Wates,Watah,Wasurick,Wassam,Waskom,Waskin,Washum,Washpun,Washler,Waser,Warzybok,Warstler,Warrilow,Warran,Waroway,Warntz,Warnberg,Warmka,Warmbrod,Warlow,Warlock,Warde,War,Wapp,Wantuck,Wannlund,Wannarka,Wanko,Wandell,Walund,Waltos,Waltho,Walstrum,Walrod,Walper,Waln,Wallwork,Wallo,Wallman,Walliser,Wallie,Wallenbrock,Wallau,Walka,Walizer,Walgren,Waley,Walen,Waldroop,Walderon,Wal,Wakeford,Waitz,Waiss,Waisanen,Wais,Wainkrantz,Wahn,Wahdan,Wahba,Wagnor,Waggy,Wagemann,Wagatsuma,Waffenschmidt,Waegner,Waddups,Waddles,Wadas,Wacht,Waas,Waaga,Vuoso,Vukelj,Vriens,Vredeveld,Vrbas,Vranicar,Vovak,Votsmier,Vostal,Vorsburgh,Vornes,Vopava,Vonseeger,Vonschriltz,Vonholt,Vongsamphanh,Vongkhamphanh,Vongkhamchanh,Vonfelden,Voner,Vondrasek,Vondracek,Vonderhaar,Vonderahe,Vonbank,Volpone,Volmar,Vollmers,Vollette,Volinsky,Volek,Volbert,Vojna,Voigtlander,Vogelzang,Voeltz,Voelkerding,Vocelka,Vljeric,Vleming,Vlchek,Vizzi,Vixayack,Vixay,Vivyan,Vivion,Vitrano,Vitez,Vitellaro,Visounnaraj,Visick,Viscosi,Virostko,Virgile,Virgadamo,Virant,Vintila,Vinti,Vint,Vilven,Vilt,Villnave,Villescaz,Ville,Villasis,Villaplana,Villao,Villanveua,Villanvera,Villandry,Villamayor,Villamarin,Villaluz,Villaluazo,Villaire,Villacrusis,Vilegas,Vildosola,Viker,Vijil,Vijayan,Vigneau,Vigilo,Vigiano,Vieu,Vietzke,Vierk,Viengxay,Vieau,Vidas,Vidaca,Vicuna,Vicueroa,Vicenteno,Vias,Viard,Viano,Viale,Viafara,Vezza,Vevea,Vetterkind,Vetterick,Veto,Vessar,Vesperas,Vesley,Verwers,Verunza,Verso,Versage,Verrue,Verrone,Verrastro,Verplanck,Verone,Vernazza,Verlinden,Verlin,Verkuilen,Verfaillie,Venzor,Venturelli,Venskoske,Venning,Venneman,Veneri,Vendig,Vence,Veltkamp,Velthuis,Velovic,Veller,Velky,Velega,Velardes,Veksler,Veitinger,Vehrenkamp,Vegerano,Vedovelli,Veasman,Vbiles,Vautier,Vaulet,Vatterott,Vasudevan,Vasos,Vasek,Vasallo,Varquez,Varquera,Varoz,Varone,Varisco,Varieur,Varanda,Vanzie,Vanwyck,Vanwhy,Vanweerd,Vanwechel,Vanvuren,Vanvorst,Vanveldhuize,Vanuden,Vantuyle,Vantull,Vansteenhuyse,Vansteenberg,Vanson,Vansise,Vanschoor,Vanschoiack,Vanrossum,Vanosdol,Vanos,Vanorsouw,Vanoni,Vannuck,Vanlinden,Vanlier,Vanlaere,Vaninetti,Vanhove,Vanhoutte,Vanhoecke,Vanheusen,Vanhamme,Vanham,Vangordon,Vaneekelen,Vandonsel,Vandevanter,Vandesande,Vandernoot,Vanderjagt,Vanderiet,Vanderhurst,Vanderbie,Vandawalker,Vandaele,Vanblaricum,Vanbeveren,Vanamerongen,Vanamburgh,Vanalstin,Valtas,Valme,Vallow,Vallotton,Valliant,Vallegos,Vallar,Valladores,Valerino,Valeriani,Valela,Valdo,Valant,Valado,Vajnar,Vais,Vagnier,Vadlamudi,Vactor,Vaccarello,Vacarro,Uzzo,Uutela,Utzig,Useted,Urtz,Urtiz,Urtiaga,Urteaga,Urquides,Urmston,Urmos,Urbany,Urbaez,Uptmor,Upole,Uphold,Uoy,Unverzagt,Unvarsky,Unterseher,Unterman,Unglesbee,Underdue,Uncapher,Umeh,Ulven,Ulvan,Ulshafer,Ulsamer,Uljevic,Ulbricht,Ulabarro,Ujano,Uimari,Uihlein,Ugolini,Uglum,Ufford,Ueckert,Udani,Uchiyama,Ubl,Ubaldo,Tyrie,Tyndal,Tyms,Tylwalk,Tyeryar,Twilligear,Twidwell,Twardy,Tuzzio,Tutterow,Tutaj,Turziano,Turzak,Turtura,Turtle,Turrietta,Turns,Turnell,Turneer,Turnbill,Turello,Turbacuski,Tupaj,Tupacyupanqui,Tuomi,Tuomala,Tuohey,Tuning,Tumolo,Tuman,Tullar,Tulino,Tuggerson,Tuckerson,Tucke,Tuchy,Tucek,Tucciarone,Tuamoheloa,Tuai,Tua,Tsu,Tsironis,Tsing,Tsiatsos,Tsemetzis,Tscrious,Tsau,Tsasie,Tsakonas,Trypaluk,Trygg,Truxell,Truver,Trusso,Trush,Trusello,Truocchio,Truncellito,Trumps,Trumper,Trumbley,Trulli,Truhe,Truglia,Trufin,Trudnowski,Trudics,Trudgeon,Trucks,Trucker,Troyano,Troyani,Trouser,Trotty,Tronaas,Tromley,Tromburg,Troller,Trojecki,Trojahn,Troike,Troidl,Troge,Trofholz,Trochesset,Trish,Trio,Trinkley,Trinkl,Tringham,Trindle,Trimnell,Trilli,Trill,Triguro,Trigueros,Triece,Trider,Trexel,Trewin,Trewhitt,Treuter,Treutel,Trettin,Trett,Treso,Trenton,Trentini,Trenholme,Tremel,Trell,Tregan,Trecarichi,Trbovich,Traverse,Traunfeld,Trapanese,Tramp,Tramm,Trajillo,Trahin,Traher,Tradup,Toyne,Toyama,Townzen,Towber,Toussiant,Tousom,Tourtelotte,Touma,Toulmin,Touhy,Tottingham,Totter,Tott,Totosz,Toti,Tota,Tostanoski,Toso,Tory,Torreson,Torreon,Torrell,Torralva,Torno,Torngren,Tornese,Tordsen,Torbit,Torbeck,Toppins,Toppen,Toppah,Topolinski,Toplk,Topliss,Toplin,Topinka,Topi,Toomsen,Tools,Toof,Too,Tonic,Toniatti,Toni,Tongren,Tonche,Tonas,Tomsick,Tomsche,Tomopoulos,Tomkowicz,Tomasko,Toliongco,Toleston,Tokunaga,Tokita,Tohonnie,Tognetti,Toevs,Todora,Todahl,Tod,Tocher,Tocchio,Tobosa,Tobiason,Tjepkema,Tizon,Tixier,Tiwald,Tittl,Tisue,Tisinger,Tisa,Tirona,Tiro,Tirk,Tirino,Tiotuico,Tinnea,Tinin,Timone,Timber,Tilleman,Tille,Tiley,Tijing,Tigg,Tiffner,Tietjens,Tieger,Tidrington,Tidrick,Tibwell,Tibolla,Tibbit,Tiangco,Tian,Thyfault,Thurstonson,Thundercloud,Thuman,Thrun,Thrill,Thorsten,Thornquist,Thorner,Thormina,Thormer,Thoran,Thomspon,Thoeny,Thoennes,Thoele,Thoby,Thillet,Thiesse,Thibedeau,Theuner,Thessing,Therurer,Thero,Theo,Themot,Them,Thein,Theim,Theiling,Theesfeld,Theaker,Thaniel,Thamphia,Thammorongsa,Thalheimer,Thain,Thaemert,Thackxton,Thackrey,Thackery,Teyler,Tewmey,Tevada,Tetz,Tetteh,Tetro,Tetreau,Testman,Tessner,Tesoriero,Tesnow,Tesauro,Tersteeg,Terrett,Terrero,Terrence,Terrall,Terr,Terkelsen,Terbush,Teranishi,Tepperberg,Tentler,Tenor,Tenharmsel,Tengwall,Tenerowicz,Tenebruso,Tendick,Tencer,Ten,Temoshenka,Telman,Tellinghuisen,Telega,Telchik,Tejeiro,Teitel,Teichrow,Teichmiller,Tegtmeier,Tegenkamp,Teet,Teeples,Teepe,Tebow,Tebbetts,Tebbe,Tease,Teach,Tayo,Taymon,Taylan,Taydus,Tavolario,Taves,Tauteoli,Tatu,Tatsak,Tatnall,Tates,Tasto,Tasse,Tashman,Tartar,Tarsis,Tarris,Tarricone,Tarran,Tarner,Tarbor,Tarbet,Tarasuik,Taraschke,Taps,Tappis,Tapio,Tapat,Tapales,Tapaha,Taomoto,Tanzosch,Tanzman,Tanweer,Tanoue,Tanori,Tanon,Tannazzo,Tanker,Tanke,Tango,Tanen,Tandon,Tandetzke,Tancer,Tamminen,Tamiya,Tameron,Talladino,Taliulu,Talburt,Talboti,Talat,Talamas,Takiguchi,Takenaka,Tak,Tahir,Tagliente,Taglialatela,Tagge,Tagami,Tafuri,Tafreshi,Tacderen,Taccariello,Tacata,Tacadina,Tablada,Tabet,Taberski,Tabbaa,Taake,Szypowski,Szynkowicz,Szymula,Szychowski,Szwarc,Szuszkiewicz,Szumny,Szumilas,Szumiesz,Szuch,Szuba,Sznejkowski,Szmidt,Szlosek,Szigethy,Szenasi,Szczurek,Szczesniak,Szalankiewicz,Szalai,Szal,Szaflarski,Syrstad,Syrop,Synowiec,Synakowski,Symore,Symon,Syddall,Sybounheuan,Swonke,Swisshelm,Swiller,Swenton,Swell,Sweley,Sweger,Swefford,Sweere,Swee,Swedeen,Sweazey,Swearngen,Swaynos,Swatloski,Swatek,Swary,Swartley,Swarr,Swarn,Swarb,Swarat,Swanzy,Swantner,Swantko,Swanteck,Swanick,Swaine,Swadling,Svob,Svensen,Sutt,Suto,Sutherburg,Susmilch,Susla,Susko,Susan,Surridge,Surran,Surkamer,Suon,Suominen,Suneson,Sundman,Sumstad,Sumruld,Sumey,Sumbera,Sumaran,Sultaire,Sully,Sulloway,Sulkowski,Sulc,Sukut,Sukup,Sukovich,Suihkonen,Suga,Suffern,Sueyoshi,Suet,Suennen,Suellentrop,Sueda,Suddath,Succop,Sub,Sualevai,Styler,Stvictor,Stuzman,Stusse,Sturwold,Sturino,Sturiale,Sturdnant,Stupke,Stumm,Stumb,Stukel,Stufflebean,Stuever,Stuessy,Stuedemann,Stueckrath,Stueck,Studwell,Stubler,Stubbert,Strzyzewski,Strzelczyk,Strutynski,Struckmann,Struber,Strow,Stropus,Strople,Stroot,Strohecker,String,Strimel,Stright,Striffler,Stridiron,Stricklan,Strem,Streller,Strekas,Strek,Streitz,Streitenberge,Strech,Streat,Strazzullo,Strawberry,Stratter,Strathmann,Strassell,Strassberg,Strangstalien,Stoyanov,Stouten,Stoutamyer,Stotelmyer,Stoskopf,Storton,Storbeck,Stoppenbach,Stoot,Stoor,Stonewall,Stonefield,Stolzenberg,Stollsteimer,Stokel,Stohs,Stohrer,Stofferahn,Stoermer,Stoen,Stoecklin,Stockhoff,Stockburger,Stoakley,Stoa,Stlucien,Stitz,Stittgen,Stitch,Stires,Stippich,Stinser,Stinemetz,Stinde,Stinar,Stimus,Stiliner,Stilgenbauer,Stifflemire,Stickfort,Sticher,Stibb,Stewardson,Stevison,Steube,Sternod,Sterger,Steptore,Steppig,Stepleton,Stephanski,Stephano,Stepchinski,Stepanik,Stepaniak,Stenslien,Stenslie,Stengle,Stengele,Stendal,Stempert,Steman,Stelmach,Steitzer,Steinworth,Steinway,Steins,Steinour,Steinmiller,Steinhouse,Steinhour,Steinger,Steindorf,Steinau,Steinacker,Stegmann,Steff,Stefansky,Steensland,Steenrod,Steenland,Steeby,Stech,Stealy,Steagell,Steadings,Steach,Stawasz,Stavsvick,Stavrides,Stavish,Stathes,State,Stassinos,Stasser,Stasio,Stasa,Starzynski,Starritt,Starring,Starnold,Starchman,Starch,Starace,Stapelton,Stanuszek,Stanovich,Stankovic,Stankey,Stanislaw,Staniforth,Stanier,Stangarone,Stanganelli,Standlee,Standerwick,Standback,Stancombe,Stancer,Stancato,Stammel,Stambough,Stallones,Stakelin,Stagnitto,Stafiej,Staffon,Staffieri,Staffen,Stade,Stachniw,Stachnik,Stacer,Staber,Stabell,Staback,Staadt,Spunt,Spueler,Spruit,Spruel,Spriggins,Spratlen,Sprain,Sprafka,Sportsman,Sports,Sporle,Spoerl,Spoerer,Splonskowski,Splinter,Splane,Spizzirri,Spinoso,Spinka,Spiney,Spine,Spindola,Spindle,Spinas,Spilski,Spielmaker,Spiegle,Spevacek,Sperrey,Sperger,Sperduti,Speranza,Sperandeo,Spender,Spena,Spella,Speith,Speis,Speiden,Speidell,Speese,Specter,Speake,Speagle,Spaun,Spara,Spanton,Spanswick,Spannbauer,Spana,Spaide,Spadlin,Sowash,Sovey,Sovak,Souvannavong,Souvannarith,Souvannakhiry,Souser,Soulek,Soukkhavong,Soucek,Sottosanti,Sotlar,Sotak,Sossong,Sosso,Sosinsky,Soscia,Sorotzkin,Sorokin,Sorman,Sorgatz,Soren,Soravilla,Sor,Soprych,Sopata,Soorus,Sookoo,Sonnenburg,Sonkens,Sondrini,Sondelski,Somsana,Sommerdorf,Sommella,Solverson,Soltren,Soltes,Solonika,Solomons,Sollock,Sollman,Solle,Solimeno,Soliece,Solgovic,Soldow,Solas,Solarz,Sokorai,Sokolik,Soisson,Sohrabi,Soho,Sogol,Soga,Sofka,Sodomka,Sodachanh,Sochocki,Socci,Sobrowski,Sobrino,Soboleski,Soberano,Sobba,Sobania,Soans,Snuffer,Snowdon,Snowdeal,Snoderly,Snock,Snitker,Snith,Sniff,Snedeger,Snearly,Snachez,Smurthwaite,Smolski,Smithmyer,Smithen,Smithberger,Smisek,Smily,Smiglewski,Smietana,Smialowski,Smeltz,Smelko,Smeenk,Smedsrud,Smayda,Smaw,Smarsh,Smalt,Smalarz,Slutzky,Sluis,Sloup,Slotkin,Slosek,Sloon,Slomski,Slocombe,Slockbower,Slisz,Slinsky,Slicer,Sleek,Slayman,Slavis,Slatin,Slanina,Slagel,Sladky,Sladek,Skyberg,Skwara,Skursky,Skurski,Skura,Skrobacki,Skretowicz,Skorepa,Skomo,Sknerski,Skinsacos,Skillom,Skillen,Skibosh,Skibisky,Skewis,Skene,Skender,Skalecki,Skafec,Sixon,Sivia,Sivert,Sitto,Sita,Sissman,Sisneroz,Siskey,Sischo,Sirwet,Sirucek,Sirrine,Sirnio,Siriani,Sirek,Sippial,Sionesini,Sioma,Sinkiewicz,Sininger,Singuefield,Sings,Singhisen,Singeltary,Singco,Siner,Sindt,Sindorf,Sindoni,Sindel,Simzer,Simunek,Simplot,Simpelo,Simonetta,Simonett,Simoneavd,Simmelink,Simlick,Simkowitz,Simino,Simers,Simer,Simcic,Simank,Silverwood,Silverhorn,Silquero,Sillitti,Sillery,Silla,Silker,Silerio,Silagy,Silago,Sikorra,Sikkila,Sikel,Sikat,Sikander,Sigworth,Signorino,Sigafoos,Siewers,Sievel,Sierzenga,Sierer,Siepker,Siena,Sien,Siegfreid,Siegers,Siefkes,Siefferman,Siebel,Sidles,Side,Siddiq,Sida,Sickmeir,Sickendick,Sichler,Sicheneder,Sichel,Siangco,Siad,Shymske,Shutte,Shutes,Shurkus,Shumay,Shukert,Shuhi,Shuga,Shuckhart,Shryer,Shroeder,Shrimplin,Shrier,Shrefler,Shrake,Shoyer,Showden,Shouts,Shoto,Shonts,Shoeman,Shoddie,Shirilla,Shird,Shirai,Shipwash,Shiplet,Shipler,Shintani,Shinney,Shinko,Shindorf,Shimonishi,Shimanuki,Shiller,Shiiba,Shigemitsu,Shigematsu,Shifley,Shifflette,Shiever,Shido,Shidemantle,Shidel,Shibahara,Shey,Shevenell,Shetz,Sheskey,Sherratt,Sherif,Sherfy,Sherbo,Shepp,Shenberger,Shenassa,Shemper,Sheltrown,Shellum,Shellnut,Shellhorn,Shellgren,Shelenberger,Sheive,Sheasby,Shearier,Shearhart,Shawler,Shawaiki,Shaull,Shau,Shatt,Sharratt,Sharrai,Sharpsteen,Sharpey,Sharley,Shariff,Shariat,Sharar,Shapin,Shansky,Shannonhouse,Shangraw,Shammaa,Shamapande,Shalam,Shaker,Shahinian,Shaginaw,Shaggy,Shafto,Shafi,Shaer,Shae,Shadix,Shadburn,Sfera,Sfatcu,Seymoure,Sey,Sewester,Severyn,Seutter,Seuss,Seufer,Settecase,Sespinosa,Servey,Servano,Serum,Sertuche,Sert,Serro,Serret,Serre,Sermon,Sermania,Sergovia,Seremet,Serabia,Ser,Sephton,Sep,Senta,Sensenbach,Senneker,Senk,Senion,Senemounnarat,Seneker,Semo,Semenick,Seltrecht,Sellar,Seliski,Selis,Seligmann,Selia,Selestewa,Selem,Sele,Selca,Selbert,Selbe,Sekerak,Sejkora,Seiz,Seiver,Seirer,Seilhymer,Seiley,Seiger,Seigart,Seifts,Seiffert,Seidle,Seide,Seiberlich,Segota,Segobia,Seewald,Seepersaud,Seen,Sedy,Sedtal,Sedotal,Sedler,Sedlachek,Secreto,Secora,Secky,Seckington,Sebestyen,Sebers,Searchwell,Searchfield,Searcey,Seanor,Sean,Seamen,Sealander,Seaford,Scullion,Scrudato,Scronce,Scrobola,Scribellito,Scozzari,Scoresby,Scolnik,Scoh,Scoble,Sclavi,Sciuto,Scisco,Scigliano,Scieszka,Scierka,Scibetta,Sciavillo,Sciarini,Sciancalepore,Schwuchow,Schwoyer,Schwoerer,Schwien,Schwetz,Schwertfager,Schwentker,Schwent,Schwendinger,Schwemm,Schweiner,Schwarzenberg,Schwartzer,Schwarten,Schwanebeck,Schwanbeck,Schwallie,Schwald,Schuyleman,Schustrich,Schurer,Schuppenhauer,Schumucker,Schumans,Schuiling,Schueth,Schuckert,Schuchmann,Schuble,Schub,Schroy,Schromen,Schroeppel,Schroedel,Schreur,Schreimann,Schrecker,Schouweiler,Schou,Schornick,Schoreplum,Schooling,School,Schoo,Schontz,Schoninger,Schoneck,Schone,Schonaerts,Schomberg,Schollmeier,Schoepflin,Schoenegge,Schoeneck,Schoeller,Schoebel,Schnitman,Schnetter,Schnelzer,Schneidmiller,Schnair,Schnabl,Schmuff,Schmoldt,Schmider,Schmeer,Schlussel,Schlissel,Schlett,Schlesner,Schlesener,Schlepphorst,Schlepp,Schlechten,Schlaack,Schiveley,Schirm,Schimanski,Schilmoeller,Schille,Schilawski,Schiffner,Schiffert,Schiedler,Schickler,Schiappa,Scheuring,Scheule,Schepker,Schenz,Schenkelberg,Schembri,Schembra,Schellhorn,Schellenberge,Schelle,Scheitlin,Scheidecker,Scheibner,Scheiblich,Schehl,Schefers,Schee,Schearer,Schaubert,Schattschneid,Scharich,Schares,Scharber,Schappach,Schaneman,Schamberger,Schak,Schaetzle,Schaecher,Scerbo,Scelba,Scavona,Scatton,Scarsdale,Scarr,Scarpone,Scarlata,Scariano,Scandurra,Scandura,Scandalis,Scammahorn,Scafuto,Scaffe,Scachette,Sayyed,Sayko,Sayco,Sayasane,Sayaphon,Sawney,Sawdo,Sawatzke,Sawallich,Savko,Savka,Savitts,Saviola,Savio,Savine,Savich,Savells,Saulpaugh,Saulino,Sauler,Saugis,Sauber,Sau,Saturnio,Sattel,Satomba,Saterfield,Satava,Sasseville,Sasahara,Sarzynski,Sartorius,Sartore,Sartell,Sarsour,Sarson,Sarp,Sarnosky,Sarni,Sarlinas,Sarka,Sarinsky,Sarin,Sardo,Sarden,Sarchett,Sarault,Sarate,Sarao,Sarantakis,Saralegui,Sapper,Sappah,Sapinski,Sapardanis,Sapara,Sanyaro,Santwire,Santrmire,Santoriella,Santor,Santomassimo,Santisteban,Santillanez,Santamarina,Sansotta,Sanpson,Sannutti,Sankoh,Sangasy,Sanfelix,Sandvill,Sandus,Sandstede,Sandling,Sandland,Sandhop,Sandeen,Sandblom,Sanday,Sandager,Sancrant,Sancken,Sanchirico,Sancher,Sances,Sanberg,Sanacore,Samyn,Samul,Samrov,Samrah,Sampere,Sampang,Samland,Samii,Samiento,Sames,Sambrook,Samborski,Samberg,Samaroo,Salzl,Salvio,Salvati,Salvadge,Saluan,Saltzberg,Saltus,Saltman,Salstrom,Salotti,Salmonsen,Sallmen,Salle,Sallach,Salines,Salesky,Saleme,Saleha,Saldano,Salb,Salazak,Salasar,Salado,Salach,Sakumoto,Sakamaki,Sajovic,Sajous,Sainte,Sainliere,Sainato,Sails,Saik,Saieva,Saice,Sahe,Sahady,Sago,Saft,Safier,Saffo,Safer,Saether,Saens,Saeler,Saelens,Sadvary,Sadoski,Sadorra,Sadolsky,Sadin,Sadik,Sadeghi,Sadat,Sacramed,Sachetti,Sacchi,Sacca,Saberi,Saarela,Saadat,Saabatmand,Rzeczycki,Rysz,Rynkowski,Rynerson,Ryneer,Rymut,Rymes,Rymasz,Rylaarsdam,Rykaczewski,Ryen,Ryea,Rydin,Rydelek,Rydel,Rydeen,Rybinski,Ruvalcava,Rutski,Rutske,Rutman,Rutkin,Ruths,Ruthman,Ruthers,Rutheford,Rutgers,Rutenberg,Rutar,Russwurm,Russomano,Russomanno,Russer,Russello,Rushanan,Rusen,Ruschmeyer,Rusaw,Rupnick,Rupley,Rupinski,Ruopoli,Rumps,Rumbach,Rulapaugh,Ruivo,Ruiter,Ruhoff,Ruhn,Ruhman,Ruggirello,Ruffell,Ruffel,Ruezga,Ruesga,Ruelar,Ruehter,Ruehling,Ruehlen,Ruedas,Rued,Rueck,Rudoy,Rudio,Rudh,Rudell,Rudat,Rudack,Ruckey,Ruckel,Ruckdaschel,Rubsam,Rubie,Rubick,Ruberti,Rubeo,Rubenfield,Rubenfeld,Rubash,Rubalcave,Rozzelle,Rozon,Royle,Roxbury,Rowlison,Rowels,Rowbotham,Rovell,Rouw,Routzen,Routzahn,Routte,Rousso,Rousell,Rous,Rounsville,Rouly,Roulhac,Roulette,Roule,Rouhoff,Roughen,Rouch,Rottinghous,Rottier,Rotruck,Rotkowski,Rotkovecz,Rothfeld,Rotherham,Rotch,Rotanelli,Rosul,Rossie,Rossen,Rosseel,Rosky,Rosian,Rosher,Rosewall,Roseum,Roseth,Rosenwinkel,Rosentrater,Rosenlof,Rosenhagen,Rosengren,Rosendorf,Rosendale,Rosenbush,Rosemore,Rosek,Rosebur,Roscup,Rosca,Rosboril,Rosazza,Rosane,Rorabacher,Ropka,Roofner,Ronsini,Ronnie,Ronnfeldt,Ronn,Ronero,Roner,Ronayne,Rona,Ron,Romprey,Rommelfanger,Romkema,Romiro,Romay,Romanowicz,Romanov,Romanoff,Romaniszyn,Romanek,Romane,Rollf,Rollag,Rolfson,Rolack,Rokicki,Rohrdanz,Rohdenburg,Rohal,Rogowicz,Rogish,Rogian,Rogens,Rogado,Roesslein,Roesing,Roerig,Roenigk,Roelle,Roehler,Rodvold,Rodrigres,Rodregues,Rodolph,Rodkin,Rodiquez,Rodina,Rodero,Roderman,Roderiquez,Rodenizer,Rodenbough,Rodebush,Rodde,Rocle,Rochlitz,Rochkes,Rocheford,Robyn,Robusto,Roberston,Robbie,Robbert,Robberson,Robair,Roam,Roadruck,Roades,Roaden,Roadarmel,Rizzardi,Rivinius,Riveras,Rivello,Rivelli,Rivadulla,Rittinger,Rittie,Rittichier,Ritthaler,Ritmiller,Riskin,Risien,Rishor,Risatti,Ripson,Ringold,Ringen,Rinfret,Rineheart,Rindal,Rincan,Rinauro,Rinaldis,Rina,Rimkus,Rimi,Rimel,Rimbach,Rily,Rillie,Riller,Rihner,Riherd,Rigley,Rightmyer,Righthouse,Riggert,Riggers,Rigerman,Rigas,Rifai,Riesner,Rienzo,Riemersma,Riefer,Ridgebear,Rides,Ridell,Ridall,Ricucci,Ricley,Rickerl,Richemond,Richelieu,Richel,Richardville,Riccitelli,Ricciardelli,Ricardez,Riblett,Ribar,Riase,Rian,Rhym,Rhule,Rhude,Rhondes,Rhodehamel,Rhim,Rheingold,Rheaves,Reznick,Reynero,Revolorio,Revette,Revelo,Reuven,Reusswig,Reusser,Reuhl,Reuber,Rettele,Retka,Retersdorf,Resseguie,Resper,Resner,Resides,Reshard,Resek,Reseigh,Repaci,Renzullo,Renuart,Rentfrow,Rennemeyer,Renneker,Renkes,Renier,Rendle,Renburg,Remsburg,Remos,Remmie,Remmick,Remlin,Remkus,Remfert,Remey,Remerez,Remedies,Remaly,Relph,Rellihan,Relles,Relaford,Reksten,Rekas,Reitzes,Reiten,Reitema,Reisin,Reinmann,Reinicke,Reinholdt,Reinheimer,Reinfeld,Reineman,Reineking,Reinartz,Reimel,Reik,Reihe,Reidling,Reidler,Reichenberg,Reichenback,Reho,Rehnborg,Rehnberg,Rehart,Regusters,Regulus,Reglin,Reginal,Reges,Regensburg,Regen,Regas,Reevers,Reever,Reeter,Reedholm,Redle,Redic,Redfear,Reddekopp,Rechel,Rebick,Rebholz,Reazer,Reauish,Reath,Reasinger,Reas,Reary,Realmuto,Reager,Readenour,Razze,Rawicki,Rawhoof,Ravi,Ravetti,Ravenscraft,Rava,Rauf,Rauelo,Rattee,Rattay,Rattanachane,Rattana,Rathmanner,Rathgeber,Rathe,Rathbum,Rasul,Rastogi,Rastelli,Rassman,Rasmuson,Rasely,Raschko,Raschilla,Rasche,Rasanen,Rary,Raring,Raridon,Rarey,Raquel,Rappenecker,Rapelyea,Ransier,Ransberger,Rannalli,Ranjel,Ranford,Randoll,Randklev,Ramy,Ramundo,Ramu,Ramsuer,Ramstad,Ramsbottom,Ramphal,Ramnarine,Rammer,Ramiscal,Ramgel,Ramesar,Ramento,Rambeau,Ramales,Ralon,Rallison,Rakich,Raith,Raiola,Rainwaters,Rainbott,Raimundo,Raimer,Raimann,Railing,Rahl,Rahama,Ragusano,Rafla,Rafiq,Rafi,Raffone,Raffo,Rafail,Raelson,Raehl,Raebel,Radway,Radue,Radona,Radisovich,Radics,Rademan,Radeke,Radder,Radden,Rackow,Racitano,Racina,Rachar,Racanello,Rabuck,Rabkin,Rabidoux,Rabello,Rabel,Rabara,Qunnarath,Quirindongo,Quintel,Quintano,Quinlin,Quinchia,Quincel,Quilling,Quillian,Quilliam,Quillens,Quihuiz,Quiett,Quicksall,Quest,Querta,Querido,Quent,Quealy,Quaye,Quante,Quamme,Qualia,Quaker,Quagliano,Quader,Pytlewski,Pyo,Pylvainen,Pyland,Pych,Py,Puyear,Puulei,Puthiyamadam,Putalavage,Purzycki,Purkerson,Purcella,Purce,Puppe,Pupa,Pullon,Pullie,Pulgarin,Pulford,Pujals,Puiatti,Pugeda,Puffett,Puffenbarger,Puertas,Puddy,Pucio,Pucella,Ptaszynski,Psomiades,Psencik,Przybysz,Przybycien,Przedwiecki,Pryzgoda,Prvitt,Pruskowski,Prugh,Prudent,Prudden,Provazek,Protasewich,Protain,Proo,Prondzinski,Prokes,Prohonic,Progacz,Proescher,Prodan,Privatsky,Privateer,Priore,Prinzing,Prinzi,Printers,Prigmore,Priewe,Prier,Pribbeno,Prezzia,Preyor,Prewer,Prevett,Preuitt,Prepotente,Prence,Prekker,Preisach,Precythe,Prebish,Preato,Prchlik,Prazeres,Prazak,Prauner,Prattella,Prati,Prat,Prasser,Prasomsack,Praml,Prabhakaran,Prabel,Poyneer,Powroznik,Powal,Poux,Poullion,Pouliotte,Pottier,Potthast,Potocnik,Poties,Poths,Postuci,Postal,Posso,Poser,Portwine,Portune,Portaro,Porrello,Porreca,Porrazzo,Poremski,Pore,Porcello,Popple,Poppert,Popowski,Popovec,Popke,Popik,Popielarczyk,Popick,Popi,Poper,Popelka,Popec,Poortinga,Poorte,Pooni,Ponyah,Pontin,Pomerance,Pomar,Polynice,Polyak,Polverari,Poltorak,Polovoy,Pollmann,Pollio,Pollinger,Pollacco,Polivka,Polian,Poleyestewa,Polera,Poldrack,Polcovich,Polakoff,Polakis,Poladian,Pokorski,Poiter,Poffenroth,Poetzsch,Poeschl,Poeschel,Poepplein,Poepping,Poeling,Podvin,Podsiad,Podrasky,Podlas,Pode,Podbielski,Podany,Pochiba,Pocchia,Poalino,Poaipuni,Plymire,Plyer,Pluvoise,Plungy,Pluid,Ploude,Plosker,Plomma,Plohr,Plocica,Pliler,Plevin,Plessis,Plesnarski,Plesha,Plenskofski,Plecker,Platenburg,Platas,Plansinis,Plana,Plamer,Placencio,Pizzolato,Pizur,Pius,Piurkowski,Pituch,Pittillo,Pitel,Pitcak,Piszczatowski,Pisula,Pishner,Pirner,Pirillo,Pippert,Pipe,Pinyan,Pinsonnault,Pinnt,Pinkelton,Pinena,Pinela,Pineault,Pinault,Pilotti,Pillips,Pilbin,Pilati,Pikey,Pih,Piguet,Pigna,Pigler,Pigat,Pietzsch,Pietrafesa,Pieters,Pierzchala,Pierrie,Pierfax,Piercefield,Piedmont,Piedigrossi,Piede,Piechoski,Piearcy,Pidcock,Picolet,Pickren,Pickings,Picht,Picco,Pi,Phomphithak,Phommatheth,Phlieger,Phippen,Philpotts,Phillipi,Philippon,Philipose,Philben,Pherson,Pherguson,Phatdouang,Phanthauong,Phanord,Pfirsch,Pfendler,Pfannenstein,Pfahlert,Pfahler,Pezzuto,Pezzimenti,Pexton,Pexsa,Pewo,Pevsner,Petzel,Petts,Pettner,Pettinella,Petticrew,Pettibon,Pettes,Petrov,Petrosyan,Petron,Petrocelli,Petrocco,Petrizzo,Petris,Petrino,Petricone,Petralba,Petrakis,Petrain,Petkoff,Petitjean,Petges,Peteuil,Petet,Petersdorf,Petchulis,Pestronk,Peskind,Pesenti,Pertsovsky,Personette,Persia,Persampieri,Persall,Pers,Perre,Perper,Perolta,Perng,Perler,Perkoski,Perish,Perilloux,Perey,Peressini,Percontino,Perciballi,Peral,Peppas,Pepitone,Penzero,Pentico,Pent,Penski,Pense,Penrice,Penoyer,Penovich,Pennimpede,Pennigton,Pennig,Penisson,Pendl,Pendill,Penceal,Penatac,Penasa,Penanegra,Pelman,Pelligrini,Pelliccia,Pellant,Pelkowski,Pelak,Pein,Peightell,Pegler,Pegelow,Peffers,Peetz,Peelman,Pee,Pedrin,Pedlow,Pedelty,Pede,Peddy,Peckinpaugh,Peckens,Pecht,Pechin,Peche,Peccia,Peca,Peaker,Pazik,Pazderski,Pazan,Payno,Payenda,Pawluk,Pawlosky,Pawell,Pavlikowski,Pavlides,Pavish,Paviol,Paulick,Paukert,Pattum,Patrylak,Patronella,Patrich,Patriarco,Patraw,Patierno,Patient,Patience,Paten,Pastorin,Pasternack,Pastano,Passaro,Pasqualino,Paskoff,Paskin,Paskiewicz,Pashel,Pasey,Pascher,Pasaye,Pasanen,Parvis,Partmann,Parthemore,Parshotam,Parsens,Parraga,Paronto,Paroda,Parobek,Parmann,Parmalee,Parlet,Parle,Parkers,Pariente,Paree,Pardey,Parde,Pardall,Parbs,Parbol,Paranada,Parah,Parado,Pappy,Pappenheim,Paplow,Papka,Papich,Papi,Papallo,Paolicelli,Panzarella,Panyik,Pantle,Pantera,Pantalone,Pansullo,Panone,Pano,Panny,Pannenbacker,Pankiewicz,Pankhurst,Panke,Pankau,Pangan,Panessa,Pandolfi,Pandiani,Panchik,Panchak,Panakos,Panak,Panagakos,Palubiak,Palso,Palowoda,Palmucci,Palmour,Palmino,Palmerino,Palme,Pallino,Pallerino,Palisi,Palisano,Palis,Palazzola,Palay,Palaspas,Palamara,Paladini,Paladin,Paire,Paillet,Pailet,Paider,Paguin,Pagoda,Paglione,Paglialunga,Pageau,Pagdanganan,Pafundi,Padiong,Padberg,Padarebones,Padalecki,Pacol,Pacilio,Pachter,Pachew,Pabelick,Paaske,Ozzella,Owoc,Owca,Ovitz,Overmann,Overlee,Overhulser,Overholtzer,Ovens,Ovall,Outhier,Ouren,Ouinones,Ottum,Ottomaniello,Otteman,Otsman,Otinger,Oszust,Ostorga,Ostolaza,Osterhouse,Osterberger,Ostberg,Ososki,Osmers,Osmera,Oshey,Osequera,Osenkowski,Oschmann,Osbment,Osbey,Osazuwa,Osayande,Osako,Orzell,Orvin,Ortwine,Ortmeyer,Ortelt,Ortelli,Orsten,Orson,Orrill,Orphey,Orndorf,Orloski,Orlich,Orlander,Orland,Ork,Orji,Orison,Orielly,Orielley,Ori,Organek,Orey,Orender,Ordona,Ordon,Ordman,Orazine,Oravetz,Orandello,Orabone,Ora,Or,Oquenda,Opyd,Opteyndt,Opoka,Opiola,Opielski,Opell,Opeka,Onyeagu,Onezne,Ondeck,Ona,Oms,Ommen,Ominelli,Omernik,Omelia,Olynger,Olwin,Olvey,Olufson,Olubunmi,Olten,Olshefski,Olsby,Olores,Olma,Olli,Ollech,Ollar,Oliviera,Olivarri,Oligschlaeger,Olheiser,Olgin,Olevera,Olerud,Olenski,Olenius,Oldow,Oldershaw,Oldenburger,Olausen,Olaes,Okutsu,Okken,Okitsu,Okie,Okeson,Okelberry,Okel,Ojito,Ojano,Ohyama,Ohr,Ohnstad,Ohmen,Ohlhauser,Ohlensehlen,Ohle,Ohashi,Ohanley,Ogzewalla,Ogutu,Ogston,Ogrodowicz,Oginski,Ogiamien,Oger,Ogarro,Ofsak,Oflynn,Off,Ofer,Oelze,Oehm,Oehlschlager,Oehl,Odome,Odo,Odmark,Odil,Odgen,Odermott,Odair,Oczon,Ockman,Ockleberry,Ocken,Ochal,Ochakovsky,Ocenasek,Occhuizzo,Ocanaz,Obrein,Obray,Oborne,Oblinski,Obin,Obierne,Obholz,Obhof,Oberski,Obermier,Oberlies,Obergfell,Obenauer,Obeid,Obbink,Obaker,Oatney,Oatfield,Nyulassy,Nwagbara,Nutley,Nuth,Nurthen,Nuntaray,Nunno,Nunlee,Nuner,Numkena,Nuhfer,Nugal,Nuessen,Nuding,Nuchols,Noye,Noya,Nowosielski,Novickis,Novi,Novencido,Novel,Novad,Noujaim,Notoma,Notice,Noth,Notch,Notarnicola,Nosworthy,Nosacka,Norum,Northouse,Nortesano,Norstrand,Norsingle,Norrie,Norr,Norn,Normoyle,Norise,Nordstrand,Nordmark,Nordes,Norales,Nopachai,Noorda,Nooman,Nonroe,Nonemaker,Nonamaker,Nommay,Noman,Nollet,Nolle,Noli,Noice,Noerr,Nodland,Nocon,Nocks,Nockels,Nocella,Nocek,Njie,Nizo,Nitchman,Nistendirk,Nissan,Nisly,Nishitani,Nishio,Nishina,Nirschl,Niro,Nirenberg,Niquette,Nip,Nindorf,Nincehelsor,Nimz,Nimura,Nilmeier,Nikula,Nikach,Nik,Nightwine,Night,Nighman,Nighbor,Niffenegger,Niez,Niesporek,Nier,Nieminen,Niemie,Niedermeier,Niederberger,Nido,Nicome,Nicolozakes,Nicolia,Nicoles,Nicolau,Nickodem,Nicklous,Nickisch,Nicka,Nici,Nibler,Nibbe,Nhatsavang,Ngoun,Neyer,Newmyer,Newitt,Newgard,Newenle,Newbraugh,Newbound,Newand,Nevue,Nevison,Nevis,Nev,Neujahr,Neufer,Nette,Netkowicz,Nethkin,Nesvig,Nestico,Nessner,Nesslein,Nesset,Nessel,Neshem,Nesbeth,Neris,Nerenberg,Neren,Nepomuceno,Nemith,Nelder,Neitzke,Neita,Neiner,Neimeyer,Neigenfind,Neiford,Neidenbach,Nehlsen,Negreta,Negrana,Neenan,Neddenriep,Nech,Neborak,Nebesny,Nazar,Nawfel,Navo,Navarete,Nauss,Naumes,Naugler,Nauer,Natvig,Natalizio,Natalie,Natalia,Nastasia,Nasaire,Naruaez,Narrow,Narkevicius,Nardozzi,Nardino,Narain,Napue,Napenas,Nap,Naomi,Nao,Nanz,Nantwi,Nannen,Nang,Nanfito,Nanes,Nan,Namsaly,Namey,Namer,Namauu,Namanworth,Nalevanko,Nalder,Nakaoka,Nakamatsu,Nakajima,Nakada,Nakaahiki,Naimoli,Nahmias,Nahhas,Nagtalon,Nagelkirk,Nagasawa,Naftel,Nadine,Naderman,Nachbar,Nacci,Nabzdyk,Nabor,Nabavian,Nabarowsky,Naasz,Myslim,Myree,Mylar,Myall,Muzii,Muyres,Muwwakkil,Mutters,Mutschelknaus,Musulin,Mustaro,Mustache,Musslewhite,Mussell,Mussa,Musni,Muslim,Muskrat,Muskopf,Muskett,Musitano,Musilli,Musielak,Musguire,Musgraves,Muscott,Muschik,Muschaweck,Mursch,Murril,Murra,Muros,Muri,Murel,Murcko,Murak,Muphy,Muntean,Mundz,Mundinger,Munder,Mumaugh,Mulville,Mulrenin,Mulnix,Mullenaux,Mullahy,Mulkern,Mulkerin,Mulchrone,Mulato,Muinos,Muhlstein,Mugnolo,Muggeo,Mugge,Muffett,Muenzenberger,Muellerleile,Mudie,Muckelroy,Muccio,Mrvan,Mrkvicka,Mraw,Mozick,Mozga,Mozak,Moxness,Moxey,Mounkes,Mound,Motonaga,Mothershead,Motayne,Motayen,Mosty,Mostad,Mossbarger,Moskwa,Moskop,Mosena,Mosen,Moscoffian,Moryl,Morvillo,Mortin,Mortier,Morsberger,Morrey,Morrales,Morral,Morphy,Morock,Morlino,Morkert,Morken,Morisseau,Morishito,Morinville,Morici,Morgano,Morgana,Moreschi,Morenco,Morence,Morella,Mordeci,Moratto,Morath,Morario,Morando,Moradian,Morada,Mootry,Moomey,Monville,Montoto,Montore,Montoney,Montfort,Montey,Montesi,Monterrubio,Montembeau,Montayes,Montalban,Montaivo,Monsay,Monot,Monopoli,Monnerjahn,Monkowski,Monka,Monjure,Monios,Monington,Monges,Monfils,Moneyhun,Moneaux,Mondt,Mondoza,Mondloch,Mondelli,Mondale,Monclova,Moncher,Monath,Monagas,Mominee,Moma,Molz,Molstad,Molsan,Molnau,Mollura,Molleur,Molla,Molands,Moitoza,Moisa,Moine,Mohrlock,Mohre,Mohomed,Mohmed,Mohair,Mogus,Moeuy,Moeser,Moehr,Moehle,Modique,Modgling,Modglin,Moderski,Moczulski,Moccasin,Moayyad,Moatz,Mlodzianowski,Mleczynski,Mizwicki,Mizutani,Mizia,Mizenko,Miyataki,Miyanaga,Miville,Mitsdarffer,Mitrani,Mitman,Mitkowski,Misuraca,Miskinis,Miskiewicz,Miska,Misik,Mishulovin,Mishulouin,Mishkin,Mishar,Misenti,Mischo,Mischnick,Mirisola,Miricle,Mirick,Miramontez,Mirafuentes,Miraflores,Miquel,Mione,Minzy,Minzenmayer,Minzenberger,Mintken,Minten,Minot,Minors,Minn,Minkowitz,Minkins,Minister,Minic,Minhas,Mingioni,Mingee,Minert,Minchow,Mincer,Minalga,Mimozo,Milward,Milson,Milosch,Millings,Millick,Millare,Milke,Milinazzo,Milin,Milich,Milette,Mile,Mildrum,Mildon,Milcher,Milberger,Mikuszewski,Miklitz,Mikko,Mihalios,Mihalick,Mieth,Mierzwiak,Mierzwa,Mierow,Mierez,Mierau,Mielcarek,Miecznikowski,Miears,Middlekauff,Micucci,Mickelberry,Michno,Michlich,Michieli,Michelstein,Michelini,Michalicek,Michal,Micciche,Micalizzi,Mguyen,Mezzina,Mezzenga,Meydid,Meusel,Meusa,Metty,Mettig,Mettenburg,Metier,Meth,Metelko,Mestemacher,Messamore,Mesplay,Mespelt,Mesiti,Mesina,Meshyock,Mesenbring,Meschke,Merzlak,Merrih,Merner,Merkwan,Merklein,Merkey,Meringolo,Merine,Mergist,Merganthaler,Merckling,Menzer,Mensalvas,Mennecke,Menne,Menjiva,Mengwasser,Menger,Menedez,Meneal,Menck,Mencia,Menchen,Menchavez,Melzer,Melve,Melso,Meloan,Melman,Mellison,Mellerson,Mellendorf,Mellberg,Melikian,Melian,Melgaard,Meleo,Melbye,Melber,Meja,Meixelberger,Meitz,Meitner,Meiss,Meisch,Meinen,Meinberg,Meigel,Meierhofer,Mehringer,Mehrer,Mehle,Mehall,Megahan,Mega,Mefferd,Meenan,Meecham,Medvec,Medinger,Meddock,Medawar,Medaries,Mecias,Mecannic,Meazell,Measom,Meaden,Meach,Mcwhinnie,Mcwhinney,Mcwells,Mcvinney,Mcvenes,Mcthige,Mcthay,Mcshaw,Mcroyal,Mcrenolds,Mcratt,Mcquilliams,Mcquesten,Mcphetridge,Mconnell,Mcnolty,Mcneish,Mcnany,Mcnamar,Mcmullins,Mcmulen,Mcmenimen,Mcmellen,Mcmanuis,Mcmanemy,Mclernon,Mclauren,Mclamore,Mckusick,Mckosky,Mckirryher,Mckindra,Mckin,Mckever,Mckernin,Mckerlie,Mckennzie,Mckelvin,Mckelphin,Mckeague,Mckaughan,Mciwraith,Mcilhinney,Mchardy,Mcgurie,Mcgrevey,Mcgreen,Mcgohan,Mcglocklin,Mcglew,Mcglaun,Mcgibney,Mcghinnis,Mcgaughan,Mcgathy,Mcferran,Mcfeely,Mcfatten,Mcewin,Mcendarfer,Mcenany,Mcelvy,Mcelmarry,Mceathron,Mceaddy,Mcdugle,Mcdoulett,Mcdaneld,Mcculloh,Mccullin,Mccullan,Mccullagh,Mccubrey,Mccrobie,Mccrain,Mccraight,Mccracker,Mccrabb,Mccowin,Mccoubrey,Mccoon,Mcconomy,Mcconnico,Mcconahay,Mccomish,Mccoid,Mccloude,Mcclinsey,Mcclenic,Mcclee,Mccier,Mccathran,Mccash,Mccarvy,Mccarrol,Mccarraher,Mccalpane,Mccalebb,Mccalanahan,Mccade,Mccadams,Mcbroome,Mcaskill,Mcartor,Mcaree,Mbonu,Mazzillo,Mazzetti,Mazuera,Mazowieski,Mazierski,Mazella,Mayze,Maywalt,Mayher,Mawk,Mavris,Maushardt,Mauras,Mauracher,Maupins,Matysiak,Matye,Matusz,Matuska,Matusiewicz,Matulewicz,Mattock,Mattingley,Mattina,Mattick,Mattan,Matskin,Matros,Matrisciano,Matone,Matonak,Matlow,Matkovic,Matison,Mathelier,Matelski,Mateiro,Masunaga,Masterton,Mastalski,Massini,Massena,Massed,Massarelli,Massanelli,Maso,Maslen,Maslakowski,Masincup,Masilko,Masher,Mashall,Masello,Masell,Maschmeyer,Mascheck,Maschak,Mascari,Masar,Masak,Masaitis,Marxsen,Maruschak,Maruscak,Marus,Marumoto,Martyr,Martsolf,Martorelli,Martling,Martischnig,Martirano,Martinsons,Martinov,Martinon,Martinolli,Martinet,Martinell,Martinel,Martinat,Martich,Martey,Martelles,Martelle,Marsolais,Marsili,Marshbanks,Marshak,Marseilles,Marsaw,Marrier,Marrett,Marrapodi,Marrapese,Marquitz,Marousek,Maronge,Maro,Marmerchant,Marlene,Markworth,Markwardt,Markuson,Markou,Markakis,Marjenhoff,Maritato,Mariska,Mariacher,Margot,Margis,Marflak,Marfil,Marer,Mardirossian,Marcusen,Marconis,Marcisak,Marcille,Marchionni,Marchesi,Marchaland,Marcet,Marcelli,Marca,Marbley,Marash,Marascalco,Marante,Marangoni,Marando,Mapua,Mapstone,Mapa,Maohu,Manzur,Manweiler,Manuia,Manto,Mantifel,Mantia,Manteuffel,Mantella,Manteca,Manspeaker,Mansbach,Manous,Manoso,Manolis,Manocchia,Mannheim,Mannello,Manlangit,Manino,Manieri,Manicchio,Maniar,Maniaci,Maniace,Manglona,Mangis,Mangiafico,Manghane,Manero,Manely,Maneafaiga,Mandril,Mandolfo,Mander,Mandelberg,Mandala,Manco,Mancill,Mancher,Manche,Manaugh,Manassa,Manasares,Manansala,Manalili,Mamudoski,Mammo,Mammenga,Mamaril,Mamaclay,Malueg,Malter,Maltbia,Maltas,Malool,Mallas,Mallalieu,Mallacara,Malkiewicz,Malinovsky,Malewski,Malett,Maldomado,Malcomson,Malcik,Malavet,Malaver,Malasky,Malas,Malango,Malanaphy,Malach,Makofsky,Mako,Makler,Maka,Majuste,Majied,Majeske,Majerowski,Majera,Maixner,Maisto,Maiocco,Mailo,Maile,Maikoksoong,Mahunik,Mahrer,Mahraun,Maholmes,Mahlke,Mahli,Mahfouz,Maheia,Mahalko,Magwire,Magpuri,Magoun,Magnone,Magnetti,Magliulo,Magliolo,Magliocco,Magitt,Magginson,Maggert,Magera,Maged,Mage,Magbitang,Magalong,Magaha,Maffitt,Maffey,Maestri,Maenpaa,Maenhout,Maendel,Mady,Maduro,Madu,Madray,Madras,Madock,Madlung,Madler,Madenford,Madeau,Maddaleno,Macvean,Macura,Macrum,Macrostie,Macnaught,Macnamee,Macmurray,Macmillen,Maclay,Mackle,Mackimmie,Mackedanz,Maciejko,Maciasz,Maciak,Machtley,Machens,Macentee,Maceda,Macdougald,Maccauley,Maccartney,Macareno,Macaraig,Macapagal,Macahilas,Macadamia,Mabone,Mabary,Maatta,Maalouf,Lysak,Lynge,Lynady,Lykam,Lyerla,Lychwala,Luzuriaga,Luzinski,Luxon,Luvene,Lutzi,Luthe,Luss,Lushbaugh,Luscavage,Lurey,Luquin,Lupul,Lupu,Lupkin,Lupfer,Luoto,Lundman,Lundie,Lundi,Lundemo,Luncsford,Lumukanda,Lumpp,Lummis,Lumantas,Luloff,Lukavsky,Luitjens,Luhring,Luga,Luffy,Luelf,Luehring,Luedi,Lueckenotte,Luecht,Luebano,Ludvik,Ludovici,Ludkowski,Luderman,Luddy,Lucksom,Luckritz,Luckadoo,Lucion,Luci,Luchessa,Luchesi,Lucear,Lucario,Luben,Luangsingotha,Lozzi,Lozo,Loyst,Loyed,Lowin,Lowber,Lovich,Lovenbury,Loveh,Lovec,Louser,Louris,Lourence,Loureiro,Louras,Lounds,Loukidis,Loukas,Louissant,Louer,Louch,Lotze,Lotthammer,Lotter,Loterbauer,Lotempio,Lostracco,Loston,Lossman,Loson,Loskill,Loske,Loshe,Lorz,Lorion,Lopuzzo,Lopilato,Lopera,Loosey,Looi,Loock,Lonsway,Lons,Longueville,Longton,Longknife,Longin,Longfield,Longcor,Londner,Lompa,Lommel,Lomg,Lolling,Lolli,Loli,Lolar,Lokuta,Lokke,Lokhmator,Lojek,Lois,Loil,Lohmeier,Logero,Loewe,Loessberg,Loeschner,Loesche,Loehlein,Loeckle,Loebs,Loduca,Lodense,Lodeiro,Locsin,Locorriere,Locklier,Lockette,Lochotzki,Loche,Locantore,Locante,Lobosco,Lobingier,Loats,Loarca,Llyod,Llopis,Llarenas,Ljungquist,Lizer,Lizarda,Livi,Livezey,Liverani,Livas,Liuzza,Litzsinger,Litza,Littlehale,Litter,Litehiser,Litecky,Liskovec,Liskiewicz,Liskai,Lisius,Lisiecki,Lisherness,Lisanti,Lipstone,Lipsitz,Lippi,Lipovsky,Lipkind,Lipke,Lipitz,Lipa,Liontos,Linzie,Linstrom,Linssen,Linsner,Linsay,Linnecke,Linnan,Linkkila,Linginfelter,Lingberg,Lingardo,Lingao,Linea,Lindwall,Lindskog,Lindline,Lindesmith,Lincicum,Linahan,Limthong,Limesand,Limauro,Limardo,Lilleberg,Liljedahl,Liljeberg,Lilja,Likio,Ligons,Lifshitz,Liesch,Lierle,Lienke,Lienemann,Liekhus,Liederbach,Lieder,Liechti,Liebskind,Liebhardt,Liebelt,Lie,Liddie,Lidbom,Licor,Lico,Lickness,Lickiss,Lickey,Lichtig,Lichtenwalter,Lichte,Lichstein,Lichorat,Lichlyter,Liccione,Licalzi,Librizzi,Libre,Librandi,Libke,Libert,Liano,Lianes,Lezon,Lezer,Lezak,Leynes,Lewton,Lewry,Lewandowsky,Levo,Levites,Levitch,Levitas,Levister,Levinsky,Leverentz,Levendosky,Leuty,Leuters,Leusink,Leupold,Leuchs,Letteney,Letteer,Letrent,Letourneaux,Letofsky,Letman,Letko,Letang,Letalien,Lestelle,Lessin,Lessenberry,Lessen,Lessa,Lespier,Lesky,Leshure,Leshko,Lescavage,Lermond,Lerew,Leonti,Leonaggeo,Lenza,Lenters,Lenord,Lenny,Lennert,Lenix,Lening,Lengle,Lengacher,Lener,Leneave,Lencioni,Lempe,Lemone,Lemin,Lemich,Lemert,Lelis,Lele,Lekwa,Lejune,Leitze,Leitem,Leistner,Leipheimer,Leimkuehler,Leiding,Leidel,Leidall,Leichty,Leichtman,Leibenstein,Leiba,Lehrian,Lehrfeld,Legrow,Legrant,Legore,Leghorn,Legel,Legallo,Lefew,Leemow,Leebrick,Ledy,Leduke,Ledon,Ledley,Ledec,Ledebuhr,Lecoultre,Leconey,Leckington,Lechlak,Lechel,Lebovic,Lebourgeois,Leberman,Lebario,Leavelle,Leasy,Leah,Leagjeld,Leafe,Leabow,Lazzar,Lazer,Lazenson,Lazenberry,Layher,Lawe,Lavon,Lavina,Lavette,Laverne,Laverette,Lavee,Lavear,Lavatch,Lauwers,Lauw,Lauture,Lautman,Lauters,Laurion,Laurens,Laurenceau,Launt,Launelez,Laughbaum,Lauerman,Laudat,Laubacher,Latzka,Latzig,Latortue,Lathon,Lathim,Latessa,Latella,Lataille,Lasyone,Lastovica,Lasselle,Lask,Lashutva,Laserna,Lascody,Lasaint,Larve,Laruffa,Larsh,Larreta,Larko,Largay,Larey,Lardydell,Larde,Laravie,Larate,Laquay,Lapuz,Laprairie,Lapora,Lapiana,Lanzoni,Lanzillotti,Lanzillo,Lanzer,Lanzalotti,Lanton,Lantey,Lansdowne,Lansden,Lansang,Lanquist,Lanosga,Lanosa,Laninga,Langsdale,Langoni,Langlands,Langhout,Langhorst,Langenheim,Langehennig,Laneve,Landucci,Landsberry,Landrey,Landolfo,Landkamer,Landham,Landgrebe,Landefeld,Lampp,Lamparski,Lamorgese,Lamorella,Lammie,Lamielle,Lamela,Lambourne,Lambino,Lamberto,Lamber,Lambeck,Lamascolo,Lamarsh,Lamantagne,Lamaitre,Lalumiere,Lallo,Laliberty,Lalata,Lalanne,Laland,Lakner,Laity,Lahrman,Lahmann,Lahip,Lagroon,Lagoa,Laginess,Lagge,Lagatella,Lagassie,Laganga,Lafranca,Lafosse,Laffredo,Laferty,Lafera,Lafaver,Lafauci,Laesser,Ladyman,Ladtkow,Laditka,Ladeau,Ladas,Lacouette,Lacosta,Lacock,Lacks,Lackman,Lackie,Lachley,Lacassagne,Labrune,Labrode,Labreque,Labrec,Labog,Labkovsky,Labita,Labbie,Lababit,Laaker,Kylish,Kyhn,Kwiat,Kwasny,Kwack,Kvilhaug,Kuznicki,Kuzmish,Kuzmanic,Kuzemchak,Kuttler,Kutella,Kutchin,Kuszlyk,Kusumoto,Kusuma,Kustes,Kusinski,Kushlan,Kushiner,Kushin,Kusak,Kurzyniec,Kury,Kurter,Kurrie,Kurpiel,Kurkjian,Kurk,Kurisu,Kupres,Kuokkanen,Kunzie,Kunzel,Kunis,Kuning,Kundrick,Kundla,Kundinger,Kully,Kullas,Kulkarni,Kulcona,Kulak,Kulacz,Kuks,Kuklis,Kuka,Kuja,Kuizinas,Kuhtz,Kuhnle,Kuhnen,Kuhnemund,Kuhnel,Kuhens,Kuharik,Kufner,Kufeldt,Kuenstler,Kuehnert,Kudzma,Kudasik,Kuczkowski,Kucinskas,Kuchto,Kuch,Kucel,Kucek,Kubica,Kubecka,Kuban,Kszaszcz,Krzywicki,Krzynowek,Krzal,Krystal,Krysiak,Krys,Krutsch,Kruss,Krusen,Krusemark,Krupiak,Krumsiek,Kruml,Krulish,Krulik,Krulicki,Krueth,Kruer,Kruel,Krows,Krossen,Krolikowski,Krolczyk,Kroetch,Kriticos,Krites,Krisher,Krinke,Krienke,Kriegh,Krichbaum,Kribbs,Kretchmar,Kreitzbender,Kreitler,Kreinbring,Kreb,Kreamalmeyer,Kreager,Krawiecz,Krawetz,Krasley,Krapfl,Kranze,Kranendonk,Kramper,Krampe,Kramm,Kralicek,Krajnovich,Krajcer,Krain,Kracker,Kozinski,Kownacki,Kown,Kowing,Kowallis,Kowall,Kowalcyk,Kowalchick,Kovacic,Kourt,Kourkoumellis,Kounter,Kounlavong,Kounce,Koulabout,Koualeski,Kotzur,Kottsick,Kottre,Kotte,Kotrys,Kotow,Kothenbeutel,Kotara,Kostyla,Kostich,Kostenko,Kossmann,Kossin,Kossakowski,Kossack,Kosoff,Kosmatka,Koshiol,Koscielak,Koscho,Korzenski,Kortz,Kortum,Korthauer,Korshak,Korsen,Korol,Korns,Kornprobst,Kornman,Kormann,Korineck,Korf,Koretsky,Korenic,Korbal,Koralewski,Koppelmann,Kopis,Kopiak,Kopera,Kopchick,Kooken,Kontogianis,Konon,Konn,Konieczko,Konick,Konicek,Koneval,Kondratowicz,Koncan,Konat,Komsthoeft,Komosinski,Kommer,Kominek,Koman,Kolthoff,Kology,Kolnik,Kolmetz,Kolling,Kolkowski,Kolkemeyer,Kolias,Kolen,Kolehmainen,Kolby,Kolberg,Kolat,Kokoska,Koistinen,Kohnert,Kohlmyer,Kofutua,Kofoid,Kofler,Kofa,Koetz,Koetje,Koerper,Koeppl,Koenning,Koenigstein,Koenigsfeld,Koelle,Koegel,Koebley,Koczera,Kochmanski,Kocaj,Koc,Koblick,Kobis,Kobialka,Kobernick,Kobak,Knost,Knori,Knopinski,Knoepfler,Knoche,Knipping,Knipfel,Knighter,Kniefel,Knie,Knickman,Knezevic,Knewtson,Knestrick,Knesel,Kneifel,Knavel,Knappe,Knackstedt,Klusmeyer,Klus,Klund,Klun,Kloos,Kloock,Kloiber,Klohr,Kloepper,Klocek,Klis,Klingerman,Klingen,Klines,Klimkowicz,Kliever,Kliem,Kleypas,Klevene,Kleppinger,Kleparek,Klepacz,Klemenc,Klemanski,Kleinwolterin,Kleinsmith,Kleinke,Kleinberger,Kleidon,Kleespies,Kleese,Kleekamp,Kleban,Klayman,Klay,Klaver,Klarman,Klarberg,Klapperich,Kjetland,Kizewski,Kiyabu,Kivioja,Kittner,Kittelberger,Kissik,Kisser,Kishaba,Kisch,Kirner,Kirkpatric,Kirchhofer,Kirchgessner,Kirchausen,Kirbie,Kiral,Kippes,Kipper,Kippel,Kintsel,Kintop,Kinseth,Kinroth,Kinnion,Kinningham,Kinnier,Kinnie,Kinkin,Kinkella,Kingshott,Kingore,Kingen,Kinerson,Kindermann,Kinart,Kinan,Kinabrew,Kimbral,Killean,Kilcrest,Kilb,Kilarjian,Kiffe,Kientz,Kiening,Kielich,Kieger,Kieft,Kieff,Kiefel,Kie,Khum,Khu,Khov,Khounborine,Khoun,Khoo,Khensovan,Khela,Khay,Khansari,Khanponaphan,Khano,Khammixay,Khalife,Khalifah,Khachatoorian,Keyna,Kexel,Kewish,Kettmann,Ketring,Ketler,Ketcheside,Ket,Kestle,Kessner,Kerzer,Kerss,Kerska,Kershbaumer,Keros,Kerntke,Kerkel,Keri,Kerger,Kereluk,Kerechanko,Kercado,Keppers,Keohane,Kennet,Kennealy,Kenely,Keneally,Kendrew,Kenderdine,Kenagy,Kenady,Kemner,Kemmler,Kemme,Kemerer,Kelzer,Kellon,Kello,Kellin,Kellebrew,Kellaway,Keliipio,Kelder,Kelash,Keitzer,Keigley,Keicher,Kegerries,Keens,Keemer,Keckler,Keaveny,Keath,Keasley,Kears,Keany,Keanum,Keamo,Kealohanui,Kazmi,Kazmer,Kazin,Kazeck,Kazakos,Kayrouz,Kaylo,Kawata,Kaveny,Kavadias,Kauphusman,Kaune,Kaull,Kaub,Katzberg,Katynski,Katula,Katten,Katsbulas,Katnik,Katechis,Katcsmorak,Katan,Kastning,Kastman,Kassell,Kassabaum,Kasprak,Kasica,Kasack,Karvonen,Karvis,Karpowich,Karpiak,Karnish,Karma,Karell,Kareem,Kardashian,Karczewski,Karayan,Karatz,Karadimas,Kapusniak,Kapraun,Kappe,Kappa,Kapitula,Kapfer,Kapelke,Kapa,Kaopua,Kantarian,Kanta,Kanoza,Kannard,Kanish,Kaniecki,Kanevsky,Kaner,Kandra,Kanda,Kanatzar,Kanable,Kamph,Kamnik,Kammes,Kammerdiener,Kamerad,Kamelamela,Kamealoha,Kame,Kamb,Kaluzny,Kalupa,Kaluna,Kaltved,Kalter,Kalscheuer,Kalmus,Kalmer,Kalland,Kalima,Kalichman,Kalfa,Kalbaugh,Kakudji,Kaitz,Kainoa,Kailey,Kaiama,Kahrer,Kahola,Kahana,Kagay,Kafel,Kaetzel,Kaesemeyer,Kaer,Kaea,Kaduk,Kadis,Kaderlik,Kade,Kacik,Kachikian,Kacerski,Kaboos,Kabba,Kaaz,Kaauamo,Juza,Justino,Justason,Jurs,Jurisch,Jurgensmeier,Jurden,Jura,Jungling,Julye,Juluke,Julock,Julias,Julen,Jufer,Juedes,Jubic,Juariqui,Juaire,Jozsa,Joulwan,Jostes,Josten,Josich,Josias,Joshlin,Josefy,Josef,Jorski,Jorn,Jorinscay,Jorda,Jons,Jongeling,Jongebloed,Jondle,Jolls,Johnshoy,Johnico,Johanek,Jirjis,Jiran,Jimmison,Jill,Jewels,Jevtic,Jetty,Jesmer,Jes,Jerone,Jerko,Jenschke,Jenquin,Jennins,Jennelle,Jenison,Jendrick,Jeminez,Jellis,Jekot,Jekel,Jehl,Jebb,Jeavons,Jeanneret,Jeane,Jeancharles,Jeanbaptise,Jaworowicz,Javellana,Jaurigui,Jauch,Jastrzebski,Jass,Jasmine,Jarzembowski,Jarver,Jarosh,Jaroscak,Jarnesky,Jares,Jarell,Jaradat,Jarad,Jaquins,Janulewicz,Jansing,Janrhett,Janowicz,Janosek,Jannetti,Jannell,Janeczko,Jandron,Janczunski,Jancik,Janacek,Jamwant,Jamili,Jakovac,Jagoe,Jaffy,Jaeschke,Jaenke,Jacque,Jacobos,Jackovitz,Jackola,Jackley,Jacka,Jacckson,Jablonsky,Jabiro,Jabaay,Jaap,Iyengar,Iwanowski,Iwanejko,Ivon,Iverslie,Ivanov,Ivancich,Iturralde,Ittner,Israelsen,Israels,Ismay,Isleib,Isita,Isiordia,Ising,Isidore,Isbill,Isagawa,Isacs,Isaacsen,Irzyk,Irizzary,Irineo,Irimata,Ireton,Irestone,Iozzo,Iozzi,Iopa,Intrabartolo,Intihar,Insko,Insana,Inocente,Ink,Inhulsen,Ingole,Inches,Inafuku,Imperatore,Imgrund,Imbimbo,Imbier,Imaino,Ilse,Illuzzi,Illian,Ilic,Ilasin,Ilagan,Iker,Ihnat,Ihm,Igwe,Igtanloc,Ifversen,Iese,Ieng,Ienco,Idemoto,Icard,Iborra,Ible,Iberg,Ibbetson,Ibale,Iavarone,Iatarola,Iacovino,Iacopino,Iacobellis,Iachetta,Hysom,Hymowitz,Hymon,Hymen,Hylands,Hych,Huy,Huval,Hutmacher,Huszar,Hustace,Hussien,Huskinson,Husfelt,Husenaj,Husch,Hurtig,Hurtgen,Huro,Hurne,Hurlston,Hupman,Huor,Hunzelman,Hunsperger,Hunneyman,Hunckler,Humphrys,Humphers,Humetewa,Humeniuk,Humenik,Hulstrand,Hullings,Hulitt,Hulick,Huland,Huiting,Hugron,Hufstedler,Huffner,Huezo,Huettman,Huereca,Huenink,Huelse,Hueckman,Hudgeons,Hudach,Huckstadt,Huckle,Huckabey,Hubschmitt,Hubin,Hubertus,Hubby,Hubbel,Huban,Huaman,Hsun,Hsiang,Hrapski,Hoznour,Hoyman,Howkins,Howick,Howatt,Hovorka,Hovick,Hovanesian,Hounchell,Houf,Hotton,Hottes,Hotrum,Hotelling,Hotaki,Hostoffer,Hosterman,Hosteller,Hospkins,Hospelhorn,Hoscheit,Hoschander,Horstead,Horris,Hornoff,Hornberg,Hornandez,Hornack,Hormell,Horikoshi,Horigan,Horger,Hoppins,Hopperstad,Hopko,Hootsell,Hoopingarner,Hookano,Hooghkirk,Hoofard,Hoock,Honsinger,Honour,Honnette,Honnerlaw,Honma,Honkanen,Hongach,Honeycott,Hondorp,Honchell,Honas,Honanie,Homsher,Homestead,Holze,Holtorf,Holthus,Holster,Holsonback,Holom,Hollinrake,Hollidge,Hollerman,Hollendonner,Hollberg,Holk,Holian,Holes,Holecz,Holec,Holdvogt,Hokutan,Hok,Hoiness,Hoilman,Hohiudden,Hohensee,Hohaia,Hogelin,Hogatt,Hogarty,Hoftiezer,Hoffstatter,Hoffnagle,Hoffeditz,Hoffart,Hoerl,Hoefel,Hodos,Hodnefield,Hockins,Hockenbrock,Hocke,Hochard,Hocate,Hobler,Hober,Hoben,Hobell,Hobden,Hoagberg,Hnyda,Hlavka,Hladik,Hladek,Hitchen,Hislope,Hirschberg,Hirneise,Hirn,Hirliman,Hirleman,Hirao,Hippenstiel,Hintson,Hint,Hinley,Hinh,Hinebaugh,Hindson,Hinderberger,Himmelmann,Himanga,Him,Hilston,Hilstad,Hilser,Hilsendager,Hilsenbeck,Hilscher,Hilsabeck,Hilpert,Hilman,Hillerud,Hillebrano,Hillebrandt,Hilland,Hilgers,Hilgeman,Hilfiker,Hildago,Hilda,Hilbrand,Hikel,Highbaugh,Higgons,Higgenbottom,Hiersche,Hierholcer,Hiedeman,Hiday,Hickethier,Hichens,Hibbitt,Heyduck,Hewko,Hevron,Heuwinkel,Heuvelmann,Heusner,Heung,Heuett,Heuck,Hettinga,Hessey,Hespen,Hescock,Heschke,Hervig,Hertzel,Herston,Herstad,Hershkop,Hershelman,Herschelman,Herriges,Herres,Herrarte,Herpich,Hernanez,Hernanadez,Hernan,Hermenau,Hermanowicz,Herkstroeter,Herkenratt,Herera,Herendeen,Herauf,Henstrom,Hense,Henrity,Hennigh,Hennies,Henneberry,Henkey,Henjes,Hengl,Hengen,Henfling,Henerson,Henein,Hendrik,Hendricksen,Hendeson,Henderso,Henderlite,Hemon,Hemmann,Hemker,Hemesath,Hemani,Helweg,Helverson,Helseth,Helquist,Helom,Helmstetter,Helmsing,Hellweg,Hellmich,Helgager,Helgaas,Helfenbein,Helems,Helem,Helde,Heiting,Heither,Heisdorffer,Heiro,Heirendt,Heinzig,Heiniger,Heingartner,Heimlicher,Heimburger,Heiken,Heidtman,Heidrich,Heidi,Heidelberger,Heidebrecht,Heick,Heibult,Heholt,Heggood,Heeth,Heers,Heern,Heerkes,Hedtke,Hedspeth,Hedon,Hedinger,Hecke,Hechinger,Hebeisen,Heatherton,Heartsill,Heagney,Heafey,Headly,Headland,Headlam,Headington,Heade,Hazy,Hazim,Haza,Haynam,Hayertz,Haydt,Haxby,Hawse,Hawkinberry,Hawe,Havlin,Havir,Havelka,Hauxwell,Hautan,Hausrath,Hauptmann,Haughn,Hauersperger,Hatzenbihler,Hattley,Hatta,Hatori,Hathorne,Hatchitt,Hatchet,Hatada,Hastin,Hastedt,Hassing,Hassenger,Hassanein,Hasker,Haskel,Hashaway,Hasenfuss,Hasenfratz,Hascup,Hasas,Hartwigsen,Hartrum,Hartquist,Hartory,Hartlen,Hartleben,Hartinger,Harsin,Harritt,Harriage,Harpham,Harnos,Harnist,Harleman,Harlee,Harke,Hargers,Hardter,Hardsock,Hardnette,Hardine,Hardi,Hardges,Harderman,Harde,Hardan,Harcar,Harbater,Harapat,Harang,Haq,Hanzl,Hansome,Hansman,Hansis,Hansing,Hanoa,Hanninen,Hannaway,Hannawalt,Hanmer,Hankison,Hanible,Hanenberger,Haneke,Hanebutt,Handzlik,Handsom,Handkins,Handke,Handin,Hanback,Hanawalt,Hanavan,Hamsik,Hamonds,Hammette,Hammerman,Hammacher,Hamlette,Hamiltan,Hamidi,Hamff,Hamett,Hamersly,Hamers,Hamdn,Hamden,Hamberry,Hamara,Hamacher,Halyk,Haltiwanger,Halstrom,Halse,Halpert,Halnon,Hallo,Halliman,Hallemeyer,Hallack,Halima,Halick,Haldi,Halcott,Halbershtam,Halajian,Halaas,Hakey,Haitz,Hairell,Haims,Haifa,Hahnert,Haggin,Haggerton,Haggermaker,Hagey,Hafferkamp,Haferkamp,Haeuser,Haessly,Haese,Haerter,Haering,Haeder,Hadvab,Hadsall,Hadler,Hadesty,Haddenham,Hadaller,Hacopian,Hackl,Hackerott,Hacken,Hachting,Haboush,Hable,Habig,Habibi,Haberstroh,Habenicht,Haaz,Haakenstad,Haage,Gyllensten,Gwilt,Gwillim,Guzon,Guzewicz,Guye,Gutzler,Guttormson,Gutsche,Gutjahr,Gutgesell,Gutenberg,Gustitus,Gussow,Gusmar,Gushi,Gushard,Gurwell,Gurske,Gurrero,Gurin,Gurecki,Guoan,Gunzelman,Gunyon,Guntharp,Gunstream,Gungor,Gundelach,Gunawan,Gumprecht,Gumaer,Gulston,Gulnac,Gulizio,Gulbrandsen,Guitano,Guimares,Guillebeau,Guillary,Guillama,Guilfoos,Guiggey,Guiga,Guieb,Guidrey,Guiab,Guffanti,Guerrini,Guerrazzi,Guerera,Guenthur,Guell,Guedjian,Gudmundsson,Gucker,Gubin,Gubala,Guba,Guasp,Guarriello,Guarno,Guarini,Guanche,Guagenti,Gstohl,Grzesik,Grzebien,Gryszowka,Grymes,Gruz,Grustas,Gruse,Gruntz,Grunert,Grune,Grunberg,Grumney,Grumbling,Gruman,Grulkey,Gruiger,Gruening,Gruenewald,Gruby,Gruben,Grubel,Grubba,Grriffin,Groys,Growell,Grothaus,Grosskreutz,Groskreutz,Grosclaude,Groot,Gronstal,Gronquist,Gronlund,Gronitz,Gronberg,Grona,Gromoll,Grohowski,Grohman,Groetsch,Groder,Grobmyer,Groberg,Grivno,Grivetti,Grippen,Grine,Grimme,Grills,Grigoreas,Griglen,Griffitt,Griffan,Grieshop,Grieshaber,Griep,Grieff,Griebling,Griblin,Grev,Greubel,Gressmire,Gresco,Grenway,Grensky,Grennay,Grenko,Grenet,Gremo,Gremmels,Gregware,Gregus,Greggory,Gregan,Greep,Greenweig,Greensfelder,Greenhalge,Greengo,Greenbacker,Greem,Greder,Greczkowski,Grebner,Greber,Greason,Gream,Gravat,Grauman,Grauel,Grassle,Grasmick,Grapp,Granzella,Granto,Gransberry,Granquist,Granneman,Granieri,Granes,Grandon,Grandner,Granai,Grammont,Gramble,Graleski,Grainey,Grain,Graichen,Grahovac,Grageda,Gragas,Graffney,Graffagnino,Grafals,Gradley,Gradias,Gradford,Grabowsky,Grabonski,Grabler,Grabhorn,Graap,Gozman,Goyen,Goyda,Gowey,Gowda,Govostes,Govia,Gour,Gouldman,Gouldie,Gougis,Gotts,Gottemoeller,Gottdenger,Gotta,Gotshall,Gosvener,Gostlin,Gossow,Gosson,Gossling,Gosset,Gosey,Gorrindo,Gormanous,Gormally,Gorius,Gorena,Gorell,Gordley,Gordey,Gorbea,Goonen,Goodmon,Gonzelas,Gonzalis,Gonyou,Gonsiewski,Gonsar,Goney,Gomoran,Gomoll,Gollop,Gollob,Gollier,Golik,Golida,Golias,Golian,Golia,Golec,Goldthorpe,Goldhorn,Goldhirsh,Goldfuss,Goldfeld,Golderer,Goldenstein,Goldenman,Golde,Golbin,Golackson,Goicoechea,Goffigan,Goerlich,Goepfarth,Goepel,Goeing,Goehringer,Godboldt,Gochett,Gochal,Gocek,Goblirsch,Gnoza,Gnegy,Gnabah,Gmernicki,Glyn,Glueckert,Glowacky,Glovinsky,Gloston,Gloshen,Glos,Glogowski,Gloeckler,Glimpse,Glidwell,Glesener,Gleitz,Gleckler,Glebocki,Gleber,Glazner,Glazebrook,Glaves,Glavan,Glasby,Gladysiewski,Gladle,Gladhart,Gjeltema,Givant,Gius,Giulioli,Gitt,Girres,Girbach,Girand,Gip,Giottonini,Giorno,Gionta,Giombetti,Gioffre,Gioe,Ginzel,Ginsel,Ginocchio,Ginnis,Ginard,Gimse,Gilzow,Gilton,Gilstad,Gilomen,Gilner,Gilly,Gillming,Gillion,Gillich,Gillice,Gille,Giliberto,Gilhuly,Gilgan,Gildemeister,Gilcris,Gigger,Giffith,Giffee,Giff,Gietz,Giesel,Giera,Gibeaut,Gibala,Giasson,Giarusso,Giarrano,Giaquinta,Giannavola,Giandomenico,Gianandrea,Giallorenzo,Giacherio,Giachelli,Giacchi,Ghebremicael,Gezalyan,Getzschman,Getzlaff,Gettens,Gettelman,Gestether,Gesing,Gesamondo,Gerz,Gerwin,Gerveler,Gertsema,Gerthung,Gerten,Gertel,Gerteisen,Gerstenberger,Gershkovich,Gerney,Germy,Germana,Gerich,Gerdiman,Gerckens,Gerbig,Georghiou,Geoly,Gentleman,Gentges,Gentelia,Gensel,Geniesse,Genia,Generalao,Gemmiti,Geml,Gelner,Gellings,Gellinger,Gelino,Gelhar,Gelfond,Gelerter,Gelder,Gelbart,Geisinsky,Gehrki,Gehm,Geen,Gederman,Gede,Gearn,Geant,Gazzara,Gazitano,Gazdik,Gayanilo,Gawthorp,Gavit,Gaviglia,Gavett,Gavan,Gavagan,Gausman,Gaukroger,Gaufusi,Gaudier,Gaudett,Gauci,Gatzow,Gatta,Gatheright,Gatesy,Gatesman,Gastelo,Gaschke,Garwin,Garter,Gartenmayer,Gartenhaus,Garsjo,Garroutte,Garrettson,Garrean,Garre,Garnham,Garnache,Garmire,Garmen,Garlett,Garkow,Garito,Garinger,Gargan,Garcon,Gapp,Gantzler,Gantvoort,Gansert,Gansen,Ganns,Gannetti,Ganin,Ganigan,Gamotan,Gammond,Gamer,Gamello,Gambrill,Gambold,Gambee,Gambardella,Galven,Galvani,Galuszka,Galuppo,Galmore,Gallusser,Gallodoro,Gallington,Galleta,Gallegoz,Gallaugher,Gallargo,Galkin,Galipo,Galinis,Galimberti,Galic,Galbiso,Galathe,Galassini,Galanti,Galano,Galagher,Gajeski,Gajardo,Gaiters,Gails,Gailliard,Gaffer,Gafanha,Gaer,Gadewoltz,Gaden,Gackle,Gabrial,Gabrenas,Gabossi,Gables,Gabl,Gabhart,Gabeline,Gabbamonte,Fyler,Fykes,Fusner,Fusillo,Fushimi,Fus,Furtak,Furblur,Fundora,Funderberg,Fumero,Fuls,Fulham,Fulco,Fujimura,Fujikake,Fugueroa,Fuger,Fugatt,Fuerstenau,Fuerbringer,Frymoyer,Frymier,Frymark,Frutiger,Frushour,Fruman,Fruin,Frugoli,Fruehauf,Froyd,Frosto,Frontis,Frontiero,Fronick,Froneberger,Frohberg,Froebe,Frobish,Frittz,Fritchley,Fritchey,Frisinger,Frisell,Frija,Friehauf,Friedenthal,Friebel,Freundlich,Fret,Frerich,Frens,Freker,Freiseis,Freimark,Freilino,Freiheit,Freiermuth,Freidin,Freemantle,Freeh,Freedlander,Freeders,Freeburger,Fredregill,Frederique,Freckleton,Frecker,Frazzano,Frauenfelder,Frattali,Fratta,Fratrick,Fratercangelo,Frasso,Frashure,Fraschilla,Franzman,Franzini,Franza,Franty,Fransisco,Franpton,Frankson,Frankland,Frankiewicz,Frankart,Frangione,Franchini,Francescone,Fralic,Fraklin,Frair,Fragosa,Fradkin,Fracasso,Foyer,Foxhoven,Fowlie,Fowley,Fowlar,Fower,Foute,Foussell,Fouquette,Founds,Fougner,Fosmire,Fosher,Fosbrook,Fortun,Forss,Forsmann,Forslin,Forsee,Forpahl,Fornili,Fornier,Fornaro,Formichelli,Formaggioni,Forkum,Forkell,Foriest,Forgrave,Foresta,Forejt,Foreback,Forcum,Forcht,Forchione,Forch,Forberg,Forbach,Fonua,Fonteno,Fonteneau,Fongvongsa,Fondriest,Fondaw,Fonck,Fohl,Foglio,Foersterling,Foddrell,Focke,Flugum,Flucas,Fluaitt,Floss,Florendo,Floras,Floer,Flockhart,Flockerzi,Floan,Flin,Fliger,Flieller,Fleurilus,Flenord,Fleniken,Flenaugh,Flemmon,Flemm,Fleites,Fleischner,Fleckles,Flechas,Flauding,Flatter,Flato,Flanner,Flanegan,Flammang,Flakne,Flaker,Flagiello,Fladung,Flachs,Flaa,Fiwck,Fitzrandolph,Fitzherbert,Fitzgerrel,Fitsgerald,Fisser,Fishell,Fischl,Fischhaber,Fischel,Fiscella,Fiscel,Firpi,Firenze,Fiorilli,Fiorica,Finwall,Finklestein,Fingerson,Fingerman,Fineout,Finello,Finell,Findlen,Finco,Filthaut,Filpus,Filo,Filla,Fili,Fil,Figiel,Figgeurs,Figert,Fietek,Fiest,Fieser,Fiesel,Fickbohm,Ficht,Ficchi,Fialho,Fial,Feyh,Feyereisen,Feuss,Feusier,Fette,Festini,Fest,Fesko,Fertik,Ferrusi,Ferrone,Ferrio,Ferringo,Ferries,Ferrie,Ferrett,Ferrato,Ferrario,Ferraraccio,Ferranto,Ferr,Ferouz,Fernette,Fernanders,Ferkel,Feret,Ferer,Ferenz,Fenrich,Fenniman,Fennig,Fenison,Fendrick,Fendlason,Fend,Fenbert,Felver,Feltham,Felonia,Felling,Fellezs,Felizardo,Felio,Felicien,Felicia,Felicano,Feliberty,Feistner,Feister,Feintuch,Feilds,Feighner,Feierman,Fehrs,Fegueroa,Fegles,Fegette,Feerick,Feela,Feehly,Feehery,Fedorko,Fedie,Fedezko,Fedewa,Federkeil,Fecto,Fechtig,Fecher,Featheroff,Feagans,Fazzari,Faycurry,Fawson,Fawler,Favuzzi,Favro,Favian,Favazza,Fausey,Faus,Faupel,Fattore,Fatora,Fathy,Fathree,Fatheree,Fassinger,Faske,Farug,Fars,Farnese,Farkus,Farinha,Faren,Faraimo,Farahkhan,Faragher,Fanti,Fanter,Fantazia,Fantauzzo,Fansher,Fandino,Fanatia,Famageltto,Falzon,Fallow,Fallenstein,Falencki,Falcioni,Falci,Failey,Failde,Faigley,Faidley,Fahrni,Fahrlander,Fahrenthold,Fahning,Fago,Fagle,Fagerquist,Fagerlund,Fageraes,Facello,Ezzelle,Eyton,Eyestone,Exton,Exantus,Evjen,Evilsizor,Evertt,Evertsen,Eversmeyer,Everroad,Everline,Everet,Evartt,Evansky,Evancho,Eull,Ettman,Ettienne,Ettel,Etringer,Eth,Estronza,Estrem,Estrade,Estok,Estle,Estimable,Estess,Estella,Estanislau,Essix,Essency,Esquinaldo,Espiridion,Espinel,Esperon,Espenlaub,Espejel,Esparsen,Esmont,Esmon,Esmay,Esmaili,Eskins,Eskind,Eshmon,Esfahani,Escober,Escanlar,Erz,Ersery,Eros,Ernster,Erlebach,Eriks,Erichson,Erger,Eredia,Erdos,Ercole,Ercolano,Erazmus,Eraso,Epel,Eovaldi,Ensz,Ensel,Enock,Ennes,Enis,Engnath,Engfer,Engelmeyer,Engelberg,Engard,Endris,Endreson,Endorf,Endersbe,Ende,Encino,Emshwiller,Empasis,Emore,Emmond,Emiliano,Emerling,Emenaha,Emde,Emberling,Emano,Elway,Elvey,Eltringham,Elter,Elsken,Elsheimer,Elsaesser,Elrick,Elreda,Elpert,Elnicki,Elmes,Ellsmore,Ellrod,Ello,Ellinghuysen,Ellingham,Ellingburg,Elles,Ellenbogen,Elleby,Ellcessor,Ellamar,Elke,Elijah,Eligio,Elieff,Elicker,Elian,Eliades,Elhadi,Elfenbein,Elenbaas,Eldringhoff,Eld,Elbie,Eke,Ekas,Eisnaugle,Eisiminger,Eisenhaver,Eisenhardt,Eisenberger,Eiselein,Einwalter,Eighmey,Eidemiller,Eickmeyer,Eichstedt,Eichenberg,Eichberg,Eibel,Ehrisman,Ehrenzeller,Ehman,Ehli,Ehl,Eheler,Egwuohua,Eglin,Egler,Egersdorf,Egelston,Efthimiou,Eelkema,Edu,Edridge,Edland,Edenholm,Edem,Economou,Eckmann,Eckblad,Eckardt,Echternach,Echter,Ebrahimi,Eberst,Ebershoff,Eberheart,Ebbett,Eayrs,Eavey,Eatough,Eastling,Eastern,Easterlin,Earthly,Earing,Eakles,Eagleman,Eacho,Eaby,Dzwonkowski,Dzurnak,Dzurilla,Dziuba,Dzinski,Dziewanowski,Dziekan,Dyrstad,Dydo,Dvorsky,Duyer,Duttinger,Dutchess,Duston,Dush,Durward,Dursteler,Durpee,Durough,Durniok,Durnan,Durisseau,Duris,Duriga,Durda,Durboraw,Dura,Duquaine,Duplessy,Duplanti,Dupes,Duperre,Dupaski,Duos,Dunshie,Dunphe,Dunnell,Dunkinson,Dunkerley,Dunkan,Dunemann,Dunderman,Duncans,Dunahoe,Dumouchel,Dummett,Dumeny,Dumbar,Dumar,Dulan,Dukett,Duk,Duis,Duguette,Dugre,Dufrain,Dufauchard,Duesterhaus,Duesterback,Duerst,Duenwald,Dudzik,Dudycha,Dudenbostel,Dudden,Ducklow,Duckey,Duchnowski,Duchane,Duceman,Dubovsky,Dubler,Duber,Dubel,Dubbert,Drutman,Drummey,Drumbore,Droy,Drow,Droubay,Drorbaugh,Dropinski,Dronko,Dronick,Droggitis,Drissel,Driscol,Drinen,Driessen,Driedric,Dreuitt,Drenning,Drelick,Drejka,Dreiss,Drebes,Dratch,Drakulic,Drakos,Draime,Dragovich,Dragich,Draggett,Dragg,Drabicki,Doyscher,Doxbeck,Downy,Downhour,Dowland,Dowker,Dowds,Dowda,Douyette,Douthett,Doughman,Dougharty,Douga,Doudna,Dotolo,Dossman,Dosh,Dorsinville,Dorsay,Dorrill,Dorosh,Dornbrook,Dorlando,Dorio,Dorie,Dorcas,Doporto,Dopita,Doorley,Dooner,Donton,Dono,Donnerberg,Donnalley,Donlyuk,Donkle,Donilon,Doniger,Donigan,Doniel,Doncaster,Donatich,Donaher,Donah,Donaghue,Donaby,Domowicz,Domitrovich,Dominowski,Dominiak,Domenice,Dombek,Domagalski,Domagall,Dolsen,Dolmajian,Dolley,Dolinski,Dolhun,Dolfi,Dolecek,Dokovic,Dok,Dohrn,Doerksen,Doelger,Doeberling,Dody,Dodimead,Dodgion,Dockum,Dockerty,Dochterman,Dobrzykowski,Dobrynski,Dobrushin,Dobrosky,Dobrinin,Dobison,Dobbyn,Dobbe,Dlugos,Ditucci,Dittus,Dittmann,Dito,Ditmars,Disotell,Disorda,Disharoon,Dischner,Discala,Disalvi,Dirth,Dirr,Dirienzo,Dipolito,Dipilato,Dipietrantoni,Dipanfilo,Dioneff,Diomede,Dinuzzo,Dintino,Dinsmoor,Dinsdale,Dinos,Dinora,Dinnendahl,Dinkle,Dininger,Dingillo,Dingie,Dingell,Dimitry,Dimicco,Dimezza,Dimarzio,Dimario,Dimariano,Dimanche,Dilucca,Dillis,Dilliner,Dillin,Dillashaw,Dilillo,Dilg,Dilella,Diker,Digiouanni,Digeorgio,Difronzo,Difrancisco,Dietterick,Diestler,Dies,Dierkes,Diekema,Diederichs,Dieball,Didway,Didonatis,Didomizio,Didio,Didato,Dicosmo,Dicorpo,Dicocco,Diclaudio,Dichiaro,Dible,Diblase,Dibiasi,Dibbern,Diano,Diani,Diangelis,Diamantopoulo,Diaco,Dhruva,Dheel,Dharas,Dezalia,Deyak,Deya,Dewolff,Dewick,Dewese,Dewater,Devot,Devost,Devis,Devilliers,Devery,Deveny,Devenny,Develice,Devasier,Devarona,Devanski,Devai,Deus,Dettorre,Dettor,Detrolio,Detrich,Detillion,Deteso,Determann,Deterline,Deterding,Detchon,Detaeye,Destina,Destefani,Desruisseaux,Desormeau,Desonia,Desmore,Desko,Desimas,Desher,Deshayes,Deschene,Desantos,Desando,Desamparo,Desalvatore,Derx,Deruiter,Derosie,Derogatis,Derman,Derkas,Derivan,Derington,Derienzo,Derian,Dereus,Derenzi,Derentis,Derderian,Derastel,Deraps,Dequinzio,Deprato,Depont,Depiro,Depierro,Depeyster,Deonarine,Deocampo,Denzine,Denwood,Denos,Denooyer,Denomme,Denoia,Dennig,Denjen,Denisco,Denick,Denholm,Denfip,Deneui,Denetclaw,Denet,Denery,Demuzio,Demske,Dempewolf,Demorrett,Demorizi,Demny,Demiter,Demilt,Demik,Demien,Demianczyk,Demetrakos,Demer,Dembek,Demauro,Demase,Demart,Demarino,Deluzio,Delullo,Delucian,Deltufo,Deltora,Delsoin,Delsavio,Delross,Delperdang,Delpaggio,Delosier,Delonge,Delonais,Deloge,Delmendo,Dellwo,Dellum,Dellosso,Delliveneri,Dellefave,Dellarose,Dellapenta,Dellamonica,Delgoda,Delekta,Delegado,Deldonno,Delco,Delce,Delbene,Delavergne,Delashmutt,Delapuente,Delaporte,Delana,Delallo,Delahay,Delagol,Delagado,Delabarre,Dekruif,Dekoning,Dekeyzer,Dejoseph,Dejardin,Dejarden,Deister,Deigado,Deichmann,Deichman,Dehm,Dehlinger,Dehl,Dehetre,Dehaney,Dehaas,Degrood,Degrass,Degrande,Degooyer,Degnim,Deglandon,Degenfelder,Degenaro,Degear,Degagne,Defrang,Defrain,Defosset,Defosse,Defont,Defir,Defayette,Deerdoff,Deely,Dedrickson,Dednam,Dederich,Decurtis,Decourt,Decourcey,Decock,Declerk,Decius,Dechavez,Dech,December,Decarvalho,Decarmine,Decaire,Decaen,Debrosse,Debreto,Debrecht,Debrae,Debore,Debien,Debenedictis,Debarge,Debardelaben,Debaets,Deasis,Dears,Dearruda,Dearring,Dearinger,Dearin,Dearcos,Deanes,Deakyne,Dazzi,Dazi,Dayao,Dawkin,Davolt,Davise,Davine,Davidsmeyer,Davidowicz,Davaz,Davari,Davance,Dauster,Dause,Daulerio,Daughters,Daugereau,Daubney,Datamphay,Dasouza,Daskal,Dashno,Dashne,Dasen,Daschofsky,Dasch,Darwich,Darvish,Darveau,Darting,Darthard,Darron,Daron,Darnstaedt,Darmody,Darmiento,Darington,Dariano,Daria,Dardenne,Darakjian,Danyow,Dannis,Danniels,Danni,Dannelly,Dannelley,Dannatt,Daniely,Dangelis,Danese,Daner,Dandoy,Danco,Danca,Danas,Damrell,Damone,Damms,Damme,Dalporto,Daloisio,Dalmata,Dallison,Dallam,Dallago,Dalegowski,Dalecki,Daku,Daking,Daken,Dajer,Dajani,Daidone,Dahlka,Dagres,Dago,Dager,Dafonte,Dada,Daczewitz,Dach,Czysz,Czubakowski,Czartoryski,Czapiewski,Cyrnek,Cyree,Cygrymus,Cwikla,Cwalinski,Cutrera,Cuther,Cutchember,Cushner,Cusenza,Curreri,Curlis,Curio,Curimao,Curia,Curey,Cunio,Cumoletti,Cumberlander,Culpit,Culloton,Cuffy,Cuffman,Cuddington,Cucuta,Cucufate,Cubine,Cubano,Cuadras,Csuhta,Crutison,Cruther,Crusinberry,Crummell,Crumly,Cruff,Crozat,Crossmon,Crosiar,Crookshank,Crookes,Cronoble,Croner,Cromeans,Crolley,Crofutt,Crockette,Crivelli,Crivaro,Cristino,Criste,Crissey,Crisalli,Criley,Cribari,Crewe,Creselious,Crescenti,Crepps,Crenwelge,Creitz,Cregin,Cregger,Creekbaum,Credi,Crebs,Crayford,Cravy,Cravalho,Crauswell,Crathers,Crask,Crapp,Crape,Crapanzano,Cranson,Crans,Crannell,Crandal,Craigwell,Craigmyle,Crafter,Cradler,Coxwell,Coxen,Cowlin,Covitz,Coventon,Coutre,Coutinho,Coutermarsh,Courton,Courseault,Courrege,Courey,Coulon,Coulibaly,Couden,Coton,Coste,Cossett,Cosman,Cosma,Coslow,Cosico,Coshow,Corwell,Corvo,Corujo,Cortopassi,Cortinez,Cortijo,Corrio,Corrington,Corriher,Corridan,Corrga,Correla,Corping,Corpe,Coroniti,Cornn,Cornmesser,Cornella,Corneille,Corkron,Corf,Coreen,Cordiero,Cordew,Cordenas,Corcuera,Corbley,Coray,Coraham,Copstead,Copsey,Copping,Coppes,Copney,Coopper,Cooperider,Coopage,Coonse,Cookerly,Conwright,Contreraz,Continenza,Contes,Consuelo,Constine,Constanzo,Constantin,Constancio,Consentino,Conradt,Conour,Conoley,Conney,Connerat,Conlogue,Conforme,Confalone,Coneway,Condroski,Condina,Condiff,Condi,Conchado,Conch,Concatelli,Conaughty,Commerford,Comissiong,Cominski,Cominotti,Comar,Colschen,Colpi,Colpa,Colony,Collons,Collon,Collicott,Collea,Collari,Colker,Colier,Colesar,Colemen,Colecchi,Colcher,Colchado,Coklow,Cokel,Cohick,Cofone,Coffinberger,Coffell,Coffel,Codispot,Codilla,Cocroft,Cockerhan,Cochren,Cochenour,Cobetto,Cobar,Coalter,Clyman,Cluver,Clusky,Clunes,Clukies,Clowerd,Clouatre,Clossin,Cloos,Clokey,Clinkinbeard,Cliffton,Clibon,Clevland,Cleverley,Clesca,Clerc,Clemenza,Cleath,Cleasby,Cleal,Clavijo,Clater,Claros,Claghorn,Clacher,Clabo,Civil,Cittadini,Citroni,Cissel,Cisar,Cirella,Circelli,Ciprian,Cipcic,Ciotta,Cinnamond,Cinkan,Cinco,Cinar,Cimorelli,Ciminera,Cilenti,Cihak,Cieloszyk,Cidre,Cicen,Cicali,Cibik,Ciavardini,Cianfrani,Cianciola,Ciallella,Ciaffone,Chyle,Chy,Churchfield,Churape,Chuma,Chulla,Chueng,Chubicks,Chrystal,Chrosniak,Chriswell,Christopoulos,Christi,Christerson,Christenbury,Chowenhill,Chowansky,Choudhary,Chor,Chopton,Cholula,Chollett,Choinski,Chocron,Chockley,Chochrek,Choates,Chlebus,Chiz,Chitrik,Chisman,Chiphe,Chiola,Chiodi,Chinault,Chime,Chimal,Chilsom,Chillo,Chicles,Chicharello,Chicalace,Chiariello,Chiappari,Chhan,Chham,Chez,Chevis,Cheverton,Cheverez,Cheu,Chessman,Cherubini,Cherrin,Cheroki,Cherny,Chernich,Chernesky,Cheranichit,Cheeseboro,Chech,Cheam,Chavoustie,Chavies,Chaumont,Chaulklin,Chatampaya,Chasson,Chassaniol,Chary,Charvet,Charry,Chari,Chararria,Chappo,Chappa,Chapmond,Chaplik,Chapen,Chanthasene,Chanler,Chanco,Chamul,Champaco,Chalupa,Challinor,Challa,Chalender,Chaknis,Chakkalakal,Chaisty,Chaddick,Chaboya,Chaberek,Chabbez,Cevera,Cerverizzo,Cerventez,Cervantsz,Cerva,Cerroni,Cerri,Cerrello,Cerone,Cernuto,Cernota,Cerminaro,Cerf,Ceretti,Cerceo,Cerasuolo,Ceraso,Cerasi,Cerar,Ceraos,Cepin,Cepas,Centi,Cendana,Cendan,Cellar,Celeya,Ceder,Cecot,Cazel,Cazaree,Cawon,Cawein,Cavrak,Caveness,Cavalaris,Cavaiani,Cauterucci,Caughorn,Caughell,Cauazos,Catts,Cattanach,Catrini,Catozzi,Catignani,Catholic,Catherson,Catherine,Cathell,Catello,Catchpole,Catanzano,Casuscelli,Castros,Castrey,Castongvay,Castillion,Castelum,Castells,Castellion,Cassler,Cassino,Cassilano,Cassiano,Cassetty,Cassens,Cassells,Cassavaugh,Cassagne,Cassa,Casolary,Casmore,Casley,Caska,Casis,Casini,Cashour,Cashmer,Cashett,Casement,Casciato,Casavez,Casasola,Casarz,Casar,Casana,Casales,Carvill,Carvallo,Cartner,Carrousal,Carrizo,Carretta,Carrethers,Carrao,Carran,Carpen,Caroselli,Carolla,Carnillo,Carnegia,Carmin,Carmickel,Carlini,Carland,Carknard,Carioscia,Carina,Carideo,Carfrey,Cardinalli,Cardiff,Cardazone,Carbonella,Carbery,Carbee,Caravetta,Caravati,Caramelo,Caramella,Caraig,Carabine,Cara,Capristo,Capri,Cappellini,Caporiccio,Capicotto,Capestro,Capener,Capek,Capas,Capaccino,Caoagdan,Canwell,Cantella,Cantakis,Canson,Cansino,Cansibog,Cannistraro,Canner,Caneza,Caney,Caneva,Canetta,Canestraro,Candozo,Candlish,Candell,Canant,Canalez,Can,Camus,Campora,Campobasso,Campble,Campau,Campain,Camlin,Camisa,Camerino,Camerano,Camenisch,Camelin,Cameli,Cambia,Camareno,Camancho,Camack,Calvan,Calumag,Caltagirone,Calowell,Callnan,Callington,Calliham,Calligaro,Caller,Callar,Callam,Callagy,Callagher,Callado,Caliman,Caldron,Caldoron,Caldarera,Calcao,Calaf,Cakmak,Cajulus,Cajka,Caivano,Caires,Caire,Caiozzo,Cains,Cainne,Caimi,Cagnon,Cagno,Cagan,Caffentzis,Cafasso,Caez,Caddigan,Caddel,Cacatian,Cabugos,Cabon,Cabarcas,Cabanillas,Cabanela,Cabam,Bywaters,Bystron,Byse,Byous,Bynun,Byczek,Bybel,Byal,Buzza,Buzo,Buzis,Buvinghausen,Butzke,Buttross,Buttray,Buttke,Buttitta,Butenhoff,Busscher,Busk,Busitzky,Bushweller,Bushrod,Bushfield,Buschur,Busacca,Burzlaff,Burvine,Burtts,Burtschi,Burtell,Bursik,Burrs,Burras,Burows,Burnie,Burnash,Burmside,Burm,Burly,Burlson,Burlile,Burlaza,Burlage,Burkstrand,Burkly,Burklow,Burkin,Burian,Burgs,Burgoa,Burgey,Burgees,Burfeind,Burdzel,Burchinal,Burbine,Buratti,Buonassisi,Buonaiuto,Buntz,Bunts,Buntenbach,Bunson,Bunda,Bumpaus,Bumbalo,Bumbaca,Bullivant,Bullin,Bulisco,Bulik,Buley,Bulat,Bukowiecki,Builes,Buhrke,Buhlig,Bugh,Buffone,Buenviaje,Bueler,Buehlman,Budzik,Budy,Budrovich,Budish,Budiao,Budhu,Buden,Buddy,Bud,Buczko,Bucknor,Buckmeon,Buckless,Buckett,Buckaloo,Buchwalter,Buchmiller,Buchmeier,Buchite,Buchinsky,Bucheli,Buchann,Buchal,Bucaro,Bubolz,Buboltz,Bubert,Brzezicki,Brzenk,Brys,Bryngelson,Bryla,Bryington,Bruzewski,Bruzek,Brustmann,Brusser,Bruscato,Brunzel,Brunkhardt,Brunick,Brunetta,Brunecz,Bruna,Brumaghim,Bruker,Bruin,Brugliera,Bruffee,Brueske,Bruegger,Bruechert,Bruckmeier,Brroks,Brozeski,Broyle,Brownlie,Browman,Broudy,Brothen,Broski,Brosi,Brookskennedy,Brookie,Bronston,Broncheau,Brommer,Brola,Broitzman,Brohn,Broglio,Brogley,Broers,Broering,Brodtmann,Brodis,Brodine,Brodfuehrer,Brodess,Brodes,Brockus,Brockenberry,Brociner,Brochet,Broadnay,Brizeno,Britts,Brinley,Brinkhaus,Brinius,Brininger,Bringer,Brindza,Brindger,Brinar,Brilowski,Brigner,Brightharp,Brighter,Brienza,Brienen,Bridenbecker,Brickson,Breznay,Brezinka,Breyers,Brevell,Brettmann,Bretos,Bresser,Brentz,Brennick,Brening,Brendeland,Brem,Breiter,Breihan,Breidigan,Bredlow,Bredin,Breckley,Breckenstein,Brebes,Breaz,Breaud,Breath,Bready,Brazie,Braunwarth,Braunberger,Brauman,Braucks,Brath,Brasure,Brasswell,Brasseux,Braskett,Brasby,Brantingham,Bransfield,Branseum,Brano,Brangers,Brang,Branes,Brandstrom,Brandorff,Brandom,Brandenburger,Branck,Brancaccio,Bramuchi,Bramlitt,Bramel,Bramasco,Bram,Brakke,Brak,Braget,Bragado,Brafman,Bradmon,Bradick,Bradey,Bradd,Bracklin,Brackbill,Brabazon,Braband,Bozych,Bozic,Boyl,Boyens,Boyde,Boyas,Bowlick,Bowle,Bowcock,Bouy,Bouvia,Bousum,Bourraine,Bourgon,Bourbois,Bouquin,Boumthavee,Boulger,Boulch,Boulais,Boughn,Bouges,Boudle,Boudjouk,Boucouvalas,Boucaud,Bottrell,Bottoni,Bottella,Bothner,Botellio,Boswink,Bostow,Bostain,Bosson,Bossier,Bossey,Bosold,Boslet,Boshnack,Boshell,Bosheers,Bosefski,Borza,Boryszewski,Borysewicz,Borson,Borseth,Borroto,Borrigo,Borriello,Borrello,Borowicz,Borovetz,Borovec,Borgelt,Bordinger,Bordas,Bord,Borcuk,Borcher,Borbridge,Boothman,Bookhardt,Boocock,Bonwell,Bonsal,Bonnoitt,Bonnifield,Bonnick,Bonnel,Bonker,Bonita,Boning,Bonifield,Boniface,Bongle,Bongivengo,Bongio,Bonge,Bonett,Bonebright,Bondroff,Bondoc,Bonda,Boncella,Bonaventure,Bonalumi,Bonadona,Bonaccorso,Bonaccorsi,Bompiani,Bommer,Bolvin,Boluda,Bolorin,Bolon,Bollom,Bollettino,Bolk,Boliver,Boline,Bolieu,Boliek,Boleyn,Boldul,Boldery,Bolante,Bokor,Boklund,Bojanowski,Boisuert,Boislard,Bohren,Bohmann,Bohlinger,Bohart,Boham,Bogust,Bogh,Bogatay,Bogany,Boeving,Boeshore,Boesenberg,Boerstler,Boers,Boenig,Boelsche,Boelke,Boekhout,Boekelman,Boehner,Boeckmann,Bodwin,Bodrey,Bodman,Bodiroga,Bodford,Bodensteiner,Bodenheimer,Boddorf,Boddeker,Bockskopf,Bocchi,Bocage,Bobola,Bobko,Boben,Boardway,Boards,Blyzes,Blumenkranz,Bloomgren,Blong,Blondeau,Blommel,Blois,Bloem,Blocklinger,Blisset,Blimka,Bliler,Bliese,Blice,Bleyer,Blette,Blesh,Blender,Blemel,Bleifus,Blechinger,Bleattler,Blazosky,Blatti,Blatteau,Blatnik,Blatchford,Blankship,Blankschan,Blandy,Blandino,Blakeway,Blakeborough,Blaho,Blackstar,Blackgoat,Blachly,Blacher,Blach,Bizcassa,Bizarro,Bivings,Bitsuie,Bitsui,Bitsko,Bistodeau,Bister,Bisonette,Bishel,Bisconer,Biscocho,Biscahall,Bisby,Bisagna,Birts,Birnell,Birkline,Birkenhead,Birenbaum,Birckett,Birckbichler,Birchwood,Biorkman,Bimler,Bilous,Billinghurst,Billey,Billeter,Billegas,Billard,Bilkiss,Bile,Bilcik,Bigos,Bignall,Bigio,Biggio,Bigas,Biffer,Biffar,Biesinger,Bieschke,Bierbrauer,Bienfang,Biehn,Biederwolf,Bieberle,Biebel,Bidon,Bidner,Bidgood,Bidez,Biderman,Bickleman,Bicklein,Bicket,Bicker,Bickart,Bichel,Biard,Bialik,Bialczyk,Bezner,Beyrer,Beylotte,Beyerl,Bevly,Beulah,Beul,Betzel,Betterman,Betsinger,Betschman,Betita,Bethurum,Bethoney,Beth,Beston,Besso,Bessick,Besio,Beshear,Besarra,Bervig,Bertus,Bertrano,Bertovich,Bertolasio,Bertog,Bertinetti,Bertelle,Bertel,Bertch,Bertagnoli,Berschauer,Bersamin,Bers,Berri,Berretti,Berretta,Berret,Bernucho,Bernt,Bernstrom,Berno,Bernick,Bernice,Bernhagen,Bernardoni,Bernabo,Bermers,Berlove,Berlinghof,Berkhalter,Berisha,Bergseng,Bergreen,Bergholz,Bergert,Berez,Beresnyak,Berdes,Beras,Benzschawel,Benzi,Benya,Benwell,Benty,Bentrup,Bentele,Benser,Bennison,Bennink,Bennerson,Bennerman,Benitone,Beniquez,Benik,Bengelsdorf,Benell,Beneduce,Benecke,Benear,Bendzans,Bendy,Bendt,Bendorf,Bendolph,Bendlage,Benders,Bendavid,Benck,Benassi,Benari,Benage,Benadom,Benabides,Bembury,Bemboom,Bemberry,Belyoussian,Belveal,Belsey,Belongie,Belone,Belon,Beloff,Belluomini,Belloma,Bellmay,Bellish,Bellisario,Bellingham,Bellflower,Bellfleur,Bellerdine,Bellemy,Bellazer,Belkowski,Belich,Belfiglio,Beley,Beldin,Belback,Belarde,Belangia,Bel,Bekerman,Beker,Bek,Beiswanger,Beirise,Behun,Behning,Behmer,Behlen,Begor,Begg,Beetley,Bees,Beermudez,Beerling,Beeck,Bedsaul,Bedoka,Bednorz,Becklund,Beckerdite,Beckendorf,Beckenbach,Bechthold,Bechman,Becherer,Beavin,Beauprez,Beaumier,Beauliev,Beaugard,Beaufait,Beaudrie,Beathe,Beasmore,Bearup,Bearfield,Beahn,Beadnell,Beadell,Bazzel,Bazzanella,Bazelais,Bazata,Bazarte,Baza,Bayle,Bayete,Bawa,Bavzee,Bavard,Bausley,Baunleuang,Baumgard,Baumbusch,Bauknight,Baugham,Bauers,Bauermeister,Baublitz,Battistini,Battiato,Battiata,Batters,Battaglini,Bathurst,Bathrick,Batel,Batalona,Basua,Bastura,Bastress,Bastilla,Bastidos,Bastic,Basten,Bastedo,Bastain,Bassil,Basset,Bashinelli,Basbas,Baruth,Barufaldi,Bartylla,Barts,Bartrop,Bartosz,Bartosiak,Bartolotto,Bartolet,Bartoldus,Bartnett,Bartlone,Barthen,Barthelman,Bartenfield,Bartczak,Barsotti,Barrocas,Barrile,Barrieau,Barrer,Barreira,Barranger,Barranca,Barquera,Barnscater,Barnfield,Barncastle,Barnathan,Barnar,Barlip,Barkins,Barkenhagen,Barkalow,Barimah,Baridon,Barhydt,Bargar,Barff,Bardeen,Barcelona,Barby,Barbini,Barbiere,Barbetta,Barberis,Barberian,Barban,Barasch,Baranow,Baranovic,Barajos,Baraby,Bapties,Banyas,Bantug,Bantin,Bantillan,Bantay,Bansbach,Bankemper,Banis,Banick,Banecker,Bandin,Bandemer,Bandanza,Bance,Banales,Bammon,Bamfield,Bambacigno,Bambaci,Balyeat,Balvanz,Balsano,Balmores,Ballreich,Balloon,Ballmer,Ballintyn,Balley,Balletta,Balhorn,Balford,Balezentis,Baldrey,Baldiviez,Balder,Baldassarre,Baldacchino,Balchunas,Balceiro,Balbin,Balaz,Balaski,Balancia,Balagtas,Bakst,Bakkum,Bakios,Bakeley,Bajorek,Bajdas,Baizer,Baitg,Baise,Bailony,Baillio,Baille,Baiera,Bahun,Bah,Bagne,Bagi,Baghdasarian,Bageant,Bagdonas,Baetz,Baeringer,Badget,Badeau,Baddeley,Bacy,Backey,Backenstose,Backen,Backe,Backbone,Baccouche,Bacco,Bacarella,Babitsch,Babena,Babbin,Babbel,Babat,Bab,Azzaro,Azoulay,Azimi,Azer,Aylsworth,Ayarza,Axline,Axelsen,Awtrey,Avola,Avie,Avetisyan,Averyt,Aveado,Avanzato,Avala,Auyer,Auxilien,Auwarter,Aurges,Aures,Auprey,Aupperle,Aunkst,Aumich,Aument,Aumavae,Aulbach,Aukes,Augspurger,Auffrey,Attridge,Attkisson,Attinger,Atta,Aton,Atoe,Atiyeh,Athmann,Athay,Atchity,Atallah,Atala,Astwood,Astolfi,Astol,Asters,Aspegren,Asma,Ashpole,Ashfield,Ashely,Asevedo,Aschmann,Asar,Asaeli,Arzilli,Arundel,Arujo,Aruiso,Arturo,Artry,Artison,Artinian,Arrizaga,Arriazola,Arpino,Arons,Aronhalt,Arntt,Arniotes,Arnholtz,Arneberg,Armillei,Armijos,Arm,Arleth,Arlen,Arlan,Arkins,Arjes,Arizzi,Arizola,Ariyoshi,Aring,Arimoto,Arigo,Arietta,Arie,Aridas,Aricas,Arhelger,Arhart,Arguillo,Arguellez,Argote,Argenal,Arenos,Arenivas,Arenivar,Arendz,Arendsee,Arebela,Ardizzone,Ardion,Ardery,Ardd,Ardan,Arcino,Arcilla,Arcea,Arcaute,Arcangel,Arcadipane,Arbry,Araque,Aramini,Arambuia,Aragus,Aragundi,Aragoni,Aragaki,Aradanas,Arabie,Arabia,Ar,Apyuan,Apuzzi,Apruzzese,Applewhaite,Applebury,Appeling,Appelgate,Apling,Apking,Apela,Aparo,Apa,Aoay,Anyan,Antrican,Antonopoulos,Antonis,Antonich,Antonaccio,Antona,Antolik,Antinore,Anteby,Anslinger,Ansbacher,Ansara,Annette,Ankersen,Anis,Aniol,Aningalan,Aniello,Anichini,Anibal,Angviano,Anglum,Angley,Angerer,Angeloro,Angeloff,Angelocci,Anestos,Anerton,Anelli,Andzulis,Andruss,Andrian,Andreatta,Andonian,Andon,Anderon,Andebe,Andary,Ancy,Ancell,Anasagasti,Anakalea,Anagnostou,Amyotte,Amtower,Amstein,Amsinger,Amsili,Amphy,Amonette,Amolsch,Amistoso,Amisano,Amidei,Amesquieto,Amert,Amento,Ameling,Amelang,Ambroz,Ambrosone,Ambres,Amble,Amberson,Ambeau,Amati,Amargo,Amancio,Amailla,Amadi,Alzugaray,Alvorez,Alverest,Alven,Alvarengo,Alvalle,Alvacado,Alummoottil,Alukonis,Alu,Altwies,Altum,Altringer,Altop,Altheimer,Altew,Alterio,Alsman,Alsdon,Alsbrooks,Alsandor,Alrich,Alrais,Almario,Allor,Allocca,Allnutt,Allmand,Allhands,Allgaeuer,Allessi,Allenbrand,Allemond,Allegre,Allcorn,Allbones,Allamong,Allaband,Algeo,Alge,Alfreds,Alfera,Alexzander,Alexiou,Alexaki,Alexader,Alevedo,Alerte,Alekna,Aleizar,Alegi,Alegar,Aleff,Alecca,Aldrege,Aldi,Aldarondo,Alcosiba,Alcombright,Alce,Alcaoa,Alcaide,Albriton,Albrekht,Albracht,Alberthal,Alberro,Alberda,Alattar,Alar,Alampi,Alamos,Alaibilla,Alacano,Akuchie,Akram,Akinyooye,Akiereisen,Aimbez,Ailstock,Ahyou,Ahrenholtz,Ahonen,Ahmau,Ahlstedt,Ahle,Ahlborn,Aharonof,Aharon,Ahal,Aguino,Aguillera,Aguiler,Agueda,Aguallo,Agrios,Agriesti,Agricola,Agreste,Agrela,Agre,Agney,Agne,Agliam,Agerton,Afoa,Aflalo,Affelt,Affagato,Afan,Aemmer,Adzhabakyan,Ady,Adside,Adrovel,Adrid,Adonis,Adleman,Adle,Adjutant,Adesso,Adels,Addo,Adamiak,Acron,Ackins,Ackies,Achziger,Achzet,Achekian,Ache,Acfalle,Accetturo,Abubakr,Abson,Abramowski,Aboytes,Aboulissan,Abling,Ablin,Ablang,Abke,Abetrani,Abernatha,Abela,Abeb,Abdin,Abdelwahed,Abdella,Abdeldayen,Abdel,Abbinanti,Abbay,Abbadessa,Abaya,Abaunza,Abatti,Aasby,Aaland,Aaby,Zysett,Zwinger,Zweier,Zuziak,Zusman,Zuro,Zurkus,Zurheide,Zurawik,Zuniega,Zumot,Zullig,Zukowsky,Zukof,Zukerman,Zuclich,Zuchara,Zubrzycki,Zuberbuhler,Zuazo,Zsohar,Zschoche,Zrimsek,Zoutte,Zotos,Zorzi,Zoroiwchak,Zorens,Zoquier,Zonia,Zone,Zondlo,Zomora,Zombro,Zombory,Zombo,Zomberg,Zolman,Zollar,Zolinski,Zolinas,Zoellick,Zoelle,Zoebisch,Zodrow,Zoda,Zobell,Zmiejko,Zlotnick,Zlatkin,Ziyad,Ziter,Zita,Zissler,Zisser,Zirin,Zircher,Zipse,Zipkin,Zipay,Zinni,Zinkl,Zimit,Zimba,Ziman,Ziler,Zilahi,Ziko,Zihal,Zieske,Zieser,Zientara,Ziencina,Zielonko,Ziek,Ziehm,Ziego,Ziegenhagen,Ziedan,Ziebold,Zidzik,Zickuhr,Zicari,Zibert,Zibelli,Ziak,Ziadie,Zezima,Zeyadeh,Zeto,Zetes,Zerzan,Zerring,Zerom,Zerck,Zerbel,Zentgraf,Zenker,Zener,Zenbaver,Zena,Zemon,Zemjanis,Zeminski,Zelmar,Zellous,Zellefrow,Zelkind,Zeleny,Zelenko,Zeis,Zeimetz,Zeimantz,Zeilman,Zehnpfennig,Zehe,Zeegers,Zeckzer,Zebell,Zebel,Zeals,Zdrojkowski,Zazozdor,Zaxas,Zawadzki,Zavatson,Zavadoski,Zatko,Zastawny,Zaspel,Zarzuela,Zarycki,Zarucki,Zart,Zarriello,Zarozinski,Zarnick,Zarkin,Zaritsky,Zarella,Zappolo,Zappile,Zappavigna,Zapoticky,Zapico,Zapato,Zapatas,Zanueta,Zanter,Zanola,Zanis,Zaneski,Zanco,Zamzam,Zamperini,Zamparini,Zampaglione,Zamostny,Zammiello,Zammetti,Zambotti,Zamborsky,Zam,Zalwsky,Zakarian,Zaituna,Zaitlin,Zaidel,Zaic,Zaibel,Zahri,Zahradka,Zahra,Zahorchak,Zaharchuk,Zagorac,Zagen,Zaffina,Zaffalon,Zadra,Zadow,Zador,Zadd,Zacharia,Zacharewicz,Zablonski,Zabka,Zabik,Zabielski,Zabek,Yuzn,Yuste,Yusi,Yurkanin,Yurich,Yurchiak,Yungclas,Yungbluth,Yunan,Yuki,Yueh,Yucha,Yslava,Yrigollen,Yragui,Ypina,Yozamp,Yovino,Yovanovich,Yournet,Younkins,Younglove,Younglas,Youket,Yosko,Yoshimori,Yorton,Yorn,Yorkman,Yorio,Yorgey,Yoquelet,Yonkoske,Yongue,Yonge,Yoney,Yonemori,Yonek,Yokiel,Yokely,Yoders,Yo,Yngsdal,Ylonen,Yilma,Yidiaris,Yezek,Yestramski,Yessios,Yeskey,Yerry,Yerly,Yerbich,Yenz,Yenney,Yenner,Yenglin,Yengich,Yendell,Yeldon,Yekel,Yeisley,Yeilding,Yegge,Yeend,Yeeloy,Yearicks,Yeamans,Yeakle,Ydara,Ybos,Yballe,Yavorsky,Yater,Yasutomi,Yasinski,Yarzabal,Yarrell,Yarish,Yanoff,Yannotti,Yankovitz,Yanity,Yanetta,Yandura,Yancik,Yanan,Yanai,Yamnitz,Yammine,Yamkosumpa,Yakulis,Yaklich,Yakel,Yahraus,Yahna,Yahl,Yagoudaef,Yagin,Yagecic,Yaftali,Yafei,Yafai,Yablonsky,Xander,Wzorek,Wykes,Wydryck,Wydo,Wydler,Wycuff,Wyborny,Wurts,Wurgler,Wuolle,Wunderly,Wun,Wulkan,Wuitschick,Wuestenberg,Wuerz,Wuellenweber,Wucherer,Wublin,Wubbel,Wrotten,Wrinkles,Wriedt,Wrenne,Wreede,Wraggs,Woyahn,Woulard,Woudenberg,Woskobojnik,Wosher,Wortinger,Worstell,Worst,Worner,Worn,Wormely,Worlow,Workings,Workinger,Wootan,Woolhouse,Wooleyhan,Woolcott,Woodliff,Woodert,Woodend,Woodburg,Woodand,Women,Wombolt,Wolzen,Wolthuis,Wolsted,Wolsky,Woloszczak,Woller,Wolkowski,Wolkowiecki,Woliver,Wolhok,Wolfsberger,Wolfred,Wolffe,Wolfertz,Wolbeck,Wokwicz,Wojtowich,Wojtecki,Wojnaroski,Wojeik,Woiwode,Wohlwendi,Wohlschlegel,Wohlrab,Wohld,Woester,Woernle,Woelzlein,Woelfle,Wodskow,Wlosinski,Wlodyka,Wlazlowski,Wlach,Wizar,Wiuff,Witvoet,Wittstruck,Wittry,Wittliff,Witterstauter,Witsell,Witosky,Withy,Witherbee,Withenshaw,Witczak,Wisterman,Wisnosky,Wisniowski,Wiskowski,Wisk,Wisinger,Wisenor,Wischner,Wisbey,Wirtjes,Wirght,Wirf,Wipprecht,Winzler,Winzenried,Wintringham,Winterton,Winterfeldt,Winterbottom,Winsted,Wins,Winninger,Winning,Winney,Winnewisser,Winners,Winnegan,Winklepleck,Winkleblack,Winkelpleck,Winkeljohn,Winkelbauer,Winingear,Winikoff,Wingstrom,Winett,Winesickle,Winesberry,Winek,Windmeyer,Windhurst,Windam,Wimpey,Wiman,Wilts,Wiltjer,Wilterdink,Willrett,Willour,Willmes,Willmann,Willinsky,Willington,Willigar,Williama,Willegal,Willcoxon,Willand,Willame,Willaby,Wilkowitz,Wilkers,Wilison,Wilis,Wilgocki,Wilging,Wilfinger,Wilebski,Wildin,Wildfong,Wilderson,Wildenthaler,Wildeisen,Wildauer,Wilcinski,Wilansky,Wilabay,Wikins,Wikert,Wik,Wiinikainen,Wiggains,Wigen,Wieto,Wiess,Wiesman,Wierzba,Wierschen,Wierschem,Wiehe,Wieger,Wiederwax,Wiederin,Wiede,Wieciech,Wiechert,Wiechec,Widrig,Widowski,Widmaier,Widlak,Widdoes,Wickus,Wicketts,Wickemeyer,Wicka,Wicinsky,Wibeto,Wibberley,Wibbenmeyer,Wiatrak,Wiatr,Wiand,Whyman,Wholly,Whittley,Whittiker,Whitteker,Whitset,Whitmyre,Whitmeyer,Whitheld,Whitesinger,Whitemore,Whitacker,Whistle,Whisker,Whisenton,Whippie,Whipp,Whildin,Whigum,Whiby,Whelton,Wheeington,Whan,Whaler,Whal,Weyhrauch,Wewerka,Wetterauer,Wetselline,Wetklow,Westwater,Westrom,Westre,Westhouse,Westervoorde,Westergaard,Westerbeck,Westcote,Westaway,Wesselink,Wesselhoft,Weslowski,Weslow,Wescovich,Werthman,Wershey,Werries,Wernli,Werning,Werma,Werking,Wenzell,Wentzloff,Wentcell,Wenstrand,Wensky,Wennersten,Wenman,Wengren,Wener,Weneck,Wendy,Wendte,Wenderoth,Wend,Wenclawiak,Wence,Wemark,Weltmer,Welms,Welman,Wellendorf,Welfel,Weitkamp,Weith,Weiszbrod,Weissmann,Weissert,Weisse,Weissbrodt,Weismiller,Weisiger,Weisenhorn,Weisenfluh,Weisend,Weisenberg,Weisdorfer,Weisberger,Weirather,Weinzinger,Weinzimer,Weinzetl,Weintz,Weinand,Weiker,Weikal,Weik,Weigman,Weigleb,Weigart,Weidenheimer,Weiden,Weickum,Wehring,Wehausen,Weglin,Weghorst,Weeth,Weeter,Weenum,Weelborg,Weegar,Weeber,Wedwick,Wedner,Wedlow,Wedlock,Wedi,Wedgworth,Weckenborg,Wechselblatt,Webbs,Webbink,Weavil,Weatherley,Weatherill,Wearrien,Wearly,Weagel,Weadon,Waymer,Wayde,Waybill,Wavra,Waughtel,Waughtal,Wauch,Watzke,Wattson,Watrs,Watral,Watne,Waterston,Waszmer,Wasylow,Wasyliszyn,Wassermann,Wassenberg,Wassenaar,Waskow,Waskey,Waska,Washurn,Washup,Washuk,Washnock,Washman,Washinski,Wasem,Wartman,Warsme,Warsing,Warschaw,Warsager,Warpool,Warneka,Warnasch,Warmbier,Warley,Warick,Warholic,Warhola,Warhol,Warens,Wareheim,Wardrop,Wardon,Wardman,Wardinsky,Wardian,Wappel,Wanvig,Wanser,Wanschek,Wanland,Waninger,Wanders,Wampol,Walzier,Walvoord,Walto,Waltenbaugh,Waltemath,Waloven,Walman,Wally,Wallravin,Wallor,Wallinga,Walles,Wallentine,Wallenda,Walleck,Wallbrown,Wallberg,Wallbank,Walland,Wallaker,Wallaert,Wallack,Walkinshaw,Walking,Walicki,Waldrope,Waldmann,Waldenberg,Walczynski,Walchli,Walbrecht,Wakula,Wakham,Wakenight,Wakeling,Waitkus,Waisman,Waisath,Wainman,Wahoske,Wahner,Wahlenmaier,Wahid,Wagon,Waggaman,Wagenheim,Waganer,Wafula,Waeyaert,Waetzig,Waelti,Waeckerlin,Waddouds,Wackman,Wackerbarth,Wachsmuth,Wabasha,Vyhnal,Vuturo,Vulgamott,Vukich,Vrias,Vranich,Vrablic,Votraw,Voter,Votaua,Voskowsky,Vorwaller,Vorholt,Voracek,Voong,Vonwagoner,Vonstaden,Vonsoosten,Vonkrosigk,Vongxay,Vongvivath,Vongunten,Vongsakda,Vongal,Vonfeldt,Vondohlen,Vonderkell,Vonbraunsberg,Vonarx,Volpert,Volper,Volpa,Volmink,Vollmering,Volking,Volkers,Volkens,Volin,Volesky,Volckmann,Vojta,Voita,Voights,Vogtman,Vogtlin,Voglund,Vogland,Vogenthaler,Vogelpohl,Vogds,Voetmann,Voedisch,Vodder,Voce,Vlk,Vlasaty,Vlasak,Vlahovich,Vizza,Vizuete,Vivolo,Vittum,Vittek,Vitorino,Vitkus,Vititow,Vitera,Vitantonio,Vitaniemi,Visvardis,Vissman,Visovsky,Visosky,Visocsky,Visnosky,Visnocky,Viscarro,Visaya,Virts,Virkler,Virgili,Virgie,Virgel,Virelli,Viramontas,Viorel,Vintinner,Vintimilla,Vinsel,Viniegra,Vinck,Villot,Villenas,Villemarette,Villecus,Villaquiran,Villane,Villalouos,Villaescusa,Vilkoski,Vilkama,Vilca,Vilaro,Vilardo,Vilandre,Viken,Vigus,Viguerie,Vigorito,Vigario,Viessman,Viesselman,Viesca,Vierthaler,Vierps,Vientos,Vienneau,Vidler,Victorica,Vickey,Vicioso,Vichidvongsa,Viccica,Veysey,Vespia,Veselic,Verzi,Versele,Veroba,Vernet,Verlotte,Verigan,Verhaag,Vergamini,Verga,Verfaille,Verela,Vere,Verdine,Verdiguel,Verd,Verbridge,Verble,Verbit,Verbilla,Verbasco,Ventur,Ventrice,Ventre,Ventors,Venth,Venosh,Vennari,Venkus,Veninga,Venible,Venghaus,Venetos,Venere,Veneable,Vendelin,Vemura,Velzeboer,Veltre,Veltin,Veloso,Veles,Vele,Veld,Veitz,Veitenheimer,Vein,Veillette,Vegher,Vegetabile,Vegar,Veerkamp,Veen,Vecino,Vebel,Veater,Veader,Ve,Vayon,Vayner,Vavricek,Vauter,Vaulx,Vaughner,Vaudreuil,Vaubel,Vattikuti,Vathroder,Vatch,Vastola,Vastardis,Vassure,Vassil,Vassie,Vasseur,Vassen,Vasquiz,Vasaure,Varvil,Vartanyan,Varron,Varro,Vargis,Varesko,Varda,Varanese,Varakuta,Varagona,Vanzante,Vanyo,Vanwyngaarden,Vanwassenhove,Vanvolkenburg,Vanvalen,Vantuyl,Vantil,Vanta,Vanstrom,Vanslooten,Vansicklin,Vanscoik,Vanschaick,Vanruiten,Vanostberg,Vanorsdol,Vanolinda,Vanoflen,Vannuland,Vannover,Vannorsdell,Vanniello,Vanni,Vanner,Vanmarter,Vanleuvan,Vanlaar,Vankilsdonk,Vankammen,Vanhevel,Vanheukelem,Vanhee,Vanhauen,Vanhamlin,Vanhamersveld,Vangyi,Vangompel,Vangoff,Vangerbig,Vangelos,Vanfossan,Vanez,Vaneffen,Vandygriff,Vandy,Vanduynhoven,Vandunk,Vandorien,Vandon,Vandiest,Vandeweert,Vandevort,Vandevere,Vandeveble,Vandestreek,Vandesteeg,Vanderwyk,Vanderwood,Vanderwilt,Vanderwege,Vanderweerd,Vanderweel,Vandertuig,Vanderstappen,Vanderschoot,Vandermoon,Vanderkaaden,Vanderhoot,Vanderboom,Vanderau,Vandenacre,Vandemortel,Vandeman,Vandelaare,Vandebrake,Vanconant,Vancleaf,Vanbogelen,Vanbenthuyse,Vanbeck,Vanasselt,Vanaprasert,Vanandel,Vampa,Valseca,Valree,Valot,Valorie,Vallimont,Vallie,Vallentine,Vallelonga,Vallario,Vall,Valgren,Valer,Valenzvela,Valentyn,Valenstein,Valenciana,Valderamo,Valcin,Valcho,Valakas,Vaksman,Vakil,Vaka,Vajgrt,Vaissiere,Vainio,Vaiko,Vaghy,Vaghn,Vafiadis,Vafiades,Vaeza,Vaeth,Vadasy,Vaclavik,Vacio,Vaci,Vache,Vaccarino,Vacante,Uzun,Uxa,Uvalles,Utvik,Uttley,Ustico,Usman,Usina,Ushioda,Ushijima,Uscio,Usack,Urse,Urrey,Urreta,Urraca,Urness,Urlanza,Uriostejue,Urik,Urenio,Urdiano,Urbieta,Uptegraft,Uppencamp,Unterkofler,Unnold,Unnewehr,Unkn,Uniacke,Unglaub,Unck,Umnus,Umezawa,Umbel,Ultseh,Ultreras,Ulses,Ullum,Ulisch,Ulicnik,Ulich,Uleman,Ukich,Uken,Uhrin,Uhrhammer,Uhles,Uhlenhopp,Ugaz,Ugaitafa,Ueki,Uebersax,Udinsky,Udicious,Ucha,Uccio,Uc,Ubry,Ubiles,Ubertini,Ubence,Tyssens,Tysseling,Tyrance,Tynio,Tylman,Tydings,Tydeman,Twohatchet,Twito,Twillie,Twiet,Twiest,Tweet,Tweddell,Twait,Tvedt,Tuxbury,Tuukanen,Tutuska,Tutoni,Tutela,Tushoski,Turvaville,Turturo,Turrill,Turrie,Turpiano,Turomsha,Turocy,Turnpaugh,Turnow,Turnmyre,Turnier,Turkmay,Turkasz,Turinetti,Tureson,Turdo,Turcio,Turbiner,Turbide,Turber,Turbe,Turansky,Tupy,Tuppen,Tuplano,Tuorto,Tunon,Tunget,Tunby,Tun,Tumolillo,Tumminia,Tumbleston,Tullison,Tulis,Tuliau,Tukuafa,Tukis,Tujague,Tuia,Tugade,Tuffin,Tuesburg,Tuerk,Tuer,Tuenge,Tudruj,Tudman,Tudisco,Tuccio,Tucay,Tuberman,Tsuruda,Tsuchiura,Tsuchida,Tsistinas,Tshudy,Tschirhart,Tschache,Tsantakis,Trzaska,Trythall,Tryninewski,Truont,Trumpp,Truka,Truiolo,Truglio,Trueluck,Trudo,Truchon,Trucchio,Trube,Truan,Troxil,Trowel,Trovinger,Trotz,Trotto,Trosen,Troost,Tronzo,Tront,Trometter,Trombino,Tromba,Trollope,Troke,Trojanovich,Trojak,Trohanov,Trogstad,Troe,Trocchio,Trobridge,Trobough,Trnong,Trivane,Trippel,Trimnal,Trimis,Trimino,Trilt,Trillas,Trillana,Triglia,Trigillo,Trifone,Triffo,Trifero,Tridenti,Tricoli,Tricamo,Tribue,Triblett,Trevithick,Trevisone,Trevis,Trevillian,Trevethan,Treves,Treusdell,Tretola,Tretina,Tretera,Tressel,Treola,Trentz,Trento,Trentman,Trenor,Trennell,Trend,Trenchard,Tremore,Tremillo,Trembinski,Trelles,Treister,Treine,Treible,Treff,Tredinnick,Treder,Trebon,Trebesch,Trear,Traviss,Traux,Trautner,Trausch,Traum,Trattner,Trass,Traphagen,Trapeni,Trapalis,Traner,Tramonti,Trainham,Traicoff,Trahern,Traffanstedt,Trachsel,Tracewell,Trabold,Trabazo,Tozloski,Toyota,Toyn,Towse,Townsand,Towels,Touton,Toussand,Toupe,Touney,Toudle,Touchard,Touby,Touart,Totzke,Tototzintle,Totino,Toting,Tossie,Tosco,Tosch,Tortu,Tortolano,Tortelli,Torruellas,Torros,Torrion,Torrillo,Torrico,Torreblanca,Torrano,Torongeau,Toromanides,Tornincasa,Torey,Toren,Torbus,Toquinto,Topolewski,Topoian,Topness,Toplistky,Topliffe,Topal,Topacio,Toothacre,Tooms,Toolsiram,Toolan,Tookmanian,Tonzi,Tonti,Tonschock,Tonsall,Tonrey,Tonnesen,Tonnar,Tongate,Tonetti,Tonelson,Tonder,Tonai,Tomspon,Tomski,Tomshack,Tomkus,Tomka,Tomidy,Tomichek,Tomeldan,Tomehak,Tombleson,Tomasson,Tomasic,Tomash,Tomanek,Tolontino,Tollin,Tollerud,Tollefsen,Toline,Tokley,Tokkesdal,Tohen,Togashi,Tofolla,Toepperwein,Toeller,Toelke,Toedebusch,Todt,Todoroff,Todor,Todesco,Toboz,Tobolski,Toaston,Toa,Tlumacki,Tlatenchi,Tlatelpa,Tlamka,Tjandra,Tix,Tivis,Tivar,Titterness,Titone,Titler,Tith,Tisi,Tish,Tisdel,Tisdal,Tischner,Tipre,Tippey,Tipold,Tinucci,Tintinger,Tinnerello,Tinn,Tinlin,Tinger,Timus,Timothe,Timons,Timonere,Timon,Timenez,Timchula,Timbrell,Timas,Timar,Tilzer,Tilus,Tilt,Tilow,Tillou,Tietge,Tieng,Tichnell,Tichi,Tibor,Thy,Thury,Thurness,Thurlby,Thurby,Thuney,Thuma,Thull,Thruthley,Throssell,Thress,Threlfall,Thrapp,Thrams,Thraen,Thouvenel,Thorstenson,Thorsness,Thoroughgood,Thornborough,Thormaehlen,Thorade,Thonney,Thompon,Thometz,Thomeczek,Thomases,Thomae,Thoburn,Thobbs,Thivener,Thim,Thilmony,Thiengtham,Thielges,Thieklin,Thidphy,Thibaut,Thibadeau,Thew,Theule,Theuenin,Thepbanthao,Theos,Thell,Thelin,Thelemaque,Theinert,Theeman,Theden,Thebo,Thansamai,Thanos,Thangavelu,Thanem,Thanasouk,Thanas,Thamann,Thaman,Thalls,Thaller,Thall,Thadison,Tewolde,Tewa,Teuteberg,Teteak,Testolin,Tessendorf,Tess,Tesmar,Teschler,Terwey,Tertinek,Terstage,Terrone,Terrible,Terrian,Terrezza,Terracciano,Terp,Teroganesyan,Termilus,Terinoni,Teri,Terhorst,Terherst,Terazes,Teravainen,Teque,Teoh,Teodoro,Tention,Tenore,Tenofsky,Tenn,Tenhoff,Tenhaeff,Tengben,Tenerovich,Tener,Tenda,Tenario,Tempelton,Temoney,Teman,Tellefsen,Telkamp,Telgen,Teles,Telch,Telander,Teklu,Teixeria,Teissedre,Teisberg,Tehney,Tegner,Tegan,Teehee,Teder,Teddy,Tecuanhuey,Techau,Tecchio,Teakell,Teager,Taylar,Tayan,Tawwab,Tavolieri,Taverab,Tavaris,Tavana,Tauzin,Tautolo,Tausch,Taula,Taualii,Tattrie,Tatsuhara,Taton,Tatge,Tatel,Tastet,Tassa,Tasma,Taskey,Tashiro,Taruer,Taruc,Tartsah,Tarski,Tarrenis,Tarnoff,Tarmey,Tarman,Tarling,Tarella,Tarduno,Tarboro,Tarbert,Taray,Taras,Taque,Tapian,Taphous,Tapaoan,Tanzi,Tantum,Tannous,Tankxley,Tankesly,Tanh,Tangney,Tangerman,Tangaro,Tangari,Tangabekyan,Tandus,Tande,Tamkin,Tami,Tamburrelli,Tamburino,Tamborlane,Tamai,Talvy,Talsky,Talleut,Tallacksen,Taliferro,Talicska,Talentino,Talaro,Talamentez,Talaga,Tako,Taker,Takara,Takai,Tajudeen,Tajima,Taitague,Taillefer,Tail,Tahon,Tagupa,Taglauer,Tagalog,Tagaloe,Tagala,Tagaca,Tag,Tafiti,Tafelski,Taetzsch,Taegel,Tadt,Tadgerson,Taddio,Tadd,Tacopino,Tacneau,Tackette,Tackes,Tacke,Tachauer,Tacason,Tabuena,Tabion,Tabatt,Szysh,Szymonik,Szwede,Szulimowski,Szpak,Szoka,Szocki,Szklarski,Szitar,Szewc,Szesterniak,Szermer,Szerbin,Szczepkowski,Szczeblewski,Szachewicz,Szabat,Syzdek,Syrrakos,Syria,Sypult,Sypolt,Synovic,Syner,Symkowick,Symeon,Sylney,Sylla,Syktich,Syer,Swopshire,Swolley,Swithenbank,Swiss,Swirczek,Swingler,Swingen,Swinerton,Swinea,Swille,Swierenga,Swierczynski,Swieca,Swicord,Swerdloff,Swenceski,Swelt,Swelgart,Swehla,Sweets,Sweem,Swed,Sweatmon,Sweatfield,Swatman,Swartzman,Swartzell,Swantak,Swanston,Swancutt,Swanay,Swamm,Swam,Swait,Swainey,Swaggart,Swabe,Swabb,Svobodny,Svetlak,Svennungsen,Svedine,Svatos,Svare,Svancara,Suydan,Suwannakintho,Suvada,Suttin,Suttee,Sutkus,Sutic,Suthers,Sutcliff,Suszynski,Sustar,Sustaire,Suskay,Susany,Susanin,Suryanarayana,Survis,Surpris,Suro,Surminec,Surguy,Surgoine,Sures,Suren,Surbella,Suomela,Sunyich,Sunniga,Sunier,Sumrow,Sumption,Summerlot,Sumerix,Sumeriski,Sultani,Sulley,Sullenberger,Sulipizio,Sulin,Sulima,Sulikowski,Sulentic,Sulejmanovski,Sugabo,Suffield,Suentenfuss,Suehs,Sudekum,Sudbrock,Sucre,Suchocki,Suchla,Sucgang,Succar,Subijano,Subich,Subert,Subera,Suaava,Stuttgen,Sturner,Sturk,Sturgul,Sturghill,Stukowski,Stuesse,Stuermer,Stuer,Stuebe,Studyvance,Studnicki,Studniarz,Studmire,Studdiford,Stucke,Stublaski,Stubby,Stubbendeck,Strzalkowski,Struzzi,Struzik,Strubel,Strozewski,Strowe,Strous,Strotz,Strombeck,Stroker,Strohmayer,Strogen,Strizich,Strini,Stringari,Strimling,Strimback,Strife,Strid,Stricklind,Stribley,Strevels,Strevell,Streva,Stretz,Strenge,Stremi,Strelecki,Strejan,Streitnatter,Streff,Strefeler,Streeton,Stred,Strazisar,Strayhand,Strayham,Stravinski,Strausz,Strausner,Strauhal,Straugh,Strasters,Stranford,Strandburg,Stranahan,Strahin,Stradtner,Stracquatanio,Strachman,Straathof,Stpierrie,Stoviak,Stovell,Stoutenger,Stoudymire,Stoud,Stouch,Stouall,Stottlar,Stotko,Stothard,Stotesbury,Stotesberry,Storto,Stores,Storage,Stoos,Stonich,Stolzenburg,Stolly,Stolebarger,Stolcals,Stolar,Stoklasa,Stogden,Stoffey,Stofferan,Stoey,Stoett,Stoeltzing,Stoel,Stoeke,Stoeffler,Stoeckert,Stoebner,Stoeberl,Stodomingo,Stodder,Stockwin,Stockon,Stocki,Stockebrand,Stocco,Stobie,Stlouise,Stives,Stirn,Stire,Stipanuk,Stingle,Stinespring,Stinehour,Stinebuck,Stindt,Stimple,Stimler,Stilwagen,Stiltz,Stilner,Stillie,Stigsell,Stiern,Stiens,Stiehm,Stiegman,Stiegemeier,Stieb,Stidstone,Sticklin,Sticklen,Stickford,Sthole,Stford,Stflorant,Steury,Stetzenbach,Stetke,Sterpka,Sterker,Sterkenburg,Sterkel,Stephensen,Stepan,Step,Stenz,Stenn,Stendeback,Stenbeck,Stenback,Sten,Stemmler,Stelzl,Steltzer,Stellpflug,Stellfox,Stelk,Stele,Steinruck,Steinmeiz,Steinkuehler,Steinkirchner,Steinkellner,Steinerkert,Steine,Steinbrink,Steinbauer,Steik,Steighner,Steiert,Steich,Steibel,Stehno,Steggeman,Stefl,Stefford,Steffa,Stefanatos,Steep,Steenwyk,Steenhoven,Steelmon,Steeg,Steeb,Stedronsky,Steczo,Stecklair,Stechuchak,Stechlinski,Steber,Stebe,Stearnes,Stearne,Stea,Stdenny,Stchur,Stayter,Stawicki,Stavrositu,Staudenmeier,Stattelman,Statires,Station,Stathos,Stathas,Stasulis,Stassen,Stasny,Staser,Staschke,Starweather,Stars,Starnaud,Starley,Starkman,Starken,Starich,Starghill,Starcevic,Staplins,Stapelman,Stanzak,Stanway,Stanowski,Stankowitz,Stankaitis,Staniec,Stania,Stangroom,Stanesic,Stanert,Staneart,Stands,Standors,Standifur,Standeven,Standaert,Stancoven,Stanclift,Stancey,Stanbaugh,Stana,Stammler,Stamenov,Stambach,Stamatopoulos,Stamas,Stalberger,Stakoe,Stakley,Stakkeland,Stakemann,Stainbach,Stagowski,Stagno,Stagman,Stagles,Stagers,Staffeld,Staenglen,Staehler,Stadther,Stadt,Stadnik,Stadick,Stachurski,Stace,Stabs,Stabley,Stable,Srygley,Srinvasan,Squarciafico,Squair,Spyrakos,Spyies,Spycher,Spurger,Spulick,Spudis,Spuck,Sprygada,Spruiell,Spruance,Sprowls,Sprouls,Sprong,Sprole,Springe,Sprewell,Sprengelmeyer,Sprawls,Sprauve,Spragley,Spotorno,Sporysz,Sporman,Sporich,Spoonemore,Spoleti,Spohnholz,Splitt,Splett,Splatt,Spiter,Spirounias,Spirk,Spire,Spinoza,Spinn,Spinetti,Spinello,Spinar,Spilis,Spiliakos,Spigutz,Spielvogel,Spicknall,Spicker,Sperier,Speraw,Spennicchia,Spene,Spellane,Spegal,Spee,Specken,Spearow,Spearmon,Spayd,Spartin,Spartichino,Spart,Sparacina,Spannuth,Spanner,Spanicek,Spanger,Spane,Spakes,Spadard,Spacht,Spacagna,Sozio,Soyke,Sowl,Sowden,Sowada,Sovel,Souvannakhily,Souto,Southand,Sourlis,Soulliere,Souhrada,Sou,Sotos,Sothen,Sosbe,Sorzano,Sorvig,Sortland,Sorokata,Soro,Sorlie,Sorhaindo,Sorell,Sordia,Sorace,Soptick,Soppeland,Sophy,Sopczak,Sooy,Soop,Soomaroo,Soolua,Sonterre,Sonsteng,Sonnefeld,Sonnee,Sonka,Songy,Sondrup,Sondles,Sondheimer,Sonderman,Sonderegger,Somvang,Somsy,Somrak,Somoza,Somogye,Somo,Sommons,Sommar,Somji,Somilleda,Somerfield,Somdah,Somayor,Solwold,Solverud,Soltow,Soltmann,Solow,Solorsano,Solonar,Solomen,Sollors,Sollitto,Solliday,Solito,Solinas,Solima,Solies,Solien,Solich,Solian,Solhjem,Solera,Soldeo,Solazar,Solarski,Solaita,Soladine,Sokul,Sokotowski,Sokolski,Sokolowich,Sojo,Soito,Soiro,Soifer,Softich,Sofer,Soechting,Sodini,Sodervick,Soders,Sodawasser,Sockey,Sobrio,Sobieraj,Sobeski,Sobery,Soberanes,Sobenes,Sobe,Sobanski,Soape,Snowder,Snorden,Snode,Snetsinger,Snaples,Snaer,Snaders,Smyrski,Smyntek,Smykowski,Smutzler,Smutny,Smulik,Smugala,Smuck,Smolnicky,Smolinsky,Smitty,Smithe,Smiling,Smiler,Smigiel,Smerdon,Smeja,Smedes,Smeathers,Smarra,Smar,Smallmon,Smallin,Smallidge,Slyton,Slutsky,Sluski,Slovinski,Sloter,Slonecker,Slomer,Slogeris,Slobodnik,Sloanes,Slipper,Slingluff,Slingland,Sliney,Slimko,Sliman,Slimak,Slessman,Slepski,Sleppy,Sleiman,Sleaford,Slaugenhaupt,Slark,Slackman,Slaboda,Skyes,Skweres,Skwarek,Skubik,Skrzypinski,Skrebes,Skrabanek,Skovlund,Skotnicki,Skone,Skonczewski,Skold,Skoien,Skoczen,Skobiak,Skimehorn,Skillpa,Skillett,Skillan,Skildum,Skibski,Skibo,Skevofilakas,Skepple,Skarzynski,Skartvedt,Skar,Skapura,Skaflen,Skaer,Skabo,Sjulstad,Sjerven,Sizar,Sixt,Sixsmith,Siwicki,Sivills,Sivilay,Sivie,Sivick,Sivay,Sivalia,Sival,Siurek,Siuda,Sittre,Sittner,Sittman,Sitterding,Sitosky,Sitkiewicz,Sistek,Sista,Sisomphou,Sisofo,Sisley,Siskin,Sisavath,Sirpilla,Sirosky,Sirolli,Siroka,Sirna,Sirico,Sirhan,Siravo,Sipriano,Sippy,Siphan,Siona,Siok,Sinrich,Sington,Singharath,Singewald,Singerman,Sinarath,Simple,Simper,Simor,Simoniello,Simonetty,Simonet,Simokat,Simoens,Simmond,Simmes,Simitian,Simich,Simerson,Simensky,Simcock,Silvestrini,Silvaggio,Siluis,Siltman,Silovich,Sillitoe,Silkenson,Siliezar,Silevinac,Silence,Silbiger,Silao,Sil,Sikarskie,Siglow,Siglar,Sifre,Sifontes,Sifers,Sievertsen,Sieverson,Sieve,Sietz,Siert,Sieradski,Sier,Sielaff,Sieja,Siedner,Siedel,Siebenthal,Sidorowicz,Sidley,Sidi,Sideman,Sicks,Sickel,Sickafoose,Sicinski,Sibounma,Sibgert,Sibeto,Sibel,Sibal,Siar,Siaperas,Siami,Sialana,Shyne,Shybut,Shwab,Shutty,Shutters,Shusterman,Shurr,Shurak,Shuptrine,Shupert,Shummon,Shulthess,Shult,Shulse,Shullick,Shulick,Shulenberger,Shuffleburg,Shubov,Shry,Shrigley,Shren,Shrawder,Showen,Shoulder,Shorthair,Shopbell,Shoobridge,Shongo,Shoman,Shollenbarger,Shoji,Shofestall,Shodunke,Shober,Shivy,Shisila,Shirvanian,Shirakawa,Shippen,Ship,Shinsky,Shinnick,Shinkel,Shingleur,Shingledecker,Shindel,Shimon,Shimaoka,Shilo,Shillito,Shillingsford,Shilkuski,Shiliata,Shildneck,Shikuma,Shike,Shigeta,Shigemi,Shifferd,Shider,Shibi,Shettleroe,Shetterly,Sherville,Sherrock,Sherrange,Sherraden,Sherles,Sherief,Sherbon,Shepperdson,Shenker,Sheneman,Shene,Shempert,Sheman,Shelvy,Shelsy,Shelkoff,Shekels,Sheirich,Sheingold,Sheidler,Shehee,Shefte,Sheftall,Sheerer,Sheer,Sheakley,Shbi,Shawber,Shatek,Shasky,Shary,Sharplin,Sharperson,Sharabi,Shappen,Shapouri,Shapleigh,Shapino,Shaper,Shanno,Shandro,Shanberg,Shamsi,Shammah,Shamir,Shamily,Shalwani,Shalla,Shaline,Shalhoub,Shakoor,Shakin,Shahinfar,Shahin,Shahim,Shahbaz,Shaffren,Shaffen,Shadfar,Shadding,Shadazz,Shaben,Shabel,Sgueglia,Sgrignoli,Sgammato,Seykoski,Seyb,Sewyerd,Seweall,Sewade,Severi,Seveney,Sevadjian,Settlemyre,Settlemires,Settino,Settimo,Setterland,Seton,Setler,Setias,Seti,Setchell,Setaro,Sestoso,Sessin,Sesser,Serville,Servi,Servedio,Serve,Serravalli,Sermersheim,Serfoss,Serfling,Serey,Seres,Serens,Serene,Sercovich,Serban,Seratti,Seratt,Serasio,Serandos,Seraiva,Seraille,Sepvlieda,Sepulbeda,Septelka,Seppelt,Seppanen,Seppa,Senz,Senst,Sensor,Sensmeier,Sensing,Senseney,Sensenbrenner,Senseman,Seniff,Sengvilay,Sengun,Senethavilouk,Senesenes,Senderling,Sender,Senavanh,Semsem,Semonis,Seminario,Sember,Selzler,Selvester,Selusi,Selnes,Sellin,Sellards,Selkey,Selic,Selgrade,Selesnick,Selakovic,Seiters,Seit,Seisler,Seil,Seikaly,Seidenbecker,Seibt,Seibers,Seiavitch,Segreto,Segonia,Seggerman,Segerman,Segelhorst,Seferovic,Sefcheck,Seering,Seemer,Seekford,Seekamp,Seegar,Seedorff,Seedborg,Seebaum,Sedanos,Secundo,Second,Seckletstewa,Sechang,Sebranek,Sebion,Sebero,Sebeniecher,Sebasovich,Searer,Seara,Seanger,Seajack,Seaholtz,Seagers,Seaforth,Seacrest,Seacat,Seaburn,Sdoia,Sczbecki,Scurci,Scullin,Scuito,Scudero,Scucchi,Scsarpisnato,Scro,Scrivener,Scriuner,Scripps,Scrimsher,Scrichfield,Screnci,Scrape,Scouller,Scotts,Scotting,Scorgie,Scollan,Sciullo,Scites,Scicutella,Scialpi,Sciacchitano,Schy,Schworm,Schwizer,Schwister,Schwipps,Schwertfeger,Schwerdt,Schwerd,Schwenzer,Schwenneker,Schwendeman,Schwemmer,Schweitz,Schwarzlose,Schwart,Schwantd,Schwadron,Schutze,Schute,Schusted,Schurk,Schumachor,Schulter,Schultens,Schulkin,Schulist,Schuit,Schuering,Schueren,Schueneman,Schuemann,Schuchat,Schuber,Schubach,Schrumpf,Schroot,Schroen,Schroedter,Schreuder,Schreacke,Schrayter,Schrawder,Schrauger,Schraub,Schrameck,Schraff,Schradle,Schrab,Schowengerdt,Schossow,Schopmeyer,Schopflin,Schop,Schomin,Schomas,Schomacker,Scholtens,Scholin,Schoggen,Schoessow,Schoepfer,Schoenmaker,Schoenig,Schoelman,Schoellkopf,Schoell,Schoeben,Schoderbek,Schockley,Schnure,Schnorbus,Schnopp,Schnobrich,Schnitz,Schnickel,Schnibbe,Schnepf,Schnelder,Schneidman,Schneeberger,Schnackel,Schmollinger,Schmoak,Schmittou,Schmiot,Schmille,Schmier,Schmiel,Schmiedeskamp,Schmidtka,Schmidlin,Schmertz,Schmerge,Schmerer,Schmelmer,Schmeidler,Schmautz,Schmauder,Schmatz,Schmand,Schmaling,Schlund,Schlumaker,Schlotthauer,Schlotte,Schlotfeldt,Schlote,Schlossman,Schloemann,Schlindwein,Schlimmer,Schlieter,Schlichenmaye,Schleppy,Schlenger,Schleker,Schleibaum,Schleh,Schlecter,Schlaefli,Schladweiler,Schlabs,Schirrmacher,Schiralli,Schinnell,Schinker,Schingeck,Schindewolf,Schimel,Schilsky,Schilk,Schilder,Schifko,Schiffmann,Schierenbeck,Schierbrock,Schielke,Schieferstein,Schiefen,Schickedanz,Schey,Scheuren,Scheuers,Scherschligt,Scherma,Scherbring,Scherbel,Scheno,Schenfeld,Schells,Schellin,Schellermann,Scheiern,Scheiderer,Schegetz,Scheffrahn,Scheffert,Schechinger,Schavone,Schaunt,Schaumann,Schauble,Schaubhut,Schatzle,Scharmann,Scharler,Scharbrough,Schap,Schanzenbach,Schantini,Schange,Schandel,Schammel,Schallig,Schaffter,Schaffeld,Schaffel,Schafersman,Schaen,Schachterle,Schachsieck,Schabbing,Scelzo,Scelsi,Scavo,Scavetta,Scaturro,Scatenato,Scarpitto,Scarpitta,Scarpato,Scarpati,Scarp,Scarlato,Scargall,Scarfi,Scantlen,Scanneu,Scannapieco,Scanio,Scandrett,Scandalios,Scancarello,Scamehorn,Scalzi,Scallorn,Scallion,Scalet,Scaiano,Scaia,Scagliotti,Scace,Sboro,Sbarra,Saysongkham,Saysana,Sayloe,Saxinger,Saxfield,Sawtell,Sawransky,Sawhill,Sawatzki,Sawaia,Savitch,Savinar,Savi,Saven,Savas,Savaria,Savakis,Sava,Sauveur,Sausser,Saurey,Sauredo,Saunas,Saulsbery,Sauger,Sauerhage,Sauerbry,Sauce,Sauby,Satz,Sattlefield,Satmary,Sathiraboot,Satchwell,Sat,Sasuille,Sashington,Sasengbong,Sasao,Sarwar,Sarrell,Sarraga,Saroop,Sarnes,Sarnacki,Sarlo,Sarks,Sarkodie,Sark,Sargis,Sargetakis,Saretto,Sarette,Sarensen,Sarcinelli,Sarcinella,Sarcia,Saras,Saranzak,Saraniti,Sarani,Sarafian,Saraf,Sarac,Sarabando,Saporita,Sapnu,Sapko,Saous,Sanzenbacher,Santti,Santrizos,Santoscoy,Santomauro,Santolucito,Santis,Santio,Santilukka,Santaloci,Santagata,Santaella,Sanseda,Sanquenetti,Sanots,Sanosyan,Sann,Sanmarco,Sanlatte,Sankovich,Sanke,Sankary,Sankaran,Sanislo,Sanipasi,Saniger,Sangren,Sanghez,Saneaux,Sandstedt,Sandry,Sandovar,Sandos,Sandone,Sandness,Sandlan,Sandison,Sandersen,Sandborg,Sanchz,Sanchec,Sancen,Sanasith,Samway,Samuell,Sampselle,Sampieri,Sampair,Samoyoa,Samowitz,Sammut,Samiec,Samick,Samele,Sambucetti,Samara,Samantha,Samanlego,Salverson,Salvature,Saluto,Saluja,Saltourides,Saltmarsh,Salta,Salsberg,Saloum,Salos,Saloom,Sallings,Sallies,Sallah,Salisberry,Salimas,Salfelder,Salesses,Salen,Saleado,Saldvir,Saldi,Saldeen,Salceda,Salazan,Salaza,Salay,Salandy,Sakshaug,Sakovitch,Sakkinen,Sakkas,Sakiestewa,Sakic,Sakakeeny,Saison,Saisa,Saintfleur,Saide,Saicedo,Sahsman,Sahli,Sahler,Sahlberg,Sahagian,Saggione,Sages,Sagendorf,Safron,Safar,Saetteurn,Saenphimmacha,Sadhu,Sadhra,Saden,Sadee,Saddat,Sackos,Sachleben,Saches,Sachar,Saccucci,Sacane,Sablone,Sablock,Sablea,Sabiston,Sabini,Sabi,Sabha,Sabellico,Sabaj,Saadd,Ryun,Rysavy,Rysanek,Rylowicz,Ryll,Ryken,Rygiewicz,Rydalch,Rychlicki,Rybowiak,Ryal,Ruzycki,Ruyz,Ruwet,Rutley,Ruthenberg,Ruszala,Rusteika,Rusteberg,Russotto,Russotti,Russman,Russek,Russe,Rusley,Rusich,Rushworth,Rushman,Rushforth,Ruscitti,Ruscio,Ruschmann,Ruschel,Rusak,Rupertus,Ruoho,Runzler,Runyons,Runswick,Runfola,Rumney,Rummler,Rumford,Rumburd,Rumbold,Ruman,Rulnick,Rujawitz,Ruhstorfer,Ruhmann,Ruhling,Ruhlin,Ruggiere,Ruggero,Rugga,Rugama,Ruffolo,Ruether,Ruesswick,Ruell,Rudnitski,Rudnicky,Rudish,Rudicil,Rudes,Rudeen,Rubow,Rubloff,Rubison,Rubinow,Ruberte,Rubenacker,Rubarts,Ruballos,Rubal,Rozgonyi,Rozga,Rozenberg,Rozas,Rozance,Roytek,Rowsell,Rowray,Rowold,Rowntree,Rowlins,Rowling,Rowback,Rovelto,Rovella,Rovack,Rouzzo,Rout,Roussos,Rounkles,Roundabush,Rouisse,Rougier,Rouff,Roudybush,Roucoulet,Roubekas,Rotstein,Rothmann,Rothhaupt,Rothfus,Rothenburger,Rothbauer,Rothacher,Rotering,Roszales,Rossnagel,Rossingnol,Rossing,Rosselle,Roskovensky,Roskop,Rositano,Rosine,Rosich,Rosettie,Rosentrance,Rosenthall,Rosenkoetter,Rosenheim,Rosenbarger,Rosekrans,Rosebure,Roseboom,Roscow,Roscorla,Rosbozom,Rosavio,Rosacker,Ropiski,Ronzoni,Rons,Rondell,Ronde,Roncskevitz,Romulus,Rompf,Romjue,Romenesko,Rombult,Rombardo,Romaniak,Romandia,Romanchuk,Romag,Rolseth,Rollind,Rollend,Rolfsen,Rolff,Rolek,Rokusek,Rohs,Rohowetz,Rohlack,Rohla,Rogugbakaa,Roguemore,Rogosky,Roginson,Roggero,Roggensack,Roggenbaum,Roggeman,Roever,Roetzler,Roettgen,Roessing,Roerish,Roemhild,Roehling,Roede,Roeber,Rodriuez,Rodrigeuz,Rodnguez,Rodis,Rodinson,Rodine,Rodemoyer,Rodeigues,Rodea,Roddick,Rodar,Rodamis,Rodal,Rockymore,Rockelman,Rockafellow,Rocho,Rochlin,Rochenstire,Rocasah,Roblow,Roblodowski,Robinzine,Robinsons,Robinso,Robinault,Robilotto,Robichard,Robeza,Robertos,Roberrtson,Robblee,Robante,Roats,Roatch,Roaoo,Roanhorse,Roal,Roacho,Rizas,Rivord,Riveroll,Riverman,Rivel,Ritzke,Ritzie,Ritums,Ritson,Ritchlin,Ritari,Ristaino,Rissell,Rissanen,Risler,Riskalla,Risius,Rishell,Risha,Risewick,Risden,Rische,Riscen,Risbeck,Riquelme,Ripoll,Rioz,Riofrio,Riobe,Rinnert,Rinkus,Rininger,Ringland,Ringhouse,Ringelspaugh,Rinebold,Rindler,Rinderle,Rimm,Rillera,Riise,Riippi,Rightnour,Rightley,Riggings,Rigger,Riffee,Rifenbery,Riexinger,Riesland,Rieske,Riesinger,Rieley,Riekert,Rief,Riedlinger,Ridgnal,Ridgle,Ridgill,Ridep,Ridel,Riddleberger,Ridders,Riculfy,Rickford,Richters,Richmann,Richlin,Richiusa,Richerds,Richan,Ricenberg,Ricaud,Ricardi,Ribsamen,Ribron,Ribiero,Ribero,Ribbink,Rhump,Rhum,Rhorer,Rhoe,Rhoan,Rhoad,Rhinerson,Rhen,Reznicek,Reyner,Reyne,Reynaldo,Reyelts,Rewerts,Rewakowski,Revira,Revils,Revering,Revera,Revelli,Revay,Reuteler,Reust,Reuschel,Reudink,Retzloff,Rethmeier,Retek,Retchless,Retamar,Ressel,Respicio,Respes,Respers,Resos,Resetar,Resenz,Resecker,Res,Rerucha,Requarth,Reprogle,Repoff,Replin,Repetowski,Repasky,Reola,Renzoni,Renzo,Renyer,Rentoulis,Rentie,Renouf,Renosky,Renigar,Renert,Rendler,Rend,Remondet,Remis,Remian,Remele,Remeder,Rellama,Rekus,Rekemeyer,Reives,Reitter,Reistetter,Reinsvold,Reinsfelder,Reinowski,Reinier,Reing,Reinen,Reineccius,Reindeau,Reinbolt,Reimnitz,Reimmer,Reihl,Reihing,Reigleman,Reighley,Reidherd,Reidhaar,Reichow,Reibman,Reial,Rehse,Rehmert,Rehlander,Reher,Rehbock,Regulski,Regueira,Regn,Reginaldo,Regelman,Regar,Refsal,Refazo,Reemer,Reefer,Redlon,Redkey,Redinbo,Rediker,Redig,Redemer,Redcross,Redal,Recuparo,Recksiek,Reckers,Recidivi,Rechichi,Reburn,Rebold,Rebik,Rebar,Reavish,Reaver,Reavely,Reash,Reaollano,Reagey,Readinger,Readdy,Razon,Rayyan,Rayshell,Rayow,Rayome,Rayhel,Raychard,Rayam,Rawi,Rawhouser,Rawat,Ravizee,Raviele,Ravago,Rautenstrauch,Raulino,Raul,Rauhecker,Rauhe,Raught,Rauco,Raucci,Ratzloff,Rattu,Rattell,Rattanasinh,Ratsep,Ratkovich,Rathrock,Rathel,Rathai,Ratana,Rasual,Rastetter,Rastegar,Rasset,Raspotnik,Raspa,Rasool,Rasole,Rasley,Raskey,Rasico,Rasavong,Ras,Rarogal,Rarden,Raptis,Rappl,Rapkowicz,Rapisura,Rapanot,Rapalo,Rapacki,Ranweiler,Ransonet,Ransler,Ranni,Ranmar,Ranks,Ranildi,Randgaard,Randahl,Ranch,Ranaudo,Ranah,Ramsy,Ramsour,Ramshur,Ramsby,Ramrirez,Rampy,Rampulla,Rampadarat,Rampa,Ramonez,Ramler,Ramlall,Ramjhon,Ramjan,Ramirel,Rametta,Ramelli,Ramelize,Ramelb,Ramdeo,Ramcharran,Ramaudar,Ramal,Ramagano,Ramach,Rakyta,Rakus,Rakestrow,Rakers,Rajk,Rajas,Rajaphoumy,Raisley,Raisler,Raisin,Rais,Railes,Raike,Raigosa,Rahoche,Rahmes,Rahib,Rahaman,Ragus,Ragula,Raguay,Raglow,Rafus,Rafey,Rafel,Rafala,Raethke,Raemer,Raef,Raeder,Radziwon,Radwick,Radwanski,Radoslovich,Radon,Radmall,Radlinski,Radie,Raderstorf,Radej,Raddle,Raczak,Racko,Raciti,Racioppo,Racer,Rabuse,Rabsatt,Rabjohn,Rabito,Rabey,Rabeneck,Rabehl,Rabeck,Rabbe,Rabal,Quivoz,Quiver,Quituqua,Quitugua,Quittner,Quitter,Quitero,Quitedo,Quirke,Quiram,Quiralte,Quintard,Quintania,Quinnan,Quinlivan,Quilter,Quillman,Quillan,Quilindrino,Quiel,Quidas,Quicho,Quibodeaux,Quezergue,Quezad,Quettant,Queros,Querio,Quercioli,Quenzel,Quencer,Queller,Quebral,Quatrevingt,Quashnock,Quasdorf,Quartuccio,Quartiero,Quartieri,Quartaro,Quarrell,Quanstrum,Quammen,Qualheim,Quagliato,Quadnau,Qua,Qasba,Qare,Qadeer,Pywell,Pysher,Pyros,Pyfrom,Pyfer,Pyette,Pychardo,Puzon,Putzer,Putton,Putcha,Puskarich,Push,Purkhiser,Purfeerst,Puraty,Puotinen,Puntillo,Punihaole,Pundsack,Puna,Pulwer,Pullus,Pullara,Puita,Puhrman,Puhr,Puhl,Puffenberger,Puerto,Puent,Pudenz,Pucket,Pucker,Public,Ptaschinski,Psuty,Psuik,Psilovikos,Przybyl,Przeniczny,Prye,Prybylski,Prukop,Pruessner,Provosty,Provorse,Provins,Provino,Provenzo,Provent,Protich,Protas,Pross,Prosienski,Prosenick,Proscia,Prosak,Propheter,Promisco,Promer,Prokup,Prokos,Progl,Profeta,Profera,Profancik,Procsal,Prociuk,Prochak,Proch,Procaccino,Prizio,Privado,Pritzker,Pritzel,Pritcher,Pritchell,Prisoc,Priolean,Prinn,Prindiville,Princevalle,Primos,Prima,Prigg,Priego,Priegnitz,Prible,Pribish,Pribbenow,Prevot,Prevet,Pretzer,Pretzel,Prety,Presume,Prestley,Prestipino,Presnal,Preslipsky,Presiado,Prendes,Prejsnar,Preist,Preissner,Preisner,Preheim,Prefontaine,Predom,Precissi,Prechtel,Precht,Prause,Pratten,Prately,Prante,Prang,Pramuk,Praley,Prakoth,Prach,Pozar,Poynton,Powskey,Powsey,Powlen,Powells,Pourvase,Pourner,Pourier,Pourchot,Pouncil,Poulisse,Poulet,Pouk,Pouche,Potulski,Pottkotter,Pottichen,Potteiger,Potsander,Pothoven,Potanovic,Potaczala,Posusta,Posto,Postles,Postiglione,Postemski,Possinger,Possick,Possehl,Pospicil,Poskitt,Poska,Posis,Portnoff,Portello,Porris,Porres,Porep,Porell,Porat,Popularis,Poppo,Popadiuk,Pooyouma,Pooschke,Poort,Poolheco,Ponsler,Poniatowski,Pomykala,Pompi,Pomilla,Pomiecko,Pomfret,Polzer,Polvino,Poltrock,Polton,Polter,Polski,Poloskey,Pollot,Pollnow,Polivick,Polisoto,Polintan,Poliks,Polikoff,Policicchio,Policastri,Policare,Poletski,Polee,Poledore,Polacco,Pokrzywa,Pokallas,Pointe,Poinelli,Pohorilla,Pohlson,Pogozelski,Pogorelc,Poellinetz,Podwoski,Podeszwa,Pod,Pocklington,Pociengel,Pochatko,Pocekay,Pocai,Poague,Pniewski,Plutt,Plumbar,Pluma,Plotzker,Plotrowski,Ploskunak,Ploennigs,Plimpton,Plienis,Plewinski,Plett,Pleskac,Pleshe,Plesant,Pleppo,Plegge,Playl,Plavnik,Plateroti,Plateros,Plastow,Plassmeyer,Plassman,Planer,Plance,Planagan,Plan,Plamondin,Plainy,Plackett,Placino,Plachecki,Placeres,Plaas,Pjetrovic,Pizzulo,Pizzini,Pizzico,Pivec,Pitpitan,Pitorak,Pitocco,Pitka,Pitch,Pitcairn,Pitarresi,Piszczek,Pistelli,Piskel,Pisicchio,Piserchio,Piscitello,Pirrotta,Pirrello,Pirre,Pirozhkov,Pirollo,Pirieda,Pipper,Pipia,Pioske,Piombino,Pinzino,Pintello,Pinsonneault,Pinsoneault,Pinn,Pinkenburg,Pinke,Pindell,Pinchock,Pince,Pimple,Pim,Piluso,Pillon,Pillarella,Pillado,Pilkey,Pilette,Pilchowski,Piirto,Pihlaja,Piggie,Piganelli,Piety,Pietrowicz,Pietrok,Pietrini,Piesco,Piertraccini,Piersiak,Pierrot,Pierdon,Pierannunzio,Pientka,Pielow,Piela,Piek,Piegaro,Piefer,Piecuch,Pidro,Picotte,Pickman,Picketts,Picketpin,Pickerell,Pickenpaugh,Pichoff,Picher,Piccuillo,Piccirilli,Piccinone,Piccinich,Piccillo,Picchetti,Piatz,Piao,Piacitelli,Piacenza,Phyfe,Phurrough,Phuong,Phuma,Phuaphes,Phramany,Phoubandith,Phommajack,Phom,Pho,Phimsoutham,Phimpradapsy,Philmore,Phillies,Philliber,Philio,Phildor,Philabaum,Phi,Phetsanghane,Phetphongsy,Phelp,Phaymany,Pharmer,Pharao,Phanthavongsa,Pfrommer,Pfoutz,Pforr,Pfnister,Pflugradt,Pflugrad,Pfleuger,Pfingsten,Pfifer,Pfeiffenberge,Pfefferkorn,Pfanstiel,Pfander,Pfalmer,Pfaffinger,Pezley,Pezina,Pezez,Peyser,Pevahouse,Petula,Petton,Pettipas,Pettijohn,Pettigrove,Pettay,Petrouits,Petropulos,Petronzio,Petronella,Petrilli,Petriccione,Petric,Petrecca,Petralia,Petr,Petka,Petigny,Petesic,Petersik,Petek,Petanick,Petalcu,Peszynski,Pessolano,Pesses,Pesicka,Peschong,Pesarchick,Pesantes,Perza,Pertea,Persyn,Persten,Persch,Perrota,Perrot,Perriott,Perring,Perrilloux,Perrette,Perrelli,Perrell,Pernod,Pernin,Perniciaro,Pernesky,Permann,Perlson,Perkiss,Perina,Perie,Perencevich,Peredz,Percey,Peraha,Peplau,Pepka,Pepion,Penzien,Penzel,Penya,Penwarden,Penticoff,Pensky,Pensick,Pensa,Pennelle,Penird,Penhallurick,Penha,Pengra,Penderel,Pendegraft,Pencak,Pemelton,Peluse,Pelnar,Pellom,Pellitteri,Pelligrino,Pellietier,Pellicone,Pelletiu,Pellet,Pellam,Peleg,Pekas,Pekara,Pehowich,Peha,Pegeron,Peffly,Pefferkorn,Peetoom,Peerzada,Peecha,Peduzzi,Pedralba,Pedez,Pedeare,Pecinousky,Pechaira,Pecatoste,Pecarina,Pecararo,Pearyer,Peacy,Peachay,Payseur,Payor,Payna,Payant,Payamps,Pax,Pawluch,Pavliska,Pavis,Pavelski,Pavella,Pav,Pauza,Pausch,Paulshock,Paulseth,Paulmino,Paulic,Paulauskis,Paulauskas,Paulas,Pauker,Paugsch,Patzner,Patzke,Patwell,Patuel,Pattyre,Pattinson,Pattengale,Patriquin,Patrin,Patrias,Patria,Patolot,Patik,Paterniti,Patellis,Patches,Patcher,Patanella,Pataki,Patajo,Pasvizaca,Pastures,Pasto,Pastian,Passerino,Passer,Paskow,Pasket,Pasinski,Pasho,Pashea,Pashal,Pascorell,Pascoal,Pascanik,Pascall,Pasaya,Pasana,Paruta,Party,Partman,Partipilo,Partenope,Partelow,Part,Parsygnat,Parsh,Parsells,Parrotta,Parron,Parrington,Parrin,Parriera,Parreno,Parquette,Parpan,Parone,Parnin,Parms,Parmantier,Parkos,Parkhouse,Parizek,Paripovich,Parinas,Parihar,Parhan,Pargman,Pardoe,Parayuelos,Paravano,Paratore,Parara,Papranec,Pappajohn,Paponetti,Papitto,Papike,Papiernik,Papciak,Papantonio,Papanikolas,Papania,Papan,Papale,Pap,Paongo,Paola,Panzica,Panzella,Panyko,Panuccio,Pantosa,Pantoliano,Pantelakis,Panrell,Panowicz,Panora,Pankiw,Pankake,Panitz,Panila,Panias,Paneque,Panela,Paneczko,Pandola,Panahon,Panah,Panagoulias,Panagis,Paluszynski,Paluk,Paluck,Palu,Paloukos,Palombit,Palmios,Palley,Pallant,Pallansch,Pallafor,Palisbo,Palchetti,Palazola,Palas,Palacois,Pakonen,Pajerski,Paillant,Pahk,Pagni,Pagnello,Paglio,Paga,Pafel,Padol,Padgette,Padeken,Paddio,Paddilla,Paddack,Padavich,Pacquin,Packineau,Pacior,Pacholec,Pachlin,Pachla,Pach,Pacenta,Pacek,Pacapac,Pacana,Paben,Paarmann,Paalan,Ozer,Ozane,Ozaine,Ozaeta,Oz,Oyston,Oyellette,Oxton,Oxnam,Oxenrider,Oxborough,Owers,Ow,Ovit,Ovesen,Overstrom,Overshiner,Overmire,Overley,Overkamp,Overdick,Overbough,Ovdenk,Ovadilla,Ouye,Outzen,Ousdahl,Oury,Ourth,Ounsy,Ouellete,Oudker,Otutaha,Otuafi,Ottrix,Ottogary,Ottino,Ottilige,Ottenwess,Otiz,Othoudt,Otex,Otega,Osvaldo,Ostwald,Ostrzyeki,Ostrum,Ostroot,Osterhaut,Ostendorff,Ostenberg,Ostasiewicz,Osswald,Ossola,Osowicz,Osorno,Osollo,Osol,Osnoe,Osmus,Osmanski,Osias,Oshman,Osentowski,Osden,Osche,Osbeck,Orttenburger,Ortolf,Orto,Ortga,Orrego,Orpin,Orozeo,Orochena,Orobona,Oroark,Ornelos,Ornedo,Orne,Orm,Orlove,Orlosky,Orlof,Orlinsky,Orlinski,Orlin,Orizabal,Oriti,Orion,Origer,Orie,Orhenkowski,Orford,Orff,Oreskovich,Orellama,Oreily,Orehek,Oreb,Ordazzo,Ordahl,Orcholski,Orce,Oras,Opula,Opstein,Oppliger,Oppegard,Opichka,Opher,Opet,Opalicki,Opaka,Ooton,Onyeanus,Onwunli,Onukogu,Onisick,Onifade,Oneale,Ondik,Ondic,Ondersma,Omullan,Omoto,Omo,Omlin,Omli,Omersa,Olverson,Olveira,Olvedo,Olowe,Olona,Olnes,Olloqui,Olliver,Ollhoff,Ollendick,Olkowski,Olivid,Olivers,Oliveres,Olivarra,Olinghouse,Oligee,Olgvin,Olfers,Olewinski,Olewine,Oleveda,Oleskiewicz,Olejarski,Olecki,Olde,Olckhart,Olbrish,Olay,Olarte,Okwuona,Okuley,Okula,Okorududu,Okoren,Okoli,Okihara,Okerson,Oken,Ojard,Ojanen,Oines,Oilvares,Oieda,Ohrnstein,Ohren,Ohmit,Ohmie,Ohlmacher,Ohlenbusch,Ohlen,Ohaver,Oharroll,Ogwynn,Ogunyemi,Ogram,Ogilive,Ogen,Ogbonnaya,Ogasawara,Ogans,Ogami,Oflahrity,Offret,Oen,Oeler,Oehrlein,Oehrle,Oehmke,Oehmig,Oeftger,Oeder,Odougherty,Odorizzi,Odomes,Odin,Odien,Odhner,Odess,Odenheimer,Ocus,Ochsenbein,Ochinang,Ochiai,Ochalek,Occhino,Ocacio,Obnegon,Oblow,Oblinger,Obiano,Obery,Oberson,Oberpriller,Obermuller,Obermoeller,Oberholzer,Oberhaus,Oberdier,Oberdick,Oaxaca,Oar,Nysether,Nykiel,Nygaro,Nycum,Nyahay,Nwankwo,Nwakanma,Nwadiora,Nwabeke,Nuzenski,Nusz,Nunnelee,Nunmaker,Nuniz,Nunery,Nulisch,Nuetzman,Nuessle,Nuesca,Nuckoles,Nuccitelli,Nucci,Nozum,Nozick,Nowzari,Nowosadko,Nowley,Nowitzke,Novitsky,Novitski,Novitske,Novikoff,Novida,Novetsky,Novelly,Novellino,Novara,Nouth,Noullet,Noud,Notwick,Notowitz,Notley,Notis,Nothem,Nothacker,Nostro,Noseff,Norwell,Northwood,Northcut,Norstrud,Norseth,Norse,Norsaganay,Norko,Norkaitis,Noriego,Norg,Noreiga,Nordwall,Nordsiek,Nordlinger,Nordick,Nordenstrom,Norbo,Noorigian,Noordam,Nonu,Nones,Noneman,Nondorf,Noltensmeier,Nollette,Nolfe,Nolazco,Nokken,Noke,Noiseux,Noia,Nohe,Nogueda,Noguchi,Nogoda,Noggles,Noggler,Noftsier,Noey,Noerenberg,Noegel,Nodurft,Nodarse,Nockai,Nobregas,Nobis,Nkuku,Nkomo,Njango,Niziol,Nixion,Nixa,Nivar,Nivala,Nitzschke,Nitzsche,Nitzkowski,Nitcher,Niswender,Nisley,Nishimori,Nirmaier,Nipps,Nipple,Ninke,Nini,Ninh,Nimrod,Nimox,Nimick,Nila,Niksich,Nikodem,Nikocevic,Nikaido,Nightlinger,Niggemann,Nietfeldt,Niess,Niesent,Niesborella,Nierer,Niemitzio,Niemiel,Niemants,Niedzwiedzki,Niedzwiedz,Niedens,Niedbalec,Niebaum,Nicoson,Nicoli,Nicolaus,Nickoley,Nicklos,Nicklien,Nickenberry,Nickas,Nicholason,Nichell,Nichalson,Nicewonger,Niau,Nian,Nham,Nguyan,Ngin,Nezich,Nezat,Neyaci,Newstead,Newness,Newhook,Newes,Newens,Newbell,Newball,Nevinger,Nevilles,Nevil,Never,Nevarrez,Neuse,Neundorfer,Neuenswander,Neudeck,Neubig,Neubaum,Neubacher,Nettleingham,Netrosio,Netolicky,Netley,Nesti,Nessmith,Neslusan,Nesline,Nesland,Nesin,Nerlich,Nepa,Neonakis,Nenni,Nemzin,Nemunaitis,Nemets,Nemard,Nemani,Nelmes,Nellums,Nellenback,Nelisse,Nejaime,Neja,Neither,Neiswoger,Neiper,Neild,Neidiger,Nehrt,Nehme,Neglio,Negbenebor,Needy,Nedman,Nedina,Nederostek,Nedelman,Neddo,Nedbalek,Nebred,Neblock,Nebesnik,Nebarez,Neall,Nealious,Nealer,Neahr,Ncneal,Nazzise,Nazzal,Nazir,Nazelrod,Naz,Naysmith,Nayman,Nawwar,Nawda,Naveed,Navarrate,Navaretta,Navappo,Navanjo,Natwick,Nattiah,Natsis,Nati,Nathans,Natewa,Natani,Natalello,Nasti,Nassie,Nasr,Nasers,Nasalroad,Narr,Nargi,Nardy,Napieralski,Nanthanong,Nantanapibul,Nanna,Nanik,Nanasy,Nanas,Namur,Namihira,Namaka,Nalty,Nalbach,Naki,Nakatsu,Nakamori,Najarian,Nailer,Naifeh,Naidu,Nahrwold,Nahl,Nahari,Nagode,Nagindas,Nagengast,Nagelhout,Nagase,Naftzinger,Naftali,Naeher,Nadoff,Naderi,Nadelbach,Naddeo,Nacy,Nacisse,Nacion,Nachtrieb,Nachmias,Nachazel,Nacar,Naborg,Nabity,Nabhan,Mytych,Myslinski,Myslin,Mysak,Myrtle,Myrman,Myrck,Myntti,Mynnerlyn,Mylott,Myking,Myes,Mycroft,Mway,Muzyka,Muzacz,Muyskens,Muysenberg,Mutone,Mutner,Mutherspaw,Muthart,Muthana,Mutart,Musty,Muston,Mussmann,Musshorn,Musse,Muss,Musquiz,Musolf,Muskthel,Muska,Musinski,Musigdilok,Muschick,Muschett,Musch,Murwin,Murty,Mursko,Murnock,Mure,Murasso,Muraro,Muran,Murallies,Muraco,Munyer,Munshi,Munning,Munl,Munir,Muninger,Munhall,Muney,Munet,Mundziak,Mundschau,Mundhenk,Munderville,Muncil,Munchmeyer,Munaz,Muna,Mulzer,Mulvahill,Mulryan,Mulroney,Mulready,Mulneix,Mullowney,Mullner,Mullison,Mullany,Mulich,Mula,Muhtaseb,Muhlenkamp,Muhlbach,Muggley,Mueske,Muenkel,Muell,Muehleisen,Mudrick,Muddaththir,Muczynski,Mucklow,Muckley,Muckelvaney,Muchortow,Mthimunye,Mrazik,Mozzone,Mozo,Mozley,Mozie,Mozgala,Mozelak,Moyerman,Mowder,Mowan,Movlin,Mouzas,Mourino,Moulhem,Mottillo,Motteshard,Mottershead,Motamed,Mosz,Mostoller,Mostiller,Mostero,Mostella,Mosson,Mossing,Mossien,Mossel,Mosmeyer,Moskau,Moshos,Mosho,Moscovic,Moscaritolo,Moscariello,Moscardelli,Morosow,Morono,Morneault,Morna,Morn,Morkve,Moriwaki,Morise,Moriera,Moricle,Moribayed,Morgret,Morgner,Morgas,Morgans,Morgandi,Morfee,Morelen,Moreida,Moreci,Moreb,Mordino,Mordini,Mordehay,Morda,Mootz,Mootispaw,Moosbrugger,Moosa,Moonsommy,Moonshower,Moodispaugh,Mooberry,Monz,Montuoro,Montrella,Montijano,Montgonery,Montelle,Montell,Montcalm,Montalgo,Monske,Monrroy,Monrow,Monnot,Moniak,Mongue,Mongolo,Mongiovi,Monfore,Mondoux,Mondone,Mondell,Mondaine,Moncrieffe,Moncrieff,Moncier,Monasterio,Monarque,Monaham,Monagle,Momper,Momeni,Moltrie,Molone,Molly,Mollohan,Molliere,Mollere,Molleker,Mollberg,Molinini,Moling,Molineaux,Molett,Moldan,Molavi,Molaison,Mokriski,Mokiao,Mojzisik,Mojardin,Moisey,Mohorovich,Mohinani,Mohaupt,Mohabeer,Mogollon,Moghadam,Mofle,Mofford,Moevao,Moelter,Moede,Modrak,Moddejonge,Mockler,Mocha,Mobilio,Mlenar,Mizzi,Mizner,Mizee,Miyasaka,Miyao,Mixdorf,Mitter,Mittchell,Mittag,Mithani,Mitchler,Misove,Mismit,Misluk,Miskovich,Mishou,Miserendino,Misek,Miscoe,Mirmow,Mirman,Mirkovich,Mirao,Miran,Miquelon,Minucci,Mintreas,Mintos,Mintor,Minotti,Minock,Minnatee,Miniuk,Minissale,Minihan,Minicozzi,Mini,Minford,Minette,Minery,Minehan,Mineconzo,Mindingall,Minchella,Minarcik,Minacci,Mimaki,Milz,Milwee,Miltz,Milsaps,Milosevich,Millstead,Millott,Millora,Millian,Millhiser,Millerr,Millbrand,Millbern,Millberg,Milkent,Milius,Milite,Milelr,Mildred,Milderberger,Mildenstein,Milbrodt,Milare,Mikulec,Mikovec,Mikota,Mikolon,Mikhaiel,Mikez,Miker,Mikasa,Mihovk,Mihor,Mihaliak,Mihalco,Mihalak,Miggo,Miessler,Miernik,Miernicki,Miene,Mieloszyk,Mielkie,Mielczarek,Mielcarz,Miehe,Midget,Middough,Middents,Microni,Mickulskis,Micks,Mickonis,Mickenheim,Michello,Michealson,Michavd,Michalczik,Mezzinni,Mezzanotte,Meysembourg,Meyerowitz,Meyerott,Meyerman,Meyerhoefer,Mevis,Mevers,Meuler,Meulemans,Meua,Metzga,Metzel,Mettlen,Mettille,Metott,Metos,Metil,Metia,Metherell,Metevelis,Metenosky,Meteer,Metchikoff,Mestler,Mestanza,Messman,Messey,Messervy,Messel,Messan,Mesoloras,Mesmer,Mesiona,Mesias,Meshew,Meshanko,Meservy,Mesecar,Mesdaq,Merzig,Mervine,Mertine,Merrills,Merren,Merlette,Merles,Merlain,Merl,Merksamer,Merithew,Merisier,Mering,Merilos,Merical,Merhar,Merette,Mereno,Merdian,Merceir,Mercando,Merante,Merana,Merales,Menucci,Mentkowski,Mentgen,Menso,Mensen,Menkin,Menjes,Menjares,Menitz,Menietto,Menier,Meneus,Menefield,Menees,Mendrin,Mendrala,Mendler,Mendiaz,Mendesa,Mencke,Menchu,Menches,Menas,Mems,Memo,Memmo,Meltzner,Melter,Melstrom,Melsheimer,Melser,Melodia,Mellos,Mellis,Melliere,Mellie,Mellecker,Mellage,Mellady,Melikyan,Melford,Meley,Melencamp,Meleen,Melear,Melchert,Melaun,Melaro,Melady,Mekonis,Meisenburg,Meireles,Meinsen,Meinershagen,Meil,Meihofer,Mehrotra,Mehlhaff,Mehis,Mehelich,Mehdizadeh,Mehdi,Meharry,Mehalko,Megraw,Megown,Mego,Megill,Megia,Meggison,Meggett,Meggerson,Meetze,Meeroff,Meemken,Meehleder,Meeds,Medure,Medosch,Medora,Mednis,Medling,Medland,Medious,Medino,Medin,Medill,Medieros,Medi,Medhus,Medearis,Medanich,Medalion,Meckel,Meccia,Mecardo,Measheaw,Measeck,Mearing,Meara,Meakin,Mcwilson,Mcward,Mcwalters,Mcwade,Mcvoy,Mctush,Mctiernan,Mctarnaghan,Mcswiggan,Mcstay,Mcritchie,Mcrill,Mcquiddy,Mcqueeny,Mcpharlane,Mcphan,Mcpartlin,Mcnutty,Mcnuh,Mcnicoll,Mcnicol,Mcnevin,Mcnespey,Mcneme,Mcnellie,Mcnayr,Mcmina,Mcmenamy,Mcmanigal,Mcluckie,Mclilly,Mcleskey,Mclearan,Mclauchlen,Mclatchy,Mclaen,Mckray,Mckouen,Mckoon,Mckisson,Mckinna,Mckines,Mckimmy,Mckimley,Mckewen,Mckerrow,Mckenzy,Mckentie,Mckemie,Mckaskle,Mckanic,Mcintyde,Mcinroy,Mcinnish,Mcilwaine,Mciltrot,Mchalffey,Mcgurren,Mcgurr,Mcgunnis,Mcgunnigle,Mcgunagle,Mcguinnes,Mcguin,Mcgrotha,Mcgrogan,Mcgraph,Mcgoon,Mcglothern,Mcgloster,Mcglohon,Mcglockton,Mcglawn,Mcginnity,Mcginister,Mcgilberry,Mcgiboney,Mcghin,Mcghaney,Mcgeeney,Mcgeady,Mcgartland,Mcgarraugh,Mcgaffey,Mcgafferty,Mcgaffee,Mcfeeley,Mcfan,Mceneny,Mcelwine,Mcelreavy,Mcelpraug,Mcelmeel,Mceirath,Mceady,Mcdunn,Mcdonnall,Mcdewitt,Mcdermett,Mcdeavitt,Mcdearmont,Mccurine,Mccunn,Mccumbers,Mccumbee,Mccullors,Mccullon,Mccullogh,Mccullock,Mccuan,Mccrate,Mccra,Mccoulskey,Mccornack,Mccormik,Mccorkindale,Mccorison,Mcconnal,Mccomack,Mccole,Mccoil,Mccoard,Mcclurken,Mcclodden,Mcclod,Mcclimens,Mccleveland,Mcclenningham,Mcclellon,Mcclaugherty,Mcclatcher,Mcclarty,Mcclamma,Mcclaim,Mcchain,Mccelland,Mccastle,Mccarvill,Mccarther,Mccarr,Mccarns,Mccarn,Mccard,Mccandrew,Mccandliss,Mccalvin,Mccalpin,Mccalment,Mccallun,Mccallough,Mccahan,Mccaffree,Mcbratney,Mcaveney,Mcausland,Mcauly,Mcarthun,Mcanaw,Mcall,Mbamalu,Mazzera,Mazze,Mazzawi,Mazzaferro,Mazzacano,Mazuo,Mazion,Mazey,Maywood,Mayshack,Mayrose,Mayou,Mayorca,Mayoka,Maynerich,Maylone,Mayhood,Mayeshiba,Maydew,Maxi,Maxell,Mawhinney,Mavropoulos,Mavle,Mavai,Mautte,Mauson,Mausey,Mauseth,Mausbach,Maurus,Maurizio,Maura,Maupredi,Maung,Maultasch,Mauleon,Maud,Matyi,Matuszak,Matushevsky,Matusek,Matuck,Mattys,Mattsey,Mattione,Mattias,Matteis,Matsu,Matsoukas,Matrey,Matot,Matlin,Matkowsky,Matise,Mathwich,Mathus,Mathony,Mathery,Matherson,Mathen,Maten,Matelich,Matejek,Matczak,Matchen,Matarrita,Matakonis,Mataka,Matacale,Masuyama,Masure,Masupha,Masudi,Masturzo,Mastrocola,Mastriano,Mastrianni,Mastrianna,Mastrelli,Massicotte,Massetti,Massella,Massei,Massee,Massaquoi,Masood,Masom,Maslowsky,Masloski,Maslonka,Maski,Maskaly,Masiejczyk,Masgalas,Masero,Masenten,Masciantonio,Masaya,Masaracchia,Marzocchi,Marzili,Marzigliano,Marye,Marusiak,Marullo,Marturano,Martos,Martorello,Martineze,Martillo,Martignago,Martiarena,Marsters,Marshalek,Marsell,Marsek,Marseglia,Marriot,Marrion,Marrington,Marrietta,Marrello,Marreel,Marrable,Marquina,Marque,Marozzi,Marovic,Marotti,Marose,Marnett,Marmolejos,Markt,Markson,Marklund,Markewich,Marinoni,Marinko,Marinas,Maril,Mariello,Marguardt,Margreiter,Margraf,Margel,Margaryan,Margarita,Margan,Marevka,Maresco,Marero,Marentez,Maree,Mardini,Marcotrigiano,Marcoguisepp,Marcks,Marcinka,Marchizano,Marchitto,Marchiony,Marchionese,Marchesseault,Marcheski,Marchesano,Marchall,Marceaux,Marbray,Maratre,Maratos,Marashi,Marasciulo,Maras,Marantz,Marallo,Maragni,Maragh,Marabella,Maquis,Maontesano,Maobi,Manzie,Manzay,Manvelito,Manvel,Manuell,Mantik,Mantele,Mantegna,Mansbridge,Mansanares,Manora,Manolakis,Manokey,Mannine,Mannheimer,Mannebach,Mannchen,Manlito,Mankoski,Manivong,Manheim,Mangubat,Manfra,Manemann,Manecke,Mandry,Mandler,Mandi,Mandap,Mandahl,Mancos,Manciel,Mancherian,Manchel,Manca,Manby,Manatt,Manaker,Mamone,Mammano,Malvern,Malton,Malsch,Malovich,Malouff,Malory,Maloff,Malocha,Malmanger,Mallinger,Mallinak,Mallegni,Mallat,Malkoski,Malinky,Malinak,Malichi,Malgieri,Maleszka,Males,Maleonado,Malenke,Malekan,Malehorn,Maleck,Malcome,Malay,Malawy,Malarkey,Malanado,Malama,Malabey,Makua,Makhija,Makel,Makarem,Majorga,Majocka,Majica,Majic,Majeau,Maizes,Mairot,Maione,Mainz,Mainland,Mainetti,Mainero,Maimone,Maifeld,Maiers,Maiello,Maidonado,Maicus,Mahung,Mahula,Mahrenholz,Mahran,Mahomly,Mahin,Mahe,Mahall,Mahal,Magsby,Magsayo,Magrone,Magraw,Magrann,Magpali,Magouliotis,Magorina,Magobet,Magnini,Magnifico,Magnie,Magnett,Maglioli,Maggit,Magg,Magette,Magdefrau,Magdalena,Magaziner,Magathan,Magalski,Magaldi,Magadan,Mafua,Maeno,Maenaga,Maedke,Madziar,Madre,Madine,Madin,Madhavan,Madge,Madeja,Maddoy,Maddison,Maddin,Maddern,Mad,Macvicar,Macurdy,Macreno,Macpartland,Macoreno,Macola,Macnutt,Macnevin,Macmullan,Maclain,Mackstutis,Macknair,Macklem,Mackillop,Mackenthun,Mackechnie,Mackaman,Macione,Maciolek,Maciarello,Machover,Machle,Machi,Machel,Machak,Macduffee,Maccutcheon,Macculloch,Maccord,Macconaghy,Maccoll,Macclellan,Macclairty,Maccini,Macchiarella,Maccheyne,Maccarter,Maccarino,Maccarini,Macandog,Macanas,Macalma,Macabeo,Maasen,Maarx,Lytell,Lyson,Lysher,Lyngholm,Lynchj,Lynah,Lyme,Lyken,Lyew,Lydecker,Lybert,Lyberger,Lybecker,Lyau,Lweis,Luzi,Luzell,Luvianos,Luvera,Lutze,Lutkus,Luten,Lusty,Lustberg,Lurye,Lury,Lurtz,Luquette,Lupiani,Lupacchino,Lunter,Lunstrum,Lungwitz,Lungsford,Lunemann,Lunderman,Lunch,Luminati,Lumbley,Lumba,Lumadue,Lulas,Lukow,Lukianov,Lukesh,Lukander,Luka,Luing,Luikart,Lugabihl,Lufborough,Luette,Luescher,Lueschen,Luersen,Luensmann,Luening,Lueker,Luedecke,Lueckenbach,Luebbering,Ludovico,Ludera,Ludeker,Ludecke,Luczki,Luco,Luckinbill,Lucis,Lucik,Lucie,Lucic,Luchterhand,Luccous,Lucash,Luberger,Lubbert,Lubben,Lubawy,Lubahn,Luangxay,Luangrath,Luangamath,Luague,Lozey,Loyborg,Loyack,Loxton,Loxtercamp,Lownsbery,Lowler,Lowcks,Lowa,Lovstad,Lovisone,Lovfald,Lovetinsky,Lovet,Lovero,Loverdi,Lovellette,Loveberry,Louwagie,Lournes,Louria,Lourentzos,Lourdes,Louka,Louil,Loudermelt,Louchen,Loubier,Lotto,Lotridge,Lothringer,Lothridge,Lota,Lot,Loszynski,Lossius,Losneck,Loseth,Losavio,Losardo,Losano,Losado,Losacco,Losa,Lorr,Loron,Lorincz,Loria,Loretz,Lorentine,Lordi,Loraine,Lopze,Lopiccalo,Lopey,Loperfido,Lope,Lopata,Lopas,Loparco,Loofbourrow,Longwith,Longhi,Longenberger,Longbine,Longaker,Longabaugh,Lomonte,Lomino,Lominack,Lomen,Lombel,Lombardino,Lomago,Loma,Lokan,Loiacona,Lohry,Lohrke,Lohre,Logoleo,Loggens,Logarbo,Lofwall,Lofty,Lofts,Lofthus,Lofte,Lofstrom,Loforte,Lofman,Lofing,Lofguist,Loffier,Loffelbein,Loerwald,Loeppky,Loehrer,Loehner,Loecken,Lockshaw,Locknane,Lockington,Lockery,Lockemer,Lochrico,Lobregat,Lobley,Lobello,Lobell,Lobalbo,Lobach,Llaneza,Llanet,Llams,Livley,Livinton,Living,Liversedge,Livernois,Livermon,Liverance,Liveoak,Livecchi,Livasy,Liukkonen,Litzenberger,Litvak,Littfin,Litmanowicz,Litchard,Listi,Listen,Lisker,Lisitano,Lisena,Lisbey,Lipsie,Lips,Lippoldt,Lippitt,Lipper,Lipoma,Lipkovitch,Lipira,Lipan,Linzan,Linza,Linsin,Linsenmayer,Linsdau,Linnert,Linman,Linkon,Lingner,Lingley,Lingerfelter,Lingbeek,Linero,Lindorf,Lindmeyer,Lindinha,Linderleaf,Lindau,Lindabury,Linburg,Linak,Limmel,Limle,Limbert,Limardi,Lilyblade,Lillehaug,Likar,Liiv,Ligonis,Ligler,Lighthart,Ligget,Liftin,Lifschitz,Liewald,Lievsay,Lievens,Lietzow,Lierz,Liegler,Liedberg,Lied,Liebrecht,Liebherr,Lieberg,Liebenthal,Liebenow,Liebeck,Lidstone,Lidie,Lidge,Lidder,Licursi,Licklider,Lickfelt,Lichota,Lichenstein,Liceaga,Liccketto,Libertini,Libberton,Leyton,Leyh,Leydecker,Leyda,Lexer,Lewi,Lewars,Levreau,Levra,Levielle,Levian,Leveto,Leversee,Levers,Leverone,Leverance,Levendoski,Levee,Levatino,Levans,Levandofsky,Leuze,Leutwiler,Leuthe,Leuhring,Leuga,Leuckel,Leuasseur,Lettsome,Lettiere,Letscher,Letender,Letchaw,Leta,Lestrange,Lestourgeon,Lestor,Leston,Lessner,Lessmann,Lessly,Lespedes,Leso,Lesneski,Leskovar,Leskovac,Lese,Lesco,Lesches,Lesa,Lerra,Lerper,Lerow,Lero,Lermon,Lepretre,Lepre,Leppink,Lepke,Lepez,Lepetich,Leopardi,Leonpacher,Leonick,Leonberger,Leomiti,Leny,Lenski,Lenorud,Lenort,Lennis,Lennart,Lennan,Lenling,Lenke,Lenigan,Lenhoff,Lenharr,Leners,Lendt,Lendor,Lendo,Lenczyk,Lench,Lenberg,Lemoyne,Lemmonds,Lemmings,Lemish,Lemear,Lembcke,Lemansky,Lemans,Lellig,Lekey,Lekberg,Lekan,Lek,Lejman,Leitzinger,Leithiser,Leiper,Leinwand,Leimkuhler,Leimberger,Leilich,Leigland,Leichtenberge,Leiberton,Leho,Lehning,Lehneis,Lehmer,Lehenbauer,Lehberger,Legrotte,Legro,Legra,Legat,Legall,Lefurgy,Leflores,Leffers,Leffelman,Lefeld,Lefaver,Leetham,Leesman,Leeker,Leehan,Leeber,Ledsinger,Ledermann,Ledenbach,Ledee,Led,Lecznar,Leckband,Lechleidner,Lechelt,Lecato,Lecaros,Lecain,Lebroke,Lebold,Leblane,Lebitski,Lebish,Leberte,Lebedeff,Lebby,Lebaugh,Lebarge,Leavigne,Leaven,Leasor,Leasher,Leash,Leanza,Leanen,Leaird,Leahman,Leadford,Lazusky,Lazurek,Lazott,Lazio,Lazier,Lazich,Lazewski,Lazares,Layva,Layell,Laycox,Lawsky,Lawrentz,Lawis,Lawford,Lawcewicz,Lawbaugh,Lawary,Lawal,Lavongsar,Lavgle,Lavezzo,Lavelli,Lave,Lavani,Lavander,Lavagnino,Lavadera,Lautieri,Lautaret,Lausell,Lauschus,Laurole,Lauretta,Laureno,Laureles,Laurance,Launiere,Laundree,Lauigne,Laughon,Laugen,Laudeman,Laudadio,Lauckner,Lauchaire,Lauby,Laubersheimer,Latus,Latourrette,Latos,Laton,Lathrum,Lather,Lathe,Latendresse,Late,Latassa,Latam,Lat,Lastella,Lassetter,Laskosky,Laskoskie,Lasin,Lasik,Lashlee,Lashier,Laselle,Laschinger,Lascaro,Lasane,Lasagna,Lasage,Larusch,Larrosa,Larriviere,Larralde,Larr,Larowe,Larousse,Larotta,Laroia,Laroe,Larmett,Larman,Larkan,Largena,Laregina,Lardone,Larcom,Larche,Larbie,Larbi,Larason,Laranjo,Laragy,Laraby,Larabell,Larabel,Lapuerta,Lappinga,Lappi,Laport,Lapinta,Lapila,Laperuta,Lapere,Laper,Lapek,Lapari,Lapalme,Laorange,Lanze,Lanzarotta,Lantry,Lantgen,Lantelme,Lanteigne,Lansey,Lansberg,Lannier,Lannen,Lanna,Lankster,Lanie,Langrum,Langness,Langmo,Langlitz,Langi,Langholdt,Langhans,Langgood,Langanke,Lanfor,Lanen,Laneaux,Landu,Landruth,Landrie,Landreville,Landres,Landquist,Landolf,Landmark,Landini,Landevos,Landenberger,Landan,Lancz,Lamudio,Lampsas,Lampl,Lampinen,Lamphiear,Lampel,Lamoree,Lamoreau,Lamoore,Lamontagna,Lammy,Lammel,Lamison,Laming,Lamie,Lamia,Lameda,Lambuth,Lambertus,Lambermont,Lamartina,Lamango,Lamaack,Lalinde,Lalich,Lale,Lakowski,Lakhan,Lajoye,Lajoy,Laios,Lahne,Laham,Laguire,Lagrenade,Lagore,Lagoo,Lagonia,Lagoni,Laglie,Laggan,Lagesse,Lagerstedt,Lagergren,Lagatta,Lagard,Lagant,Lagamba,Lagadinos,Lafuze,Lafrate,Laforey,Lafoon,Lafontain,Laflam,Laffer,Lafevre,Lafemina,Lafantano,Laface,Laessig,Laehn,Ladt,Ladouce,Ladonne,Lado,Ladika,Ladick,Ladebauche,Lacz,Lacusky,Lacovara,Lackett,Lackage,Lachino,Lachiatto,Lacharite,Lacerenza,Lacek,Lacau,Lacatena,Lacaille,Labovitch,Labounta,Labombar,Laboissonnier,Labo,Labitan,Labier,Labeots,Labarriere,Labaro,Labarbara,Laatsch,Laasaga,Laake,Kyseth,Kypuros,Kyper,Kyner,Kwilosz,Kvzian,Kvoeschen,Kveton,Kvek,Kveen,Kvaternik,Kuziel,Kuypers,Kuykendoll,Kuwana,Kuwada,Kutzer,Kuty,Kutlu,Kuti,Kutchie,Kuszynski,Kussmaul,Kussel,Kusnic,Kusner,Kusky,Kushaney,Kurzinski,Kurtti,Kurshuk,Kurr,Kurokawa,Kurns,Kuretich,Kurasz,Kurant,Kura,Kur,Kupihea,Kupferberg,Kupersmith,Kupchinsky,Kunter,Kunkleman,Kuniyoshi,Kunimitsu,Kunich,Kundanani,Kunau,Kummerow,Kumlander,Kumfer,Kuman,Kumalaa,Kum,Kulseth,Kulbeth,Kulbacki,Kulback,Kukura,Kukler,Kuklenski,Kukauskas,Kukahiko,Kujat,Kuiz,Kuitu,Kuick,Kuhry,Kuhlenschmidt,Kuffa,Kuepfer,Kuehnhold,Kuechler,Kudro,Kudrle,Kuczma,Kuckens,Kuciemba,Kuchinski,Kuchem,Kubley,Kubler,Kubesh,Kubeck,Kubasch,Kub,Kuanoni,Krzewinski,Krzesinski,Krzan,Kryston,Krystek,Krynicki,Krylo,Kruzel,Kruyt,Kruszewski,Krusor,Kruskie,Krushansky,Krush,Kruppenbacher,Krupinsky,Krumroy,Krumbein,Krumbach,Krukiel,Kruizenga,Kruis,Kruiboesch,Kruebbe,Krucke,Krotine,Krostag,Kropff,Kropfelder,Kroninger,Kronau,Krome,Krolick,Krokus,Krog,Krofta,Krofft,Kroesing,Krochmal,Krobath,Krnach,Krivanec,Kristofferson,Kristof,Kristan,Krissie,Kriskovich,Kriske,Krishun,Krishnamurthy,Krishman,Krinov,Kriek,Kriegshauser,Krewer,Kreutzbender,Kreusch,Kretzinger,Kressler,Kressin,Kressierer,Kresky,Krepp,Krenzke,Krenning,Krenik,Kremple,Kremmel,Kremen,Krejcik,Kreissler,Kreinhagen,Krehel,Kreese,Krawitz,Kravetsky,Kravets,Kravec,Krausse,Krausmann,Krauel,Kratowicz,Kratchman,Krasnici,Krasnansky,Kraskouskas,Krasinski,Kranwinkle,Kranock,Kramarczyk,Krallman,Krallis,Krakowiak,Krakauer,Krainbucher,Kraig,Kraichely,Krahulec,Krahe,Krah,Kragt,Kraetsch,Krabel,Krabbenhoft,Kraasch,Kraack,Kozlovsky,Kozlik,Koziak,Kozeyah,Kozan,Kowitz,Kowalke,Kowalec,Koves,Kovalaske,Kovacik,Koutras,Koussa,Kousonsavath,Kounthong,Kounthapanya,Kounovsky,Kounkel,Kounick,Koulavongsa,Koulalis,Kotyk,Kotur,Kottraba,Kottlowski,Kotterna,Kotschevar,Kotonski,Kotlar,Kotheimer,Kotey,Koterba,Koteras,Kotarski,Kotaki,Kosuta,Kostrzewa,Kostiv,Kosters,Kossey,Kossen,Kossak,Kososky,Kosorog,Koso,Koslan,Kosiorek,Koshi,Koscielniak,Kosareff,Korzyniowski,Korzybski,Korynta,Korwin,Korwatch,Kortemeier,Korst,Korsmeyer,Korslund,Koroch,Kornn,Kornfield,Kornblatt,Korkmas,Koritko,Korinta,Koria,Korewdit,Kores,Korenek,Kordys,Kordowski,Kordiak,Korbin,Kopsho,Koppy,Kopke,Kopin,Kopicko,Kopiasz,Koperski,Kopay,Kopatz,Kopan,Koosman,Koong,Koolman,Kool,Konty,Konow,Konopski,Konma,Konishi,Konger,Konetchy,Kone,Konderla,Konczewski,Konarik,Komula,Kominski,Komada,Koma,Kolwyck,Kolupke,Koltz,Kolts,Kolppa,Koloc,Kollross,Kollos,Kolkman,Kolkhorst,Kolikas,Kolic,Kolbusz,Kolassa,Kol,Kokubun,Kokoszka,Kokko,Kokenge,Koitzsch,Koiner,Kohus,Kohles,Kohel,Koguchi,Kofoot,Koers,Koenitzer,Koeninger,Koenigsberg,Koener,Koenemund,Koelbel,Koehring,Koeck,Kody,Kodera,Koczwara,Kocieda,Kochkodin,Kochen,Kochanek,Kobylski,Kobylarz,Kobylarczyk,Kobold,Knyzewski,Knupke,Knudsvig,Knowiton,Knowell,Knous,Knotowicz,Knorp,Knoflicek,Knoeppel,Knoepke,Knoell,Knoechel,Knodel,Knockaert,Knobler,Kniola,Knill,Knilands,Kniesel,Kniceley,Kneuper,Knetsch,Kneser,Knerien,Knellinger,Kneefe,Knazs,Knatt,Knapko,Knapick,Knape,Knap,Knake,Kmiotek,Kment,Kmatz,Kman,Klyn,Klute,Kluse,Klumph,Klukken,Klukan,Kluemper,Kluber,Klosky,Kloppenburg,Klonowski,Klomp,Klohs,Klohe,Kloeppel,Kloeker,Kloefkorn,Kloeck,Klobucar,Kljucaric,Klitzner,Klitsch,Kliskey,Klinski,Klinnert,Klinich,Klingner,Klingenberger,Klingberg,Klingaman,Klimo,Klimavicius,Klickman,Klicka,Klez,Klevjer,Klette,Kletschka,Kless,Kleppen,Klenovich,Kleintop,Kleinsasser,Kleinfeld,Kleifgen,Kleid,Kleftogiannis,Kleefisch,Kleck,Klebes,Klear,Klawuhn,Klawinski,Klavon,Klavetter,Klarin,Klappholz,Klande,Klancnik,Klan,Klamn,Klamert,Klaja,Klaich,Klafehn,Klabunde,Kjolseth,Kjergaard,Kjellsen,Kjellman,Kjeldgaard,Kizzia,Kizior,Kivela,Kitty,Kitthikoune,Kittelman,Kitelinger,Kitcher,Kitchenman,Kitanik,Kisro,Kisielewski,Kiryakoza,Kirsopp,Kirshman,Kirlin,Kirkness,Kirkling,Kirkconnell,Kirgan,Kirchmann,Kirchherr,Kirchberg,Kirchbaum,Kirberger,Kiracofe,Kipple,Kip,Kious,Kintopp,Kintigh,Kinsolving,Kinsky,Kinlin,Kinlecheeny,Kingwood,Kingson,Kinds,Kindregan,Kinderman,Kinde,Kimminau,Kimbal,Kilver,Kiltie,Kilstofte,Kilogan,Kilness,Kilner,Kilmister,Killoren,Killius,Kilimnik,Kilichowski,Kildare,Kiko,Kijak,Kiili,Kihlstrom,Kietzer,Kiesser,Kierzewski,Kienbaum,Kienast,Kieke,Kieck,Kiebala,Kiddle,Kickel,Kichline,Kibbler,Kiani,Khubba,Khora,Khokher,Khn,Khlok,Khilling,Khensamphanh,Khemmanivong,Khazdozian,Khazaleh,Khauv,Khairallah,Kezele,Keyon,Keyl,Kew,Kevwitch,Kevorkian,Keveth,Kevelin,Kevan,Keuper,Ketzler,Kettinger,Ketterl,Ketteringham,Kettenring,Ketchersid,Kessans,Kesey,Kesek,Kertzman,Kertels,Kerst,Kerper,Kernodle,Kernighan,Kernagis,Kermes,Kerens,Kercheff,Kerce,Kerans,Keppner,Kepke,Kepani,Keovongxay,Keoghan,Keodalah,Keobaunleuang,Kenzie,Kenson,Kenoyer,Kenouo,Kennie,Kenngott,Kennaugh,Kenik,Keney,Kenekham,Kenealy,Kendziora,Kendal,Kenaga,Kempster,Kemps,Kempon,Kempkens,Kemmeries,Kemerly,Keltt,Kellywood,Kellish,Kellem,Keliipaakaua,Kelau,Keks,Keisacker,Keis,Keinonen,Keilholz,Keilholtz,Keihl,Kehres,Keetch,Keetan,Keet,Keeser,Keenom,Keeman,Keehner,Keehan,Kedra,Kedia,Kecskes,Kecker,Kebede,Kebe,Keba,Keaty,Keaten,Keaser,Kearsey,Kearn,Kazunas,Kazimi,Kazar,Kazabi,Kaza,Kayat,Kayastha,Kawski,Kawell,Kawczynski,Kawaiaea,Kave,Kavaney,Kaut,Kaushal,Kausch,Kauo,Kaumans,Kaui,Kauder,Kaucher,Kaua,Katzmann,Katzaman,Katterjohn,Kattaura,Katsaounis,Katoh,Katke,Katis,Katin,Katie,Kathleen,Kathel,Kataoka,Kaszton,Kaszinski,Kasula,Kasuba,Kastens,Kaspari,Kasmarek,Kasky,Kashner,Kasen,Kasemeier,Kasee,Kasal,Karz,Karwowski,Karstensen,Karroach,Karro,Karrels,Karpstein,Karpe,Karoly,Karnath,Karnas,Karlinsky,Karlgaard,Kardux,Karangelen,Karamchandani,Karagiannes,Karageorge,Karabin,Kar,Kapsner,Kapperman,Kappelmann,Kapler,Kapiloff,Kapetanos,Kanzenbach,Kanwar,Kantis,Kantah,Kanosh,Kanoon,Kanniard,Kannan,Kanjirathinga,Kangleon,Kaneta,Kanekuni,Kanealii,Kand,Kanakares,Kamstra,Kamradt,Kampner,Kamna,Kammerzell,Kamman,Kamiya,Kaminska,Kamensky,Kamber,Kallhoff,Kallfelz,Kalley,Kallestad,Kallal,Kalista,Kalhorn,Kalenak,Kaldahl,Kalberg,Kalandek,Kalan,Kalamaras,Kalafarski,Kalaf,Kakowski,Kakeh,Kakani,Kajder,Kaja,Kaines,Kaiktsian,Kaid,Kahookele,Kahoohalphala,Kahley,Kahao,Kahalehoe,Kahal,Kahae,Kagimoto,Kaewprasert,Kaemingk,Kadow,Kadelak,Kaczka,Kacvinsky,Kacprowski,Kachmarsky,Kabzinski,Kabus,Kabir,Kabigting,Kabala,Kabacinski,Kababik,Kaarlela,Kaanana,Kaan,Kaak,Kaai,Ka,Juvenal,Justian,Juste,Justak,Jurries,Jurney,Jurkovich,Jurist,Jurin,Jurgen,Juray,Junod,Junkersfeld,Junick,Jumbo,Julsrud,Julitz,Juliana,Jukich,Juengling,Juen,Juelich,Judie,Jubyna,Jubran,Jubeh,Juback,Juba,Juanico,Joynson,Joyne,Jover,Journot,Joto,Jotblad,Josic,Jorrisch,Jordt,Jording,Jondrow,Jonah,Jome,Jollimore,Joline,Jolina,Joler,Joki,Johnting,Johnstonbaugh,Johnikins,Johniken,Johe,Johansing,Johal,Joganic,Joerger,Joelson,Joehnck,Jody,Jodha,Joanis,Jirsa,Jirak,Jira,Jingst,Jhingree,Jhanson,Jews,Jestis,Jessica,Jeskie,Jesiolowski,Jesenovec,Jeschon,Jermeland,Jerkin,Jericho,Jerger,Jergen,Jerding,Jepko,Jens,Jenovese,Jennkie,Jenderer,Jenab,Jempty,Jemmings,Jelome,Jellings,Jelden,Jelarde,Jeffryes,Jeffirs,Jedan,Jecmenek,Jecklin,Jeck,Jeanquart,Jeanphilippe,Jeannoel,Jeanette,Jeancy,Jaysura,Javis,Javers,Javed,Jave,Jaussen,Jauhar,Jastremski,Jastrebski,Jasmann,Jaskolka,Jasko,Jaskiewicz,Jasica,Jasch,Jarriett,Jaroski,Jarnutowski,Jarmin,Jaremka,Jarema,Jarels,Jarecke,Jarding,Jardel,Japak,Janysek,Janway,Janowiec,Janow,Janofsky,Janoff,Jannise,Jannett,Jankoff,Janeiro,Jana,Jaminet,Jami,Jamgochian,Jamesson,Jamer,Jamel,Jamason,Jalovel,Jalkut,Jakubov,Jaksic,Jaksch,Jakiela,Jaji,Jaiyesimi,Jahosky,Jahoda,Jahaly,Jagiello,Jaggie,Jafek,Jafari,Jae,Jadoo,Jaculina,Jacquin,Jacquelin,Jacobsohn,Jacobovits,Jackso,Jacksits,Jackosn,Jackett,Jacinthe,Jabbie,Jabaut,Jabali,Jaarda,Izak,Izaguine,Iwasko,Iwashita,Ivrin,Ivener,Iveans,Ivancic,Iuchs,Itnyre,Istorico,Isiminger,Isgur,Isgro,Isenbarger,Iseman,Isebrand,Isaksen,Isagba,Isacson,Isaack,Irr,Ironhorse,Irigoyen,Ireson,Ipsen,Iossa,Inzano,Introini,Insognia,Inserra,Inostraza,Innerst,Innella,Innarelli,Innamorato,Inkavesvanitc,Ingvolostad,Inguardsen,Ingran,Ingrahm,Ingraffea,Ingleton,Inghem,Ingersol,Ingargiolo,Inferrera,Iner,Induddi,Indermuehle,Indeck,Indal,Incomstanti,Incera,Incarnato,Inbody,Inabnit,Imming,Immerman,Immediato,Imholte,Imeson,Imbruglia,Imbrock,Imbriale,Imbrenda,Imam,Imada,Iltzsch,Illovsky,Illich,Illas,Illar,Iliffe,Ilg,Ilarraza,Ilaria,Ilalio,Ikzda,Ikkela,Ikenberry,Ikemoto,Ikemire,Ikeard,Ihnen,Ihenyen,Iheme,Igus,Iguina,Ignoria,Igles,Igbinosun,Ifie,Ifft,Ifeanyi,Ifantides,Iennaco,Idrovo,Idriss,Idiart,Ickert,Icardo,Ibric,Ibdah,Ibbotson,Ibasitas,Iarussi,Iara,Iannalo,Iamiceli,Iacuzio,Iacobucci,Iacobelli,Hysquierdo,Hyske,Hydzik,Hyberger,Hyatte,Huysman,Huyna,Hutyra,Huttman,Huttar,Huter,Husul,Hustedt,Hussy,Hussong,Hussian,Huski,Hushon,Husein,Husaini,Hurtubise,Hurta,Hurni,Hurme,Hupy,Huppenbauer,Hunze,Hunson,Huner,Hundertmark,Hunderlach,Humston,Hummert,Huminski,Humerick,Humbard,Hulzing,Hulshoff,Hulmes,Hukle,Hujer,Huitink,Huirgs,Hugus,Huguet,Hugghis,Huffstutter,Huerto,Huertes,Huenergardt,Huemmer,Huelle,Huehn,Huebsch,Hudok,Hudnut,Hudlow,Hudlin,Hudes,Huddy,Huckabone,Huckabaa,Hubsch,Hubl,Hubertz,Htwe,Hsy,Hrycko,Hrna,Hric,Hribal,Hrcka,Hrbacek,Hranchak,Hradecky,Hoysock,Hoyne,Hoylton,Hoyal,Hoxsie,Howlingwolf,Howett,Howarter,Hovnanian,Hovard,Hovantzi,Hovanes,Houzah,Houtkooper,Housner,Housemate,Hourihan,Houltberg,Houghtelling,Houey,Houchard,Houben,Hotter,Hotten,Hottell,Hotek,Hosoi,Hosner,Hosle,Hoskyns,Hoskey,Hoshino,Hosfield,Hortein,Horseford,Horse,Horridge,Hornshaw,Horns,Hornlein,Hornig,Horneff,Hormuth,Horimoto,Horesco,Horenstein,Horelick,Hore,Horbert,Horabik,Hoppenrath,Hoppa,Hopfauf,Hoosock,Hool,Hoogheem,Hoogendoorn,Hoo,Honus,Honold,Honokaupu,Honigsberg,Hongisto,Hongeva,Hones,Honegger,Hondros,Hondel,Honchul,Honch,Homza,Homsey,Homrighaus,Hommer,Homiak,Homby,Homans,Holznecht,Holzmiller,Holzhueter,Holzboog,Holtmeier,Holtmann,Holthouse,Holthoff,Holtham,Holtgrefe,Holstad,Holshovser,Holquist,Holmers,Hollyday,Hollo,Hollner,Hollinghurst,Holleyman,Hollett,Hollerud,Hollering,Hollembaek,Hollarn,Hollamon,Hollack,Holihan,Holibaugh,Holgersen,Holdy,Holdgrafer,Holdcraft,Holdbrook,Holcroft,Holch,Hokula,Hokett,Hojeij,Hojczyk,Hoivik,Hoiseth,Hoinacki,Hohnson,Hohney,Hohmeier,Hohm,Hohlstein,Hogstrum,Hogon,Hoglan,Hogenmiller,Hogains,Hoga,Hofstra,Hofstadter,Hofhine,Hoffpavir,Hoeser,Hoerig,Hoerger,Hoelzel,Hoelter,Hoeller,Hoek,Hoehl,Hoefflin,Hoeffer,Hodosy,Hodnicki,Hodermarsky,Hodd,Hockley,Hochstine,Hochfelder,Hobstetter,Hoblit,Hobin,Hoberek,Hobb,Hnot,Hlywa,Hlastala,Hjermstad,Hizkiya,Hitzfelder,Hiteman,Hitchko,Hitchingham,Hissom,Hismith,Hiske,Hirte,Hirschmann,Hirose,Hirezi,Hipsley,Hippley,Hipol,Hintergardt,Hinokawa,Hinely,Hindsman,Hindmarsh,Hinderaker,Hindall,Hinckson,Hinajosa,Himmelsbach,Himmelright,Hilyar,Hilvers,Hilu,Hiltunen,Hiltebeitel,Hilsgen,Hilovsky,Hilo,Hilmer,Hillseth,Hillered,Hilleman,Hillbrant,Hillabush,Hilla,Hilkert,Hilk,Hildman,Hilbner,Hilbig,Hilb,Hila,Hija,Higy,Hightshoe,Higashida,Hiens,Hielscher,Hidde,Hidaka,Hickley,Hickingbotham,Hickie,Hiciano,Hibble,Hibbits,Heziak,Heynen,Heykoop,Heydenreich,Heybrock,Hevrin,Hevessy,Heugel,Heuangvilay,Hettes,Hettenhausen,Hetling,Hetjonk,Hethcox,Hethcote,Hetchman,Hetcher,Hesterly,Hessman,Hesselrode,Hesselman,Hesselbein,Hesselbach,Herzbrun,Heryford,Herwehe,Hervol,Hertle,Herta,Herskovic,Hershnowitz,Hershfield,Herschaft,Hersberger,Herrud,Herrnandez,Herrlich,Herritt,Herrion,Herrand,Herran,Herout,Heroth,Heronemus,Hero,Herny,Hermus,Herline,Herley,Hergenroeder,Hergenreter,Herena,Herem,Herek,Hercman,Heral,Hequembourg,Heppert,Hepperly,Heppel,Heppding,Henzler,Hentrich,Henter,Hensle,Hensdill,Henschke,Hennighausen,Hennard,Henkin,Henges,Henedia,Hendson,Hendsbee,Hendrics,Hendrickx,Hencken,Henchel,Hencheck,Hemsworth,Hemry,Hemperley,Hemmig,Hemmeter,Hemmert,Hemmelgarn,Hemmeke,Hemley,Hemeyer,Hemerly,Hembre,Hemans,Hemanes,Helwick,Helvik,Helphinstine,Helphenstine,Helowicz,Helmert,Helmen,Helmbright,Helliwell,Helley,Hellerman,Hellenbrand,Helferty,Helfert,Hekman,Heitmuller,Heitbrink,Heisse,Heisner,Heir,Heinzle,Heinzerling,Heino,Heinig,Heindl,Heimerl,Heimbuch,Heilbrun,Heilbron,Heidtke,Heidmann,Heglund,Heggins,Heggestad,Hegener,Hegdahl,Hefter,Heffernen,Heery,Heebsh,Hedrix,Hedler,Hedeiros,Hedegaard,Heddleson,Heddins,Hect,Heckle,Heckers,Hebsch,Hebrard,Heberer,Hebblethwaite,Heaviland,Heartley,Hearston,Heang,Hean,Heam,Heagany,Headlon,Heading,Hazouri,Hazinski,Hazekamp,Hayword,Haysbert,Hayn,Hayball,Hawkings,Havier,Havermann,Havekost,Hauswald,Haustein,Hausteen,Hauslein,Hausher,Haurin,Hauptly,Haulbrook,Haukaas,Haugaard,Hauffe,Hauben,Hatzell,Hatto,Hattenbach,Hatridge,Hatlee,Hathcox,Hatchette,Hatcherson,Hatake,Hassig,Hasselvander,Hasselkus,Haslinger,Haskamp,Hashbarger,Hasha,Hasfjord,Hasencamp,Haseloff,Haschke,Hasbni,Hasbell,Hasak,Harwin,Harvley,Harvilchuck,Harvick,Harutunian,Hartzo,Hartzheim,Hartjen,Hartgraves,Hartgrave,Hartgerink,Hartenstein,Harsy,Harrisow,Harrigton,Harrellson,Harralson,Harrald,Harradine,Harraden,Haroun,Harnly,Harnes,Harnar,Harnan,Harnack,Harlston,Harlor,Harleston,Harkenreader,Harkcom,Harjochee,Hargest,Harges,Harfert,Harens,Hardung,Hardney,Hardinson,Hardigan,Harby,Harbus,Harbough,Harbottle,Harbold,Harary,Haramoto,Harader,Harabedian,Har,Happney,Happe,Haper,Hape,Hanville,Hanusey,Hantzarides,Hantula,Hanstine,Hansteen,Hansson,Hansrote,Hansil,Hanoharo,Hanock,Hannula,Hanno,Hannem,Hanneken,Hannegan,Hanmore,Hanisko,Hanisco,Hanify,Hanhan,Hanegan,Handt,Handshaw,Handschumaker,Handren,Handlin,Handing,Handeland,Hanagan,Hanagami,Hanafin,Hanafan,Hanacek,Hamway,Hampon,Hamper,Hamparian,Hamor,Hamontree,Hamolik,Hamnon,Hamn,Hammet,Hammerstein,Hammerstad,Hammerlund,Hammed,Hammang,Hameen,Hamborsky,Hamb,Hamalak,Hamai,Halwood,Halston,Halpainy,Halon,Halmstead,Halmick,Hallstead,Hallowich,Hallio,Hallie,Hallerman,Halleen,Hallczuk,Hallan,Halgren,Halechko,Halcom,Halbritter,Halaliky,Hal,Hajdukiewicz,Hait,Haislett,Hairster,Hainsey,Hainds,Hailes,Hagwell,Hagon,Haghighi,Haggstrom,Haggis,Haggen,Hageny,Hagelgans,Hagarty,Hafenbrack,Haessler,Haessig,Haerr,Haener,Haen,Haeckel,Hadson,Hadland,Hadian,Haddaway,Hackmeyer,Hackethal,Hackerd,Hackenmiller,Hackenbery,Hacke,Hackborn,Hachette,Habif,Habermann,Haberern,Habbs,Haakinson,Haagensen,Gzym,Gyurko,Gyllenband,Gyaki,Gwynes,Gwenn,Guzmdn,Guziczek,Guz,Guyott,Guyot,Guyet,Guttenberg,Gutschow,Gutreuter,Gutrerrez,Gutieres,Gutiennez,Guthorn,Guthary,Guterriez,Gutenson,Gussin,Gushue,Gusa,Gurvine,Gurtin,Gurrad,Gurne,Guridi,Gureczny,Guralnick,Gunzenhauser,Gunthrop,Gunkelman,Gunagan,Gun,Gumphrey,Gummersall,Gumbert,Gulnick,Gullung,Gullage,Gulini,Gulikers,Guley,Guldemond,Gulde,Gulbraa,Gulati,Guittennez,Guitreau,Guith,Guitar,Guirgis,Guinle,Guiltner,Guilstorf,Guillote,Guillan,Guilianelli,Guilbe,Guiffre,Guiel,Guidaboni,Guiao,Guialdo,Guevana,Guesman,Guerrouxo,Guerinot,Gueretta,Guenison,Guenin,Guempel,Guemmer,Guelpa,Guelff,Guelespe,Guedesse,Gudroe,Gudat,Guckes,Gucciardi,Gubser,Gubitosi,Gubernath,Gubbins,Guarracino,Guarin,Guariglio,Guandique,Guaman,Gualdoni,Guadalajara,Grzywinski,Grzywacz,Grzyb,Grzesiak,Grygiel,Gruzinsky,Gruters,Grusenmeyer,Grupa,Gruninger,Grunin,Grundon,Gruhlke,Gruett,Gruesbeck,Gruell,Grueber,Gruda,Grubman,Gruba,Grovier,Grothen,Groszkiewicz,Grossley,Grossklaus,Grosshans,Grosky,Groshek,Grosenick,Groscost,Grosby,Groombridge,Gronvall,Gromley,Grollman,Grohoske,Groesser,Groeber,Grocott,Grobstein,Grix,Grivna,Gritsch,Grit,Gristede,Grissam,Grisostomo,Grisom,Grishan,Grip,Grinner,Grinman,Grines,Grindel,Grimlie,Grimard,Grillette,Griggers,Grigas,Grigalonis,Grigaliunas,Grifin,Griffins,Griffes,Griffel,Grife,Griesmeyer,Griesi,Griem,Grham,Grgurevic,Greyovich,Greydanus,Greviston,Gretzner,Gretz,Gretsch,Greto,Gresl,Gresko,Grengs,Gremler,Greist,Greisser,Greisiger,Greiser,Greiber,Gregoroff,Gregoreski,Gregas,Greenrose,Greenlow,Greenlees,Greenfelder,Greenen,Greenbush,Greeb,Grebs,Grebel,Greaux,Grdina,Gravit,Gravenstein,Gravelin,Grava,Graul,Graughard,Graue,Grat,Grastorf,Grassano,Grasmuck,Grashot,Grasha,Grappo,Graper,Granvil,Granucci,Grantier,Granstaff,Granroth,Granizo,Graniero,Graniela,Granelli,Grandos,Grandmont,Gramza,Graminski,Gramberg,Grahams,Grago,Graen,Graefe,Grae,Gradle,Graciani,Graci,Grabowiecki,Grabauskas,Gounder,Gougeon,Goudge,Gouchie,Gou,Gottula,Gottleber,Gotthardt,Gotowka,Gotlib,Gotimer,Gothier,Gothe,Goswami,Gostowski,Gossin,Gosserand,Gossen,Goshow,Goshi,Gosda,Gosche,Gorychka,Gorri,Gornikiewicz,Gorlich,Gorgo,Gorglione,Goretti,Gorence,Gorelik,Goreczny,Gordis,Gorczynski,Gorans,Gootz,Goosen,Goonez,Goolsbee,Goolia,Goodvin,Goodpastor,Goodgine,Goodger,Gooder,Goodenberger,Goodaker,Goodacre,Gonzolez,Gonzaliz,Gonsalues,Gones,Gone,Gondran,Gonda,Gonazlez,Gomzalez,Gomey,Gome,Gomberg,Golumski,Goluba,Goltry,Goltra,Golpe,Golombecki,Gollwitzer,Gollogly,Gollin,Golkin,Golk,Goldware,Goldrup,Goldrich,Goldhammer,Goldhahn,Goldfischer,Goldfield,Goldeman,Goldak,Golberg,Golba,Golanski,Golabek,Goick,Gogocha,Goglia,Gogins,Goetzke,Goettman,Goettig,Goetjen,Goeman,Goeldner,Goeken,Goeden,Godyn,Godwyn,Godown,Godfray,Goderich,Gode,Godde,Goda,Gockerell,Gochnauer,Gochie,Gobrecht,Gobeyn,Gobern,Gobea,Gobbo,Gobbi,Gnagey,Glugla,Gluckman,Gluc,Glowski,Glowka,Glowinski,Glow,Glossner,Gloff,Gloe,Glodich,Gliwski,Gliues,Glise,Glinkerman,Glimp,Glicher,Glenny,Glembocki,Gleiss,Gleichweit,Gleghorn,Glaviano,Glauser,Glaue,Glaubke,Glauberman,Glathar,Glasow,Glashen,Glasglow,Glarson,Glapion,Glanden,Glader,Gladen,Glacken,Gjorven,Gjokaj,Gjesdal,Gjelten,Givliani,Gitzlaff,Gittere,Gitlewski,Gitchell,Gissler,Gisriel,Gislason,Girolami,Girmazion,Girellini,Girauard,Girardeau,Girad,Giove,Gioriano,Gionson,Gioacchini,Ginnetti,Ginnery,Ginanni,Gillom,Gillmer,Gillerist,Gillentine,Gilhooley,Gilfoy,Gilespie,Gildroy,Gildore,Gilcoine,Gilarski,Gihring,Giggie,Giessinger,Gierling,Gielstra,Giehl,Giegerich,Giedlin,Gieber,Giebel,Gidwani,Gicker,Gibes,Gibbings,Gibbard,Gianopulos,Gianola,Giannell,Giandelone,Giancaspro,Giancarlo,Gian,Giamichael,Giagni,Giacomazzi,Giacoletti,Giachino,Ghramm,Ghosten,Ghiringhelli,Ghiorso,Ghil,Ghia,Gheza,Ghekiere,Gheewala,Ghazvini,Ghazi,Ghazal,Ghaor,Ghane,Ghanayem,Ghamdi,Gfroerer,Geyette,Gewinner,Gewant,Gevorkian,Gevedon,Geuder,Getting,Gettenberg,Getschman,Getachew,Gestes,Gesselli,Geryol,Gerych,Gerty,Gerton,Gertken,Gerster,Gersch,Gerpheide,Geronime,Gerondale,Gerock,Germinaro,Germershausen,Germer,Gerlock,Gerla,Gerking,Gerguson,Geres,Gerbs,Gerbi,Gerathy,Gerardot,Georgiana,Georgales,Geohagan,Geoghan,Geoffrey,Genualdi,Gentis,Gennusa,Gennaria,Gennarelli,Genin,Genga,Geng,Geneseo,Generous,Generoso,Genera,Genberg,Gemmel,Gembe,Gembarowski,Gelzer,Gelo,Gellis,Gellespie,Gell,Gelineau,Gelger,Geldrich,Gelbach,Geister,Geissel,Geisen,Geiman,Geils,Gehrking,Gehri,Gehrett,Gehred,Gefroh,Geerken,Geelan,Gedris,Gedo,Gechas,Gecan,Gebrayel,Gebers,Geasley,Geanopulos,Gdula,Gbur,Gazzillo,Gazza,Gazo,Gaznes,Gazdecki,Gayoso,Gayo,Gaymes,Gawlak,Gavula,Gavles,Gaviria,Gavinski,Gavigan,Gaves,Gavell,Gavalis,Gautsch,Gauron,Gauntner,Gaulzetti,Gattie,Gatski,Gatch,Gata,Gastelun,Gastellum,Gastel,Gasson,Gassler,Gasse,Gasquet,Gaspari,Gasienica,Gaseoma,Gasch,Garzone,Garverick,Garve,Garthee,Garrod,Garriss,Garrish,Garraghty,Garnet,Garness,Garnder,Garlovsky,Gariti,Garich,Garibaldo,Garib,Gargani,Garfias,Garff,Garf,Gares,Garen,Gardy,Garder,Garcelon,Garced,Garavelli,Garala,Garacci,Ganze,Gantewood,Ganska,Gannoe,Ganji,Ganja,Ganibe,Ganiban,Ganguli,Gangluff,Gangadyal,Gane,Gandhy,Gandarillia,Gancio,Gana,Gamrath,Gamewell,Gamela,Gamberini,Gamberg,Gambell,Gambaiani,Galvano,Galva,Galustian,Galston,Galstian,Galson,Gals,Galon,Galofaro,Gallipo,Gallery,Galleno,Gallegher,Gallante,Gallagos,Gallaga,Galjour,Galinoo,Galinol,Galin,Galietti,Galhardo,Galfayan,Galetti,Galetta,Galecki,Galauiz,Galaska,Galashaw,Galarita,Galanga,Galacio,Gailun,Gailis,Gaibler,Gagon,Gago,Gagliardotto,Gaetke,Gaestel,Gaekle,Gadue,Gades,Gacusan,Gacad,Gabrel,Gabouer,Gabisi,Gabino,Gabbett,Gabbay,Gab,Gaarsland,Fyles,Fventes,Fusselman,Fusik,Fusi,Fusha,Fusca,Furuyama,Furubotten,Furton,Furrh,Furne,Furna,Furlotte,Furler,Furkin,Furfey,Fure,Furch,Furay,Fupocyupanqui,Funderbunk,Fundenberger,Fulwiler,Fulsom,Fullwiler,Fulliton,Fulling,Fuleki,Fulda,Fukuroku,Fukada,Fuhri,Fuglsang,Fugle,Fugah,Fuesting,Fuents,Fudacz,Fucile,Fuchser,Frydman,Fryday,Fruusto,Frutoz,Frullate,Fruchey,Frossard,Fross,Froschheiser,Froozy,Fronduti,Frondorf,Fron,Fromong,Frometa,Froiland,Frohwein,Frohock,Froeliger,Frodsham,Fritzpatrick,Frist,Frisino,Frisella,Frischkorn,Fringuello,Frings,Friling,Frikken,Frietsch,Friest,Friedstrom,Friedhaber,Friedenberg,Friedeck,Fridal,Freytas,Freydel,Freudiger,Freshley,Frere,Frenner,Freniere,Fremon,Fremming,Freme,Freligh,Freistuhler,Freiser,Freil,Freifeld,Freidkin,Freidet,Frehse,Freguson,Freerksen,Freelon,Freeley,Freehoffer,Freedland,Fredrikson,Fredric,Fredline,Fredicks,Freddrick,Frawkin,Frauenkron,Frati,Franzeo,Frantzich,Frankina,Frankford,Frankenreiter,Frankenfeld,Franeo,Frandeen,Franculli,Francolino,Francoise,Francisque,Franciosa,Francios,Francione,Franceski,Franceschina,Fram,Fraine,Fragassi,Fracier,Fraccola,Frabotta,Frabizio,Fouyer,Foux,Foutain,Fourre,Fouracre,Found,Foules,Foucha,Fosso,Fosser,Fossa,Fosburgh,Forwood,Fortado,Forston,Forsthoffer,Forschner,Forsch,Fornkohl,Fornerod,Formhals,Formey,Formento,Formato,Forlani,Forgy,Forgach,Fordon,Forcino,Forcell,Forcade,Forbish,Forber,Fontneau,Fontelroy,Fonteboa,Fontanini,Fonsecn,Fondell,Fon,Follie,Foller,Folkins,Folkens,Folgar,Foks,Fogus,Fogo,Foerschler,Foell,Foecke,Foderaro,Foddrill,Focks,Flum,Flugence,Fluette,Fluetsch,Flueck,Flournay,Flotow,Flota,Florkowski,Florestal,Florance,Floore,Floerchinger,Flodman,Floch,Flitton,Flitt,Flister,Flinton,Flinspach,Flierl,Flever,Fleurissaint,Fleurantin,Flether,Flennoy,Fleitman,Flegler,Fleak,Flautt,Flaum,Flasher,Flaminio,Fixari,Fiumefreddo,Fitzmier,Fitzgerlad,Fitzen,Fittje,Fitser,Fitchette,Fisichella,Fisger,Fischbein,Fischang,Fiscal,Fisanick,Firoozbakht,Firlik,Firkey,Fiorenzi,Fiora,Finucan,Finto,Finona,Finocan,Finnley,Finnin,Finnila,Finni,Finnel,Finne,Finland,Finkenbiner,Finey,Finders,Filzen,Filyan,Filteau,Filonuk,Fillo,Fillerup,Filkey,Filippides,Filippello,Filburn,Filbrardt,Filbey,Filary,Filarecki,Filak,Fijalkowski,Figurelli,Figone,Figlioli,Figlar,Figary,Figarsky,Fiermonte,Fierge,Fiely,Fieldstadt,Fiedtkou,Fiedorowicz,Fiebich,Fie,Fidsky,Fido,Ficenec,Feyler,Fewless,Feulner,Feuerberg,Fetui,Fetrow,Fesus,Fesenbek,Ferugson,Ferster,Ferrise,Ferratt,Ferratella,Ferrarotti,Ferrarini,Ferrao,Ferrandino,Ferrall,Ferracioli,Feron,Ferndez,Fernandz,Fermo,Ferm,Ferlic,Ferjerang,Feris,Ferentz,Fereday,Ferdin,Ferdico,Ferderer,Ferard,Feramisco,Fenti,Fensel,Fenoglio,Fenoff,Feno,Fenniwald,Fenger,Fenceroy,Felzien,Felson,Felsher,Fellon,Felli,Fellhauer,Fellenbaum,Felleman,Fellars,Felks,Felipa,Felila,Felico,Felicione,Felger,Feldtman,Feldner,Feldker,Feldhake,Felciano,Felcher,Fekety,Feindt,Feinblatt,Feilbach,Feikles,Feigh,Feichtner,Fehribach,Fehnel,Fehn,Fegurgur,Fego,Fefer,Feezor,Feery,Feerst,Feeling,Feekes,Feduniewicz,Feduccia,Fedorka,Fedoriw,Fedorczyk,Fedel,Feddes,Fedderly,Fechtel,Fecat,Feazelle,Feast,Fearheller,Fearen,Feamster,Fealy,Fazzinga,Fawell,Favilla,Favieri,Favaron,Favaro,Faustman,Faurot,Faur,Faulstick,Faulstich,Faulkes,Faulkenbury,Faulisi,Faubus,Fat,Faster,Fash,Fasenmyer,Fasci,Fasbender,Faruolo,Farrin,Farria,Farrauto,Farmsworth,Farmar,Farm,Farlee,Fariello,Farid,Farha,Fardo,Faraco,Fantz,Fanner,Famy,Famiano,Fam,Falu,Faltz,Falto,Falson,Fallie,Fallick,Falla,Falknor,Falkenthal,Falis,Falha,Falge,Falconeri,Falcione,Falchi,Falb,Falasco,Falah,Falack,Falacco,Faix,Faisca,Fairy,Fairly,Faigle,Faichtinger,Fahrenwald,Fahrenbruck,Fahner,Fahlstedt,Fagnoni,Faglie,Fagala,Faehnle,Fadri,Fadei,Facenda,Fabus,Fabroquez,Fabello,Fabeck,Fabbozzi,Ezernack,Ezer,Ezechu,Ezdebski,Eyubeh,Eyermann,Extine,Expose,Ewelike,Evora,Eviston,Evertz,Eversmann,Everleth,Evering,Eveline,Eveler,Evanski,Evanosky,Evanoski,Evanchyk,Evanchalk,Euton,Euser,Eurton,Europe,Ettl,Ettison,Etters,Etoll,Ethel,Etchinson,Esty,Esteybar,Estevane,Esterson,Esterling,Estergard,Estela,Estaban,Esshaki,Essepian,Esselman,Essaid,Essaff,Esquiuel,Esquerre,Esquea,Esposita,Espenscheid,Esparaza,Esoimeme,Esnard,Eskuchen,Eskelsen,Eskeets,Eskaran,Eskaf,Eshlerman,Esenwein,Escorza,Escoe,Escobeo,Eschenbacher,Eschenbach,Eschborn,Escarrega,Escalet,Esbensen,Esannason,Ervine,Ervay,Ertelt,Erpenbach,Ero,Ernstrom,Ernspiker,Ernandez,Ermogemous,Ermita,Erm,Erlwein,Erlanson,Erixon,Erice,Erfert,Ereth,Erdmun,Erdelt,Erchul,Ercek,Erbentraut,Erard,Eracleo,Equiluz,Eppert,Epperheimer,Eppenger,Epifano,Eperson,Enzenauer,Entzi,Entrup,Entel,Enote,Enocencio,Enny,Ennist,Ennels,Ennaco,Enkerud,Enick,Engwer,Engleby,Enget,Engessor,Engerman,Engbretson,Enfort,Ends,Endresen,Endecott,Encalade,Emuka,Emslander,Emshoff,Empleo,Empfield,Emperor,Emo,Emmrich,Emlin,Emigholz,Emfield,Emeru,Emeche,Emdee,Emberlin,Emberley,Emberger,Emayo,Emanus,Emami,Elvert,Elshair,Elsensohn,Elsbury,Elsa,Elroy,Elquist,Elofson,Elmaghrabi,Ellworths,Ellifritt,Ellies,Elliem,Ellerkamp,Ellerbeck,Ellenbee,Ellena,Ellebrecht,Elldrege,Ellanson,Elko,Elkayam,Eliszewski,Eliseo,Elis,Elion,Elhosni,Elhassan,Elhaj,Elhaddad,Elgen,Elgas,Elgar,Elg,Elftman,Elfering,Elewa,Eleveld,Elefritz,Elbogen,Elbertson,Elberson,Elbahtity,Elahi,Ekstrum,Eklov,Ekis,Ejide,Eissinger,Eirls,Einfeldt,Eilts,Eilders,Eilbert,Eilbeck,Eikmeier,Eifler,Eiesland,Eichstadt,Eichenmiller,Eichenauer,Eichelmann,Ehr,Ehorn,Ehnis,Ehmen,Ehleiter,Ehinger,Ehiginator,Ehigiator,Egvirre,Egure,Eguizabal,Ego,Egidio,Eggenberg,Eggart,Eget,Egertson,Egbe,Efrati,Eflin,Eerkes,Ee,Edwads,Edster,Edralin,Edmerson,Edmeier,Edleston,Edlao,Edith,Edis,Edeline,Edeker,Economus,Economides,Ecoffey,Eckrote,Eckmeyer,Eckle,Ecklar,Eckis,Echemendia,Echavez,Echaure,Ebrani,Ebo,Ebilane,Ebesugawa,Eberting,Ebersol,Eberline,Eberl,Ebenstein,Eben,Ebbesen,Ebach,Easom,Easlick,Easker,Easey,Easdon,Earman,Earll,Earlgy,Earenfight,Earehart,Ealley,Ealick,Eagy,Eafford,Dziurawiec,Dzierzanowski,Dziegielewski,Dziduch,Dziadek,Dzama,Dyser,Dys,Dyreson,Dymke,Dyen,Dwyar,Dwornik,Dwellingham,Duxbury,Duwhite,Duverney,Duvel,Dutschmann,Dutel,Dute,Dusak,Durun,Dursch,Durrwachter,Durousseau,Durol,Durig,Durett,Duresky,Durelli,Duree,Dural,Duraku,Dupouy,Duplin,Duplesis,Duplaga,Dupaty,Duonola,Dunzelman,Dunten,Dunt,Dunster,Dunnahoo,Dunmead,Dunks,Dunkentell,Dunemn,Duncker,Dunckel,Dunahoo,Dummitt,Dumez,Dumag,Dulberg,Dulatre,Dukhovny,Dukeshire,Dukeshier,Duitscher,Duitch,Duh,Dugmore,Dughi,Duffus,Duffany,Dufer,Duesenberg,Duerkson,Duerkop,Duenke,Duel,Dudleson,Dudik,Duderstadt,Dudack,Duchow,Duchesney,Duchatellier,Ducceschi,Ducayne,Ducay,Ducatelli,Dubonnet,Duberstein,Dubej,Dubeck,Dubeau,Dubbin,Duban,Duball,Duartes,Dsaachs,Dryman,Drybread,Drumwright,Drumheiser,Drumgole,Drullard,Drue,Drude,Druckhammer,Dru,Drought,Drossos,Drossman,Droski,Drong,Drones,Dronen,Droegmiller,Drock,Drisdelle,Drinkall,Drimmer,Driggins,Driesel,Driere,Drewski,Dreps,Dreka,Dreith,Dregrich,Dreggs,Drawy,Drawec,Dravland,Drape,Dramis,Drainer,Dragun,Dragt,Dragotta,Dragaj,Drafton,Drafall,Drader,Draa,Dozois,Dozar,Doyan,Doxon,Dowsett,Dovenmuehler,Douyon,Douvier,Douvia,Douthart,Doussan,Dourado,Doulani,Douillet,Dougharity,Dougall,Douet,Dou,Dotto,Dottery,Dotstry,Doto,Dotie,Doswell,Doskocil,Doseck,Dorweiler,Dorvillier,Dorvee,Dortilla,Dorsainvil,Dorrian,Dorpinghaus,Dorph,Dorosan,Dornseif,Dornhelm,Dornellas,Dorne,Dornbos,Dormanen,Dormane,Doriean,Dorer,Dorcent,Dorat,Dopf,Dootson,Doornbos,Dooney,Donten,Dontas,Donota,Donohve,Donning,Donnellon,Donne,Donmore,Donkor,Donkervoet,Donhoe,Dongo,Donelon,Donchatz,Donawa,Donar,Domnick,Domkowski,Domio,Dominis,Dominiquez,Dominicus,Dominico,Domingus,Domianus,Domas,Dolven,Dolliver,Doljac,Doliveira,Dolhon,Dolgas,Dolfay,Dolcetto,Dokuchitz,Doino,Doiel,Doffing,Doerflinger,Doepner,Doelling,Dodich,Doderer,Dockray,Dockett,Docker,Docimo,Dobre,Dobrasz,Dobmeier,Dobesh,Dobberfuhl,Dobb,Dmitriev,Dlobik,Dlabaj,Djuric,Dizadare,Divento,Divan,Diulio,Ditti,Dittbrenner,Ditta,Ditolla,Ditchfield,Distilo,Distance,Disponette,Dispirito,Dishinger,Discon,Disarufino,Disabato,Diruzzo,Dirose,Dirollo,Dirado,Dippery,Dionisopoulos,Diones,Dinunzio,Dinucci,Dinovo,Dinovi,Dinola,Dinho,Dings,Dinglasan,Dingel,Dinco,Dimperio,Dimoulakis,Dimopoulos,Dimmack,Dimling,Dimitriou,Dimes,Dilthey,Dilox,Dillworth,Dillmore,Dilligard,Dilleshaw,Dilgard,Dilda,Dilcher,Dilchand,Dikkers,Diket,Dikens,Digrazia,Digness,Digiorgi,Digiambattist,Digesare,Difiora,Diffendal,Diewold,Dietsche,Diestel,Diesen,Dien,Diemoz,Dielman,Diegidio,Diedricks,Diebol,Didlake,Didamo,Dickun,Dickstein,Dickirson,Dickins,Dicioccio,Diciano,Dichristopher,Dicaro,Dicara,Dibrino,Dibenedict,Diamico,Diak,Diachenko,Dhosane,Dezell,Dezayas,Deyette,Deyarmond,Deyarmin,Dewyer,Dewulf,Dewit,Dewinne,Dewaratanawan,Devreese,Devitto,Devincenzi,Devick,Devey,Devenecia,Devel,Deuschle,Deuschel,Deuman,Deuermeyer,Detz,Deturenne,Dettra,Dettore,Dettmering,Dettmann,Detterich,Detorres,Detlefs,Detjen,Detillier,Dethomasis,Detering,Detar,Desutter,Destime,Destephano,Desrocher,Desquare,Desporte,Desparrois,Desort,Desormo,Desorbo,Desolier,Desmarias,Desloge,Deslaurier,Desjardiws,Desiyatnikov,Desisles,Desilvo,Desiato,Deshazior,Desforges,Deserres,Deschomp,Deschino,Deschambeault,Desautelle,Desantigo,Desan,Deruso,Derubeis,Derriso,Derricott,Derrer,Deroos,Deroko,Deroin,Deroest,Derobles,Dernier,Dermo,Derkach,Derizzio,Deritis,Derion,Deriggi,Dergurahian,Dereu,Derer,Derenzis,Derenthal,Derensis,Derendal,Derenberger,Deremiah,Deraveniere,Deramo,Deralph,Depsky,Deprizio,Deprince,Deprez,Depratt,Depottey,Depippo,Depinho,Depietro,Depetris,Deperte,Depena,Depaulis,Depasse,Depace,Deonarian,Deodato,Denski,Densieski,Denoyelles,Denofrio,Denni,Dennert,Denna,Deniken,Denier,Denice,Denhartog,Dench,Dence,Denburger,Denafo,Demyers,Demulling,Demuizon,Demosthenes,Demoney,Demonett,Demmon,Demich,Demian,Demetris,Demetree,Demeris,Demchok,Dembosky,Dembinski,Dember,Demauri,Dematos,Demasters,Demarrais,Demarini,Demarc,Demara,Delvin,Delveechio,Delusia,Deluney,Deluccia,Delre,Delpiano,Delosanglel,Delosangeles,Delon,Delnegro,Dellos,Dellon,Delling,Dellibovi,Dellasciucca,Dellasanta,Dellapina,Dellajacono,Dellagatta,Dellaca,Deliso,Delinois,Delilli,Delilla,Deliberato,Delhomme,Delguercio,Delger,Delgadilo,Delfi,Delfelder,Deley,Delevik,Delettre,Delessio,Deleonardo,Delellis,Delehoy,Delegeane,Deldeo,Delcine,Delbusto,Delbrune,Delbrocco,Delbo,Delasko,Delashaw,Delasancha,Delaremore,Delaplane,Delapenha,Delanoche,Delalla,Delaguila,Delaglio,Dekuyper,Dekort,Dekorne,Deklerk,Dekine,Dejoode,Dejes,Dejarme,Dejager,Deja,Deischer,Deir,Deighton,Deidrick,Deida,Deible,Dehrer,Dehombre,Dehler,Dehghani,Dehan,Dehaemers,Degunya,Deguise,Degrella,Degrazio,Degrandpre,Degori,Degolyer,Deglopper,Deglanville,Degado,Defrates,Defrancis,Defranceschi,Defouw,Defiguero,Defiglio,Defide,Defaria,Deeters,Dedominicis,Dedo,Dedier,Dedek,Deculus,Decroo,Decree,Decourley,Decomo,Declouette,Declet,Declark,Deckelman,Dechart,Dechamplain,Decasanova,Decardo,Decardenas,Decann,Decaneo,Debrita,Debrie,Debraga,Debnar,Debiew,Debes,Debenham,Debello,Debarba,Deback,Dearstyne,Dearco,Deanne,Deanhardt,Deamer,Deaguero,Daylong,Daya,Dawber,Dawahoya,Davydov,Davtyan,Davos,Davirro,Davidek,Davide,Davers,Davensizer,Davel,Davda,Dauzart,Daurizio,Dauila,Daughetee,Dauge,Daufeldt,Daudier,Daubenmire,Daty,Datu,Datte,Dastoli,Daste,Dasso,Daskam,Dasinger,Dasalia,Daryanl,Darvile,Darsi,Darsch,Darrup,Darnel,Darm,Darjean,Dargenio,Darey,Dardashti,Dardagnac,Darbro,Darbeau,Daramola,Daquip,Dapvaala,Danza,Dantoni,Dantes,Danoski,Danns,Dannecker,Danfield,Danella,Danczak,Dancoes,Damphousse,Damoth,Damoro,Dammrich,Dammad,Damis,Damerell,Dambrozio,Dama,Daltorio,Dalponte,Dalomba,Dalmida,Dalmau,Dallen,Dalla,Dalitz,Dalio,Dalhart,Daleus,Dalene,Dalee,Dalbeck,Dalaq,Dair,Daimaru,Daill,Daichendt,Dahood,Dahlstedt,Dahley,Dahler,Dagnone,Dagnon,Dagner,Daggy,Daer,Dae,Dadds,Daddea,Daddabbo,Dad,Dacres,Dachs,Dachelet,Daber,Czyrnik,Czwakiel,Czupryna,Czubia,Czosek,Czernovski,Czerno,Czernik,Czerniak,Czekaj,Czarniecki,Cyler,Cychosz,Cuzzo,Cuva,Cutri,Cutone,Cutia,Cutburth,Cusworth,Custa,Cusmano,Cushway,Cushinberry,Cusher,Cushen,Cushard,Cusatis,Curzi,Curylo,Curriere,Currans,Curra,Curpupoz,Curls,Curleyhair,Curella,Cureau,Curameng,Cupe,Cunningan,Cunnane,Cummisky,Cummer,Cumley,Cumblidge,Culotti,Cullin,Culajay,Cujas,Cuez,Cuddihee,Cudan,Cuchiara,Cuccinello,Cucchiaro,Cuartas,Cuaresma,Cuadro,Csensich,Cruthirds,Cruthers,Crutchev,Crutch,Crummedyo,Crumlish,Cruiz,Cruey,Cruel,Croxford,Croxen,Crowin,Croutch,Croushorn,Crotwell,Crother,Croslen,Crookston,Cronholm,Cronauer,Cromeens,Crogier,Croffie,Crocitto,Critzman,Criton,Critchelow,Cristofaro,Cristello,Cristelli,Crissinger,Crispo,Criqui,Crickenberger,Cressell,Cresencio,Creglow,Creggett,Creenan,Creeley,Credo,Credille,Crease,Crawn,Cravenho,Cravatta,Cration,Crantz,Cragar,Cragan,Cracolici,Cracknell,Craawford,Craan,Cozadd,Coyier,Cowser,Cowns,Cowder,Covotta,Covitt,Covil,Covarruvia,Covarrubio,Covarrubia,Covar,Cova,Coutino,Cousey,Courtoy,Courtad,Couron,Courneya,Courie,Couret,Courchine,Countis,Counceller,Cottillion,Cottengim,Cotroneo,Cotreau,Cotheran,Cotey,Coteat,Cotant,Coswell,Costenive,Costellowo,Costeira,Costanzi,Cossaboon,Cossaboom,Cosimini,Cosier,Cosca,Cosano,Corvelli,Corti,Cortesi,Corsilles,Corsey,Corseri,Corron,Corridoni,Corrett,Correo,Corren,Correau,Corraro,Corporon,Corporal,Corpeno,Corolla,Corolis,Cornes,Cornelson,Cornea,Cornacchio,Cormican,Cormia,Coriz,Coric,Coriaty,Coriano,Corderman,Cordel,Corde,Cordasco,Corburn,Corallo,Coradi,Coponen,Coples,Copier,Copa,Coopey,Coonley,Coomey,Coolbrith,Coolbeth,Coolahan,Cookey,Coogen,Cooey,Cooch,Conze,Conzalez,Contreros,Contreres,Contras,Contraras,Contopoulos,Contofalsky,Contino,Consoli,Consigli,Conoly,Connyer,Conninghan,Connette,Connerty,Connarton,Conlans,Conkrite,Confrey,Confair,Coneys,Conelly,Conejo,Condreay,Condino,Condell,Condelario,Concini,Concilio,Concho,Conces,Concepion,Conceicao,Conable,Compres,Compiseno,Compeau,Compean,Comparoni,Companie,Compagna,Comoletti,Commes,Comment,Comeauy,Colyott,Columbres,Colsch,Colpaert,Colpack,Colorina,Colopy,Colonnese,Colona,Colomy,Colombe,Colomba,Colmer,Colly,Collozo,Collova,Collora,Collmeyer,Collaco,Colian,Colglazier,Colehour,Colebrook,Coldsmith,Colden,Colato,Colasanti,Colasamte,Colarossi,Colander,Colaizzo,Colaiacovo,Coladonato,Colacone,Colabrese,Cokins,Cohoe,Coho,Cohlmia,Cohagan,Cogen,Cofrancesco,Cofran,Codey,Codeluppi,Cocran,Cocozza,Cocoran,Cocomazzi,Cockrin,Cockreham,Cocking,Cochis,Cocherell,Coccoli,Cobio,Cobane,Coatley,Coatie,Coant,Coaker,Coachys,Cmiel,Clozza,Cloughly,Clothey,Closovschi,Closey,Cloman,Cloffi,Cloepfil,Clites,Clinker,Cleverly,Cleve,Clesen,Clery,Clerf,Clemson,Clemo,Clemmon,Clemmo,Clemmey,Cleark,Clayter,Clavey,Clavelle,Clausel,Claud,Claucherty,Claton,Clarson,Clarendon,Clarbour,Clar,Clap,Clanin,Clan,Claman,Clam,Claes,Civitello,Civcci,Civatte,Civale,Ciucci,Cito,Cisneroz,Cislo,Cisewski,Cirioni,Cirilli,Cipullo,Cippina,Cipolone,Cipolloni,Cioni,Cintra,Cinkosky,Cinalli,Cimmiyotti,Cimeno,Cilva,Cills,Ciliento,Cilibrasi,Cilfone,Ciesiolka,Ciersezwski,Cierpke,Cierley,Cieloha,Cicio,Cichosz,Cichonski,Cicconi,Cibulskas,Ciaramitaro,Ciano,Cianciotta,Ciampanella,Cialella,Ciaccia,Chwieroth,Chwalek,Chvilicek,Chuyangher,Churner,Churchville,Chuppa,Chupik,Chukri,Chuh,Chudzinski,Chudzik,Chudej,Chrones,Chroman,Christoffer,Christmau,Christle,Christaldi,Christal,Chrispen,Chriscoe,Chown,Chowen,Chowanec,Chounlapane,Choulnard,Chott,Chopelas,Chomicki,Chomali,Choen,Chodorov,Chmelik,Chludzinski,Chivalette,Chiv,Chiumento,Chittom,Chisnall,Chischilly,Chisari,Chirdon,Chirasello,Chipp,Chiotti,Chionchio,Chioma,Chinweze,Chinskey,Chinnis,Chinni,Chindlund,Chimeno,Chilinskas,Childes,Chikko,Chihak,Chiffriller,Chieves,Chieng,Chiavaroli,Chiara,Chiapetto,Chiaminto,Chhor,Chhon,Chheng,Chhabra,Cheyney,Chey,Chevres,Chetelat,Chet,Chestand,Chessor,Chesmore,Chesick,Chesanek,Cherwinski,Chervin,Cherven,Cherrie,Chernick,Chernay,Cherchio,Cheon,Chenevey,Chenet,Chenauls,Chenaille,Chemin,Chemell,Chegwidden,Cheffer,Chefalo,Chebret,Chebahtah,Cheas,Chaven,Chavayda,Chautin,Chauhdrey,Chauffe,Chaudet,Chatterson,Chatriand,Chaton,Chastant,Chass,Chasnoff,Chars,Charnoski,Charleton,Charle,Charisse,Charif,Charfauros,Chareunsri,Chareunrath,Charbonnel,Chappan,Chaples,Chaplean,Chapko,Chaobal,Chanthaumlsa,Chantha,Chanofsky,Chanel,Chandsawangbh,Chandronnait,Chandrasekhar,Chandrasekara,Chandier,Chanchuan,Chananie,Chanady,Champy,Champany,Chamley,Chamers,Chamble,Chamberlian,Chalow,Chaloner,Chalita,Chalaban,Chajon,Chais,Chaim,Chaille,Chaidy,Chagollan,Chafe,Chadsey,Chaderton,Chabotte,Cezil,Cersey,Cerritelli,Ceronsky,Ceroni,Cernansky,Cerenzia,Cereghino,Cerdan,Cerchia,Cerbantes,Cerao,Ceranski,Centrone,Centorino,Censky,Ceman,Cely,Celuch,Cellupica,Cellio,Celani,Cegla,Cedars,Ceasor,Cearlock,Cazzell,Cazeault,Caza,Cavezon,Cavalli,Cavaleri,Cavaco,Cautillo,Cauthorne,Caulley,Caughran,Cauchon,Catucci,Cattladge,Cattabriga,Catillo,Cathers,Catenaccio,Catena,Catani,Catalli,Catacun,Casumpang,Casuat,Castrovinci,Castronova,Castoral,Castiola,Castin,Castillero,Castillejo,Castera,Castellanoz,Castellaneta,Castelan,Castanio,Castanado,Castagnier,Cassis,Cassion,Cassello,Casseday,Cassase,Cassarubias,Cassard,Cassaday,Caspary,Caspar,Casoria,Casilles,Casile,Casida,Cashing,Casgrove,Caseman,Caselton,Casello,Caselden,Cascia,Casario,Casareno,Casarella,Casamayor,Casaliggi,Casalenda,Casagranda,Casabona,Carza,Caryk,Carvett,Carthew,Carther,Carthens,Cartaya,Cartan,Carsno,Carscallen,Carrubba,Carroca,Carril,Carrigg,Carridine,Carrelli,Carraturo,Carratura,Carras,Carransa,Carrahan,Carpente,Carpenito,Caroway,Carota,Caronna,Caroline,Carnoske,Carnohan,Carnighan,Carnie,Carnahiba,Carmichel,Carmello,Carlsley,Carlington,Carleo,Cariveau,Caristo,Carillion,Carilli,Caridine,Cariaso,Cardoni,Cardish,Cardino,Cardinas,Cardenos,Cardejon,Cardeiro,Carco,Carbal,Caravalho,Caraher,Caradonna,Caracso,Caracciola,Capshaws,Caprice,Capriccioso,Capraro,Cappaert,Caposole,Capitani,Capinpin,Capiga,Capezzuto,Capetl,Capestany,Capels,Capellas,Caparoula,Caparelli,Capalongan,Capaldo,Canu,Cantre,Cantoral,Cantfield,Cantabrana,Canori,Cannuli,Canestro,Canestrini,Canerday,Canellas,Canella,Candon,Cancer,Canatella,Canak,Cana,Campolongo,Campagnone,Campagnini,Campagne,Camon,Cammarn,Caminita,Camidge,Cambronne,Cambric,Cambero,Camaron,Calzone,Calzadilla,Calver,Calvent,Calvelo,Calvaruso,Calvaresi,Calpin,Calonsag,Calonne,Caloca,Calligy,Callez,Calleo,Callaro,Calixtro,Caliguire,Caligari,Calicut,Caler,Calderson,Caldarone,Calchera,Calcagino,Calaycay,Calamarino,Calamari,Calamare,Cakanic,Cajune,Cajucom,Cajero,Cainion,Cainglit,Caiafa,Cagey,Cafourek,Caffarel,Cafarella,Cafagno,Cadoy,Cadmen,Cader,Cademartori,Cackett,Cacibauda,Caci,Cacciola,Cabrar,Cabla,Cabiya,Cabido,Cabeza,Cabellon,Cabeceira,Cabanes,Cabag,Bzhyan,Byther,Byro,Byrley,Byrdsong,Bynd,Bylund,Byant,Bverger,Buzzelle,Buzzanca,Buyes,Buyak,Buvens,Buttino,Buttimer,Buttari,Buttaccio,Buther,Butel,Buszak,Bustinza,Bussom,Busskohl,Bussink,Bussinger,Bussert,Busselberg,Bussani,Busl,Buskohl,Busie,Bushie,Busenius,Buseck,Buscarino,Busacker,Burwick,Burtin,Burriesci,Burreson,Burnum,Burnet,Burneisen,Burnaman,Burlette,Burlando,Burki,Burker,Burkel,Burka,Burigsay,Burhanuddin,Burgen,Burgbacher,Buretta,Buress,Burdsall,Burdis,Burdi,Burdg,Burbano,Bur,Buquo,Buontempo,Buonadonna,Bunzey,Bunyea,Buntain,Bunkers,Bungy,Bungart,Bunetta,Bunes,Bundley,Bundette,Bumm,Bumbray,Bumba,Bumatay,Bulwinkle,Bultron,Bulnes,Bullo,Bullmore,Bullerwell,Bullert,Bullara,Bulland,Bulkin,Bulgarella,Bulacan,Bukrim,Bukowinski,Bujol,Buja,Buike,Buhoveckey,Buhite,Bugtong,Bugler,Bugenhagen,Bugayong,Bugarewicz,Bufton,Buetti,Buess,Buerstatte,Buergel,Buerge,Buer,Buena,Buegler,Bueggens,Buecher,Budzyna,Budz,Budworth,Budesa,Buddle,Budden,Buddemeyer,Buckridge,Buckreis,Buckmiller,Bucke,Buchser,Buchsbaum,Buchs,Buchna,Buchheim,Buchberger,Bucchin,Bucanan,Bubbico,Buanno,Bual,Brzycki,Brzostowski,Bryum,Brynga,Brynestad,Bryar,Bruzewicz,Bruyn,Bruun,Brutlag,Bruson,Bruski,Bruse,Brusco,Bruscino,Brunsting,Brunskill,Brunow,Brunnemer,Brunderman,Brunckhorst,Brunback,Brumbley,Bruh,Brugal,Bruenderman,Bruegman,Brucie,Brozyna,Brozell,Brownsworth,Brownsword,Brownsberger,Browley,Brous,Brounson,Broumley,Brostoff,Brossmann,Brosig,Broschinsky,Broomell,Brookshier,Brooklyn,Bronikowski,Brondyke,Bromberek,Brombach,Brokins,Broking,Brojakowski,Broich,Brogren,Brogglin,Brodhurst,Brodhag,Brodey,Brocklebank,Brockie,Brockell,Brochure,Brochhausen,Broccolo,Brixius,Brittsan,Brits,Britnell,Brisley,Brisbone,Briola,Brintnall,Bringman,Bringas,Bringantino,Brinckerhoff,Briguglio,Briggerman,Brigg,Brigantino,Briehl,Brieger,Bridson,Bridjmohan,Bridgford,Bridget,Bridgens,Bridendolph,Briden,Briddick,Bricknell,Brickles,Brichetto,Briare,Brez,Brevitz,Brevil,Breutzmann,Breuning,Bretl,Brethour,Bretana,Bresolin,Breslawski,Brentnall,Brentano,Brensnan,Brensinger,Brensel,Brenowitz,Brennenstuhl,Brengle,Brendlinger,Brenda,Brend,Brence,Brenaman,Bremseth,Bremme,Breman,Brelje,Breitung,Breitenfeldt,Breitenbucher,Breitenberg,Breines,Breiland,Brehony,Bregon,Brege,Bregantini,Brefka,Breeman,Breehl,Bredy,Bredow,Bredice,Bredahl,Brechbill,Brearley,Brdar,Brazzi,Brazler,Braye,Braver,Bravender,Bravard,Braunsdorf,Braunschweige,Braught,Brauchla,Bratek,Braskey,Brasket,Branske,Branot,Branine,Braniff,Brangan,Branen,Branecki,Brandsrud,Brandman,Brandeland,Brande,Brandauer,Brancazio,Brancanto,Branaugh,Bramucci,Brakstad,Brais,Braim,Braig,Brah,Brage,Bradtke,Bradrick,Bradon,Bradicich,Brackelsberg,Brachman,Brachle,Bracetty,Bracaloni,Bozzell,Bozovich,Bozinovich,Boyenga,Bowring,Bowlet,Bowgren,Bowersmith,Bowels,Bowcutt,Bovio,Boveja,Bovain,Boutchyard,Bousson,Bousqute,Bousley,Bourns,Bourlier,Bourgois,Bourff,Bourek,Bourdeaux,Bourdages,Bourbonnais,Boundy,Bouliouris,Boudrieau,Boudin,Bouchaert,Botwin,Bottomly,Bottolfson,Bottolene,Bottiggi,Botterbusch,Botros,Botras,Botdorf,Bostelman,Bossenbroek,Bossardet,Bosowski,Boschult,Borycz,Borwig,Boruvka,Bortignon,Borsa,Borromeo,Borrolli,Borries,Borreta,Borremans,Borras,Borr,Borozny,Borowiec,Boronat,Bornman,Bormes,Borlin,Borguez,Borgstede,Borgese,Borgert,Borgers,Borgella,Borell,Bordon,Bordi,Bordges,Bordenkircher,Borde,Borbon,Boratko,Boque,Boppre,Boosalis,Boorom,Bookter,Bookmiller,Bookamer,Bonzo,Bonyai,Bonugli,Bonsu,Bonsey,Bonsell,Bonsee,Bonow,Bonno,Bonnlander,Bonnin,Bonnenfant,Bonjorno,Boniol,Bongo,Bonetto,Bonepart,Bondre,Bonaventura,Bonatti,Bonapart,Bonagurio,Bonaguidi,Bomzer,Bompane,Bomilla,Bomia,Bombino,Bomaster,Bollens,Bollbach,Bollaert,Bolins,Bolinder,Bolig,Bolian,Bolfa,Bolevice,Boldwyn,Bolduan,Boldizsar,Bolde,Bokal,Boitel,Boin,Boillot,Boid,Bohonik,Bohnker,Bohney,Bohlsen,Bohlman,Bohlken,Bogut,Bognuda,Bogguess,Bogg,Bofinger,Boero,Boerm,Boeri,Boera,Boelk,Boehnke,Boege,Bodyfelt,Bodon,Bodison,Bodfish,Boderick,Bodenhagen,Bodelson,Bodary,Bocskor,Bockrath,Bocklund,Bockhorn,Bockenstedt,Bockelmann,Bochicchio,Boches,Bochek,Bocchieri,Boccard,Bobsin,Bobrosky,Bobowiec,Boblak,Bobet,Boane,Boamah,Blyze,Blute,Blush,Blunkall,Blundo,Blumkin,Bluming,Blumenschein,Blumenkrantz,Blumenberg,Bluel,Bloye,Blott,Blotsky,Blossomgame,Blosfield,Bloomstrom,Bloomstrand,Bloomsburg,Blonsky,Blonigan,Blomstrand,Bloes,Bloemker,Bloedel,Blochberger,Blizard,Blinebry,Blindt,Blihovde,Blide,Blicker,Bleything,Blevans,Blessett,Blesofsky,Bleiler,Bleichner,Bleicher,Bleeck,Blee,Blazon,Blazing,Blazich,Blaydon,Blaxland,Blauw,Blauman,Blaszczyk,Blasl,Blashak,Blasenhauer,Blanscet,Blanquet,Blanquart,Blannon,Blanko,Blankenbecler,Blanga,Blander,Blakstad,Blailock,Blafield,Blaeser,Blaese,Blady,Bladt,Blacock,Blackwall,Blackmoore,Blackmar,Blackington,Blackbird,Blacio,Blachowski,Bjornstrom,Bjorn,Bjerknes,Bjerken,Bjella,Bizzard,Bivans,Bitzenhofer,Bitar,Bitah,Bissol,Bissel,Bissada,Bispham,Bisikirski,Bischel,Biscari,Bisanz,Birthwright,Birsner,Bironas,Birner,Birnberg,Birkmaier,Birkenhagen,Birely,Birdon,Bionda,Binn,Bininger,Binet,Binderup,Binam,Billus,Billue,Billotti,Billinsley,Billingsby,Billigmeier,Billiet,Billiar,Billesbach,Bilchak,Bilansky,Bijan,Bihler,Bihl,Bigusiak,Bigony,Bignell,Biggard,Biewald,Biever,Bietsch,Biesenthal,Biesecker,Bierut,Bierstedt,Bierschbach,Biersack,Bierod,Bierl,Bierkortte,Biener,Bielser,Bielke,Bielefield,Biedekapp,Bidstrup,Bidell,Biddlecome,Bicknase,Bicking,Bichoupan,Bichoff,Bibiloni,Biastock,Biasotti,Bianchin,Bhullar,Bhaskar,Bhamaraniyama,Bhairo,Bezenek,Beyser,Beyke,Beyea,Beydoun,Beyale,Beyal,Bevevino,Beuttel,Beutnagel,Beuthin,Beuse,Beurskens,Beukema,Beukelman,Beuerle,Beuchler,Betzner,Betzler,Betzig,Bettley,Betry,Betit,Bethurem,Betha,Betenson,Betak,Bestwick,Bestine,Beste,Bessone,Bessinger,Bessellieu,Besong,Besner,Beskom,Beshore,Beser,Besen,Beseke,Besares,Besant,Besanson,Besancon,Berzunza,Berulie,Bertrum,Bertot,Berto,Bertman,Berther,Berth,Bertella,Bertao,Bershadsky,Bersaw,Berrospe,Berrocal,Berray,Bernstock,Bernotas,Bernos,Bernmen,Bernitsky,Bernieri,Berni,Bernheim,Berneri,Bernell,Bernbeck,Bernaudo,Bernau,Bernatchez,Bernarducci,Bernardon,Bernand,Bernacki,Berlingo,Berley,Berlandy,Berlacher,Berkovitch,Berkenbile,Berkbigler,Berishaj,Bering,Bergstedt,Bergsman,Bergouignan,Bergold,Bergmeyer,Bergfalk,Bergenty,Bergenstock,Bergene,Bergamine,Bergami,Berey,Beresik,Berentz,Berenschot,Bereda,Berdux,Berdar,Berdahl,Berczy,Berchielli,Bercher,Berceir,Berbig,Berbereia,Benzee,Benwarc,Benulis,Bentzinger,Bentrem,Benthusen,Benston,Bennings,Bennight,Benneth,Bennard,Bennafield,Benkosky,Benker,Benje,Benisek,Benintendi,Bening,Beninati,Benimadho,Benezra,Beneuento,Bendu,Bending,Bendell,Benckendorf,Benbenek,Benanti,Benamati,Benafield,Benach,Benac,Bembi,Belwood,Belvees,Beltramo,Belstad,Belski,Belschner,Belscher,Belovs,Belousson,Belous,Belony,Belonger,Belluz,Bellmore,Bellitti,Belliston,Bellingtier,Bellinder,Bellhouse,Bellflowers,Bellen,Bellehumeur,Bellefontaine,Bellar,Bellantone,Bellair,Bellace,Belken,Belke,Beliz,Belina,Belieu,Belidor,Beliard,Belhumeur,Belfy,Belfort,Belfi,Belfast,Belezos,Belchior,Belarmino,Belanich,Belancer,Bejil,Bejger,Bejerano,Beja,Beiswenger,Beissel,Beilstein,Beilinson,Beilfuss,Beile,Behner,Behizadeh,Behimer,Beherns,Behanan,Behal,Begun,Beguhl,Begonia,Begolli,Begnoche,Begen,Beese,Beerle,Beemon,Beelar,Beedoo,Beedles,Beedham,Beeckman,Beebout,Bedre,Bedocs,Bednarowicz,Bedlion,Bedillion,Beder,Bedenfield,Bedee,Bedaw,Bedatsky,Bedar,Beckor,Becklin,Beckes,Beckelheimer,Beaureguard,Beauparlant,Beau,Beattle,Beatson,Beath,Beards,Bearded,Beandoin,Beady,Beachman,Beachell,Bayus,Baysden,Bayouth,Bayon,Bayn,Bayani,Baxtor,Bawks,Bawer,Bawcombe,Baves,Bautiste,Baute,Baurer,Baumohl,Baumli,Baumkirchner,Baumiester,Baumgartel,Baumgarn,Baumfalk,Bauchspies,Bauce,Batzri,Battisto,Batter,Battenhouse,Batteiger,Batrich,Batra,Batlle,Batlis,Batliner,Batkin,Batchellor,Bastick,Bastardi,Bassiti,Basore,Basone,Baskow,Basini,Basila,Bashline,Baseley,Bascas,Barvosa,Barvick,Barus,Bartuska,Bartula,Bartosik,Bartosch,Bartoli,Bartmes,Bartlette,Bartkus,Bartkiewicz,Bartholomeu,Barte,Bartch,Barsegyan,Barschdoor,Barscewski,Barsamian,Barryman,Barrowman,Barrois,Barrish,Barriault,Barrete,Barree,Barran,Baronne,Barninger,Barners,Barnebey,Barnak,Barnacle,Barlup,Barlock,Barlau,Barlak,Barken,Barkema,Barjenbruch,Barillo,Barill,Barientos,Baria,Bargstadt,Bargmann,Bargeron,Baresi,Barera,Barends,Bardos,Bardoner,Bardill,Bardell,Barck,Barcik,Barchus,Barchacky,Barberr,Barbaza,Barbarito,Barbare,Barbalich,Barbadillo,Baranga,Barahana,Baradi,Barad,Barach,Barabin,Baquero,Banwarth,Bansmer,Banse,Banowski,Bannett,Bankos,Bangura,Banerji,Banek,Bandyk,Bandura,Bandasak,Bandarra,Bancourt,Banco,Bancks,Banbury,Bamforth,Bambas,Bambace,Balzotti,Balzarine,Balza,Balwinski,Baltruweit,Baltazor,Balsis,Baloy,Balow,Balock,Balo,Balm,Balluch,Ballowe,Ballmann,Ballez,Balletto,Ballesterous,Ballena,Ballejos,Ballar,Ballan,Ballagas,Balitas,Balish,Baligod,Balich,Baldwyn,Balduzzi,Baldos,Balderree,Baldearena,Balda,Balcos,Balasko,Balangatan,Balak,Baladejo,Bakalars,Bajko,Bajek,Baitner,Baison,Bairo,Baiotto,Bainey,Bailleu,Bailado,Baibak,Bahri,Bahde,Bahadue,Bagwill,Bagu,Bagron,Bagnaschi,Baffa,Baff,Baeskens,Baerg,Baenziger,Baena,Baell,Badzinski,Badruddin,Badlam,Badey,Badertscher,Badenoch,Badagliacca,Bacone,Bacman,Backhuus,Bacino,Bachmeyer,Bachinski,Bachas,Bachan,Bacerra,Bacayo,Babson,Bablak,Babinski,Babilon,Babikian,Babicz,Babey,Babbish,Baarts,Baack,Azznara,Azuma,Azor,Azatyan,Azapinto,Azahar,Ayyad,Aytes,Aysien,Aymar,Aylock,Ayhens,Ayele,Aydin,Axtman,Axman,Awyie,Aw,Avona,Avner,Avison,Avenia,Aveles,Avarbuch,Avancena,Autullo,Autovino,Autobee,Auther,Auter,Austino,Austine,Auster,Auslam,Aurrichio,Aun,Auls,Aulder,Aufiero,Audrey,Audibert,Audelhuk,Auckley,Auces,Aubel,Auala,Atzinger,Atzhorn,Attwell,Attles,Attilio,Attia,Atthowe,Atteburg,Atmore,Atma,Atleh,Atkisson,Athy,Atherholt,Athanasiou,Atengco,Atamanczyk,Astillero,Astafan,Assum,Assis,Assing,Assenmacher,Assalone,Assael,Asrari,Aspri,Aspley,Asperheim,Aspell,Asnicar,Asner,Askiew,Askia,Aske,Ask,Ashly,Ashkettle,Ashing,Ashbourne,Ashbach,Ashaf,Asenjo,Aseng,Aseltine,Ascol,Aschbacher,Asamoah,Arzt,Arzabala,Arview,Arvez,Arvanitis,Arva,Arunachalam,Arton,Arties,Artibee,Arthun,Artez,Arters,Arsham,Arseneault,Arroyd,Arroyano,Arrospide,Arrocho,Arrisola,Arrindel,Arrigone,Arrellin,Arredla,Arrand,Arrance,Arquelles,Arosemena,Arollo,Aroca,Arntzen,Arnsberger,Arnitz,Arnerich,Arndell,Arnaudet,Arnao,Arnaldo,Army,Armout,Armold,Armocida,Armlin,Armiso,Armesto,Armen,Armada,Arkontaky,Arking,Aristizabal,Arisa,Arildsen,Arichabala,Ariail,Argulewicz,Argudin,Argro,Argie,Argenziano,Argenti,Arendash,Arendall,Arendale,Arelleano,Arehano,Ards,Ardeneaux,Ardelean,Ardaly,Arciola,Arcieri,Archiopoli,Archdale,Archbell,Arbon,Arbolida,Arbetman,Arbertha,Arau,Arashiro,Araneo,Arancibia,Araldi,Aragones,Aragao,Arabajian,Aquas,Apthorpe,Apshire,Aprill,Aprigliano,Applonie,Appl,Appia,Appana,Aponta,Aplington,Apley,Apker,Apelian,Apadaca,Aono,Ao,Anzideo,Anway,Antronica,Antosh,Antonovich,Antoniak,Antolak,Antila,Antignani,Anthes,Antao,Ansoategui,Ansloan,Anreozzi,Anos,Anolick,Anoe,Annuzzi,Anning,Annarino,Annal,Annable,Annabel,Anitok,Aninion,Animashaun,Anidi,Angocicco,Angland,Angiolelli,Angileri,Angilello,Angier,Angermeier,Angelozzi,Angelou,Angellotti,Angelillo,Angelica,Angalich,Aney,Anewalt,Anetsberger,Anesi,Aneshansley,Anene,Anecelle,Andrzejczyk,Andrzejczak,Andruszkiewic,Andrson,Androde,Andriopulos,Andrino,Andrich,Andreola,Andregg,Andreessen,Andrango,Andradez,Andrades,Andrachak,Andoh,Andina,Anderst,Anderholm,Andere,Andalora,Anciso,Ancic,Ancel,Ancar,Ancalade,Anawaty,Anawalt,Amys,Amstrong,Amspaugh,Amous,Amott,Amoros,Amormino,Amoriello,Amorello,Amoe,Amodt,Ammonds,Ammirata,Ammer,Amlin,Amith,Amistadi,Amill,Amigo,Amerio,American,Amentler,Amemiya,Amela,Amejorado,Amedro,Amedeo,Amburgy,Ambroziak,Ambrister,Amboree,Amboise,Ambert,Ambagis,Amauty,Amat,Amas,Amarian,Amara,Amalong,Alwin,Alwazan,Alvirez,Alvero,Alverado,Alty,Altstatt,Altsisi,Altmark,Altimus,Altamiruno,Alson,Alsing,Alsaqri,Alrod,Alquesta,Alpis,Alpheaus,Alperin,Aloy,Alosta,Aloan,Alnoor,Almsteadt,Almstead,Almos,Almgren,Almarza,Almajhoub,Allyne,Allsbrooks,Allon,Allinger,Alliman,Alliance,Allgire,Allevato,Alleshouse,Alleruzzo,Allerton,Allder,Allcock,Allbert,Allanson,Allabaugh,Alkins,Alkema,Alkana,Aljemal,Alisauskas,Alimo,Alimento,Alie,Alicer,Alias,Alhusseini,Alhameed,Alhambra,Alhaddad,Alfredo,Alfiero,Aleyandrez,Alexidor,Alexandropoul,Alexanders,Alexakis,Alesse,Alesna,Alepin,Alejandrez,Aldworth,Aldrow,Aldrige,Aldonza,Alcine,Alcantas,Albu,Albrough,Albor,Albe,Albarracin,Albarazi,Alatosse,Alarcone,Alanko,Aland,Alamia,Alameida,Alambar,Alai,Akwei,Aksoy,Ako,Akley,Akinrefon,Akimseu,Akhavan,Akhand,Akery,Akawanzie,Akapo,Akamiro,Akal,Ajoku,Ajani,Aiuto,Aiudi,Airth,Aipperspach,Aiporlani,Aipopo,Aiola,Aini,Ailsworth,Aills,Ailiff,Aievoli,Aid,Aiava,Ahyet,Ahrenholz,Ahnell,Ahlo,Ahlfield,Ahlemeyer,Ahimud,Ahia,Ahhee,Ahaus,Ahalt,Agustino,Agustine,Agurs,Agumga,Aguele,Agresto,Agreda,Agpaoa,Agosti,Agoro,Agonoy,Agoff,Aggers,Agemy,Ageboi,Agbisit,Afurong,Afshar,Affronti,Afflick,Affeltranger,Afable,Aeillo,Adule,Adrion,Adolphe,Adolfson,Adner,Adloff,Adling,Adickes,Adib,Adelsperger,Adelmund,Adelizzi,Addeo,Adamsonis,Adamsen,Adamowski,Adamos,Adamec,Adalja,Acosto,Acors,Acorda,Acock,Acly,Ackah,Achin,Aceveda,Acerra,Acerno,Aceituno,Acee,Accala,Acal,Abusufait,Abugn,Abuel,Absalon,Abriola,Abrey,Abrell,Abramovitz,Abramoff,Abramian,Abrahamian,Abousaleh,Aboshihata,Abolafia,Ableman,Abkemeier,Abington,Abina,Abigantus,Abide,Abeta,Abercombie,Abdulmuniem,Abdulaziz,Abdou,Abdelmuti,Abdelaziz,Abdelal,Abbington,Abbatiello,Abajian,Abaja,Aarsvold,Aarhus,Aardema,Aarant,Aanderud,Aalund,Aalderink\".split(',')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "label": "Learner", "type": "class", "loc": [12, 73], "level": 0, "parent": null, "vector": [3, 0, 0.1574, 0.2296, 0, 0.66, 0.6364, 889, 0, 6, 0, 0, 0, 0, 26], "semantic": {"name": "Learner", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Learner:\n def __init__(self):\n self.db = {}\n\n def learn(self, text):\n replacements1 = {'[^a-zA-Z0-9\\.;:\\-]': ' ',\n '\\s+': ' ', ', ': ' , ', '\\. ': ' . ',\n ': ': ' : ', '; ': ' ; '}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L13_C4", "label": "__init__", "type": "function", "loc": [13, 14], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "vector": [2, 1, 0.05, 0.0074, 1, 0.08, 0.0, 555, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "__init__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self):\n self.db = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L14_C8", "label": "self.db =", "type": "assigned_variable", "loc": [14, 14], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L13_C4", "vector": [14, 2, 0.0519, 0.0037, 2, 0.73, 0.0, 990, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.db", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.db = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L16_C4", "label": "learn", "type": "function", "loc": [16, 31], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "vector": [2, 1, 0.087, 0.0593, 1, 0.08, 0.2, 933, 0, 2, 0, 0, 0, 0, 6], "semantic": {"name": "learn", "arg_names": ["self", "text"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def learn(self, text):\n replacements1 = {'[^a-zA-Z0-9\\.;:\\-]': ' ',\n '\\s+': ' ', ', ': ' , ', '\\. ': ' . ',\n ': ': ' : ', '; ': ' ; '}\n for key, value in replacements1.items():\n text = re.sub(key, value, text)\n items = [item.lower() for item in text.split(' ')]\n for i in range(len(items) - 1):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L17_C8", "label": "replacements1 =", "type": "assigned_variable", "loc": [17, 19], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L16_C4", "vector": [14, 2, 0.0667, 0.0111, 2, 0.97, 0.0, 677, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "replacements1", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " replacements1 = {'[^a-zA-Z0-9\\.;:\\-]': ' ',\n '\\s+': ' ', ', ': ' , ', '\\. ': ' . ',\n ': ': ' : ', '; ': ' ; '}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:For_L20_C8", "label": "for key, value", "type": "for", "loc": [20, 21], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L16_C4", "vector": [6, 2, 0.0759, 0.0074, 2, 0.97, 0.3333, 839, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "key, value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for key, value in replacements1.items():\n text = re.sub(key, value, text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L21_C12", "label": "text = sub()", "type": "assigned_variable", "loc": [21, 21], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L20_C8", "vector": [14, 3, 0.0778, 0.0037, 3, 0.19, 0.0, 439, 3, 3, 0, 0, 819, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " text = re.sub(key, value, text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L22_C8", "label": "items =", "type": "assigned_variable", "loc": [22, 22], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L16_C4", "vector": [14, 2, 0.0815, 0.0037, 2, 0.97, 0.6667, 339, 5, 0, 0, 0, 0, 0, 2], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " items = [item.lower() for item in text.split(' ')]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:For_L23_C8", "label": "for i", "type": "for", "loc": [23, 31], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L16_C4", "vector": [6, 2, 0.1, 0.0333, 2, 0.97, 1.0, 826, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(len(items) - 1):\n item = items[i]\n nextitem = items[i + 1]\n if item not in self.db:\n self.db[item] = {}\n if nextitem not in self.db[item]:\n self.db[item][nextitem] = 1\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L24_C12", "label": "item =", "type": "assigned_variable", "loc": [24, 24], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L23_C8", "vector": [14, 3, 0.0889, 0.0037, 3, 0.26, 0.0, 434, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "item", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " item = items[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L25_C12", "label": "nextitem =", "type": "assigned_variable", "loc": [25, 25], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L23_C8", "vector": [14, 3, 0.0926, 0.0037, 3, 0.26, 0.3333, 795, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "nextitem", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " nextitem = items[i + 1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L26_C12", "label": "if", "type": "if", "loc": [26, 27], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L23_C8", "vector": [4, 3, 0.0981, 0.0074, 3, 0.26, 0.6667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if item not in self.db:\n self.db[item] = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L27_C16", "label": "assign", "type": "assigned_variable", "loc": [27, 27], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L26_C12", "vector": [14, 4, 0.1, 0.0037, 4, 0.8, 0.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.db[item] = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L28_C12", "label": "if", "type": "if", "loc": [28, 31], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L23_C8", "vector": [4, 3, 0.1093, 0.0148, 3, 0.26, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if nextitem not in self.db[item]:\n self.db[item][nextitem] = 1\n else:\n self.db[item][nextitem] += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L29_C16", "label": "assign", "type": "assigned_variable", "loc": [29, 29], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L28_C12", "vector": [14, 4, 0.1074, 0.0037, 4, 0.49, 0.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.db[item][nextitem] = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L33_C4", "label": "save", "type": "function", "loc": [33, 34], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "vector": [2, 1, 0.1241, 0.0074, 1, 0.08, 0.4, 928, 0, 2, 0, 0, 0, 0, 2], "semantic": {"name": "save", "arg_names": ["self", "filename"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def save(self, filename):\n cPickle.dump(self.db, open(filename, 'wb'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L34_C8", "label": "dump()", "type": "expression", "loc": [34, 34], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L33_C4", "vector": [8, 2, 0.1259, 0.0037, 2, 0.72, 0.0, 952, 3, 2, 0, 0, 0, 0, 2], "semantic": {"name": "dump", "arg_names": [], "import_names": [], "rhs_call_name": "dump", "annotation": ""}, "snippet": " cPickle.dump(self.db, open(filename, 'wb'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L36_C4", "label": "load", "type": "function", "loc": [36, 37], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "vector": [2, 1, 0.1352, 0.0074, 1, 0.08, 0.6, 37, 0, 2, 0, 0, 0, 0, 3], "semantic": {"name": "load", "arg_names": ["self", "filename"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def load(self, filename):\n self.loadd(cPickle.load(open(filename, 'rb')))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L37_C8", "label": "loadd()", "type": "expression", "loc": [37, 37], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L36_C4", "vector": [8, 2, 0.137, 0.0037, 2, 0.07, 0.0, 746, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "loadd", "arg_names": [], "import_names": [], "rhs_call_name": "loadd", "annotation": ""}, "snippet": " self.loadd(cPickle.load(open(filename, 'rb')))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L39_C4", "label": "loadd", "type": "function", "loc": [39, 40], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "vector": [2, 1, 0.1463, 0.0074, 1, 0.08, 0.8, 746, 0, 2, 0, 0, 0, 0, 0], "semantic": {"name": "loadd", "arg_names": ["self", "db"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def loadd(self, db):\n self.db = db"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L40_C8", "label": "self.db =", "type": "assigned_variable", "loc": [40, 40], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L39_C4", "vector": [14, 2, 0.1481, 0.0037, 2, 0.89, 0.0, 990, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.db", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.db = db"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "label": "generate", "type": "function", "loc": [42, 73], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "vector": [2, 1, 0.213, 0.1185, 1, 0.08, 1.0, 410, 0, 3, 1, 0, 0, 0, 15], "semantic": {"name": "generate", "arg_names": ["self", "length", "prefix"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def generate(self, length=10000, prefix=False):\n replacements2 = {' ,': ',', ' \\.': '.\\n', ' :': ':', ' ;':\n ';', '\\n\\s+': '\\n'}\n keys = self.db.keys()\n key = keys[random.randint(0, len(keys) - 1)]\n words = key\n words = words.capitalize()\n regex = re.compile('[a-z]+')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L43_C8", "label": "replacements2 =", "type": "assigned_variable", "loc": [43, 44], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "vector": [14, 2, 0.1611, 0.0074, 2, 0.72, 0.0, 691, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "replacements2", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " replacements2 = {' ,': ',', ' \\.': '.\\n', ' :': ':', ' ;':\n ';', '\\n\\s+': '\\n'}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L45_C8", "label": "keys = keys()", "type": "assigned_variable", "loc": [45, 45], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "vector": [14, 2, 0.1667, 0.0037, 2, 0.72, 0.1111, 204, 3, 0, 0, 0, 204, 10, 1], "semantic": {"name": "keys", "arg_names": [], "import_names": [], "rhs_call_name": "keys", "annotation": ""}, "snippet": " keys = self.db.keys()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L46_C8", "label": "key =", "type": "assigned_variable", "loc": [46, 46], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "vector": [14, 2, 0.1704, 0.0037, 2, 0.72, 0.2222, 230, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key = keys[random.randint(0, len(keys) - 1)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L47_C8", "label": "words =", "type": "assigned_variable", "loc": [47, 47], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "vector": [14, 2, 0.1741, 0.0037, 2, 0.72, 0.3333, 376, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "words", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " words = key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L48_C8", "label": "words = capitalize()", "type": "assigned_variable", "loc": [48, 48], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "vector": [14, 2, 0.1778, 0.0037, 2, 0.72, 0.4444, 376, 3, 0, 0, 0, 353, 10, 1], "semantic": {"name": "words", "arg_names": [], "import_names": [], "rhs_call_name": "capitalize", "annotation": ""}, "snippet": " words = words.capitalize()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L49_C8", "label": "regex = compile()", "type": "assigned_variable", "loc": [49, 49], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "vector": [14, 2, 0.1815, 0.0037, 2, 0.72, 0.5556, 552, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": " regex = re.compile('[a-z]+')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "label": "for i", "type": "for", "loc": [50, 69], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "vector": [6, 2, 0.2204, 0.0741, 2, 0.72, 0.6667, 826, 3, 0, 0, 0, 0, 0, 8], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for i in range(length):\n okey = key\n if not key in self.db:\n break # should not happen\n db = self.db[key]\n s = sum(db.values())\n i = random.randint(0, s - 1)\n for key, value in db.items():"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L51_C12", "label": "okey =", "type": "assigned_variable", "loc": [51, 51], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "vector": [14, 3, 0.1889, 0.0037, 3, 0.63, 0.0, 543, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "okey", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " okey = key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L52_C12", "label": "if", "type": "if", "loc": [52, 53], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "vector": [4, 3, 0.1944, 0.0074, 3, 0.63, 0.1429, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not key in self.db:\n break # should not happen"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L54_C12", "label": "db =", "type": "assigned_variable", "loc": [54, 54], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "vector": [14, 3, 0.2, 0.0037, 3, 0.63, 0.2857, 761, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "db", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " db = self.db[key]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L55_C12", "label": "s = sum()", "type": "assigned_variable", "loc": [55, 55], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "vector": [14, 3, 0.2037, 0.0037, 3, 0.63, 0.4286, 553, 3, 1, 0, 0, 824, 10, 2], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "sum", "annotation": ""}, "snippet": " s = sum(db.values())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L56_C12", "label": "i = randint()", "type": "assigned_variable", "loc": [56, 56], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "vector": [14, 3, 0.2074, 0.0037, 3, 0.63, 0.5714, 826, 3, 2, 0, 0, 449, 10, 1], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "randint", "annotation": ""}, "snippet": " i = random.randint(0, s - 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:For_L57_C12", "label": "for key, value", "type": "for", "loc": [57, 61], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "vector": [6, 3, 0.2185, 0.0185, 3, 0.63, 0.7143, 839, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "key, value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for key, value in db.items():\n if i < value:\n break\n else:\n i -= value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L58_C16", "label": "if", "type": "if", "loc": [58, 61], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L57_C12", "vector": [4, 4, 0.2204, 0.0148, 4, 0.24, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i < value:\n break\n else:\n i -= value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L62_C12", "label": "if", "type": "if", "loc": [62, 65], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "vector": [4, 3, 0.2352, 0.0148, 3, 0.63, 0.8571, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if okey == '.':\n key1 = key.capitalize()\n else:\n key1 = key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L63_C16", "label": "key1 = capitalize()", "type": "assigned_variable", "loc": [63, 63], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L62_C12", "vector": [14, 4, 0.2333, 0.0037, 4, 0.24, 0.0, 146, 3, 0, 0, 0, 353, 10, 1], "semantic": {"name": "key1", "arg_names": [], "import_names": [], "rhs_call_name": "capitalize", "annotation": ""}, "snippet": " key1 = key.capitalize()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L65_C16", "label": "key1 =", "type": "assigned_variable", "loc": [65, 65], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L62_C12", "vector": [14, 4, 0.2407, 0.0037, 4, 0.24, 1.0, 146, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "key1", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key1 = key"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L66_C12", "label": "if", "type": "if", "loc": [66, 68], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "vector": [4, 3, 0.2481, 0.0111, 3, 0.63, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if prefix and regex.findall(key1) and \\\n random.random() < 0.01:\n key1 = '<a href=\"%s%s\">%s</a>' % (prefix, key1, key1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L68_C16", "label": "key1 =", "type": "assigned_variable", "loc": [68, 68], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L66_C12", "vector": [14, 4, 0.2519, 0.0037, 4, 0.85, 0.0, 146, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "key1", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key1 = '<a href=\"%s%s\">%s</a>' % (prefix, key1, key1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L70_C8", "label": "text =", "type": "assigned_variable", "loc": [70, 70], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "vector": [14, 2, 0.2593, 0.0037, 2, 0.72, 0.7778, 439, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " text = words"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:For_L71_C8", "label": "for key, value", "type": "for", "loc": [71, 72], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "vector": [6, 2, 0.2648, 0.0074, 2, 0.72, 0.8889, 839, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "key, value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for key, value in replacements2.items():\n text = re.sub(key, value, text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L72_C12", "label": "text = sub()", "type": "assigned_variable", "loc": [72, 72], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L71_C8", "vector": [14, 3, 0.2667, 0.0037, 3, 0.23, 0.0, 439, 3, 3, 0, 0, 819, 10, 1], "semantic": {"name": "text", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " text = re.sub(key, value, text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Return_L73_C8", "label": "return", "type": "return", "loc": [73, 73], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "vector": [13, 2, 0.2704, 0.0037, 2, 0.72, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return text + '.\\n'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L76_C0", "label": "da_du_ma", "type": "function", "loc": [76, 79], "level": 0, "parent": null, "vector": [2, 0, 0.287, 0.0148, 0, 0.66, 0.7273, 594, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "da_du_ma", "arg_names": ["n"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def da_du_ma(n=4):\n return ''.join([['da', 'du', 'ma', 'mo', 'ce', 'co',\n 'pa', 'po', 'sa', 'so', 'ta', 'to']\n [random.randint(0, 11)] for i in range(n)])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Return_L77_C4", "label": "return", "type": "return", "loc": [77, 79], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L76_C0", "vector": [13, 1, 0.2889, 0.0111, 1, 0.6, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ''.join([['da', 'du', 'ma', 'mo', 'ce', 'co',\n 'pa', 'po', 'sa', 'so', 'ta', 'to']\n [random.randint(0, 11)] for i in range(n)])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L82_C0", "label": "populate", "type": "function", "loc": [82, 107], "level": 0, "parent": null, "vector": [2, 0, 0.35, 0.0963, 0, 0.66, 0.8182, 265, 0, 5, 1, 0, 0, 0, 4], "semantic": {"name": "populate", "arg_names": ["table", "n", "default", "compute", "contents"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def populate(table, n=None, default=True, compute=False, contents={}):\n \"\"\"Populate table with n records.\n\n if n is None, it does not populate the database but returns a generator\n if default=True use default values to fields.\n if compute=False doesn't load values into computed fields.\n if contents has data, use these values to populate related fields.\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L83_C4", "label": "expression", "type": "expression", "loc": [83, 97], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L82_C0", "vector": [8, 1, 0.3333, 0.0556, 1, 0.79, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Populate table with n records.\n\n if n is None, it does not populate the database but returns a generator\n if default=True use default values to fields.\n if compute=False doesn't load values into computed fields.\n if contents has data, use these values to populate related fields.\n\n can be used in two ways:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L99_C4", "label": "generator = populate_generator()", "type": "assigned_variable", "loc": [99, 100], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L82_C0", "vector": [14, 1, 0.3685, 0.0074, 1, 0.79, 0.3333, 878, 3, 4, 0, 0, 985, 10, 1], "semantic": {"name": "generator", "arg_names": [], "import_names": [], "rhs_call_name": "populate_generator", "annotation": ""}, "snippet": " generator = populate_generator(table, default=default, \n compute=compute, contents=contents)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L101_C4", "label": "if", "type": "if", "loc": [101, 105], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L82_C0", "vector": [4, 1, 0.3815, 0.0185, 1, 0.79, 0.6667, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if n is not None:\n for k,record in enumerate(generator):\n if k>=n: break\n table.insert(**record)\n table._db.commit()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:For_L102_C8", "label": "for k, record", "type": "for", "loc": [102, 104], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L101_C4", "vector": [6, 2, 0.3815, 0.0111, 2, 0.82, 0.0, 881, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "k, record", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k,record in enumerate(generator):\n if k>=n: break\n table.insert(**record)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L103_C12", "label": "if", "type": "if", "loc": [103, 103], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L102_C8", "vector": [4, 3, 0.3815, 0.0037, 3, 0.48, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if k>=n: break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L104_C12", "label": "insert()", "type": "expression", "loc": [104, 104], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L102_C8", "vector": [8, 3, 0.3852, 0.0037, 3, 0.48, 1.0, 368, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "insert", "arg_names": [], "import_names": [], "rhs_call_name": "insert", "annotation": ""}, "snippet": " table.insert(**record)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L105_C8", "label": "commit()", "type": "expression", "loc": [105, 105], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L101_C4", "vector": [8, 2, 0.3889, 0.0037, 2, 0.82, 1.0, 281, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "commit", "arg_names": [], "import_names": [], "rhs_call_name": "commit", "annotation": ""}, "snippet": " table._db.commit()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Return_L107_C4", "label": "return", "type": "return", "loc": [107, 107], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L82_C0", "vector": [13, 1, 0.3963, 0.0037, 1, 0.79, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return generator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L109_C0", "label": "populate_generator", "type": "function", "loc": [109, 265], "level": 0, "parent": null, "vector": [2, 0, 0.6926, 0.5815, 0, 0.66, 0.9091, 985, 0, 4, 0, 0, 0, 0, 99], "semantic": {"name": "populate_generator", "arg_names": ["table", "default", "compute", "contents"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def populate_generator(table, default=True, compute=False, contents={}):\n \"\"\"Populate table with n records.\n\n if default=True use default values to fields.\n if compute=False doesn't load values into computed fields.\n if contents has data, use these values to populate related fields.\n \"\"\"\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L110_C4", "label": "expression", "type": "expression", "loc": [110, 115], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L109_C0", "vector": [8, 1, 0.4167, 0.0222, 1, 0.32, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Populate table with n records.\n\n if default=True use default values to fields.\n if compute=False doesn't load values into computed fields.\n if contents has data, use these values to populate related fields.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L117_C4", "label": "ell = Learner()", "type": "assigned_variable", "loc": [117, 117], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L109_C0", "vector": [14, 1, 0.4333, 0.0037, 1, 0.32, 0.25, 847, 3, 0, 0, 0, 889, 10, 1], "semantic": {"name": "ell", "arg_names": [], "import_names": [], "rhs_call_name": "Learner", "annotation": ""}, "snippet": " ell = Learner()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L121_C4", "label": "loadd()", "type": "expression", "loc": [121, 121], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L109_C0", "vector": [8, 1, 0.4481, 0.0037, 1, 0.32, 0.5, 746, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "loadd", "arg_names": [], "import_names": [], "rhs_call_name": "loadd", "annotation": ""}, "snippet": " ell.loadd(IUP)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L122_C4", "label": "ids =", "type": "assigned_variable", "loc": [122, 122], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L109_C0", "vector": [14, 1, 0.4519, 0.0037, 1, 0.32, 0.75, 202, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "ids", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ids = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:While_L124_C4", "label": "while", "type": "while", "loc": [124, 265], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L109_C0", "vector": [5, 1, 0.7204, 0.5259, 1, 0.32, 1.0, 0, 1, 0, 0, 0, 0, 0, 99], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while True:\n record = contents.copy() # load user supplied contents.\n\n for fieldname in table.fields:\n if fieldname in record:\n continue # if user supplied it, let it be.\n\n field = table[fieldname]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L125_C8", "label": "record = copy()", "type": "assigned_variable", "loc": [125, 125], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:While_L124_C4", "vector": [14, 2, 0.463, 0.0037, 2, 0.07, 0.0, 667, 3, 0, 0, 0, 739, 10, 1], "semantic": {"name": "record", "arg_names": [], "import_names": [], "rhs_call_name": "copy", "annotation": ""}, "snippet": " record = contents.copy() # load user supplied contents."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:For_L127_C8", "label": "for fieldname", "type": "for", "loc": [127, 264], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:While_L124_C4", "vector": [6, 2, 0.7241, 0.5111, 2, 0.07, 0.5, 279, 7, 0, 0, 0, 0, 0, 98], "semantic": {"name": "fieldname", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for fieldname in table.fields:\n if fieldname in record:\n continue # if user supplied it, let it be.\n\n field = table[fieldname]\n if not isinstance(field.type, (str, unicode)):\n continue\n elif field.type == 'id':"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L128_C12", "label": "if", "type": "if", "loc": [128, 129], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L127_C8", "vector": [4, 3, 0.4759, 0.0074, 3, 0.87, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if fieldname in record:\n continue # if user supplied it, let it be."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L131_C12", "label": "field =", "type": "assigned_variable", "loc": [131, 131], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L127_C8", "vector": [14, 3, 0.4852, 0.0037, 3, 0.87, 0.5, 480, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "field", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " field = table[fieldname]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L132_C12", "label": "if", "type": "if", "loc": [132, 264], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:For_L127_C8", "vector": [4, 3, 0.7333, 0.4926, 3, 0.87, 1.0, 0, 0, 0, 0, 0, 0, 0, 98], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(field.type, (str, unicode)):\n continue\n elif field.type == 'id':\n continue\n elif default and not field.default in (None, ''):\n record[fieldname] = field.default\n elif compute and field.compute:\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L134_C12", "label": "if", "type": "if", "loc": [134, 264], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L132_C12", "vector": [4, 4, 0.737, 0.4852, 4, 0.05, 0.0, 0, 0, 0, 0, 0, 0, 0, 97], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'id':\n continue\n elif default and not field.default in (None, ''):\n record[fieldname] = field.default\n elif compute and field.compute:\n continue\n elif field.type == 'boolean':\n record[fieldname] = random.random() > 0.5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L136_C12", "label": "if", "type": "if", "loc": [136, 264], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L134_C12", "vector": [4, 5, 0.7407, 0.4778, 5, 0.71, 0.0, 0, 0, 0, 0, 0, 0, 0, 97], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif default and not field.default in (None, ''):\n record[fieldname] = field.default\n elif compute and field.compute:\n continue\n elif field.type == 'boolean':\n record[fieldname] = random.random() > 0.5\n elif field.type == 'date':\n record[fieldname] = \\"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L137_C16", "label": "assign", "type": "assigned_variable", "loc": [137, 137], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L136_C12", "vector": [14, 6, 0.5074, 0.0037, 6, 0.48, 0.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = field.default"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L138_C12", "label": "if", "type": "if", "loc": [138, 264], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L136_C12", "vector": [4, 6, 0.7444, 0.4704, 6, 0.48, 1.0, 0, 0, 0, 0, 0, 0, 0, 97], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif compute and field.compute:\n continue\n elif field.type == 'boolean':\n record[fieldname] = random.random() > 0.5\n elif field.type == 'date':\n record[fieldname] = \\\n datetime.date(2009, 1, 1) - \\\n datetime.timedelta(days=random.randint(0, 365))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L140_C12", "label": "if", "type": "if", "loc": [140, 264], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L138_C12", "vector": [4, 7, 0.7481, 0.463, 7, 0.07, 0.0, 0, 0, 0, 0, 0, 0, 0, 97], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'boolean':\n record[fieldname] = random.random() > 0.5\n elif field.type == 'date':\n record[fieldname] = \\\n datetime.date(2009, 1, 1) - \\\n datetime.timedelta(days=random.randint(0, 365))\n elif field.type == 'datetime':\n record[fieldname] = \\"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L141_C16", "label": "assign", "type": "assigned_variable", "loc": [141, 141], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L140_C12", "vector": [14, 8, 0.5222, 0.0037, 8, 0.11, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = random.random() > 0.5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L142_C12", "label": "if", "type": "if", "loc": [142, 264], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L140_C12", "vector": [4, 8, 0.7519, 0.4556, 8, 0.11, 1.0, 0, 0, 0, 0, 0, 0, 0, 96], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'date':\n record[fieldname] = \\\n datetime.date(2009, 1, 1) - \\\n datetime.timedelta(days=random.randint(0, 365))\n elif field.type == 'datetime':\n record[fieldname] = \\\n datetime.datetime(2009, 1, 1) - \\\n datetime.timedelta(days=random.randint(0, 365))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L143_C16", "label": "assign", "type": "assigned_variable", "loc": [143, 145], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L142_C12", "vector": [14, 9, 0.5333, 0.0111, 9, 0.8, 0.0, 0, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = \\\n datetime.date(2009, 1, 1) - \\\n datetime.timedelta(days=random.randint(0, 365))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L146_C12", "label": "if", "type": "if", "loc": [146, 264], "level": 9, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L142_C12", "vector": [4, 9, 0.7593, 0.4407, 9, 0.8, 1.0, 0, 0, 0, 0, 0, 0, 0, 93], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'datetime':\n record[fieldname] = \\\n datetime.datetime(2009, 1, 1) - \\\n datetime.timedelta(days=random.randint(0, 365))\n elif field.type == 'time':\n h = random.randint(0, 23)\n m = 15 * random.randint(0, 3)\n record[fieldname] = datetime.time(h, m, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L147_C16", "label": "assign", "type": "assigned_variable", "loc": [147, 149], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L146_C12", "vector": [14, 10, 0.5481, 0.0111, 10, 0.99, 0.0, 0, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = \\\n datetime.datetime(2009, 1, 1) - \\\n datetime.timedelta(days=random.randint(0, 365))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L150_C12", "label": "if", "type": "if", "loc": [150, 264], "level": 10, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L146_C12", "vector": [4, 10, 0.7667, 0.4259, 10, 0.99, 1.0, 0, 0, 0, 0, 0, 0, 0, 90], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'time':\n h = random.randint(0, 23)\n m = 15 * random.randint(0, 3)\n record[fieldname] = datetime.time(h, m, 0)\n elif field.type == 'password':\n record[fieldname] = ''\n elif field.type == 'upload':\n record[fieldname] = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L151_C16", "label": "h = randint()", "type": "assigned_variable", "loc": [151, 151], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L150_C12", "vector": [14, 11, 0.5593, 0.0037, 11, 0.94, 0.0, 686, 3, 2, 0, 0, 449, 10, 1], "semantic": {"name": "h", "arg_names": [], "import_names": [], "rhs_call_name": "randint", "annotation": ""}, "snippet": " h = random.randint(0, 23)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L152_C16", "label": "m =", "type": "assigned_variable", "loc": [152, 152], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L150_C12", "vector": [14, 11, 0.563, 0.0037, 11, 0.94, 0.3333, 711, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "m", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " m = 15 * random.randint(0, 3)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L153_C16", "label": " = time()", "type": "assigned_variable", "loc": [153, 153], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L150_C12", "vector": [14, 11, 0.5667, 0.0037, 11, 0.94, 0.6667, 0, 3, 3, 0, 0, 654, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "time", "annotation": ""}, "snippet": " record[fieldname] = datetime.time(h, m, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L154_C12", "label": "if", "type": "if", "loc": [154, 264], "level": 11, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L150_C12", "vector": [4, 11, 0.7741, 0.4111, 11, 0.94, 1.0, 0, 0, 0, 0, 0, 0, 0, 87], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'password':\n record[fieldname] = ''\n elif field.type == 'upload':\n record[fieldname] = None\n elif field.type == 'integer' and \\\n hasattr(field.requires, 'options'):\n options = field.requires.options(zero=False)\n if len(options) > 0:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L155_C16", "label": "assign", "type": "assigned_variable", "loc": [155, 155], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L154_C12", "vector": [14, 12, 0.5741, 0.0037, 12, 0.47, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L156_C12", "label": "if", "type": "if", "loc": [156, 264], "level": 12, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L154_C12", "vector": [4, 12, 0.7778, 0.4037, 12, 0.47, 1.0, 0, 0, 0, 0, 0, 0, 0, 87], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'upload':\n record[fieldname] = None\n elif field.type == 'integer' and \\\n hasattr(field.requires, 'options'):\n options = field.requires.options(zero=False)\n if len(options) > 0:\n record[fieldname] = options[\n random.randint(0, len(options) - 1)][0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L157_C16", "label": "assign", "type": "assigned_variable", "loc": [157, 157], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L156_C12", "vector": [14, 13, 0.5815, 0.0037, 13, 0.25, 0.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L158_C12", "label": "if", "type": "if", "loc": [158, 264], "level": 13, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L156_C12", "vector": [4, 13, 0.7815, 0.3963, 13, 0.25, 1.0, 0, 0, 0, 0, 0, 0, 0, 87], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'integer' and \\\n hasattr(field.requires, 'options'):\n options = field.requires.options(zero=False)\n if len(options) > 0:\n record[fieldname] = options[\n random.randint(0, len(options) - 1)][0]\n else:\n record[fieldname] = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L160_C16", "label": "options = options()", "type": "assigned_variable", "loc": [160, 160], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L158_C12", "vector": [14, 14, 0.5926, 0.0037, 14, 0.92, 0.0, 707, 3, 1, 0, 0, 707, 10, 1], "semantic": {"name": "options", "arg_names": [], "import_names": [], "rhs_call_name": "options", "annotation": ""}, "snippet": " options = field.requires.options(zero=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L161_C16", "label": "if", "type": "if", "loc": [161, 165], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L158_C12", "vector": [4, 14, 0.6037, 0.0185, 14, 0.92, 0.5, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(options) > 0:\n record[fieldname] = options[\n random.randint(0, len(options) - 1)][0]\n else:\n record[fieldname] = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L162_C20", "label": "assign", "type": "assigned_variable", "loc": [162, 163], "level": 15, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L161_C16", "vector": [14, 15, 0.6019, 0.0074, 15, 0.35, 0.0, 0, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = options[\n random.randint(0, len(options) - 1)][0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L165_C20", "label": "assign", "type": "assigned_variable", "loc": [165, 165], "level": 15, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L161_C16", "vector": [14, 15, 0.6111, 0.0037, 15, 0.35, 1.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L166_C12", "label": "if", "type": "if", "loc": [166, 264], "level": 14, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L158_C12", "vector": [4, 14, 0.7963, 0.3667, 14, 0.92, 1.0, 0, 0, 0, 0, 0, 0, 0, 82], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'list:integer' and hasattr(field.requires, 'options'):\n options = field.requires.options(zero=False)\n if len(options) > 0:\n record[fieldname] = [item[0] for item in random.sample(\n options, random.randint(0, len(options) - 1) / 2)]\n elif field.type == 'integer':\n try:\n record[fieldname] = random.randint("}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L167_C16", "label": "options = options()", "type": "assigned_variable", "loc": [167, 167], "level": 15, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L166_C12", "vector": [14, 15, 0.6185, 0.0037, 15, 0.58, 0.0, 707, 3, 1, 0, 0, 707, 10, 1], "semantic": {"name": "options", "arg_names": [], "import_names": [], "rhs_call_name": "options", "annotation": ""}, "snippet": " options = field.requires.options(zero=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L168_C16", "label": "if", "type": "if", "loc": [168, 170], "level": 15, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L166_C12", "vector": [4, 15, 0.6259, 0.0111, 15, 0.58, 0.5, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(options) > 0:\n record[fieldname] = [item[0] for item in random.sample(\n options, random.randint(0, len(options) - 1) / 2)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L169_C20", "label": "assign", "type": "assigned_variable", "loc": [169, 170], "level": 16, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L168_C16", "vector": [14, 16, 0.6278, 0.0074, 16, 0.28, 0.0, 0, 5, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = [item[0] for item in random.sample(\n options, random.randint(0, len(options) - 1) / 2)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L171_C12", "label": "if", "type": "if", "loc": [171, 264], "level": 15, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L166_C12", "vector": [4, 15, 0.8056, 0.3481, 15, 0.58, 1.0, 0, 0, 0, 0, 0, 0, 0, 76], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'integer':\n try:\n record[fieldname] = random.randint(\n field.requires.minimum, field.requires.maximum - 1)\n except:\n if 'day' in fieldname:\n record[fieldname] = random.randint(1,28)\n elif 'month' in fieldname:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Try_L172_C16", "label": "try", "type": "try", "loc": [172, 183], "level": 16, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L171_C12", "vector": [7, 16, 0.6574, 0.0444, 16, 0.6, 0.0, 0, 0, 1, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n record[fieldname] = random.randint(\n field.requires.minimum, field.requires.maximum - 1)\n except:\n if 'day' in fieldname:\n record[fieldname] = random.randint(1,28)\n elif 'month' in fieldname:\n record[fieldname] =random.randint(1,12)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L173_C20", "label": " = randint()", "type": "assigned_variable", "loc": [173, 174], "level": 17, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:Try_L172_C16", "vector": [14, 17, 0.6426, 0.0074, 17, 0.49, 0.0, 0, 3, 2, 0, 0, 449, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "randint", "annotation": ""}, "snippet": " record[fieldname] = random.randint(\n field.requires.minimum, field.requires.maximum - 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L176_C20", "label": "if", "type": "if", "loc": [176, 183], "level": 17, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:Try_L172_C16", "vector": [4, 17, 0.6648, 0.0296, 17, 0.49, 0.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 'day' in fieldname:\n record[fieldname] = random.randint(1,28)\n elif 'month' in fieldname:\n record[fieldname] =random.randint(1,12)\n elif 'year' in fieldname:\n record[fieldname] =random.randint(2000,2013)\n else:\n record[fieldname] = random.randint(0, 1000)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L177_C24", "label": " = randint()", "type": "assigned_variable", "loc": [177, 177], "level": 18, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L176_C20", "vector": [14, 18, 0.6556, 0.0037, 18, 0.8, 0.0, 0, 3, 2, 0, 0, 449, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "randint", "annotation": ""}, "snippet": " record[fieldname] = random.randint(1,28)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L178_C20", "label": "if", "type": "if", "loc": [178, 183], "level": 18, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L176_C20", "vector": [4, 18, 0.6685, 0.0222, 18, 0.8, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif 'month' in fieldname:\n record[fieldname] =random.randint(1,12)\n elif 'year' in fieldname:\n record[fieldname] =random.randint(2000,2013)\n else:\n record[fieldname] = random.randint(0, 1000)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L179_C24", "label": " = randint()", "type": "assigned_variable", "loc": [179, 179], "level": 19, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L178_C20", "vector": [14, 19, 0.663, 0.0037, 19, 0.25, 0.0, 0, 3, 2, 0, 0, 449, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "randint", "annotation": ""}, "snippet": " record[fieldname] =random.randint(1,12)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L180_C20", "label": "if", "type": "if", "loc": [180, 183], "level": 19, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L178_C20", "vector": [4, 19, 0.6722, 0.0148, 19, 0.25, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif 'year' in fieldname:\n record[fieldname] =random.randint(2000,2013)\n else:\n record[fieldname] = random.randint(0, 1000)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L181_C24", "label": " = randint()", "type": "assigned_variable", "loc": [181, 181], "level": 20, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L180_C20", "vector": [14, 20, 0.6704, 0.0037, 20, 0.65, 0.0, 0, 3, 2, 0, 0, 449, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "randint", "annotation": ""}, "snippet": " record[fieldname] =random.randint(2000,2013)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L183_C24", "label": " = randint()", "type": "assigned_variable", "loc": [183, 183], "level": 20, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L180_C20", "vector": [14, 20, 0.6778, 0.0037, 20, 0.65, 1.0, 0, 3, 2, 0, 0, 449, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "randint", "annotation": ""}, "snippet": " record[fieldname] = random.randint(0, 1000)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L184_C12", "label": "if", "type": "if", "loc": [184, 264], "level": 16, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L171_C12", "vector": [4, 16, 0.8296, 0.3, 16, 0.6, 1.0, 0, 0, 0, 0, 0, 0, 0, 71], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'double' \\\n or str(field.type).startswith('decimal'):\n if hasattr(field.requires, 'minimum'):\n rand = random.random()\n if str(field.type).startswith('decimal'):\n import decimal\n rand = decimal.Decimal(rand)\n record[fieldname] = field.requires.minimum + \\"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L186_C16", "label": "if", "type": "if", "loc": [186, 195], "level": 17, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L184_C12", "vector": [4, 17, 0.7056, 0.037, 17, 0.6, 0.0, 0, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if hasattr(field.requires, 'minimum'):\n rand = random.random()\n if str(field.type).startswith('decimal'):\n import decimal\n rand = decimal.Decimal(rand)\n record[fieldname] = field.requires.minimum + \\\n rand * (field.requires.maximum -\n field.requires.minimum)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L187_C20", "label": "rand = random()", "type": "assigned_variable", "loc": [187, 187], "level": 18, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L186_C16", "vector": [14, 18, 0.6926, 0.0037, 18, 0.91, 0.0, 444, 3, 0, 0, 0, 715, 10, 1], "semantic": {"name": "rand", "arg_names": [], "import_names": [], "rhs_call_name": "random", "annotation": ""}, "snippet": " rand = random.random()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L188_C20", "label": "if", "type": "if", "loc": [188, 190], "level": 18, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L186_C16", "vector": [4, 18, 0.7, 0.0111, 18, 0.91, 0.3333, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if str(field.type).startswith('decimal'):\n import decimal\n rand = decimal.Decimal(rand)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Import_L189_C24", "label": "decimal import decimal", "type": "import", "loc": [189, 189], "level": 19, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L188_C20", "vector": [1, 19, 0.7, 0.0037, 19, 0.22, 0.0, 349, 0, 1, 0, 0, 349, 0, 0], "semantic": {"name": "decimal", "arg_names": [], "import_names": ["decimal"], "rhs_call_name": "", "annotation": ""}, "snippet": " import decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L190_C24", "label": "rand = Decimal()", "type": "assigned_variable", "loc": [190, 190], "level": 19, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L188_C20", "vector": [14, 19, 0.7037, 0.0037, 19, 0.22, 1.0, 444, 3, 1, 0, 0, 778, 10, 1], "semantic": {"name": "rand", "arg_names": [], "import_names": [], "rhs_call_name": "Decimal", "annotation": ""}, "snippet": " rand = decimal.Decimal(rand)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L191_C20", "label": "assign", "type": "assigned_variable", "loc": [191, 193], "level": 18, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L186_C16", "vector": [14, 18, 0.7111, 0.0111, 18, 0.91, 0.6667, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = field.requires.minimum + \\\n rand * (field.requires.maximum -\n field.requires.minimum)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L195_C20", "label": "assign", "type": "assigned_variable", "loc": [195, 195], "level": 18, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L186_C16", "vector": [14, 18, 0.7222, 0.0037, 18, 0.91, 1.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = random.random() * 1000"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L196_C12", "label": "if", "type": "if", "loc": [196, 264], "level": 17, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L184_C12", "vector": [4, 17, 0.8519, 0.2556, 17, 0.6, 1.0, 0, 0, 0, 0, 0, 0, 0, 63], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type[:10] == 'reference ':\n tablename = field.type[10:]\n if not tablename in ids:\n if table._db._dbname == 'gql':\n ids[tablename] = [x.id for x in table._db(\n table._db[field.type[10:]].id > 0).select()]\n else:\n ids[tablename] = [x.id for x in table._db("}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L197_C16", "label": "tablename =", "type": "assigned_variable", "loc": [197, 197], "level": 18, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L196_C12", "vector": [14, 18, 0.7296, 0.0037, 18, 0.5, 0.0, 821, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "tablename", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tablename = field.type[10:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L198_C16", "label": "if", "type": "if", "loc": [198, 204], "level": 18, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L196_C12", "vector": [4, 18, 0.7444, 0.0259, 18, 0.5, 0.25, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not tablename in ids:\n if table._db._dbname == 'gql':\n ids[tablename] = [x.id for x in table._db(\n table._db[field.type[10:]].id > 0).select()]\n else:\n ids[tablename] = [x.id for x in table._db(\n table._db[field.type[10:]].id > 0).select()]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L199_C20", "label": "if", "type": "if", "loc": [199, 204], "level": 19, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L198_C16", "vector": [4, 19, 0.7463, 0.0222, 19, 0.31, 0.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if table._db._dbname == 'gql':\n ids[tablename] = [x.id for x in table._db(\n table._db[field.type[10:]].id > 0).select()]\n else:\n ids[tablename] = [x.id for x in table._db(\n table._db[field.type[10:]].id > 0).select()]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L200_C24", "label": "assign", "type": "assigned_variable", "loc": [200, 201], "level": 20, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L199_C20", "vector": [14, 20, 0.7426, 0.0074, 20, 0.08, 0.0, 0, 5, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ids[tablename] = [x.id for x in table._db(\n table._db[field.type[10:]].id > 0).select()]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L203_C24", "label": "assign", "type": "assigned_variable", "loc": [203, 204], "level": 20, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L199_C20", "vector": [14, 20, 0.7537, 0.0074, 20, 0.08, 1.0, 0, 5, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ids[tablename] = [x.id for x in table._db(\n table._db[field.type[10:]].id > 0).select()]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L205_C16", "label": "n = len()", "type": "assigned_variable", "loc": [205, 205], "level": 18, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L196_C12", "vector": [14, 18, 0.7593, 0.0037, 18, 0.5, 0.5, 773, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " n = len(ids[tablename])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L206_C16", "label": "if", "type": "if", "loc": [206, 210], "level": 18, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L196_C12", "vector": [4, 18, 0.7704, 0.0185, 18, 0.5, 0.75, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if n:\n record[fieldname] = \\\n ids[tablename][random.randint(0, n - 1)]\n else:\n record[fieldname] = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L207_C20", "label": "assign", "type": "assigned_variable", "loc": [207, 208], "level": 19, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L206_C16", "vector": [14, 19, 0.7685, 0.0074, 19, 0.97, 0.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = \\\n ids[tablename][random.randint(0, n - 1)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L210_C20", "label": "assign", "type": "assigned_variable", "loc": [210, 210], "level": 19, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L206_C16", "vector": [14, 19, 0.7778, 0.0037, 19, 0.97, 1.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L211_C12", "label": "if", "type": "if", "loc": [211, 264], "level": 18, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L196_C12", "vector": [4, 18, 0.8796, 0.2, 18, 0.5, 1.0, 0, 0, 0, 0, 0, 0, 0, 57], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type[:15] == 'list:reference ':\n tablename = field.type[15:]\n if not tablename in ids:\n if table._db._dbname == 'gql':\n ids[tablename] = [x.id for x in table._db(\n table._db[field.type[15:]].id > 0).select()]\n else:\n ids[tablename] = [x.id for x in table._db("}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L212_C16", "label": "tablename =", "type": "assigned_variable", "loc": [212, 212], "level": 19, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L211_C12", "vector": [14, 19, 0.7852, 0.0037, 19, 0.96, 0.0, 821, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "tablename", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tablename = field.type[15:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L213_C16", "label": "if", "type": "if", "loc": [213, 219], "level": 19, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L211_C12", "vector": [4, 19, 0.8, 0.0259, 19, 0.96, 0.25, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not tablename in ids:\n if table._db._dbname == 'gql':\n ids[tablename] = [x.id for x in table._db(\n table._db[field.type[15:]].id > 0).select()]\n else:\n ids[tablename] = [x.id for x in table._db(\n table._db[field.type[15:]].id > 0).select()]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L214_C20", "label": "if", "type": "if", "loc": [214, 219], "level": 20, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L213_C16", "vector": [4, 20, 0.8019, 0.0222, 20, 0.2, 0.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if table._db._dbname == 'gql':\n ids[tablename] = [x.id for x in table._db(\n table._db[field.type[15:]].id > 0).select()]\n else:\n ids[tablename] = [x.id for x in table._db(\n table._db[field.type[15:]].id > 0).select()]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L215_C24", "label": "assign", "type": "assigned_variable", "loc": [215, 216], "level": 21, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L214_C20", "vector": [14, 21, 0.7981, 0.0074, 21, 0.52, 0.0, 0, 5, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ids[tablename] = [x.id for x in table._db(\n table._db[field.type[15:]].id > 0).select()]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L218_C24", "label": "assign", "type": "assigned_variable", "loc": [218, 219], "level": 21, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L214_C20", "vector": [14, 21, 0.8093, 0.0074, 21, 0.52, 1.0, 0, 5, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ids[tablename] = [x.id for x in table._db(\n table._db[field.type[15:]].id > 0).select()]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L220_C16", "label": "n = len()", "type": "assigned_variable", "loc": [220, 220], "level": 19, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L211_C12", "vector": [14, 19, 0.8148, 0.0037, 19, 0.96, 0.5, 773, 3, 1, 0, 0, 890, 10, 1], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "len", "annotation": ""}, "snippet": " n = len(ids[tablename])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L221_C16", "label": "if", "type": "if", "loc": [221, 225], "level": 19, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L211_C12", "vector": [4, 19, 0.8259, 0.0185, 19, 0.96, 0.75, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if n:\n record[fieldname] = [item for item in random.sample(\n ids[tablename], random.randint(0, n - 1) / 2)]\n else:\n record[fieldname] = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L222_C20", "label": "assign", "type": "assigned_variable", "loc": [222, 223], "level": 20, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L221_C16", "vector": [14, 20, 0.8241, 0.0074, 20, 0.8, 0.0, 0, 5, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = [item for item in random.sample(\n ids[tablename], random.randint(0, n - 1) / 2)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L225_C20", "label": "assign", "type": "assigned_variable", "loc": [225, 225], "level": 20, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L221_C16", "vector": [14, 20, 0.8333, 0.0037, 20, 0.8, 1.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L226_C12", "label": "if", "type": "if", "loc": [226, 264], "level": 19, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L211_C12", "vector": [4, 19, 0.9074, 0.1444, 19, 0.96, 1.0, 0, 0, 0, 0, 0, 0, 0, 50], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'list:string' \\\n and hasattr(field.requires, 'options'):\n options = field.requires.options(zero=False)\n if len(options) > 0:\n record[fieldname] = [item[0] for item in random.sample(\n options, random.randint(0, len(options) - 1) / 2)]\n elif field.type == 'string':\n if hasattr(field.requires, 'options'):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L228_C16", "label": "options = options()", "type": "assigned_variable", "loc": [228, 228], "level": 20, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L226_C12", "vector": [14, 20, 0.8444, 0.0037, 20, 0.85, 0.0, 707, 3, 1, 0, 0, 707, 10, 1], "semantic": {"name": "options", "arg_names": [], "import_names": [], "rhs_call_name": "options", "annotation": ""}, "snippet": " options = field.requires.options(zero=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L229_C16", "label": "if", "type": "if", "loc": [229, 231], "level": 20, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L226_C12", "vector": [4, 20, 0.8519, 0.0111, 20, 0.85, 0.5, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(options) > 0:\n record[fieldname] = [item[0] for item in random.sample(\n options, random.randint(0, len(options) - 1) / 2)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L230_C20", "label": "assign", "type": "assigned_variable", "loc": [230, 231], "level": 21, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L229_C16", "vector": [14, 21, 0.8537, 0.0074, 21, 0.28, 0.0, 0, 5, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = [item[0] for item in random.sample(\n options, random.randint(0, len(options) - 1) / 2)]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L232_C12", "label": "if", "type": "if", "loc": [232, 264], "level": 20, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L226_C12", "vector": [4, 20, 0.9185, 0.1222, 20, 0.85, 1.0, 0, 0, 0, 0, 0, 0, 0, 44], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'string':\n if hasattr(field.requires, 'options'):\n options = field.requires.options(zero=False)\n record[fieldname] = \\\n options[random.randint(0, len(options) - 1)][0]\n elif fieldname.find('url') >= 0:\n record[fieldname] = 'http://%s.example.com' % \\\n da_du_ma(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L233_C16", "label": "if", "type": "if", "loc": [233, 258], "level": 21, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L232_C12", "vector": [4, 21, 0.9093, 0.0963, 21, 0.9, 0.0, 0, 3, 0, 0, 0, 0, 0, 38], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if hasattr(field.requires, 'options'):\n options = field.requires.options(zero=False)\n record[fieldname] = \\\n options[random.randint(0, len(options) - 1)][0]\n elif fieldname.find('url') >= 0:\n record[fieldname] = 'http://%s.example.com' % \\\n da_du_ma(4)\n elif fieldname.find('email') >= 0:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L234_C20", "label": "options = options()", "type": "assigned_variable", "loc": [234, 234], "level": 22, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L233_C16", "vector": [14, 22, 0.8667, 0.0037, 22, 0.95, 0.0, 707, 3, 1, 0, 0, 707, 10, 1], "semantic": {"name": "options", "arg_names": [], "import_names": [], "rhs_call_name": "options", "annotation": ""}, "snippet": " options = field.requires.options(zero=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L235_C20", "label": "assign", "type": "assigned_variable", "loc": [235, 236], "level": 22, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L233_C16", "vector": [14, 22, 0.8722, 0.0074, 22, 0.95, 0.5, 0, 6, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = \\\n options[random.randint(0, len(options) - 1)][0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L237_C16", "label": "if", "type": "if", "loc": [237, 258], "level": 22, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L233_C16", "vector": [4, 22, 0.9167, 0.0815, 22, 0.95, 1.0, 0, 0, 0, 0, 0, 0, 0, 34], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif fieldname.find('url') >= 0:\n record[fieldname] = 'http://%s.example.com' % \\\n da_du_ma(4)\n elif fieldname.find('email') >= 0:\n record[fieldname] = '%s@example.com' % da_du_ma(4)\n elif fieldname.find('name')>=0:\n if fieldname.find('first')>=0:\n record[fieldname] = random.choice(FIRST_NAMES)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L238_C20", "label": "assign", "type": "assigned_variable", "loc": [238, 239], "level": 23, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L237_C16", "vector": [14, 23, 0.8833, 0.0074, 23, 0.26, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = 'http://%s.example.com' % \\\n da_du_ma(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L240_C16", "label": "if", "type": "if", "loc": [240, 258], "level": 23, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L237_C16", "vector": [4, 23, 0.9222, 0.0704, 23, 0.26, 1.0, 0, 0, 0, 0, 0, 0, 0, 32], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif fieldname.find('email') >= 0:\n record[fieldname] = '%s@example.com' % da_du_ma(4)\n elif fieldname.find('name')>=0:\n if fieldname.find('first')>=0:\n record[fieldname] = random.choice(FIRST_NAMES)\n elif fieldname.find('last')>=0:\n record[fieldname] = random.choice(LAST_NAMES)\n elif fieldname.find('username')>=0:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L241_C20", "label": "assign", "type": "assigned_variable", "loc": [241, 241], "level": 24, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L240_C16", "vector": [14, 24, 0.8926, 0.0037, 24, 0.88, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = '%s@example.com' % da_du_ma(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L242_C16", "label": "if", "type": "if", "loc": [242, 258], "level": 24, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L240_C16", "vector": [4, 24, 0.9259, 0.063, 24, 0.88, 1.0, 0, 0, 0, 0, 0, 0, 0, 30], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif fieldname.find('name')>=0:\n if fieldname.find('first')>=0:\n record[fieldname] = random.choice(FIRST_NAMES)\n elif fieldname.find('last')>=0:\n record[fieldname] = random.choice(LAST_NAMES)\n elif fieldname.find('username')>=0:\n record[fieldname] = random.choice(FIRST_NAMES).lower()+str(random.randint(1000,9999))\n else: "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L243_C20", "label": "if", "type": "if", "loc": [243, 250], "level": 25, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L242_C16", "vector": [4, 25, 0.913, 0.0296, 25, 0.61, 0.0, 0, 0, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if fieldname.find('first')>=0:\n record[fieldname] = random.choice(FIRST_NAMES)\n elif fieldname.find('last')>=0:\n record[fieldname] = random.choice(LAST_NAMES)\n elif fieldname.find('username')>=0:\n record[fieldname] = random.choice(FIRST_NAMES).lower()+str(random.randint(1000,9999))\n else: \n record[fieldname] = random.choice(FIRST_NAMES)+' '+random.choice(LAST_NAMES) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L244_C24", "label": " = choice()", "type": "assigned_variable", "loc": [244, 244], "level": 26, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L243_C20", "vector": [14, 26, 0.9037, 0.0037, 26, 0.34, 0.0, 0, 3, 1, 0, 0, 30, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "choice", "annotation": ""}, "snippet": " record[fieldname] = random.choice(FIRST_NAMES)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L245_C20", "label": "if", "type": "if", "loc": [245, 250], "level": 26, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L243_C20", "vector": [4, 26, 0.9167, 0.0222, 26, 0.34, 1.0, 0, 0, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif fieldname.find('last')>=0:\n record[fieldname] = random.choice(LAST_NAMES)\n elif fieldname.find('username')>=0:\n record[fieldname] = random.choice(FIRST_NAMES).lower()+str(random.randint(1000,9999))\n else: \n record[fieldname] = random.choice(FIRST_NAMES)+' '+random.choice(LAST_NAMES) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L246_C24", "label": " = choice()", "type": "assigned_variable", "loc": [246, 246], "level": 27, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L245_C20", "vector": [14, 27, 0.9111, 0.0037, 27, 0.36, 0.0, 0, 3, 1, 0, 0, 30, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "choice", "annotation": ""}, "snippet": " record[fieldname] = random.choice(LAST_NAMES)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L247_C20", "label": "if", "type": "if", "loc": [247, 250], "level": 27, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L245_C20", "vector": [4, 27, 0.9204, 0.0148, 27, 0.36, 1.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif fieldname.find('username')>=0:\n record[fieldname] = random.choice(FIRST_NAMES).lower()+str(random.randint(1000,9999))\n else: \n record[fieldname] = random.choice(FIRST_NAMES)+' '+random.choice(LAST_NAMES) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L248_C24", "label": "assign", "type": "assigned_variable", "loc": [248, 248], "level": 28, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L247_C20", "vector": [14, 28, 0.9185, 0.0037, 28, 0.88, 0.0, 0, 4, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = random.choice(FIRST_NAMES).lower()+str(random.randint(1000,9999))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L250_C24", "label": "assign", "type": "assigned_variable", "loc": [250, 250], "level": 28, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L247_C20", "vector": [14, 28, 0.9259, 0.0037, 28, 0.88, 1.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = random.choice(FIRST_NAMES)+' '+random.choice(LAST_NAMES) "}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L251_C16", "label": "if", "type": "if", "loc": [251, 258], "level": 25, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L242_C16", "vector": [4, 25, 0.9426, 0.0296, 25, 0.61, 1.0, 0, 0, 0, 0, 0, 0, 0, 18], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif fieldname.find('phone')>=0:\n record[fieldname] = '(%s%s%s) %s%s%s-%s%s%s%s' % (\n random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'))\n elif fieldname.find('address') >=0:\n record[fieldname] = '%s %s %s Street' % (random.randint(1000,9000),random.choice(FIRST_NAMES),random.choice(LAST_NAMES))\n else:\n z = ell.generate(10, prefix=False)\n record[fieldname] = z[:min(60,field.length)].replace('\\n', ' ')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L252_C20", "label": "assign", "type": "assigned_variable", "loc": [252, 253], "level": 26, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L251_C16", "vector": [14, 26, 0.9352, 0.0074, 26, 0.31, 0.0, 0, 4, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = '(%s%s%s) %s%s%s-%s%s%s%s' % (\n random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L254_C16", "label": "if", "type": "if", "loc": [254, 258], "level": 26, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L251_C16", "vector": [4, 26, 0.9481, 0.0185, 26, 0.31, 1.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif fieldname.find('address') >=0:\n record[fieldname] = '%s %s %s Street' % (random.randint(1000,9000),random.choice(FIRST_NAMES),random.choice(LAST_NAMES))\n else:\n z = ell.generate(10, prefix=False)\n record[fieldname] = z[:min(60,field.length)].replace('\\n', ' ')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L255_C20", "label": "assign", "type": "assigned_variable", "loc": [255, 255], "level": 27, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L254_C16", "vector": [14, 27, 0.9444, 0.0037, 27, 0.93, 0.0, 0, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = '%s %s %s Street' % (random.randint(1000,9000),random.choice(FIRST_NAMES),random.choice(LAST_NAMES))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L257_C20", "label": "z = generate()", "type": "assigned_variable", "loc": [257, 257], "level": 27, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L254_C16", "vector": [14, 27, 0.9519, 0.0037, 27, 0.93, 0.5, 859, 3, 2, 0, 0, 410, 10, 1], "semantic": {"name": "z", "arg_names": [], "import_names": [], "rhs_call_name": "generate", "annotation": ""}, "snippet": " z = ell.generate(10, prefix=False)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L258_C20", "label": " = replace()", "type": "assigned_variable", "loc": [258, 258], "level": 27, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L254_C16", "vector": [14, 27, 0.9556, 0.0037, 27, 0.93, 1.0, 0, 3, 2, 0, 0, 293, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " record[fieldname] = z[:min(60,field.length)].replace('\\n', ' ')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L259_C12", "label": "if", "type": "if", "loc": [259, 264], "level": 21, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L232_C12", "vector": [4, 21, 0.9685, 0.0222, 21, 0.9, 1.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif field.type == 'text':\n if fieldname.find('address')>=0:\n record[fieldname] = '%s %s %s Street\\nChicago, IL\\nUSA' % (random.randint(1000,9000),random.choice(FIRST_NAMES),random.choice(LAST_NAMES))\n else:\n record[fieldname] = ell.generate(\n random.randint(10, 100), prefix=None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L260_C16", "label": "if", "type": "if", "loc": [260, 264], "level": 22, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L259_C12", "vector": [4, 22, 0.9704, 0.0185, 22, 0.12, 0.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if fieldname.find('address')>=0:\n record[fieldname] = '%s %s %s Street\\nChicago, IL\\nUSA' % (random.randint(1000,9000),random.choice(FIRST_NAMES),random.choice(LAST_NAMES))\n else:\n record[fieldname] = ell.generate(\n random.randint(10, 100), prefix=None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L261_C20", "label": "assign", "type": "assigned_variable", "loc": [261, 261], "level": 23, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L260_C16", "vector": [14, 23, 0.9667, 0.0037, 23, 0.39, 0.0, 0, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " record[fieldname] = '%s %s %s Street\\nChicago, IL\\nUSA' % (random.randint(1000,9000),random.choice(FIRST_NAMES),random.choice(LAST_NAMES))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L263_C20", "label": " = generate()", "type": "assigned_variable", "loc": [263, 264], "level": 23, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L260_C16", "vector": [14, 23, 0.9759, 0.0074, 23, 0.39, 1.0, 0, 3, 2, 0, 0, 410, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "generate", "annotation": ""}, "snippet": " record[fieldname] = ell.generate(\n random.randint(10, 100), prefix=None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L265_C8", "label": "expression", "type": "expression", "loc": [265, 265], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:While_L124_C4", "vector": [8, 2, 0.9815, 0.0037, 2, 0.07, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield record"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:If_L267_C0", "label": "if", "type": "if", "loc": [267, 270], "level": 0, "parent": null, "vector": [4, 0, 0.9944, 0.0148, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == '__main__':\n ell = Learner()\n ell.loadd(eval(IUP))\n print(ell.generate(1000, prefix=None))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L268_C4", "label": "ell = Learner()", "type": "assigned_variable", "loc": [268, 268], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L267_C0", "vector": [14, 1, 0.9926, 0.0037, 1, 0.86, 0.0, 847, 3, 0, 0, 0, 889, 10, 1], "semantic": {"name": "ell", "arg_names": [], "import_names": [], "rhs_call_name": "Learner", "annotation": ""}, "snippet": " ell = Learner()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L269_C4", "label": "loadd()", "type": "expression", "loc": [269, 269], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L267_C0", "vector": [8, 1, 0.9963, 0.0037, 1, 0.86, 0.5, 746, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "loadd", "arg_names": [], "import_names": [], "rhs_call_name": "loadd", "annotation": ""}, "snippet": " ell.loadd(eval(IUP))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L270_C4", "label": "print()", "type": "expression", "loc": [270, 270], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_613:If_L267_C0", "vector": [8, 1, 1.0, 0.0037, 1, 0.86, 1.0, 535, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(ell.generate(1000, prefix=None))"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L14_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L16_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L17_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:For_L20_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L20_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L21_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L22_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:For_L23_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L23_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L24_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L23_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L25_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L23_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L26_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L26_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L27_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L23_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L28_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L28_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L29_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L33_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L33_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L34_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L36_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L36_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L37_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L39_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L39_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L40_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:ClassDef_L12_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L43_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L45_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L46_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L47_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L48_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L49_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L51_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L52_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L54_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L55_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L56_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:For_L57_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L57_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L58_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L62_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L62_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L63_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L62_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L65_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L66_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L66_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L68_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L70_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:For_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L71_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L72_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L42_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Return_L73_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L76_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Return_L77_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L82_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L83_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L82_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L99_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L82_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L101_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:For_L102_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L102_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L103_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L102_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L104_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L105_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L82_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Return_L107_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L109_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L110_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L109_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L117_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L109_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L121_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L109_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L122_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:FunctionDef_L109_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:While_L124_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:While_L124_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L125_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:While_L124_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:For_L127_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L127_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L128_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L127_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L131_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:For_L127_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L132_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L132_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L134_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L134_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L136_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L136_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L137_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L136_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L138_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L138_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L140_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L140_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L141_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L140_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L142_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L142_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L143_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L142_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L146_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L146_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L147_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L146_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L150_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L150_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L151_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L150_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L152_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L150_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L153_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L150_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L154_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L154_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L155_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L154_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L156_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L156_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L157_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L156_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L158_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L158_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L160_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L158_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L161_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L161_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L162_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L161_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L165_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L158_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L166_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L166_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L167_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L166_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L168_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L168_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L169_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L166_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L171_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L171_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Try_L172_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:Try_L172_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L173_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:Try_L172_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L176_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L176_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L177_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L176_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L178_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L178_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L179_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L178_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L180_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L180_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L181_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L180_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L183_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L171_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L184_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L184_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L186_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L186_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L187_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L186_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L188_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L188_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Import_L189_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L188_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L190_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L186_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L191_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L186_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L195_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L184_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L196_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L196_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L197_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L196_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L198_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L198_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L199_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L199_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L200_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L199_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L203_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L196_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L205_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L196_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L206_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L206_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L207_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L206_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L210_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L196_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L211_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L211_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L212_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L211_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L213_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L213_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L214_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L214_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L215_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L214_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L218_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L211_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L220_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L211_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L221_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L221_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L222_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L221_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L225_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L211_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L226_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L226_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L228_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L226_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L229_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L229_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L230_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L226_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L232_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L232_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L233_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L233_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L234_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L233_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L235_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L233_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L237_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L237_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L238_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L237_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L240_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L240_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L241_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L240_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L242_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L242_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L243_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L243_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L244_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L243_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L245_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L245_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L246_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L245_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L247_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L247_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L248_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L247_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L250_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L242_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L251_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L251_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L252_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L251_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L254_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L254_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L255_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L254_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L257_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L254_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L258_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L232_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L259_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L259_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_613:If_L260_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L260_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L261_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L260_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L263_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:While_L124_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L265_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L267_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Assign_L268_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L267_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L269_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_613:If_L267_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_613:Expr_L270_C4"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- """ This file is part of the web2py Web Framework Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu> License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html) Plural subsystem is created by Vladyslav Kozlovskyy (Ukraine) <dbdevelop@gmail.com> """ import os import re import sys import pkgutil import logging import marshal from cgi import escape from threading import RLock try: import copyreg as copy_reg # python 3 except ImportError: import copy_reg # python 2 from portalocker import read_locked, LockedFile from utf8 import Utf8 from fileutils import listdir import settings from cfs import getcfs from html import XML, xmlescape from contrib.markmin.markmin2html import render, markmin_escape from string import maketrans __all__ = ['translator', 'findT', 'update_all_languages'] ostat = os.stat oslistdir = os.listdir pjoin = os.path.join pexists = os.path.exists pdirname = os.path.dirname isdir = os.path.isdir is_gae = False # settings.global_settings.web2py_runtime_gae DEFAULT_LANGUAGE = 'en' DEFAULT_LANGUAGE_NAME = 'English' # DEFAULT PLURAL-FORMS RULES: # language doesn't use plural forms DEFAULT_NPLURALS = 1 # only one singular/plural form is used DEFAULT_GET_PLURAL_ID = lambda n: 0 # word is unchangeable DEFAULT_CONSTRUCT_PLURAL_FORM = lambda word, plural_id: word NUMBERS = (int, long, float) # pattern to find T(blah blah blah) expressions PY_STRING_LITERAL_RE = r'(?<=[^\w]T\()(?P<name>'\ + r"[uU]?[rR]?(?:'''(?:[^']|'{1,2}(?!'))*''')|"\ + r"(?:'(?:[^'\\]|\\.)*')|" + r'(?:"""(?:[^"]|"{1,2}(?!"))*""")|'\ + r'(?:"(?:[^"\\]|\\.)*"))' regex_translate = re.compile(PY_STRING_LITERAL_RE, re.DOTALL) regex_param = re.compile(r'{(?P<s>.+?)}') # pattern for a valid accept_language regex_language = \ re.compile('([a-z]{2}(?:\-[a-z]{2})?(?:\-[a-z]{2})?)(?:[,;]|$)') regex_langfile = re.compile('^[a-z]{2}(-[a-z]{2})?\.py$') regex_backslash = re.compile(r"\\([\\{}%])") regex_plural = re.compile('%({.+?})') regex_plural_dict = re.compile('^{(?P<w>[^()[\]][^()[\]]*?)\((?P<n>[^()\[\]]+)\)}$') # %%{word(varname or number)} regex_plural_tuple = re.compile( '^{(?P<w>[^[\]()]+)(?:\[(?P<i>\d+)\])?}$') # %%{word[index]} or %%{word} regex_plural_file = re.compile('^plural-[a-zA-Z]{2}(-[a-zA-Z]{2})?\.py$') def safe_eval(text): if text.strip(): try: import ast return ast.literal_eval(text) except ImportError: return eval(text, {}, {}) return None # used as default filter in translator.M() def markmin(s): def markmin_aux(m): return '{%s}' % markmin_escape(m.group('s')) return render(regex_param.sub(markmin_aux, s), sep='br', autolinks=None, id_prefix='') # UTF8 helper functions def upper_fun(s): return unicode(s, 'utf-8').upper().encode('utf-8') def title_fun(s): return unicode(s, 'utf-8').title().encode('utf-8') def cap_fun(s): return unicode(s, 'utf-8').capitalize().encode('utf-8') ttab_in = maketrans("\\%{}", '\x1c\x1d\x1e\x1f') ttab_out = maketrans('\x1c\x1d\x1e\x1f', "\\%{}") # cache of translated messages: # global_language_cache: # { 'languages/xx.py': # ( {"def-message": "xx-message", # ... # "def-message": "xx-message"}, lock_object ) # 'languages/yy.py': ( {dict}, lock_object ) # ... # } global_language_cache = {} def get_from_cache(cache, val, fun): lang_dict, lock = cache lock.acquire() try: result = lang_dict.get(val) finally: lock.release() if result: return result lock.acquire() try: result = lang_dict.setdefault(val, fun()) finally: lock.release() return result def clear_cache(filename): cache = global_language_cache.setdefault( filename, ({}, RLock())) lang_dict, lock = cache lock.acquire() try: lang_dict.clear() finally: lock.release() def read_dict_aux(filename): lang_text = read_locked(filename).replace('\r\n', '\n') clear_cache(filename) try: return safe_eval(lang_text) or {} except Exception: e = sys.exc_info()[1] status = 'Syntax error in %s (%s)' % (filename, e) logging.error(status) return {'__corrupted__': status} def read_dict(filename): """ return dictionary with translation messages """ return getcfs('lang:' + filename, filename, lambda: read_dict_aux(filename)) def read_possible_plural_rules(): """ create list of all possible plural rules files result is cached in PLURAL_RULES dictionary to increase speed """ plurals = {} try: import contrib.plural_rules as package for importer, modname, ispkg in pkgutil.iter_modules(package.__path__): if len(modname) == 2: module = __import__(package.__name__ + '.' + modname, fromlist=[modname]) lang = modname pname = modname + '.py' nplurals = getattr(module, 'nplurals', DEFAULT_NPLURALS) get_plural_id = getattr( module, 'get_plural_id', DEFAULT_GET_PLURAL_ID) construct_plural_form = getattr( module, 'construct_plural_form', DEFAULT_CONSTRUCT_PLURAL_FORM) plurals[lang] = (lang, nplurals, get_plural_id, construct_plural_form) except ImportError: e = sys.exc_info()[1] logging.warn('Unable to import plural rules: %s' % e) return plurals PLURAL_RULES = read_possible_plural_rules() def read_possible_languages_aux(langdir): def get_lang_struct(lang, langcode, langname, langfile_mtime): if lang == 'default': real_lang = langcode.lower() else: real_lang = lang (prules_langcode, nplurals, get_plural_id, construct_plural_form ) = PLURAL_RULES.get(real_lang[:2], ('default', DEFAULT_NPLURALS, DEFAULT_GET_PLURAL_ID, DEFAULT_CONSTRUCT_PLURAL_FORM)) if prules_langcode != 'default': (pluraldict_fname, pluraldict_mtime) = plurals.get(real_lang, plurals.get(real_lang[:2], ('plural-%s.py' % real_lang, 0))) else: pluraldict_fname = None pluraldict_mtime = 0 return (langcode, # language code from !langcode! langname, # language name in national spelling from !langname! langfile_mtime, # m_time of language file pluraldict_fname, # name of plural dictionary file or None (when default.py is not exist) pluraldict_mtime, # m_time of plural dictionary file or 0 if file is not exist prules_langcode, # code of plural rules language or 'default' nplurals, # nplurals for current language get_plural_id, # get_plural_id() for current language construct_plural_form) # construct_plural_form() for current language plurals = {} flist = oslistdir(langdir) if isdir(langdir) else [] # scan languages directory for plural dict files: for pname in flist: if regex_plural_file.match(pname): plurals[pname[7:-3]] = (pname, ostat(pjoin(langdir, pname)).st_mtime) langs = {} # scan languages directory for langfiles: for fname in flist: if regex_langfile.match(fname) or fname == 'default.py': fname_with_path = pjoin(langdir, fname) d = read_dict(fname_with_path) lang = fname[:-3] langcode = d.get('!langcode!', lang if lang != 'default' else DEFAULT_LANGUAGE) langname = d.get('!langname!', langcode) langfile_mtime = ostat(fname_with_path).st_mtime langs[lang] = get_lang_struct(lang, langcode, langname, langfile_mtime) if 'default' not in langs: # if default.py is not found, # add DEFAULT_LANGUAGE as default language: langs['default'] = get_lang_struct('default', DEFAULT_LANGUAGE, DEFAULT_LANGUAGE_NAME, 0) deflang = langs['default'] deflangcode = deflang[0] if deflangcode not in langs: # create language from default.py: langs[deflangcode] = deflang[:2] + (0,) + deflang[3:] return langs def read_possible_languages(langpath): return getcfs('langs:' + langpath, langpath, lambda: read_possible_languages_aux(langpath)) def read_plural_dict_aux(filename): lang_text = read_locked(filename).replace('\r\n', '\n') try: return eval(lang_text) or {} except Exception: e = sys.exc_info()[1] status = 'Syntax error in %s (%s)' % (filename, e) logging.error(status) return {'__corrupted__': status} def read_plural_dict(filename): return getcfs('plurals:' + filename, filename, lambda: read_plural_dict_aux(filename)) def write_plural_dict(filename, contents): if '__corrupted__' in contents: return try: fp = LockedFile(filename, 'w') fp.write('#!/usr/bin/env python\n{\n# "singular form (0)": ["first plural form (1)", "second plural form (2)", ...],\n') # coding: utf8\n{\n') for key in sorted(contents, lambda x, y: cmp(unicode(x, 'utf-8').lower(), unicode(y, 'utf-8').lower())): forms = '[' + ','.join([repr(Utf8(form)) for form in contents[key]]) + ']' fp.write('%s: %s,\n' % (repr(Utf8(key)), forms)) fp.write('}\n') except (IOError, OSError): if not is_gae: logging.warning('Unable to write to file %s' % filename) return finally: fp.close() def write_dict(filename, contents): if '__corrupted__' in contents: return try: fp = LockedFile(filename, 'w') except (IOError, OSError): if not settings.global_settings.web2py_runtime_gae: logging.warning('Unable to write to file %s' % filename) return fp.write('# coding: utf8\n{\n') for key in sorted(contents, lambda x, y: cmp(unicode(x, 'utf-8').lower(), unicode(y, 'utf-8').lower())): fp.write('%s: %s,\n' % (repr(Utf8(key)), repr(Utf8(contents[key])))) fp.write('}\n') fp.close() class lazyT(object): """ never to be called explicitly, returned by translator.__call__() or translator.M() """ m = s = T = f = t = None M = is_copy = False def __init__( self, message, symbols={}, T=None, filter=None, ftag=None, M=False ): if isinstance(message, lazyT): self.m = message.m self.s = message.s self.T = message.T self.f = message.f self.t = message.t self.M = message.M self.is_copy = True else: self.m = message self.s = symbols self.T = T self.f = filter self.t = ftag self.M = M self.is_copy = False def __repr__(self): return "<lazyT %s>" % (repr(Utf8(self.m)), ) def __str__(self): return str(self.T.apply_filter(self.m, self.s, self.f, self.t) if self.M else self.T.translate(self.m, self.s)) def __eq__(self, other): return str(self) == str(other) def __ne__(self, other): return str(self) != str(other) def __add__(self, other): return '%s%s' % (self, other) def __radd__(self, other): return '%s%s' % (other, self) def __mul__(self, other): return str(self) * other def __cmp__(self, other): return cmp(str(self), str(other)) def __hash__(self): return hash(str(self)) def __getattr__(self, name): return getattr(str(self), name) def __getitem__(self, i): return str(self)[i] def __getslice__(self, i, j): return str(self)[i:j] def __iter__(self): for c in str(self): yield c def __len__(self): return len(str(self)) def xml(self): return str(self) if self.M else escape(str(self)) def encode(self, *a, **b): return str(self).encode(*a, **b) def decode(self, *a, **b): return str(self).decode(*a, **b) def read(self): return str(self) def __mod__(self, symbols): if self.is_copy: return lazyT(self) return lazyT(self.m, symbols, self.T, self.f, self.t, self.M) class translator(object): """ this class is instantiated by gluon.compileapp.build_environment as the T object :: T.force(None) # turns off translation T.force('fr, it') # forces web2py to translate using fr.py or it.py T(\"Hello World\") # translates \"Hello World\" using the selected file notice 1: there is no need to force since, by default, T uses http_accept_language to determine a translation file. notice 2: en and en-en are considered different languages! notice 3: if language xx-yy is not found force() probes other similar languages using such algorithm: xx-yy.py -> xx.py -> xx-yy*.py -> xx*.py """ def __init__(self, langpath, http_accept_language): self.langpath = langpath self.http_accept_language = http_accept_language self.is_writable = not is_gae # filled in self.force(): #------------------------ # self.cache # self.accepted_language # self.language_file # self.plural_language # self.nplurals # self.get_plural_id # self.construct_plural_form # self.plural_file # self.plural_dict # self.requested_languages #---------------------------------------- # filled in self.set_current_languages(): #---------------------------------------- # self.default_language_file # self.default_t # self.current_languages self.set_current_languages() self.lazy = True self.otherTs = {} self.filter = markmin self.ftag = 'markmin' def get_possible_languages_info(self, lang=None): """ return info for selected language or dictionary with all possible languages info from APP/languages/*.py args: *lang* (str): language returns: if *lang* is defined: return tuple(langcode, langname, langfile_mtime, pluraldict_fname, pluraldict_mtime, prules_langcode, nplurals, get_plural_id, construct_plural_form) or None if *lang* is NOT defined: returns dictionary with all possible languages: { langcode(from filename): ( langcode, # language code from !langcode! langname, # language name in national spelling from !langname! langfile_mtime, # m_time of language file pluraldict_fname,# name of plural dictionary file or None (when default.py is not exist) pluraldict_mtime,# m_time of plural dictionary file or 0 if file is not exist prules_langcode, # code of plural rules language or 'default' nplurals, # nplurals for current language get_plural_id, # get_plural_id() for current language construct_plural_form) # construct_plural_form() for current language } """ info = read_possible_languages(self.langpath) if lang: info = info.get(lang) return info def get_possible_languages(self): """ get list of all possible languages for current applications """ return list(set(self.current_languages + [lang for lang in read_possible_languages(self.langpath).iterkeys() if lang != 'default'])) def set_current_languages(self, *languages): """ set current AKA "default" languages setting one of this languages makes force() function turn translation off to use default language """ if len(languages) == 1 and isinstance( languages[0], (tuple, list)): languages = languages[0] if not languages or languages[0] is None: # set default language from default.py/DEFAULT_LANGUAGE pl_info = self.get_possible_languages_info('default') if pl_info[2] == 0: # langfile_mtime # if languages/default.py is not found self.default_language_file = self.langpath self.default_t = {} self.current_languages = [DEFAULT_LANGUAGE] else: self.default_language_file = pjoin(self.langpath, 'default.py') self.default_t = read_dict(self.default_language_file) self.current_languages = [pl_info[0]] # !langcode! else: self.current_languages = list(languages) self.force(self.http_accept_language) def plural(self, word, n): """ get plural form of word for number *n* NOTE: *word" MUST be defined in current language (T.accepted_language) invoked from T()/T.M() in %%{} tag args: word (str): word in singular n (numeric): number plural form created for returns: (str): word in appropriate singular/plural form """ if int(n) == 1: return word elif word: id = self.get_plural_id(abs(int(n))) # id = 0 singular form # id = 1 first plural form # id = 2 second plural form # etc. if id != 0: forms = self.plural_dict.get(word, []) if len(forms) >= id: # have this plural form: return forms[id - 1] else: # guessing this plural form forms += [''] * (self.nplurals - len(forms) - 1) form = self.construct_plural_form(word, id) forms[id - 1] = form self.plural_dict[word] = forms if self.is_writable and self.plural_file: write_plural_dict(self.plural_file, self.plural_dict) return form return word def force(self, *languages): """ select language(s) for translation if a list of languages is passed as a parameter, first language from this list that matches the ones from the possible_languages dictionary will be selected default language will be selected if none of them matches possible_languages. """ pl_info = read_possible_languages(self.langpath) def set_plural(language): """ initialize plural forms subsystem """ lang_info = pl_info.get(language) if lang_info: (pname, pmtime, self.plural_language, self.nplurals, self.get_plural_id, self.construct_plural_form ) = lang_info[3:] pdict = {} if pname: pname = pjoin(self.langpath, pname) if pmtime != 0: pdict = read_plural_dict(pname) self.plural_file = pname self.plural_dict = pdict else: self.plural_language = 'default' self.nplurals = DEFAULT_NPLURALS self.get_plural_id = DEFAULT_GET_PLURAL_ID self.construct_plural_form = DEFAULT_CONSTRUCT_PLURAL_FORM self.plural_file = None self.plural_dict = {} language = '' if len(languages) == 1 and isinstance(languages[0], str): languages = regex_language.findall(languages[0].lower()) elif not languages or languages[0] is None: languages = [] self.requested_languages = languages = tuple(languages) if languages: all_languages = set(lang for lang in pl_info.iterkeys() if lang != 'default') \ | set(self.current_languages) for lang in languages: # compare "aa-bb" | "aa" from *language* parameter # with strings from langlist using such alghorythm: # xx-yy.py -> xx.py -> xx*.py lang5 = lang[:5] if lang5 in all_languages: language = lang5 else: lang2 = lang[:2] if len(lang5) > 2 and lang2 in all_languages: language = lang2 else: for l in all_languages: if l[:2] == lang2: language = l if language: if language in self.current_languages: break self.language_file = pjoin(self.langpath, language + '.py') self.t = read_dict(self.language_file) self.cache = global_language_cache.setdefault( self.language_file, ({}, RLock())) set_plural(language) self.accepted_language = language return languages self.accepted_language = language or self.current_languages[0] self.language_file = self.default_language_file self.cache = global_language_cache.setdefault(self.language_file, ({}, RLock())) self.t = self.default_t set_plural(self.accepted_language) return languages def __call__(self, message, symbols={}, language=None, lazy=None): """ get cached translated plain text message with inserted parameters(symbols) if lazy==True lazyT object is returned """ if lazy is None: lazy = self.lazy if not language: if lazy: return lazyT(message, symbols, self) else: return self.translate(message, symbols) else: try: otherT = self.otherTs[language] except KeyError: otherT = self.otherTs[language] = translator( self.langpath, self.http_accept_language) otherT.force(language) return otherT(message, symbols, lazy=lazy) def apply_filter(self, message, symbols={}, filter=None, ftag=None): def get_tr(message, prefix, filter): s = self.get_t(message, prefix) return filter(s) if filter else self.filter(s) if filter: prefix = '@' + (ftag or 'userdef') + '\x01' else: prefix = '@' + self.ftag + '\x01' message = get_from_cache( self.cache, prefix + message, lambda: get_tr(message, prefix, filter)) if symbols or symbols == 0 or symbols == "": if isinstance(symbols, dict): symbols.update( (key, xmlescape(value).translate(ttab_in)) for key, value in symbols.iteritems() if not isinstance(value, NUMBERS)) else: if not isinstance(symbols, tuple): symbols = (symbols,) symbols = tuple( value if isinstance(value, NUMBERS) else xmlescape(value).translate(ttab_in) for value in symbols) message = self.params_substitution(message, symbols) return XML(message.translate(ttab_out)) def M(self, message, symbols={}, language=None, lazy=None, filter=None, ftag=None): """ get cached translated markmin-message with inserted parametes if lazy==True lazyT object is returned """ if lazy is None: lazy = self.lazy if not language: if lazy: return lazyT(message, symbols, self, filter, ftag, True) else: return self.apply_filter(message, symbols, filter, ftag) else: try: otherT = self.otherTs[language] except KeyError: otherT = self.otherTs[language] = translator(self.request) otherT.force(language) return otherT.M(message, symbols, lazy=lazy) def get_t(self, message, prefix=''): """ user ## to add a comment into a translation string the comment can be useful do discriminate different possible translations for the same string (for example different locations) T(' hello world ') -> ' hello world ' T(' hello world ## token') -> ' hello world ' T('hello ## world## token') -> 'hello ## world' the ## notation is ignored in multiline strings and strings that start with ##. this is to allow markmin syntax to be translated """ if isinstance(message, unicode): message = message.encode('utf8') if isinstance(prefix, unicode): prefix = prefix.encode('utf8') key = prefix + message mt = self.t.get(key, None) if mt is not None: return mt # we did not find a translation if message.find('##') > 0 and not '\n' in message: # remove comments message = message.rsplit('##', 1)[0] # guess translation same as original self.t[key] = mt = self.default_t.get(key, message) # update language file for latter translation if self.is_writable and self.language_file != self.default_language_file: write_dict(self.language_file, self.t) return regex_backslash.sub( lambda m: m.group(1).translate(ttab_in), mt) def params_substitution(self, message, symbols): """ substitute parameters from symbols into message using %. also parse %%{} placeholders for plural-forms processing. returns: string with parameters NOTE: *symbols* MUST BE OR tuple OR dict of parameters! """ def sub_plural(m): """string in %{} is transformed by this rules: If string starts with \\, ! or ? such transformations take place: "!string of words" -> "String of word" (Capitalize) "!!string of words" -> "String Of Word" (Title) "!!!string of words" -> "STRING OF WORD" (Upper) "\\!string of words" -> "!string of word" (remove \\ and disable transformations) "?word?number" -> "word" (return word, if number == 1) "?number" or "??number" -> "" (remove number, if number == 1) "?word?number" -> "number" (if number != 1) """ def sub_tuple(m): """ word[number], !word[number], !!word[number], !!!word[number] word, !word, !!word, !!!word, ?word?number, ??number, ?number ?word?word[number], ?word?[number], ??word[number] """ w, i = m.group('w', 'i') c = w[0] if c not in '!?': return self.plural(w, symbols[int(i or 0)]) elif c == '?': (p1, sep, p2) = w[1:].partition("?") part1 = p1 if sep else "" (part2, sep, part3) = (p2 if sep else p1).partition("?") if not sep: part3 = part2 if i is None: # ?[word]?number[?number] or ?number if not part2: return m.group(0) num = int(part2) else: # ?[word]?word2[?word3][number] num = int(symbols[int(i or 0)]) return part1 if num == 1 else part3 if num == 0 else part2 elif w.startswith('!!!'): word = w[3:] fun = upper_fun elif w.startswith('!!'): word = w[2:] fun = title_fun else: word = w[1:] fun = cap_fun if i is not None: return fun(self.plural(word, symbols[int(i)])) return fun(word) def sub_dict(m): """ word(var), !word(var), !!word(var), !!!word(var) word(num), !word(num), !!word(num), !!!word(num) ?word2(var), ?word1?word2(var), ?word1?word2?word0(var) ?word2(num), ?word1?word2(num), ?word1?word2?word0(num) """ w, n = m.group('w', 'n') c = w[0] n = int(n) if n.isdigit() else symbols[n] if c not in '!?': return self.plural(w, n) elif c == '?': # ?[word1]?word2[?word0](var or num), ?[word1]?word2(var or num) or ?word2(var or num) (p1, sep, p2) = w[1:].partition("?") part1 = p1 if sep else "" (part2, sep, part3) = (p2 if sep else p1).partition("?") if not sep: part3 = part2 num = int(n) return part1 if num == 1 else part3 if num == 0 else part2 elif w.startswith('!!!'): word = w[3:] fun = upper_fun elif w.startswith('!!'): word = w[2:] fun = title_fun else: word = w[1:] fun = cap_fun return fun(self.plural(word, n)) s = m.group(1) part = regex_plural_tuple.sub(sub_tuple, s) if part == s: part = regex_plural_dict.sub(sub_dict, s) if part == s: return m.group(0) return part message = message % symbols message = regex_plural.sub(sub_plural, message) return message def translate(self, message, symbols): """ get cached translated message with inserted parameters(symbols) """ message = get_from_cache(self.cache, message, lambda: self.get_t(message)) if symbols or symbols == 0 or symbols == "": if isinstance(symbols, dict): symbols.update( (key, str(value).translate(ttab_in)) for key, value in symbols.iteritems() if not isinstance(value, NUMBERS)) else: if not isinstance(symbols, tuple): symbols = (symbols,) symbols = tuple( value if isinstance(value, NUMBERS) else str(value).translate(ttab_in) for value in symbols) message = self.params_substitution(message, symbols) return message.translate(ttab_out) def findT(path, language=DEFAULT_LANGUAGE): """ must be run by the admin app """ lang_file = pjoin(path, 'languages', language + '.py') sentences = read_dict(lang_file) mp = pjoin(path, 'models') cp = pjoin(path, 'controllers') vp = pjoin(path, 'views') mop = pjoin(path, 'modules') for filename in \ listdir(mp, '^.+\.py$', 0) + listdir(cp, '^.+\.py$', 0)\ + listdir(vp, '^.+\.html$', 0) + listdir(mop, '^.+\.py$', 0): data = read_locked(filename) items = regex_translate.findall(data) for item in items: try: message = safe_eval(item) except: continue # silently ignore inproperly formatted strings if not message.startswith('#') and not '\n' in message: tokens = message.rsplit('##', 1) else: # this allows markmin syntax in translations tokens = [message] if len(tokens) == 2: message = tokens[0].strip() + '##' + tokens[1].strip() if message and not message in sentences: sentences[message] = message if not '!langcode!' in sentences: sentences['!langcode!'] = ( DEFAULT_LANGUAGE if language in ('default', DEFAULT_LANGUAGE) else language) if not '!langname!' in sentences: sentences['!langname!'] = ( DEFAULT_LANGUAGE_NAME if language in ('default', DEFAULT_LANGUAGE) else sentences['!langcode!']) write_dict(lang_file, sentences) ### important to allow safe session.flash=T(....) def lazyT_unpickle(data): return marshal.loads(data) def lazyT_pickle(data): return lazyT_unpickle, (marshal.dumps(str(data)),) copy_reg.pickle(lazyT, lazyT_pickle, lazyT_unpickle) def update_all_languages(application_path): path = pjoin(application_path, 'languages/') for language in oslistdir(path): if regex_langfile.match(language): findT(application_path, language[:-3]) if __name__ == '__main__': import doctest doctest.testmod()
ajibawa-2023/Python-Code-Large/train/row_614
527
950
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L4_C0", "label": "expression", "type": "expression", "loc": [4, 11], "level": 0, "parent": null, "vector": [8, 0, 0.0079, 0.0084, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nThis file is part of the web2py Web Framework\nCopyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>\nLicense: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)\n\nPlural subsystem is created by Vladyslav Kozlovskyy (Ukraine)\n <dbdevelop@gmail.com>\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L13_C0", "label": "os import os", "type": "import", "loc": [13, 13], "level": 0, "parent": null, "vector": [1, 0, 0.0137, 0.0011, 0, 0.66, 0.0145, 688, 0, 1, 0, 0, 688, 0, 0], "semantic": {"name": "os", "arg_names": [], "import_names": ["os"], "rhs_call_name": "", "annotation": ""}, "snippet": "import os"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L14_C0", "label": "re import re", "type": "import", "loc": [14, 14], "level": 0, "parent": null, "vector": [1, 0, 0.0147, 0.0011, 0, 0.66, 0.029, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L15_C0", "label": "sys import sys", "type": "import", "loc": [15, 15], "level": 0, "parent": null, "vector": [1, 0, 0.0158, 0.0011, 0, 0.66, 0.0435, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L16_C0", "label": "pkgutil import pkgutil", "type": "import", "loc": [16, 16], "level": 0, "parent": null, "vector": [1, 0, 0.0168, 0.0011, 0, 0.66, 0.058, 670, 0, 1, 0, 0, 670, 0, 0], "semantic": {"name": "pkgutil", "arg_names": [], "import_names": ["pkgutil"], "rhs_call_name": "", "annotation": ""}, "snippet": "import pkgutil"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L17_C0", "label": "logging import logging", "type": "import", "loc": [17, 17], "level": 0, "parent": null, "vector": [1, 0, 0.0179, 0.0011, 0, 0.66, 0.0725, 715, 0, 1, 0, 0, 715, 0, 0], "semantic": {"name": "logging", "arg_names": [], "import_names": ["logging"], "rhs_call_name": "", "annotation": ""}, "snippet": "import logging"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L18_C0", "label": "marshal import marshal", "type": "import", "loc": [18, 18], "level": 0, "parent": null, "vector": [1, 0, 0.0189, 0.0011, 0, 0.66, 0.087, 291, 0, 1, 0, 0, 291, 0, 0], "semantic": {"name": "marshal", "arg_names": [], "import_names": ["marshal"], "rhs_call_name": "", "annotation": ""}, "snippet": "import marshal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:ImportFrom_L19_C0", "label": "from cgi import escape", "type": "import", "loc": [19, 19], "level": 0, "parent": null, "vector": [1, 0, 0.02, 0.0011, 0, 0.66, 0.1014, 934, 0, 1, 0, 0, 934, 0, 0], "semantic": {"name": "cgi", "arg_names": [], "import_names": ["escape"], "rhs_call_name": "", "annotation": ""}, "snippet": "from cgi import escape"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:ImportFrom_L20_C0", "label": "from threading import RLock", "type": "import", "loc": [20, 20], "level": 0, "parent": null, "vector": [1, 0, 0.0211, 0.0011, 0, 0.66, 0.1159, 83, 0, 1, 0, 0, 83, 0, 0], "semantic": {"name": "threading", "arg_names": [], "import_names": ["RLock"], "rhs_call_name": "", "annotation": ""}, "snippet": "from threading import RLock"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L22_C0", "label": "try", "type": "try", "loc": [22, 25], "level": 0, "parent": null, "vector": [7, 0, 0.0247, 0.0042, 0, 0.66, 0.1304, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n import copyreg as copy_reg # python 3\nexcept ImportError:\n import copy_reg # python 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L23_C4", "label": "copyreg import copy_reg", "type": "import", "loc": [23, 23], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L22_C0", "vector": [1, 1, 0.0242, 0.0011, 1, 0.09, 0.0, 86, 0, 1, 0, 0, 86, 0, 0], "semantic": {"name": "copyreg", "arg_names": [], "import_names": ["copy_reg"], "rhs_call_name": "", "annotation": ""}, "snippet": " import copyreg as copy_reg # python 3"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L25_C4", "label": "copy_reg import copy_reg", "type": "import", "loc": [25, 25], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L22_C0", "vector": [1, 1, 0.0263, 0.0011, 1, 0.09, 0.0, 527, 0, 1, 0, 0, 527, 0, 0], "semantic": {"name": "copy_reg", "arg_names": [], "import_names": ["copy_reg"], "rhs_call_name": "", "annotation": ""}, "snippet": " import copy_reg # python 2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:ImportFrom_L27_C0", "label": "from portalocker import read_locked, LockedFile", "type": "import", "loc": [27, 27], "level": 0, "parent": null, "vector": [1, 0, 0.0284, 0.0011, 0, 0.66, 0.1449, 542, 0, 2, 0, 0, 542, 0, 0], "semantic": {"name": "portalocker", "arg_names": [], "import_names": ["read_locked", "LockedFile"], "rhs_call_name": "", "annotation": ""}, "snippet": "from portalocker import read_locked, LockedFile"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:ImportFrom_L28_C0", "label": "from utf8 import Utf8", "type": "import", "loc": [28, 28], "level": 0, "parent": null, "vector": [1, 0, 0.0295, 0.0011, 0, 0.66, 0.1594, 414, 0, 1, 0, 0, 414, 0, 0], "semantic": {"name": "utf8", "arg_names": [], "import_names": ["Utf8"], "rhs_call_name": "", "annotation": ""}, "snippet": "from utf8 import Utf8"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:ImportFrom_L30_C0", "label": "from fileutils import listdir", "type": "import", "loc": [30, 30], "level": 0, "parent": null, "vector": [1, 0, 0.0316, 0.0011, 0, 0.66, 0.1739, 687, 0, 1, 0, 0, 687, 0, 0], "semantic": {"name": "fileutils", "arg_names": [], "import_names": ["listdir"], "rhs_call_name": "", "annotation": ""}, "snippet": "from fileutils import listdir"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L31_C0", "label": "settings import settings", "type": "import", "loc": [31, 31], "level": 0, "parent": null, "vector": [1, 0, 0.0326, 0.0011, 0, 0.66, 0.1884, 168, 0, 1, 0, 0, 168, 0, 0], "semantic": {"name": "settings", "arg_names": [], "import_names": ["settings"], "rhs_call_name": "", "annotation": ""}, "snippet": "import settings"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:ImportFrom_L32_C0", "label": "from cfs import getcfs", "type": "import", "loc": [32, 32], "level": 0, "parent": null, "vector": [1, 0, 0.0337, 0.0011, 0, 0.66, 0.2029, 169, 0, 1, 0, 0, 169, 0, 0], "semantic": {"name": "cfs", "arg_names": [], "import_names": ["getcfs"], "rhs_call_name": "", "annotation": ""}, "snippet": "from cfs import getcfs"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:ImportFrom_L33_C0", "label": "from html import XML, xmlescape", "type": "import", "loc": [33, 33], "level": 0, "parent": null, "vector": [1, 0, 0.0347, 0.0011, 0, 0.66, 0.2174, 271, 0, 2, 0, 0, 271, 0, 0], "semantic": {"name": "html", "arg_names": [], "import_names": ["XML", "xmlescape"], "rhs_call_name": "", "annotation": ""}, "snippet": "from html import XML, xmlescape"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:ImportFrom_L34_C0", "label": "from contrib.markmin.markmin2html import render, markmin_escape", "type": "import", "loc": [34, 34], "level": 0, "parent": null, "vector": [1, 0, 0.0358, 0.0011, 0, 0.66, 0.2319, 140, 0, 2, 0, 0, 140, 0, 0], "semantic": {"name": "contrib.markmin.markmin2html", "arg_names": [], "import_names": ["render", "markmin_escape"], "rhs_call_name": "", "annotation": ""}, "snippet": "from contrib.markmin.markmin2html import render, markmin_escape"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:ImportFrom_L35_C0", "label": "from string import maketrans", "type": "import", "loc": [35, 35], "level": 0, "parent": null, "vector": [1, 0, 0.0368, 0.0011, 0, 0.66, 0.2464, 890, 0, 1, 0, 0, 890, 0, 0], "semantic": {"name": "string", "arg_names": [], "import_names": ["maketrans"], "rhs_call_name": "", "annotation": ""}, "snippet": "from string import maketrans"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L37_C0", "label": "__all__ =", "type": "assigned_variable", "loc": [37, 37], "level": 0, "parent": null, "vector": [14, 0, 0.0389, 0.0011, 0, 0.66, 0.2609, 272, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "__all__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__all__ = ['translator', 'findT', 'update_all_languages']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L39_C0", "label": "ostat =", "type": "assigned_variable", "loc": [39, 39], "level": 0, "parent": null, "vector": [14, 0, 0.0411, 0.0011, 0, 0.66, 0.2754, 799, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ostat", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "ostat = os.stat"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L40_C0", "label": "oslistdir =", "type": "assigned_variable", "loc": [40, 40], "level": 0, "parent": null, "vector": [14, 0, 0.0421, 0.0011, 0, 0.66, 0.2899, 732, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "oslistdir", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "oslistdir = os.listdir"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L41_C0", "label": "pjoin =", "type": "assigned_variable", "loc": [41, 41], "level": 0, "parent": null, "vector": [14, 0, 0.0432, 0.0011, 0, 0.66, 0.3043, 250, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pjoin", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "pjoin = os.path.join"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L42_C0", "label": "pexists =", "type": "assigned_variable", "loc": [42, 42], "level": 0, "parent": null, "vector": [14, 0, 0.0442, 0.0011, 0, 0.66, 0.3188, 101, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pexists", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "pexists = os.path.exists"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L43_C0", "label": "pdirname =", "type": "assigned_variable", "loc": [43, 43], "level": 0, "parent": null, "vector": [14, 0, 0.0453, 0.0011, 0, 0.66, 0.3333, 302, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pdirname", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "pdirname = os.path.dirname"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L44_C0", "label": "isdir =", "type": "assigned_variable", "loc": [44, 44], "level": 0, "parent": null, "vector": [14, 0, 0.0463, 0.0011, 0, 0.66, 0.3478, 451, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "isdir", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "isdir = os.path.isdir"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L45_C0", "label": "is_gae =", "type": "assigned_variable", "loc": [45, 45], "level": 0, "parent": null, "vector": [14, 0, 0.0474, 0.0011, 0, 0.66, 0.3623, 986, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "is_gae", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "is_gae = False # settings.global_settings.web2py_runtime_gae"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L47_C0", "label": "DEFAULT_LANGUAGE =", "type": "assigned_variable", "loc": [47, 47], "level": 0, "parent": null, "vector": [14, 0, 0.0495, 0.0011, 0, 0.66, 0.3768, 610, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "DEFAULT_LANGUAGE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DEFAULT_LANGUAGE = 'en'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L48_C0", "label": "DEFAULT_LANGUAGE_NAME =", "type": "assigned_variable", "loc": [48, 48], "level": 0, "parent": null, "vector": [14, 0, 0.0505, 0.0011, 0, 0.66, 0.3913, 723, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "DEFAULT_LANGUAGE_NAME", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DEFAULT_LANGUAGE_NAME = 'English'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L52_C0", "label": "DEFAULT_NPLURALS =", "type": "assigned_variable", "loc": [52, 52], "level": 0, "parent": null, "vector": [14, 0, 0.0547, 0.0011, 0, 0.66, 0.4058, 262, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "DEFAULT_NPLURALS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DEFAULT_NPLURALS = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L54_C0", "label": "DEFAULT_GET_PLURAL_ID =", "type": "assigned_variable", "loc": [54, 54], "level": 0, "parent": null, "vector": [14, 0, 0.0568, 0.0011, 0, 0.66, 0.4203, 260, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "DEFAULT_GET_PLURAL_ID", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DEFAULT_GET_PLURAL_ID = lambda n: 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L56_C0", "label": "DEFAULT_CONSTRUCT_PLURAL_FORM =", "type": "assigned_variable", "loc": [56, 56], "level": 0, "parent": null, "vector": [14, 0, 0.0589, 0.0011, 0, 0.66, 0.4348, 502, 9, 0, 0, 0, 0, 0, 0], "semantic": {"name": "DEFAULT_CONSTRUCT_PLURAL_FORM", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DEFAULT_CONSTRUCT_PLURAL_FORM = lambda word, plural_id: word"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L58_C0", "label": "NUMBERS =", "type": "assigned_variable", "loc": [58, 58], "level": 0, "parent": null, "vector": [14, 0, 0.0611, 0.0011, 0, 0.66, 0.4493, 734, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "NUMBERS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "NUMBERS = (int, long, float)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L61_C0", "label": "PY_STRING_LITERAL_RE =", "type": "assigned_variable", "loc": [61, 64], "level": 0, "parent": null, "vector": [14, 0, 0.0658, 0.0042, 0, 0.66, 0.4638, 711, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "PY_STRING_LITERAL_RE", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "PY_STRING_LITERAL_RE = r'(?<=[^\\w]T\\()(?P<name>'\\\n + r\"[uU]?[rR]?(?:'''(?:[^']|'{1,2}(?!'))*''')|\"\\\n + r\"(?:'(?:[^'\\\\]|\\\\.)*')|\" + r'(?:\"\"\"(?:[^\"]|\"{1,2}(?!\"))*\"\"\")|'\\\n + r'(?:\"(?:[^\"\\\\]|\\\\.)*\"))'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L66_C0", "label": "regex_translate = compile()", "type": "assigned_variable", "loc": [66, 66], "level": 0, "parent": null, "vector": [14, 0, 0.0695, 0.0011, 0, 0.66, 0.4783, 821, 3, 2, 0, 0, 821, 10, 1], "semantic": {"name": "regex_translate", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_translate = re.compile(PY_STRING_LITERAL_RE, re.DOTALL)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L67_C0", "label": "regex_param = compile()", "type": "assigned_variable", "loc": [67, 67], "level": 0, "parent": null, "vector": [14, 0, 0.0705, 0.0011, 0, 0.66, 0.4928, 209, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_param", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_param = re.compile(r'{(?P<s>.+?)}')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L70_C0", "label": "regex_language = compile()", "type": "assigned_variable", "loc": [70, 71], "level": 0, "parent": null, "vector": [14, 0, 0.0742, 0.0021, 0, 0.66, 0.5072, 146, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_language", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_language = \\\n re.compile('([a-z]{2}(?:\\-[a-z]{2})?(?:\\-[a-z]{2})?)(?:[,;]|$)')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L72_C0", "label": "regex_langfile = compile()", "type": "assigned_variable", "loc": [72, 72], "level": 0, "parent": null, "vector": [14, 0, 0.0758, 0.0011, 0, 0.66, 0.5217, 162, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_langfile", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_langfile = re.compile('^[a-z]{2}(-[a-z]{2})?\\.py$')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L73_C0", "label": "regex_backslash = compile()", "type": "assigned_variable", "loc": [73, 73], "level": 0, "parent": null, "vector": [14, 0, 0.0768, 0.0011, 0, 0.66, 0.5362, 648, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_backslash", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_backslash = re.compile(r\"\\\\([\\\\{}%])\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L74_C0", "label": "regex_plural = compile()", "type": "assigned_variable", "loc": [74, 74], "level": 0, "parent": null, "vector": [14, 0, 0.0779, 0.0011, 0, 0.66, 0.5507, 918, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_plural", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_plural = re.compile('%({.+?})')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L75_C0", "label": "regex_plural_dict = compile()", "type": "assigned_variable", "loc": [75, 75], "level": 0, "parent": null, "vector": [14, 0, 0.0789, 0.0011, 0, 0.66, 0.5652, 233, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_plural_dict", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_plural_dict = re.compile('^{(?P<w>[^()[\\]][^()[\\]]*?)\\((?P<n>[^()\\[\\]]+)\\)}$') # %%{word(varname or number)}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L76_C0", "label": "regex_plural_tuple = compile()", "type": "assigned_variable", "loc": [76, 77], "level": 0, "parent": null, "vector": [14, 0, 0.0805, 0.0021, 0, 0.66, 0.5797, 479, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_plural_tuple", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_plural_tuple = re.compile(\n '^{(?P<w>[^[\\]()]+)(?:\\[(?P<i>\\d+)\\])?}$') # %%{word[index]} or %%{word}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L78_C0", "label": "regex_plural_file = compile()", "type": "assigned_variable", "loc": [78, 78], "level": 0, "parent": null, "vector": [14, 0, 0.0821, 0.0011, 0, 0.66, 0.5942, 447, 3, 1, 0, 0, 821, 10, 1], "semantic": {"name": "regex_plural_file", "arg_names": [], "import_names": [], "rhs_call_name": "compile", "annotation": ""}, "snippet": "regex_plural_file = re.compile('^plural-[a-zA-Z]{2}(-[a-zA-Z]{2})?\\.py$')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L81_C0", "label": "safe_eval", "type": "function", "loc": [81, 88], "level": 0, "parent": null, "vector": [2, 0, 0.0889, 0.0084, 0, 0.66, 0.6087, 17, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "safe_eval", "arg_names": ["text"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def safe_eval(text):\n if text.strip():\n try:\n import ast\n return ast.literal_eval(text)\n except ImportError:\n return eval(text, {}, {})\n return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L82_C4", "label": "if", "type": "if", "loc": [82, 87], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L81_C0", "vector": [4, 1, 0.0889, 0.0063, 1, 0.15, 0.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if text.strip():\n try:\n import ast\n return ast.literal_eval(text)\n except ImportError:\n return eval(text, {}, {})"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L83_C8", "label": "try", "type": "try", "loc": [83, 87], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L82_C4", "vector": [7, 2, 0.0895, 0.0053, 2, 0.55, 0.0, 0, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n import ast\n return ast.literal_eval(text)\n except ImportError:\n return eval(text, {}, {})"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L84_C12", "label": "ast import ast", "type": "import", "loc": [84, 84], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L83_C8", "vector": [1, 3, 0.0884, 0.0011, 3, 0.64, 0.0, 809, 0, 1, 0, 0, 809, 0, 0], "semantic": {"name": "ast", "arg_names": [], "import_names": ["ast"], "rhs_call_name": "", "annotation": ""}, "snippet": " import ast"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L85_C12", "label": "return", "type": "return", "loc": [85, 85], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L83_C8", "vector": [13, 3, 0.0895, 0.0011, 3, 0.64, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ast.literal_eval(text)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L87_C12", "label": "return", "type": "return", "loc": [87, 87], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L83_C8", "vector": [13, 3, 0.0916, 0.0011, 3, 0.64, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return eval(text, {}, {})"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L88_C4", "label": "return", "type": "return", "loc": [88, 88], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L81_C0", "vector": [13, 1, 0.0926, 0.0011, 1, 0.15, 1.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L93_C0", "label": "markmin", "type": "function", "loc": [93, 97], "level": 0, "parent": null, "vector": [2, 0, 0.1, 0.0053, 0, 0.66, 0.6232, 702, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "markmin", "arg_names": ["s"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def markmin(s):\n def markmin_aux(m):\n return '{%s}' % markmin_escape(m.group('s'))\n return render(regex_param.sub(markmin_aux, s),\n sep='br', autolinks=None, id_prefix='')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L94_C4", "label": "markmin_aux", "type": "function", "loc": [94, 95], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L93_C0", "vector": [2, 1, 0.0995, 0.0021, 1, 0.27, 0.0, 796, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "markmin_aux", "arg_names": ["m"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def markmin_aux(m):\n return '{%s}' % markmin_escape(m.group('s'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L95_C8", "label": "return", "type": "return", "loc": [95, 95], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L94_C4", "vector": [13, 2, 0.1, 0.0011, 2, 0.16, 0.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '{%s}' % markmin_escape(m.group('s'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L96_C4", "label": "return", "type": "return", "loc": [96, 97], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L93_C0", "vector": [13, 1, 0.1016, 0.0021, 1, 0.27, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return render(regex_param.sub(markmin_aux, s),\n sep='br', autolinks=None, id_prefix='')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L102_C0", "label": "upper_fun", "type": "function", "loc": [102, 103], "level": 0, "parent": null, "vector": [2, 0, 0.1079, 0.0021, 0, 0.66, 0.6377, 657, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "upper_fun", "arg_names": ["s"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def upper_fun(s):\n return unicode(s, 'utf-8').upper().encode('utf-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L103_C4", "label": "return", "type": "return", "loc": [103, 103], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L102_C0", "vector": [13, 1, 0.1084, 0.0011, 1, 0.0, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return unicode(s, 'utf-8').upper().encode('utf-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L106_C0", "label": "title_fun", "type": "function", "loc": [106, 107], "level": 0, "parent": null, "vector": [2, 0, 0.1121, 0.0021, 0, 0.66, 0.6522, 907, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "title_fun", "arg_names": ["s"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def title_fun(s):\n return unicode(s, 'utf-8').title().encode('utf-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L107_C4", "label": "return", "type": "return", "loc": [107, 107], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L106_C0", "vector": [13, 1, 0.1126, 0.0011, 1, 0.56, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return unicode(s, 'utf-8').title().encode('utf-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L110_C0", "label": "cap_fun", "type": "function", "loc": [110, 111], "level": 0, "parent": null, "vector": [2, 0, 0.1163, 0.0021, 0, 0.66, 0.6667, 523, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "cap_fun", "arg_names": ["s"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def cap_fun(s):\n return unicode(s, 'utf-8').capitalize().encode('utf-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L111_C4", "label": "return", "type": "return", "loc": [111, 111], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L110_C0", "vector": [13, 1, 0.1168, 0.0011, 1, 0.42, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return unicode(s, 'utf-8').capitalize().encode('utf-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L112_C0", "label": "ttab_in = maketrans()", "type": "assigned_variable", "loc": [112, 112], "level": 0, "parent": null, "vector": [14, 0, 0.1179, 0.0011, 0, 0.66, 0.6812, 134, 3, 2, 0, 0, 881, 10, 1], "semantic": {"name": "ttab_in", "arg_names": [], "import_names": [], "rhs_call_name": "maketrans", "annotation": ""}, "snippet": "ttab_in = maketrans(\"\\\\%{}\", '\\x1c\\x1d\\x1e\\x1f')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L113_C0", "label": "ttab_out = maketrans()", "type": "assigned_variable", "loc": [113, 113], "level": 0, "parent": null, "vector": [14, 0, 0.1189, 0.0011, 0, 0.66, 0.6957, 904, 3, 2, 0, 0, 881, 10, 1], "semantic": {"name": "ttab_out", "arg_names": [], "import_names": [], "rhs_call_name": "maketrans", "annotation": ""}, "snippet": "ttab_out = maketrans('\\x1c\\x1d\\x1e\\x1f', \"\\\\%{}\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L125_C0", "label": "global_language_cache =", "type": "assigned_variable", "loc": [125, 125], "level": 0, "parent": null, "vector": [14, 0, 0.1316, 0.0011, 0, 0.66, 0.7101, 249, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "global_language_cache", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "global_language_cache = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "label": "get_from_cache", "type": "function", "loc": [128, 142], "level": 0, "parent": null, "vector": [2, 0, 0.1421, 0.0158, 0, 0.66, 0.7246, 362, 0, 3, 1, 0, 0, 0, 7], "semantic": {"name": "get_from_cache", "arg_names": ["cache", "val", "fun"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def get_from_cache(cache, val, fun):\n lang_dict, lock = cache\n lock.acquire()\n try:\n result = lang_dict.get(val)\n finally:\n lock.release()\n if result:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L129_C4", "label": "lang_dict, lock =", "type": "assigned_variable", "loc": [129, 129], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "vector": [14, 1, 0.1358, 0.0011, 1, 0.25, 0.0, 71, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lang_dict, lock", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lang_dict, lock = cache"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L130_C4", "label": "acquire()", "type": "expression", "loc": [130, 130], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "vector": [8, 1, 0.1368, 0.0011, 1, 0.25, 0.1667, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " lock.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L131_C4", "label": "try", "type": "try", "loc": [131, 134], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "vector": [7, 1, 0.1395, 0.0042, 1, 0.25, 0.3333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n result = lang_dict.get(val)\n finally:\n lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L132_C8", "label": "result = get()", "type": "assigned_variable", "loc": [132, 132], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L131_C4", "vector": [14, 2, 0.1389, 0.0011, 2, 0.55, 0.0, 51, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " result = lang_dict.get(val)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L134_C8", "label": "release()", "type": "expression", "loc": [134, 134], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L131_C4", "vector": [8, 2, 0.1411, 0.0011, 2, 0.55, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L135_C4", "label": "if", "type": "if", "loc": [135, 136], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "vector": [4, 1, 0.1426, 0.0021, 1, 0.25, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if result:\n return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L136_C8", "label": "return", "type": "return", "loc": [136, 136], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L135_C4", "vector": [13, 2, 0.1432, 0.0011, 2, 0.47, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L137_C4", "label": "acquire()", "type": "expression", "loc": [137, 137], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "vector": [8, 1, 0.1442, 0.0011, 1, 0.25, 0.6667, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " lock.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L138_C4", "label": "try", "type": "try", "loc": [138, 141], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "vector": [7, 1, 0.1468, 0.0042, 1, 0.25, 0.8333, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n result = lang_dict.setdefault(val, fun())\n finally:\n lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L139_C8", "label": "result = setdefault()", "type": "assigned_variable", "loc": [139, 139], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L138_C4", "vector": [14, 2, 0.1463, 0.0011, 2, 0.53, 0.0, 51, 3, 2, 0, 0, 262, 10, 2], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "setdefault", "annotation": ""}, "snippet": " result = lang_dict.setdefault(val, fun())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L141_C8", "label": "release()", "type": "expression", "loc": [141, 141], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L138_C4", "vector": [8, 2, 0.1484, 0.0011, 2, 0.53, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L142_C4", "label": "return", "type": "return", "loc": [142, 142], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "vector": [13, 1, 0.1495, 0.0011, 1, 0.25, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L145_C0", "label": "clear_cache", "type": "function", "loc": [145, 153], "level": 0, "parent": null, "vector": [2, 0, 0.1568, 0.0095, 0, 0.66, 0.7391, 808, 0, 1, 0, 0, 0, 0, 5], "semantic": {"name": "clear_cache", "arg_names": ["filename"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def clear_cache(filename):\n cache = global_language_cache.setdefault(\n filename, ({}, RLock()))\n lang_dict, lock = cache\n lock.acquire()\n try:\n lang_dict.clear()\n finally:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L146_C4", "label": "cache = setdefault()", "type": "assigned_variable", "loc": [146, 147], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L145_C0", "vector": [14, 1, 0.1542, 0.0021, 1, 0.41, 0.0, 419, 3, 2, 0, 0, 262, 10, 2], "semantic": {"name": "cache", "arg_names": [], "import_names": [], "rhs_call_name": "setdefault", "annotation": ""}, "snippet": " cache = global_language_cache.setdefault(\n filename, ({}, RLock()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L148_C4", "label": "lang_dict, lock =", "type": "assigned_variable", "loc": [148, 148], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L145_C0", "vector": [14, 1, 0.1558, 0.0011, 1, 0.41, 0.3333, 71, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lang_dict, lock", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lang_dict, lock = cache"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L149_C4", "label": "acquire()", "type": "expression", "loc": [149, 149], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L145_C0", "vector": [8, 1, 0.1568, 0.0011, 1, 0.41, 0.6667, 229, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "acquire", "arg_names": [], "import_names": [], "rhs_call_name": "acquire", "annotation": ""}, "snippet": " lock.acquire()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L150_C4", "label": "try", "type": "try", "loc": [150, 153], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L145_C0", "vector": [7, 1, 0.1595, 0.0042, 1, 0.41, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n lang_dict.clear()\n finally:\n lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L151_C8", "label": "clear()", "type": "expression", "loc": [151, 151], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L150_C4", "vector": [8, 2, 0.1589, 0.0011, 2, 0.86, 0.0, 712, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "clear", "arg_names": [], "import_names": [], "rhs_call_name": "clear", "annotation": ""}, "snippet": " lang_dict.clear()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L153_C8", "label": "release()", "type": "expression", "loc": [153, 153], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L150_C4", "vector": [8, 2, 0.1611, 0.0011, 2, 0.86, 1.0, 784, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "release", "arg_names": [], "import_names": [], "rhs_call_name": "release", "annotation": ""}, "snippet": " lock.release()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L156_C0", "label": "read_dict_aux", "type": "function", "loc": [156, 165], "level": 0, "parent": null, "vector": [2, 0, 0.1689, 0.0105, 0, 0.66, 0.7536, 37, 0, 1, 1, 0, 0, 0, 6], "semantic": {"name": "read_dict_aux", "arg_names": ["filename"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def read_dict_aux(filename):\n lang_text = read_locked(filename).replace('\\r\\n', '\\n')\n clear_cache(filename)\n try:\n return safe_eval(lang_text) or {}\n except Exception:\n e = sys.exc_info()[1]\n status = 'Syntax error in %s (%s)' % (filename, e)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L157_C4", "label": "lang_text = replace()", "type": "assigned_variable", "loc": [157, 157], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L156_C0", "vector": [14, 1, 0.1653, 0.0011, 1, 0.49, 0.0, 256, 3, 2, 0, 0, 293, 10, 2], "semantic": {"name": "lang_text", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " lang_text = read_locked(filename).replace('\\r\\n', '\\n')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L158_C4", "label": "clear_cache()", "type": "expression", "loc": [158, 158], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L156_C0", "vector": [8, 1, 0.1663, 0.0011, 1, 0.49, 0.5, 808, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "clear_cache", "arg_names": [], "import_names": [], "rhs_call_name": "clear_cache", "annotation": ""}, "snippet": " clear_cache(filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L159_C4", "label": "try", "type": "try", "loc": [159, 165], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L156_C0", "vector": [7, 1, 0.1705, 0.0074, 1, 0.49, 1.0, 0, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return safe_eval(lang_text) or {}\n except Exception:\n e = sys.exc_info()[1]\n status = 'Syntax error in %s (%s)' % (filename, e)\n logging.error(status)\n return {'__corrupted__': status}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L160_C8", "label": "return", "type": "return", "loc": [160, 160], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L159_C4", "vector": [13, 2, 0.1684, 0.0011, 2, 0.02, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return safe_eval(lang_text) or {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L162_C8", "label": "e =", "type": "assigned_variable", "loc": [162, 162], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L159_C4", "vector": [14, 2, 0.1705, 0.0011, 2, 0.02, 0.0, 175, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "e", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " e = sys.exc_info()[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L163_C8", "label": "status =", "type": "assigned_variable", "loc": [163, 163], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L159_C4", "vector": [14, 2, 0.1716, 0.0011, 2, 0.02, 0.3333, 699, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "status", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " status = 'Syntax error in %s (%s)' % (filename, e)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L164_C8", "label": "error()", "type": "expression", "loc": [164, 164], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L159_C4", "vector": [8, 2, 0.1726, 0.0011, 2, 0.02, 0.6667, 771, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "error", "arg_names": [], "import_names": [], "rhs_call_name": "error", "annotation": ""}, "snippet": " logging.error(status)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L165_C8", "label": "return", "type": "return", "loc": [165, 165], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L159_C4", "vector": [13, 2, 0.1737, 0.0011, 2, 0.02, 1.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return {'__corrupted__': status}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L168_C0", "label": "read_dict", "type": "function", "loc": [168, 172], "level": 0, "parent": null, "vector": [2, 0, 0.1789, 0.0053, 0, 0.66, 0.7681, 416, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "read_dict", "arg_names": ["filename"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def read_dict(filename):\n \"\"\" return dictionary with translation messages\n \"\"\"\n return getcfs('lang:' + filename, filename,\n lambda: read_dict_aux(filename))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L169_C4", "label": "expression", "type": "expression", "loc": [169, 170], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L168_C0", "vector": [8, 1, 0.1784, 0.0021, 1, 0.95, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" return dictionary with translation messages\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L171_C4", "label": "return", "type": "return", "loc": [171, 172], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L168_C0", "vector": [13, 1, 0.1805, 0.0021, 1, 0.95, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return getcfs('lang:' + filename, filename,\n lambda: read_dict_aux(filename))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L175_C0", "label": "read_possible_plural_rules", "type": "function", "loc": [175, 201], "level": 0, "parent": null, "vector": [2, 0, 0.1979, 0.0284, 0, 0.66, 0.7826, 578, 0, 0, 1, 0, 0, 0, 8], "semantic": {"name": "read_possible_plural_rules", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def read_possible_plural_rules():\n \"\"\"\n create list of all possible plural rules files\n result is cached in PLURAL_RULES dictionary to increase speed\n \"\"\"\n plurals = {}\n try:\n import contrib.plural_rules as package"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L176_C4", "label": "expression", "type": "expression", "loc": [176, 179], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L175_C0", "vector": [8, 1, 0.1868, 0.0042, 1, 0.39, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n create list of all possible plural rules files\n result is cached in PLURAL_RULES dictionary to increase speed\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L180_C4", "label": "plurals =", "type": "assigned_variable", "loc": [180, 180], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L175_C0", "vector": [14, 1, 0.1895, 0.0011, 1, 0.39, 0.3333, 328, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "plurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " plurals = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L181_C4", "label": "try", "type": "try", "loc": [181, 200], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L175_C0", "vector": [7, 1, 0.2005, 0.0211, 1, 0.39, 0.6667, 0, 0, 1, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n import contrib.plural_rules as package\n for importer, modname, ispkg in pkgutil.iter_modules(package.__path__):\n if len(modname) == 2:\n module = __import__(package.__name__ + '.' + modname,\n fromlist=[modname])\n lang = modname\n pname = modname + '.py'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L182_C8", "label": "contrib.plural_rules import package", "type": "import", "loc": [182, 182], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L181_C4", "vector": [1, 2, 0.1916, 0.0011, 2, 0.36, 0.0, 681, 0, 1, 0, 0, 681, 0, 0], "semantic": {"name": "contrib.plural_rules", "arg_names": [], "import_names": ["package"], "rhs_call_name": "", "annotation": ""}, "snippet": " import contrib.plural_rules as package"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:For_L183_C8", "label": "for importer, modname, ispkg", "type": "for", "loc": [183, 197], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L181_C4", "vector": [6, 2, 0.2, 0.0158, 2, 0.36, 1.0, 541, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "importer, modname, ispkg", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for importer, modname, ispkg in pkgutil.iter_modules(package.__path__):\n if len(modname) == 2:\n module = __import__(package.__name__ + '.' + modname,\n fromlist=[modname])\n lang = modname\n pname = modname + '.py'\n nplurals = getattr(module, 'nplurals', DEFAULT_NPLURALS)\n get_plural_id = getattr("}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "label": "if", "type": "if", "loc": [184, 197], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L183_C8", "vector": [4, 3, 0.2005, 0.0147, 3, 0.16, 0.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(modname) == 2:\n module = __import__(package.__name__ + '.' + modname,\n fromlist=[modname])\n lang = modname\n pname = modname + '.py'\n nplurals = getattr(module, 'nplurals', DEFAULT_NPLURALS)\n get_plural_id = getattr(\n module, 'get_plural_id',"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L185_C16", "label": "module = __import__()", "type": "assigned_variable", "loc": [185, 186], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "vector": [14, 4, 0.1953, 0.0021, 4, 0.82, 0.0, 98, 3, 2, 0, 0, 744, 10, 1], "semantic": {"name": "module", "arg_names": [], "import_names": [], "rhs_call_name": "__import__", "annotation": ""}, "snippet": " module = __import__(package.__name__ + '.' + modname,\n fromlist=[modname])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L187_C16", "label": "lang =", "type": "assigned_variable", "loc": [187, 187], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "vector": [14, 4, 0.1968, 0.0011, 4, 0.82, 0.1667, 312, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lang", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lang = modname"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L188_C16", "label": "pname =", "type": "assigned_variable", "loc": [188, 188], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "vector": [14, 4, 0.1979, 0.0011, 4, 0.82, 0.3333, 10, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pname", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pname = modname + '.py'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L189_C16", "label": "nplurals = getattr()", "type": "assigned_variable", "loc": [189, 189], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "vector": [14, 4, 0.1989, 0.0011, 4, 0.82, 0.5, 795, 3, 3, 0, 0, 121, 10, 1], "semantic": {"name": "nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "getattr", "annotation": ""}, "snippet": " nplurals = getattr(module, 'nplurals', DEFAULT_NPLURALS)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L190_C16", "label": "get_plural_id = getattr()", "type": "assigned_variable", "loc": [190, 192], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "vector": [14, 4, 0.2011, 0.0032, 4, 0.82, 0.6667, 283, 3, 3, 0, 0, 121, 10, 1], "semantic": {"name": "get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "getattr", "annotation": ""}, "snippet": " get_plural_id = getattr(\n module, 'get_plural_id',\n DEFAULT_GET_PLURAL_ID)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L193_C16", "label": "construct_plural_form = getattr()", "type": "assigned_variable", "loc": [193, 195], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "vector": [14, 4, 0.2042, 0.0032, 4, 0.82, 0.8333, 772, 3, 3, 0, 0, 121, 10, 1], "semantic": {"name": "construct_plural_form", "arg_names": [], "import_names": [], "rhs_call_name": "getattr", "annotation": ""}, "snippet": " construct_plural_form = getattr(\n module, 'construct_plural_form',\n DEFAULT_CONSTRUCT_PLURAL_FORM)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L196_C16", "label": "assign", "type": "assigned_variable", "loc": [196, 197], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "vector": [14, 4, 0.2068, 0.0021, 4, 0.82, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " plurals[lang] = (lang, nplurals, get_plural_id,\n construct_plural_form)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L199_C8", "label": "e =", "type": "assigned_variable", "loc": [199, 199], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L181_C4", "vector": [14, 2, 0.2095, 0.0011, 2, 0.36, 0.0, 175, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "e", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " e = sys.exc_info()[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L200_C8", "label": "warn()", "type": "expression", "loc": [200, 200], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L181_C4", "vector": [8, 2, 0.2105, 0.0011, 2, 0.36, 1.0, 960, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "warn", "arg_names": [], "import_names": [], "rhs_call_name": "warn", "annotation": ""}, "snippet": " logging.warn('Unable to import plural rules: %s' % e)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L201_C4", "label": "return", "type": "return", "loc": [201, 201], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L175_C0", "vector": [13, 1, 0.2116, 0.0011, 1, 0.39, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return plurals"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L203_C0", "label": "PLURAL_RULES = read_possible_plural_rules()", "type": "assigned_variable", "loc": [203, 203], "level": 0, "parent": null, "vector": [14, 0, 0.2137, 0.0011, 0, 0.66, 0.7971, 695, 3, 0, 0, 0, 578, 10, 1], "semantic": {"name": "PLURAL_RULES", "arg_names": [], "import_names": [], "rhs_call_name": "read_possible_plural_rules", "annotation": ""}, "snippet": "PLURAL_RULES = read_possible_plural_rules()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "label": "read_possible_languages_aux", "type": "function", "loc": [206, 271], "level": 0, "parent": null, "vector": [2, 0, 0.2511, 0.0695, 0, 0.66, 0.8116, 808, 0, 1, 1, 0, 0, 0, 17], "semantic": {"name": "read_possible_languages_aux", "arg_names": ["langdir"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def read_possible_languages_aux(langdir):\n def get_lang_struct(lang, langcode, langname, langfile_mtime):\n if lang == 'default':\n real_lang = langcode.lower()\n else:\n real_lang = lang\n (prules_langcode,\n nplurals,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L207_C4", "label": "get_lang_struct", "type": "function", "loc": [207, 237], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "vector": [2, 1, 0.2337, 0.0326, 1, 0.48, 0.0, 282, 0, 4, 1, 0, 0, 0, 4], "semantic": {"name": "get_lang_struct", "arg_names": ["lang", "langcode", "langname", "langfile_mtime"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_lang_struct(lang, langcode, langname, langfile_mtime):\n if lang == 'default':\n real_lang = langcode.lower()\n else:\n real_lang = lang\n (prules_langcode,\n nplurals,\n get_plural_id,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L208_C8", "label": "if", "type": "if", "loc": [208, 211], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L207_C4", "vector": [4, 2, 0.2205, 0.0042, 2, 0.34, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lang == 'default':\n real_lang = langcode.lower()\n else:\n real_lang = lang"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L209_C12", "label": "real_lang = lower()", "type": "assigned_variable", "loc": [209, 209], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L208_C8", "vector": [14, 3, 0.22, 0.0011, 3, 0.31, 0.0, 366, 3, 0, 0, 0, 432, 10, 1], "semantic": {"name": "real_lang", "arg_names": [], "import_names": [], "rhs_call_name": "lower", "annotation": ""}, "snippet": " real_lang = langcode.lower()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L211_C12", "label": "real_lang =", "type": "assigned_variable", "loc": [211, 211], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L208_C8", "vector": [14, 3, 0.2221, 0.0011, 3, 0.31, 1.0, 366, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "real_lang", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " real_lang = lang"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L212_C8", "label": "prules_langcode, nplurals, get_plural_id, construct_plural_form = get()", "type": "assigned_variable", "loc": [212, 219], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L207_C4", "vector": [14, 2, 0.2268, 0.0084, 2, 0.34, 0.3333, 272, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "prules_langcode, nplurals, get_plural_id, construct_plural_form", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " (prules_langcode,\n nplurals,\n get_plural_id,\n construct_plural_form\n ) = PLURAL_RULES.get(real_lang[:2], ('default',\n DEFAULT_NPLURALS,\n DEFAULT_GET_PLURAL_ID,\n DEFAULT_CONSTRUCT_PLURAL_FORM))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L220_C8", "label": "if", "type": "if", "loc": [220, 227], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L207_C4", "vector": [4, 2, 0.2353, 0.0084, 2, 0.34, 0.6667, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if prules_langcode != 'default':\n (pluraldict_fname,\n pluraldict_mtime) = plurals.get(real_lang,\n plurals.get(real_lang[:2],\n ('plural-%s.py' % real_lang, 0)))\n else:\n pluraldict_fname = None\n pluraldict_mtime = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L221_C12", "label": "pluraldict_fname, pluraldict_mtime = get()", "type": "assigned_variable", "loc": [221, 224], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L220_C8", "vector": [14, 3, 0.2342, 0.0042, 3, 0.93, 0.0, 272, 3, 2, 0, 0, 607, 10, 2], "semantic": {"name": "pluraldict_fname, pluraldict_mtime", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " (pluraldict_fname,\n pluraldict_mtime) = plurals.get(real_lang,\n plurals.get(real_lang[:2],\n ('plural-%s.py' % real_lang, 0)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L226_C12", "label": "pluraldict_fname =", "type": "assigned_variable", "loc": [226, 226], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L220_C8", "vector": [14, 3, 0.2379, 0.0011, 3, 0.93, 0.5, 434, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "pluraldict_fname", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pluraldict_fname = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L227_C12", "label": "pluraldict_mtime =", "type": "assigned_variable", "loc": [227, 227], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L220_C8", "vector": [14, 3, 0.2389, 0.0011, 3, 0.93, 1.0, 686, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "pluraldict_mtime", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pluraldict_mtime = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L228_C8", "label": "return", "type": "return", "loc": [228, 237], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L207_C4", "vector": [13, 2, 0.2447, 0.0105, 2, 0.34, 1.0, 0, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return (langcode, # language code from !langcode!\n langname,\n # language name in national spelling from !langname!\n langfile_mtime, # m_time of language file\n pluraldict_fname, # name of plural dictionary file or None (when default.py is not exist)\n pluraldict_mtime, # m_time of plural dictionary file or 0 if file is not exist\n prules_langcode, # code of plural rules language or 'default'\n nplurals, # nplurals for current language"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L239_C4", "label": "plurals =", "type": "assigned_variable", "loc": [239, 239], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "vector": [14, 1, 0.2516, 0.0011, 1, 0.48, 0.1, 328, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "plurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " plurals = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L240_C4", "label": "flist =", "type": "assigned_variable", "loc": [240, 240], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "vector": [14, 1, 0.2526, 0.0011, 1, 0.48, 0.2, 228, 8, 0, 0, 0, 0, 0, 2], "semantic": {"name": "flist", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " flist = oslistdir(langdir) if isdir(langdir) else []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:For_L243_C4", "label": "for pname", "type": "for", "loc": [243, 246], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "vector": [6, 1, 0.2574, 0.0042, 1, 0.48, 0.3, 10, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "pname", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for pname in flist:\n if regex_plural_file.match(pname):\n plurals[pname[7:-3]] = (pname,\n ostat(pjoin(langdir, pname)).st_mtime)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L244_C8", "label": "if", "type": "if", "loc": [244, 246], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L243_C4", "vector": [4, 2, 0.2579, 0.0032, 2, 0.46, 0.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if regex_plural_file.match(pname):\n plurals[pname[7:-3]] = (pname,\n ostat(pjoin(langdir, pname)).st_mtime)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L245_C12", "label": "assign", "type": "assigned_variable", "loc": [245, 246], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L244_C8", "vector": [14, 3, 0.2584, 0.0021, 3, 0.46, 0.0, 0, 0, 0, 0, 0, 0, 8, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " plurals[pname[7:-3]] = (pname,\n ostat(pjoin(langdir, pname)).st_mtime)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L247_C4", "label": "langs =", "type": "assigned_variable", "loc": [247, 247], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "vector": [14, 1, 0.26, 0.0011, 1, 0.48, 0.4, 986, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "langs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " langs = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:For_L249_C4", "label": "for fname", "type": "for", "loc": [249, 259], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "vector": [6, 1, 0.2674, 0.0116, 1, 0.48, 0.5, 190, 2, 0, 0, 0, 0, 0, 7], "semantic": {"name": "fname", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for fname in flist:\n if regex_langfile.match(fname) or fname == 'default.py':\n fname_with_path = pjoin(langdir, fname)\n d = read_dict(fname_with_path)\n lang = fname[:-3]\n langcode = d.get('!langcode!', lang if lang != 'default'\n else DEFAULT_LANGUAGE)\n langname = d.get('!langname!', langcode)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "label": "if", "type": "if", "loc": [250, 259], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L249_C4", "vector": [4, 2, 0.2679, 0.0105, 2, 0.84, 0.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if regex_langfile.match(fname) or fname == 'default.py':\n fname_with_path = pjoin(langdir, fname)\n d = read_dict(fname_with_path)\n lang = fname[:-3]\n langcode = d.get('!langcode!', lang if lang != 'default'\n else DEFAULT_LANGUAGE)\n langname = d.get('!langname!', langcode)\n langfile_mtime = ostat(fname_with_path).st_mtime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L251_C12", "label": "fname_with_path = pjoin()", "type": "assigned_variable", "loc": [251, 251], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "vector": [14, 3, 0.2642, 0.0011, 3, 0.96, 0.0, 300, 3, 2, 0, 0, 250, 10, 1], "semantic": {"name": "fname_with_path", "arg_names": [], "import_names": [], "rhs_call_name": "pjoin", "annotation": ""}, "snippet": " fname_with_path = pjoin(langdir, fname)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L252_C12", "label": "d = read_dict()", "type": "assigned_variable", "loc": [252, 252], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "vector": [14, 3, 0.2653, 0.0011, 3, 0.96, 0.1667, 355, 3, 1, 0, 0, 416, 10, 1], "semantic": {"name": "d", "arg_names": [], "import_names": [], "rhs_call_name": "read_dict", "annotation": ""}, "snippet": " d = read_dict(fname_with_path)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L253_C12", "label": "lang =", "type": "assigned_variable", "loc": [253, 253], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "vector": [14, 3, 0.2663, 0.0011, 3, 0.96, 0.3333, 312, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lang", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lang = fname[:-3]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L254_C12", "label": "langcode = get()", "type": "assigned_variable", "loc": [254, 255], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "vector": [14, 3, 0.2679, 0.0021, 3, 0.96, 0.5, 975, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "langcode", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " langcode = d.get('!langcode!', lang if lang != 'default'\n else DEFAULT_LANGUAGE)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L256_C12", "label": "langname = get()", "type": "assigned_variable", "loc": [256, 256], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "vector": [14, 3, 0.2695, 0.0011, 3, 0.96, 0.6667, 2, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "langname", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " langname = d.get('!langname!', langcode)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L257_C12", "label": "langfile_mtime =", "type": "assigned_variable", "loc": [257, 257], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "vector": [14, 3, 0.2705, 0.0011, 3, 0.96, 0.8333, 530, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "langfile_mtime", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " langfile_mtime = ostat(fname_with_path).st_mtime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L258_C12", "label": " = get_lang_struct()", "type": "assigned_variable", "loc": [258, 259], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "vector": [14, 3, 0.2721, 0.0021, 3, 0.96, 1.0, 0, 3, 4, 0, 0, 282, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "get_lang_struct", "annotation": ""}, "snippet": " langs[lang] = get_lang_struct(lang, langcode,\n langname, langfile_mtime)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L260_C4", "label": "if", "type": "if", "loc": [260, 264], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "vector": [4, 1, 0.2758, 0.0053, 1, 0.48, 0.6, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if 'default' not in langs:\n # if default.py is not found,\n # add DEFAULT_LANGUAGE as default language:\n langs['default'] = get_lang_struct('default', DEFAULT_LANGUAGE,\n DEFAULT_LANGUAGE_NAME, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L263_C8", "label": " = get_lang_struct()", "type": "assigned_variable", "loc": [263, 264], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L260_C4", "vector": [14, 2, 0.2774, 0.0021, 2, 0.28, 0.0, 0, 3, 4, 0, 0, 282, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "get_lang_struct", "annotation": ""}, "snippet": " langs['default'] = get_lang_struct('default', DEFAULT_LANGUAGE,\n DEFAULT_LANGUAGE_NAME, 0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L265_C4", "label": "deflang =", "type": "assigned_variable", "loc": [265, 265], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "vector": [14, 1, 0.2789, 0.0011, 1, 0.48, 0.7, 228, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "deflang", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " deflang = langs['default']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L266_C4", "label": "deflangcode =", "type": "assigned_variable", "loc": [266, 266], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "vector": [14, 1, 0.28, 0.0011, 1, 0.48, 0.8, 16, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "deflangcode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " deflangcode = deflang[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L267_C4", "label": "if", "type": "if", "loc": [267, 269], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "vector": [4, 1, 0.2821, 0.0032, 1, 0.48, 0.9, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if deflangcode not in langs:\n # create language from default.py:\n langs[deflangcode] = deflang[:2] + (0,) + deflang[3:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L269_C8", "label": "assign", "type": "assigned_variable", "loc": [269, 269], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L267_C4", "vector": [14, 2, 0.2832, 0.0011, 2, 0.08, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " langs[deflangcode] = deflang[:2] + (0,) + deflang[3:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L271_C4", "label": "return", "type": "return", "loc": [271, 271], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "vector": [13, 1, 0.2853, 0.0011, 1, 0.48, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return langs"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L274_C0", "label": "read_possible_languages", "type": "function", "loc": [274, 276], "level": 0, "parent": null, "vector": [2, 0, 0.2895, 0.0032, 0, 0.66, 0.8261, 433, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "read_possible_languages", "arg_names": ["langpath"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def read_possible_languages(langpath):\n return getcfs('langs:' + langpath, langpath,\n lambda: read_possible_languages_aux(langpath))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L275_C4", "label": "return", "type": "return", "loc": [275, 276], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L274_C0", "vector": [13, 1, 0.29, 0.0021, 1, 0.81, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return getcfs('langs:' + langpath, langpath,\n lambda: read_possible_languages_aux(langpath))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L279_C0", "label": "read_plural_dict_aux", "type": "function", "loc": [279, 287], "level": 0, "parent": null, "vector": [2, 0, 0.2979, 0.0095, 0, 0.66, 0.8406, 110, 0, 1, 1, 0, 0, 0, 5], "semantic": {"name": "read_plural_dict_aux", "arg_names": ["filename"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def read_plural_dict_aux(filename):\n lang_text = read_locked(filename).replace('\\r\\n', '\\n')\n try:\n return eval(lang_text) or {}\n except Exception:\n e = sys.exc_info()[1]\n status = 'Syntax error in %s (%s)' % (filename, e)\n logging.error(status)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L280_C4", "label": "lang_text = replace()", "type": "assigned_variable", "loc": [280, 280], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L279_C0", "vector": [14, 1, 0.2947, 0.0011, 1, 0.48, 0.0, 256, 3, 2, 0, 0, 293, 10, 2], "semantic": {"name": "lang_text", "arg_names": [], "import_names": [], "rhs_call_name": "replace", "annotation": ""}, "snippet": " lang_text = read_locked(filename).replace('\\r\\n', '\\n')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L281_C4", "label": "try", "type": "try", "loc": [281, 287], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L279_C0", "vector": [7, 1, 0.2989, 0.0074, 1, 0.48, 1.0, 0, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return eval(lang_text) or {}\n except Exception:\n e = sys.exc_info()[1]\n status = 'Syntax error in %s (%s)' % (filename, e)\n logging.error(status)\n return {'__corrupted__': status}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L282_C8", "label": "return", "type": "return", "loc": [282, 282], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L281_C4", "vector": [13, 2, 0.2968, 0.0011, 2, 0.15, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return eval(lang_text) or {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L284_C8", "label": "e =", "type": "assigned_variable", "loc": [284, 284], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L281_C4", "vector": [14, 2, 0.2989, 0.0011, 2, 0.15, 0.0, 175, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "e", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " e = sys.exc_info()[1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L285_C8", "label": "status =", "type": "assigned_variable", "loc": [285, 285], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L281_C4", "vector": [14, 2, 0.3, 0.0011, 2, 0.15, 0.3333, 699, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "status", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " status = 'Syntax error in %s (%s)' % (filename, e)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L286_C8", "label": "error()", "type": "expression", "loc": [286, 286], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L281_C4", "vector": [8, 2, 0.3011, 0.0011, 2, 0.15, 0.6667, 771, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "error", "arg_names": [], "import_names": [], "rhs_call_name": "error", "annotation": ""}, "snippet": " logging.error(status)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L287_C8", "label": "return", "type": "return", "loc": [287, 287], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L281_C4", "vector": [13, 2, 0.3021, 0.0011, 2, 0.15, 1.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return {'__corrupted__': status}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L290_C0", "label": "read_plural_dict", "type": "function", "loc": [290, 292], "level": 0, "parent": null, "vector": [2, 0, 0.3063, 0.0032, 0, 0.66, 0.8551, 859, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "read_plural_dict", "arg_names": ["filename"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def read_plural_dict(filename):\n return getcfs('plurals:' + filename, filename,\n lambda: read_plural_dict_aux(filename))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L291_C4", "label": "return", "type": "return", "loc": [291, 292], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L290_C0", "vector": [13, 1, 0.3068, 0.0021, 1, 0.55, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return getcfs('plurals:' + filename, filename,\n lambda: read_plural_dict_aux(filename))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L295_C0", "label": "write_plural_dict", "type": "function", "loc": [295, 312], "level": 0, "parent": null, "vector": [2, 0, 0.3195, 0.0189, 0, 0.66, 0.8696, 694, 0, 2, 0, 0, 0, 0, 17], "semantic": {"name": "write_plural_dict", "arg_names": ["filename", "contents"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def write_plural_dict(filename, contents):\n if '__corrupted__' in contents:\n return\n try:\n fp = LockedFile(filename, 'w')\n fp.write('#!/usr/bin/env python\\n{\\n# \"singular form (0)\": [\"first plural form (1)\", \"second plural form (2)\", ...],\\n')\n # coding: utf8\\n{\\n')\n for key in sorted(contents, lambda x, y: cmp(unicode(x, 'utf-8').lower(), unicode(y, 'utf-8').lower())):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L296_C4", "label": "if", "type": "if", "loc": [296, 297], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L295_C0", "vector": [4, 1, 0.3121, 0.0021, 1, 0.57, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if '__corrupted__' in contents:\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L297_C8", "label": "return", "type": "return", "loc": [297, 297], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L296_C4", "vector": [13, 2, 0.3126, 0.0011, 2, 0.81, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "label": "try", "type": "try", "loc": [298, 312], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L295_C0", "vector": [7, 1, 0.3211, 0.0158, 1, 0.57, 1.0, 0, 0, 1, 0, 0, 0, 0, 17], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n fp = LockedFile(filename, 'w')\n fp.write('#!/usr/bin/env python\\n{\\n# \"singular form (0)\": [\"first plural form (1)\", \"second plural form (2)\", ...],\\n')\n # coding: utf8\\n{\\n')\n for key in sorted(contents, lambda x, y: cmp(unicode(x, 'utf-8').lower(), unicode(y, 'utf-8').lower())):\n forms = '[' + ','.join([repr(Utf8(form))\n for form in contents[key]]) + ']'\n fp.write('%s: %s,\\n' % (repr(Utf8(key)), forms))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L299_C8", "label": "fp = LockedFile()", "type": "assigned_variable", "loc": [299, 299], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "vector": [14, 2, 0.3147, 0.0011, 2, 0.8, 0.0, 392, 3, 2, 0, 0, 1, 10, 1], "semantic": {"name": "fp", "arg_names": [], "import_names": [], "rhs_call_name": "LockedFile", "annotation": ""}, "snippet": " fp = LockedFile(filename, 'w')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L300_C8", "label": "write()", "type": "expression", "loc": [300, 300], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "vector": [8, 2, 0.3158, 0.0011, 2, 0.8, 0.25, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " fp.write('#!/usr/bin/env python\\n{\\n# \"singular form (0)\": [\"first plural form (1)\", \"second plural form (2)\", ...],\\n')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:For_L302_C8", "label": "for key", "type": "for", "loc": [302, 305], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "vector": [6, 2, 0.3195, 0.0042, 2, 0.8, 0.5, 230, 3, 0, 0, 0, 0, 0, 12], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for key in sorted(contents, lambda x, y: cmp(unicode(x, 'utf-8').lower(), unicode(y, 'utf-8').lower())):\n forms = '[' + ','.join([repr(Utf8(form))\n for form in contents[key]]) + ']'\n fp.write('%s: %s,\\n' % (repr(Utf8(key)), forms))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L303_C12", "label": "forms =", "type": "assigned_variable", "loc": [303, 304], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L302_C8", "vector": [14, 3, 0.3195, 0.0021, 3, 0.16, 0.0, 857, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "forms", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " forms = '[' + ','.join([repr(Utf8(form))\n for form in contents[key]]) + ']'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L305_C12", "label": "write()", "type": "expression", "loc": [305, 305], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L302_C8", "vector": [8, 3, 0.3211, 0.0011, 3, 0.16, 1.0, 837, 3, 1, 0, 0, 0, 0, 3], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " fp.write('%s: %s,\\n' % (repr(Utf8(key)), forms))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L306_C8", "label": "write()", "type": "expression", "loc": [306, 306], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "vector": [8, 2, 0.3221, 0.0011, 2, 0.8, 0.75, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " fp.write('}\\n')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L308_C8", "label": "if", "type": "if", "loc": [308, 309], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "vector": [4, 2, 0.3247, 0.0021, 2, 0.8, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not is_gae:\n logging.warning('Unable to write to file %s' % filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L309_C12", "label": "warning()", "type": "expression", "loc": [309, 309], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L308_C8", "vector": [8, 3, 0.3253, 0.0011, 3, 0.2, 0.0, 320, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "warning", "arg_names": [], "import_names": [], "rhs_call_name": "warning", "annotation": ""}, "snippet": " logging.warning('Unable to write to file %s' % filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L310_C8", "label": "return", "type": "return", "loc": [310, 310], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "vector": [13, 2, 0.3263, 0.0011, 2, 0.8, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L312_C8", "label": "close()", "type": "expression", "loc": [312, 312], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "vector": [8, 2, 0.3284, 0.0011, 2, 0.8, 1.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " fp.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "label": "write_dict", "type": "function", "loc": [315, 328], "level": 0, "parent": null, "vector": [2, 0, 0.3384, 0.0147, 0, 0.66, 0.8841, 929, 0, 2, 0, 0, 0, 0, 16], "semantic": {"name": "write_dict", "arg_names": ["filename", "contents"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def write_dict(filename, contents):\n if '__corrupted__' in contents:\n return\n try:\n fp = LockedFile(filename, 'w')\n except (IOError, OSError):\n if not settings.global_settings.web2py_runtime_gae:\n logging.warning('Unable to write to file %s' % filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L316_C4", "label": "if", "type": "if", "loc": [316, 317], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "vector": [4, 1, 0.3332, 0.0021, 1, 0.4, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if '__corrupted__' in contents:\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L317_C8", "label": "return", "type": "return", "loc": [317, 317], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L316_C4", "vector": [13, 2, 0.3337, 0.0011, 2, 0.24, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L318_C4", "label": "try", "type": "try", "loc": [318, 323], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "vector": [7, 1, 0.3374, 0.0063, 1, 0.4, 0.2, 0, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n fp = LockedFile(filename, 'w')\n except (IOError, OSError):\n if not settings.global_settings.web2py_runtime_gae:\n logging.warning('Unable to write to file %s' % filename)\n return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L319_C8", "label": "fp = LockedFile()", "type": "assigned_variable", "loc": [319, 319], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L318_C4", "vector": [14, 2, 0.3358, 0.0011, 2, 0.84, 0.0, 392, 3, 2, 0, 0, 1, 10, 1], "semantic": {"name": "fp", "arg_names": [], "import_names": [], "rhs_call_name": "LockedFile", "annotation": ""}, "snippet": " fp = LockedFile(filename, 'w')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L321_C8", "label": "if", "type": "if", "loc": [321, 322], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L318_C4", "vector": [4, 2, 0.3384, 0.0021, 2, 0.84, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not settings.global_settings.web2py_runtime_gae:\n logging.warning('Unable to write to file %s' % filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L322_C12", "label": "warning()", "type": "expression", "loc": [322, 322], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L321_C8", "vector": [8, 3, 0.3389, 0.0011, 3, 0.61, 0.0, 320, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "warning", "arg_names": [], "import_names": [], "rhs_call_name": "warning", "annotation": ""}, "snippet": " logging.warning('Unable to write to file %s' % filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L323_C8", "label": "return", "type": "return", "loc": [323, 323], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L318_C4", "vector": [13, 2, 0.34, 0.0011, 2, 0.84, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L324_C4", "label": "write()", "type": "expression", "loc": [324, 324], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "vector": [8, 1, 0.3411, 0.0011, 1, 0.4, 0.4, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " fp.write('# coding: utf8\\n{\\n')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:For_L325_C4", "label": "for key", "type": "for", "loc": [325, 326], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "vector": [6, 1, 0.3426, 0.0021, 1, 0.4, 0.6, 230, 3, 0, 0, 0, 0, 0, 11], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for key in sorted(contents, lambda x, y: cmp(unicode(x, 'utf-8').lower(), unicode(y, 'utf-8').lower())):\n fp.write('%s: %s,\\n' % (repr(Utf8(key)), repr(Utf8(contents[key]))))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L326_C8", "label": "write()", "type": "expression", "loc": [326, 326], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L325_C4", "vector": [8, 2, 0.3432, 0.0011, 2, 0.67, 0.0, 837, 3, 1, 0, 0, 0, 0, 5], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " fp.write('%s: %s,\\n' % (repr(Utf8(key)), repr(Utf8(contents[key]))))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L327_C4", "label": "write()", "type": "expression", "loc": [327, 327], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "vector": [8, 1, 0.3442, 0.0011, 1, 0.4, 0.8, 837, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "write", "arg_names": [], "import_names": [], "rhs_call_name": "write", "annotation": ""}, "snippet": " fp.write('}\\n')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L328_C4", "label": "close()", "type": "expression", "loc": [328, 328], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "vector": [8, 1, 0.3453, 0.0011, 1, 0.4, 1.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " fp.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "label": "lazyT", "type": "class", "loc": [331, 424], "level": 0, "parent": null, "vector": [3, 0, 0.3974, 0.0989, 0, 0.66, 0.8986, 25, 0, 20, 0, 0, 186, 0, 33], "semantic": {"name": "lazyT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class lazyT(object):\n \"\"\"\n never to be called explicitly, returned by\n translator.__call__() or translator.M()\n \"\"\"\n m = s = T = f = t = None\n M = is_copy = False\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L332_C4", "label": "expression", "type": "expression", "loc": [332, 335], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [8, 1, 0.3511, 0.0042, 1, 0.11, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n never to be called explicitly, returned by\n translator.__call__() or translator.M()\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L336_C4", "label": "m =", "type": "assigned_variable", "loc": [336, 336], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [14, 1, 0.3537, 0.0011, 1, 0.11, 0.0455, 711, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "m", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " m = s = T = f = t = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L337_C4", "label": "M =", "type": "assigned_variable", "loc": [337, 337], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [14, 1, 0.3547, 0.0011, 1, 0.11, 0.0909, 727, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "M", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " M = is_copy = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L339_C4", "label": "__init__", "type": "function", "loc": [339, 363], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.3695, 0.0263, 1, 0.11, 0.1364, 555, 0, 7, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "message", "symbols", "T", "filter", "ftag", "M"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(\n self,\n message,\n symbols={},\n T=None,\n filter=None,\n ftag=None,\n M=False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "label": "if", "type": "if", "loc": [348, 363], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L339_C4", "vector": [4, 2, 0.3742, 0.0168, 2, 0.21, 0.0, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(message, lazyT):\n self.m = message.m\n self.s = message.s\n self.T = message.T\n self.f = message.f\n self.t = message.t\n self.M = message.M\n self.is_copy = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L349_C12", "label": "self.m =", "type": "assigned_variable", "loc": [349, 349], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3674, 0.0011, 3, 0.67, 0.0, 561, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.m", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.m = message.m"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L350_C12", "label": "self.s =", "type": "assigned_variable", "loc": [350, 350], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3684, 0.0011, 3, 0.67, 0.0769, 737, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.s", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.s = message.s"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L351_C12", "label": "self.T =", "type": "assigned_variable", "loc": [351, 351], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3695, 0.0011, 3, 0.67, 0.1538, 88, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.T", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.T = message.T"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L352_C12", "label": "self.f =", "type": "assigned_variable", "loc": [352, 352], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3705, 0.0011, 3, 0.67, 0.2308, 596, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.f", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.f = message.f"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L353_C12", "label": "self.t =", "type": "assigned_variable", "loc": [353, 353], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3716, 0.0011, 3, 0.67, 0.3077, 670, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.t", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.t = message.t"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L354_C12", "label": "self.M =", "type": "assigned_variable", "loc": [354, 354], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3726, 0.0011, 3, 0.67, 0.3846, 562, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.M", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.M = message.M"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L355_C12", "label": "self.is_copy =", "type": "assigned_variable", "loc": [355, 355], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3737, 0.0011, 3, 0.67, 0.4615, 657, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.is_copy", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.is_copy = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L357_C12", "label": "self.m =", "type": "assigned_variable", "loc": [357, 357], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3758, 0.0011, 3, 0.67, 0.5385, 561, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.m", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.m = message"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L358_C12", "label": "self.s =", "type": "assigned_variable", "loc": [358, 358], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3768, 0.0011, 3, 0.67, 0.6154, 737, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.s", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.s = symbols"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L359_C12", "label": "self.T =", "type": "assigned_variable", "loc": [359, 359], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3779, 0.0011, 3, 0.67, 0.6923, 88, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.T", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.T = T"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L360_C12", "label": "self.f =", "type": "assigned_variable", "loc": [360, 360], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3789, 0.0011, 3, 0.67, 0.7692, 596, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.f", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.f = filter"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L361_C12", "label": "self.t =", "type": "assigned_variable", "loc": [361, 361], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.38, 0.0011, 3, 0.67, 0.8462, 670, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.t", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.t = ftag"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L362_C12", "label": "self.M =", "type": "assigned_variable", "loc": [362, 362], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3811, 0.0011, 3, 0.67, 0.9231, 562, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.M", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.M = M"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L363_C12", "label": "self.is_copy =", "type": "assigned_variable", "loc": [363, 363], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "vector": [14, 3, 0.3821, 0.0011, 3, 0.67, 1.0, 657, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.is_copy", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.is_copy = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L365_C4", "label": "__repr__", "type": "function", "loc": [365, 366], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.3847, 0.0021, 1, 0.11, 0.1818, 204, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "__repr__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __repr__(self):\n return \"<lazyT %s>\" % (repr(Utf8(self.m)), )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L366_C8", "label": "return", "type": "return", "loc": [366, 366], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L365_C4", "vector": [13, 2, 0.3853, 0.0011, 2, 0.43, 0.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return \"<lazyT %s>\" % (repr(Utf8(self.m)), )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L368_C4", "label": "__str__", "type": "function", "loc": [368, 370], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.3884, 0.0032, 1, 0.11, 0.2273, 527, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "__str__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __str__(self):\n return str(self.T.apply_filter(self.m, self.s, self.f, self.t) if self.M else\n self.T.translate(self.m, self.s))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L369_C8", "label": "return", "type": "return", "loc": [369, 370], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L368_C4", "vector": [13, 2, 0.3889, 0.0021, 2, 0.87, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(self.T.apply_filter(self.m, self.s, self.f, self.t) if self.M else\n self.T.translate(self.m, self.s))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L372_C4", "label": "__eq__", "type": "function", "loc": [372, 373], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.3921, 0.0021, 1, 0.11, 0.2727, 763, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "__eq__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __eq__(self, other):\n return str(self) == str(other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L373_C8", "label": "return", "type": "return", "loc": [373, 373], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L372_C4", "vector": [13, 2, 0.3926, 0.0011, 2, 0.96, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(self) == str(other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L375_C4", "label": "__ne__", "type": "function", "loc": [375, 376], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.3953, 0.0021, 1, 0.11, 0.3182, 254, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "__ne__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __ne__(self, other):\n return str(self) != str(other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L376_C8", "label": "return", "type": "return", "loc": [376, 376], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L375_C4", "vector": [13, 2, 0.3958, 0.0011, 2, 0.42, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(self) != str(other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L378_C4", "label": "__add__", "type": "function", "loc": [378, 379], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.3984, 0.0021, 1, 0.11, 0.3636, 899, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "__add__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __add__(self, other):\n return '%s%s' % (self, other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L379_C8", "label": "return", "type": "return", "loc": [379, 379], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L378_C4", "vector": [13, 2, 0.3989, 0.0011, 2, 0.38, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s%s' % (self, other)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L381_C4", "label": "__radd__", "type": "function", "loc": [381, 382], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4016, 0.0021, 1, 0.11, 0.4091, 241, 0, 2, 1, 0, 0, 0, 0], "semantic": {"name": "__radd__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __radd__(self, other):\n return '%s%s' % (other, self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L382_C8", "label": "return", "type": "return", "loc": [382, 382], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L381_C4", "vector": [13, 2, 0.4021, 0.0011, 2, 0.61, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '%s%s' % (other, self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L384_C4", "label": "__mul__", "type": "function", "loc": [384, 385], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4047, 0.0021, 1, 0.11, 0.4545, 215, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__mul__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __mul__(self, other):\n return str(self) * other"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L385_C8", "label": "return", "type": "return", "loc": [385, 385], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L384_C4", "vector": [13, 2, 0.4053, 0.0011, 2, 0.26, 0.0, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(self) * other"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L387_C4", "label": "__cmp__", "type": "function", "loc": [387, 388], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4079, 0.0021, 1, 0.11, 0.5, 271, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "__cmp__", "arg_names": ["self", "other"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __cmp__(self, other):\n return cmp(str(self), str(other))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L388_C8", "label": "return", "type": "return", "loc": [388, 388], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L387_C4", "vector": [13, 2, 0.4084, 0.0011, 2, 0.36, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return cmp(str(self), str(other))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L390_C4", "label": "__hash__", "type": "function", "loc": [390, 391], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4111, 0.0021, 1, 0.11, 0.5455, 49, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "__hash__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __hash__(self):\n return hash(str(self))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L391_C8", "label": "return", "type": "return", "loc": [391, 391], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L390_C4", "vector": [13, 2, 0.4116, 0.0011, 2, 0.9, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return hash(str(self))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L393_C4", "label": "__getattr__", "type": "function", "loc": [393, 394], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4142, 0.0021, 1, 0.11, 0.5909, 210, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "__getattr__", "arg_names": ["self", "name"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __getattr__(self, name):\n return getattr(str(self), name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L394_C8", "label": "return", "type": "return", "loc": [394, 394], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L393_C4", "vector": [13, 2, 0.4147, 0.0011, 2, 0.42, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return getattr(str(self), name)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L396_C4", "label": "__getitem__", "type": "function", "loc": [396, 397], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4174, 0.0021, 1, 0.11, 0.6364, 698, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "__getitem__", "arg_names": ["self", "i"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __getitem__(self, i):\n return str(self)[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L397_C8", "label": "return", "type": "return", "loc": [397, 397], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L396_C4", "vector": [13, 2, 0.4179, 0.0011, 2, 0.14, 0.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(self)[i]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L399_C4", "label": "__getslice__", "type": "function", "loc": [399, 400], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4205, 0.0021, 1, 0.11, 0.6818, 269, 0, 3, 1, 0, 0, 0, 1], "semantic": {"name": "__getslice__", "arg_names": ["self", "i", "j"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __getslice__(self, i, j):\n return str(self)[i:j]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L400_C8", "label": "return", "type": "return", "loc": [400, 400], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L399_C4", "vector": [13, 2, 0.4211, 0.0011, 2, 0.05, 0.0, 0, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(self)[i:j]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L402_C4", "label": "__iter__", "type": "function", "loc": [402, 404], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4242, 0.0032, 1, 0.11, 0.7273, 891, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "__iter__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __iter__(self):\n for c in str(self):\n yield c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:For_L403_C8", "label": "for c", "type": "for", "loc": [403, 404], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L402_C4", "vector": [6, 2, 0.4247, 0.0021, 2, 0.16, 0.0, 411, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for c in str(self):\n yield c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L404_C12", "label": "expression", "type": "expression", "loc": [404, 404], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L403_C8", "vector": [8, 3, 0.4253, 0.0011, 3, 0.13, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " yield c"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L406_C4", "label": "__len__", "type": "function", "loc": [406, 407], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4279, 0.0021, 1, 0.11, 0.7727, 76, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "__len__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __len__(self):\n return len(str(self))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L407_C8", "label": "return", "type": "return", "loc": [407, 407], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L406_C4", "vector": [13, 2, 0.4284, 0.0011, 2, 0.77, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return len(str(self))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L409_C4", "label": "xml", "type": "function", "loc": [409, 410], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4311, 0.0021, 1, 0.11, 0.8182, 324, 0, 1, 1, 0, 0, 0, 3], "semantic": {"name": "xml", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def xml(self):\n return str(self) if self.M else escape(str(self))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L410_C8", "label": "return", "type": "return", "loc": [410, 410], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L409_C4", "vector": [13, 2, 0.4316, 0.0011, 2, 0.47, 0.0, 0, 8, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(self) if self.M else escape(str(self))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L412_C4", "label": "encode", "type": "function", "loc": [412, 413], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4342, 0.0021, 1, 0.11, 0.8636, 623, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "encode", "arg_names": ["self", "a", "b"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def encode(self, *a, **b):\n return str(self).encode(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L413_C8", "label": "return", "type": "return", "loc": [413, 413], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L412_C4", "vector": [13, 2, 0.4347, 0.0011, 2, 0.87, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(self).encode(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L415_C4", "label": "decode", "type": "function", "loc": [415, 416], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4374, 0.0021, 1, 0.11, 0.9091, 528, 0, 3, 1, 0, 0, 0, 2], "semantic": {"name": "decode", "arg_names": ["self", "a", "b"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def decode(self, *a, **b):\n return str(self).decode(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L416_C8", "label": "return", "type": "return", "loc": [416, 416], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L415_C4", "vector": [13, 2, 0.4379, 0.0011, 2, 0.05, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(self).decode(*a, **b)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L418_C4", "label": "read", "type": "function", "loc": [418, 419], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4405, 0.0021, 1, 0.11, 0.9545, 453, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "read", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def read(self):\n return str(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L419_C8", "label": "return", "type": "return", "loc": [419, 419], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L418_C4", "vector": [13, 2, 0.4411, 0.0011, 2, 0.01, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L421_C4", "label": "__mod__", "type": "function", "loc": [421, 424], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "vector": [2, 1, 0.4447, 0.0042, 1, 0.11, 1.0, 476, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "__mod__", "arg_names": ["self", "symbols"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __mod__(self, symbols):\n if self.is_copy:\n return lazyT(self)\n return lazyT(self.m, symbols, self.T, self.f, self.t, self.M)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L422_C8", "label": "if", "type": "if", "loc": [422, 423], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L421_C4", "vector": [4, 2, 0.4447, 0.0021, 2, 0.3, 0.0, 0, 7, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.is_copy:\n return lazyT(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L423_C12", "label": "return", "type": "return", "loc": [423, 423], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L422_C8", "vector": [13, 3, 0.4453, 0.0011, 3, 0.5, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return lazyT(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L424_C8", "label": "return", "type": "return", "loc": [424, 424], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L421_C4", "vector": [13, 2, 0.4463, 0.0011, 2, 0.3, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return lazyT(self.m, symbols, self.T, self.f, self.t, self.M)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "label": "translator", "type": "class", "loc": [427, 888], "level": 0, "parent": null, "vector": [3, 0, 0.6921, 0.4863, 0, 0.66, 0.913, 380, 0, 17, 0, 0, 186, 0, 99], "semantic": {"name": "translator", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class translator(object):\n \"\"\"\n this class is instantiated by gluon.compileapp.build_environment\n as the T object\n ::\n T.force(None) # turns off translation\n T.force('fr, it') # forces web2py to translate using fr.py or it.py\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L428_C4", "label": "expression", "type": "expression", "loc": [428, 445], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [8, 1, 0.4595, 0.0189, 1, 0.81, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n this class is instantiated by gluon.compileapp.build_environment\n as the T object\n ::\n T.force(None) # turns off translation\n T.force('fr, it') # forces web2py to translate using fr.py or it.py\n\n T(\\\"Hello World\\\") # translates \\\"Hello World\\\" using the selected file"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "label": "__init__", "type": "function", "loc": [447, 473], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [2, 1, 0.4842, 0.0284, 1, 0.81, 0.0833, 555, 0, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "langpath", "http_accept_language"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(self, langpath, http_accept_language):\n self.langpath = langpath\n self.http_accept_language = http_accept_language\n self.is_writable = not is_gae\n # filled in self.force():\n #------------------------\n # self.cache\n # self.accepted_language"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L448_C8", "label": "self.langpath =", "type": "assigned_variable", "loc": [448, 448], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "vector": [14, 2, 0.4716, 0.0011, 2, 0.68, 0.0, 891, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.langpath", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.langpath = langpath"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L449_C8", "label": "self.http_accept_language =", "type": "assigned_variable", "loc": [449, 449], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "vector": [14, 2, 0.4726, 0.0011, 2, 0.68, 0.1429, 820, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.http_accept_language", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.http_accept_language = http_accept_language"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L450_C8", "label": "self.is_writable =", "type": "assigned_variable", "loc": [450, 450], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "vector": [14, 2, 0.4737, 0.0011, 2, 0.68, 0.2857, 847, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.is_writable", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.is_writable = not is_gae"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L469_C8", "label": "set_current_languages()", "type": "expression", "loc": [469, 469], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "vector": [8, 2, 0.4937, 0.0011, 2, 0.68, 0.4286, 473, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "set_current_languages", "arg_names": [], "import_names": [], "rhs_call_name": "set_current_languages", "annotation": ""}, "snippet": " self.set_current_languages()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L470_C8", "label": "self.lazy =", "type": "assigned_variable", "loc": [470, 470], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "vector": [14, 2, 0.4947, 0.0011, 2, 0.68, 0.5714, 338, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "self.lazy", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.lazy = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L471_C8", "label": "self.otherTs =", "type": "assigned_variable", "loc": [471, 471], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "vector": [14, 2, 0.4958, 0.0011, 2, 0.68, 0.7143, 629, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.otherTs", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.otherTs = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L472_C8", "label": "self.filter =", "type": "assigned_variable", "loc": [472, 472], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "vector": [14, 2, 0.4968, 0.0011, 2, 0.68, 0.8571, 223, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.filter", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.filter = markmin"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L473_C8", "label": "self.ftag =", "type": "assigned_variable", "loc": [473, 473], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "vector": [14, 2, 0.4979, 0.0011, 2, 0.68, 1.0, 867, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self.ftag", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.ftag = 'markmin'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L475_C4", "label": "get_possible_languages_info", "type": "function", "loc": [475, 507], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [2, 1, 0.5168, 0.0347, 1, 0.81, 0.1667, 414, 0, 2, 1, 0, 0, 0, 2], "semantic": {"name": "get_possible_languages_info", "arg_names": ["self", "lang"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_possible_languages_info(self, lang=None):\n \"\"\"\n return info for selected language or dictionary with all\n possible languages info from APP/languages/*.py\n args:\n *lang* (str): language\n returns:\n if *lang* is defined:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L476_C8", "label": "expression", "type": "expression", "loc": [476, 503], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L475_C4", "vector": [8, 2, 0.5153, 0.0295, 2, 0.43, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n return info for selected language or dictionary with all\n possible languages info from APP/languages/*.py\n args:\n *lang* (str): language\n returns:\n if *lang* is defined:\n return tuple(langcode, langname, langfile_mtime,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L504_C8", "label": "info = read_possible_languages()", "type": "assigned_variable", "loc": [504, 504], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L475_C4", "vector": [14, 2, 0.5305, 0.0011, 2, 0.43, 0.3333, 730, 3, 1, 0, 0, 433, 10, 1], "semantic": {"name": "info", "arg_names": [], "import_names": [], "rhs_call_name": "read_possible_languages", "annotation": ""}, "snippet": " info = read_possible_languages(self.langpath)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L505_C8", "label": "if", "type": "if", "loc": [505, 506], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L475_C4", "vector": [4, 2, 0.5321, 0.0021, 2, 0.43, 0.6667, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lang:\n info = info.get(lang)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L506_C12", "label": "info = get()", "type": "assigned_variable", "loc": [506, 506], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L505_C8", "vector": [14, 3, 0.5326, 0.0011, 3, 0.02, 0.0, 730, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "info", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " info = info.get(lang)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L507_C8", "label": "return", "type": "return", "loc": [507, 507], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L475_C4", "vector": [13, 2, 0.5337, 0.0011, 2, 0.43, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return info"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L509_C4", "label": "get_possible_languages", "type": "function", "loc": [509, 513], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [2, 1, 0.5379, 0.0053, 1, 0.81, 0.25, 341, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "get_possible_languages", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_possible_languages(self):\n \"\"\" get list of all possible languages for current applications \"\"\"\n return list(set(self.current_languages +\n [lang for lang in read_possible_languages(self.langpath).iterkeys()\n if lang != 'default']))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L510_C8", "label": "expression", "type": "expression", "loc": [510, 510], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L509_C4", "vector": [8, 2, 0.5368, 0.0011, 2, 0.35, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" get list of all possible languages for current applications \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L511_C8", "label": "return", "type": "return", "loc": [511, 513], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L509_C4", "vector": [13, 2, 0.5389, 0.0032, 2, 0.35, 1.0, 0, 3, 0, 0, 0, 0, 10, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return list(set(self.current_languages +\n [lang for lang in read_possible_languages(self.langpath).iterkeys()\n if lang != 'default']))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L515_C4", "label": "set_current_languages", "type": "function", "loc": [515, 539], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [2, 1, 0.5547, 0.0263, 1, 0.81, 0.3333, 473, 0, 2, 0, 0, 0, 0, 7], "semantic": {"name": "set_current_languages", "arg_names": ["self", "languages"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def set_current_languages(self, *languages):\n \"\"\"\n set current AKA \"default\" languages\n setting one of this languages makes force() function\n turn translation off to use default language\n \"\"\"\n if len(languages) == 1 and isinstance(\n languages[0], (tuple, list)):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L516_C8", "label": "expression", "type": "expression", "loc": [516, 520], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L515_C4", "vector": [8, 2, 0.5453, 0.0053, 2, 0.82, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n set current AKA \"default\" languages\n setting one of this languages makes force() function\n turn translation off to use default language\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L521_C8", "label": "if", "type": "if", "loc": [521, 523], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L515_C4", "vector": [4, 2, 0.5495, 0.0032, 2, 0.82, 0.3333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(languages) == 1 and isinstance(\n languages[0], (tuple, list)):\n languages = languages[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L523_C12", "label": "languages =", "type": "assigned_variable", "loc": [523, 523], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L521_C8", "vector": [14, 3, 0.5505, 0.0011, 3, 0.9, 0.0, 126, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "languages", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " languages = languages[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L524_C8", "label": "if", "type": "if", "loc": [524, 538], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L515_C4", "vector": [4, 2, 0.5589, 0.0158, 2, 0.82, 0.6667, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not languages or languages[0] is None:\n # set default language from default.py/DEFAULT_LANGUAGE\n pl_info = self.get_possible_languages_info('default')\n if pl_info[2] == 0: # langfile_mtime\n # if languages/default.py is not found\n self.default_language_file = self.langpath\n self.default_t = {}\n self.current_languages = [DEFAULT_LANGUAGE]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L526_C12", "label": "pl_info = get_possible_languages_info()", "type": "assigned_variable", "loc": [526, 526], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L524_C8", "vector": [14, 3, 0.5537, 0.0011, 3, 0.51, 0.0, 982, 3, 1, 0, 0, 414, 10, 1], "semantic": {"name": "pl_info", "arg_names": [], "import_names": [], "rhs_call_name": "get_possible_languages_info", "annotation": ""}, "snippet": " pl_info = self.get_possible_languages_info('default')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "label": "if", "type": "if", "loc": [527, 536], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L524_C8", "vector": [4, 3, 0.5595, 0.0105, 3, 0.51, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pl_info[2] == 0: # langfile_mtime\n # if languages/default.py is not found\n self.default_language_file = self.langpath\n self.default_t = {}\n self.current_languages = [DEFAULT_LANGUAGE]\n else:\n self.default_language_file = pjoin(self.langpath,\n 'default.py')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L529_C16", "label": "self.default_language_file =", "type": "assigned_variable", "loc": [529, 529], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "vector": [14, 4, 0.5568, 0.0011, 4, 0.11, 0.0, 321, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.default_language_file", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.default_language_file = self.langpath"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L530_C16", "label": "self.default_t =", "type": "assigned_variable", "loc": [530, 530], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "vector": [14, 4, 0.5579, 0.0011, 4, 0.11, 0.2, 852, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.default_t", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.default_t = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L531_C16", "label": "self.current_languages =", "type": "assigned_variable", "loc": [531, 531], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "vector": [14, 4, 0.5589, 0.0011, 4, 0.11, 0.4, 413, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.current_languages", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.current_languages = [DEFAULT_LANGUAGE]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L533_C16", "label": "self.default_language_file = pjoin()", "type": "assigned_variable", "loc": [533, 534], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "vector": [14, 4, 0.5616, 0.0021, 4, 0.11, 0.6, 321, 3, 2, 0, 0, 250, 10, 1], "semantic": {"name": "self.default_language_file", "arg_names": [], "import_names": [], "rhs_call_name": "pjoin", "annotation": ""}, "snippet": " self.default_language_file = pjoin(self.langpath,\n 'default.py')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L535_C16", "label": "self.default_t = read_dict()", "type": "assigned_variable", "loc": [535, 535], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "vector": [14, 4, 0.5632, 0.0011, 4, 0.11, 0.8, 852, 3, 1, 0, 0, 416, 10, 1], "semantic": {"name": "self.default_t", "arg_names": [], "import_names": [], "rhs_call_name": "read_dict", "annotation": ""}, "snippet": " self.default_t = read_dict(self.default_language_file)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L536_C16", "label": "self.current_languages =", "type": "assigned_variable", "loc": [536, 536], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "vector": [14, 4, 0.5642, 0.0011, 4, 0.11, 1.0, 413, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.current_languages", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.current_languages = [pl_info[0]] # !langcode!"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L538_C12", "label": "self.current_languages = list()", "type": "assigned_variable", "loc": [538, 538], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L524_C8", "vector": [14, 3, 0.5663, 0.0011, 3, 0.51, 1.0, 413, 3, 1, 0, 0, 430, 10, 1], "semantic": {"name": "self.current_languages", "arg_names": [], "import_names": [], "rhs_call_name": "list", "annotation": ""}, "snippet": " self.current_languages = list(languages)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L539_C8", "label": "force()", "type": "expression", "loc": [539, 539], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L515_C4", "vector": [8, 2, 0.5674, 0.0011, 2, 0.82, 1.0, 77, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "force", "arg_names": [], "import_names": [], "rhs_call_name": "force", "annotation": ""}, "snippet": " self.force(self.http_accept_language)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L541_C4", "label": "plural", "type": "function", "loc": [541, 577], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [2, 1, 0.5884, 0.0389, 1, 0.81, 0.4167, 235, 0, 3, 1, 0, 0, 0, 9], "semantic": {"name": "plural", "arg_names": ["self", "word", "n"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def plural(self, word, n):\n \"\"\" get plural form of word for number *n*\n NOTE: *word\" MUST be defined in current language\n (T.accepted_language)\n\n invoked from T()/T.M() in %%{} tag\n args:\n word (str): word in singular"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L542_C8", "label": "expression", "type": "expression", "loc": [542, 553], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L541_C4", "vector": [8, 2, 0.5763, 0.0126, 2, 0.92, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" get plural form of word for number *n*\n NOTE: *word\" MUST be defined in current language\n (T.accepted_language)\n\n invoked from T()/T.M() in %%{} tag\n args:\n word (str): word in singular\n n (numeric): number plural form created for"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L554_C8", "label": "if", "type": "if", "loc": [554, 576], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L541_C4", "vector": [4, 2, 0.5947, 0.0242, 2, 0.92, 0.5, 0, 0, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if int(n) == 1:\n return word\n elif word:\n id = self.get_plural_id(abs(int(n)))\n # id = 0 singular form\n # id = 1 first plural form\n # id = 2 second plural form\n # etc."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L555_C12", "label": "return", "type": "return", "loc": [555, 555], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L554_C8", "vector": [13, 3, 0.5842, 0.0011, 3, 0.99, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return word"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L556_C8", "label": "if", "type": "if", "loc": [556, 576], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L554_C8", "vector": [4, 3, 0.5958, 0.0221, 3, 0.99, 1.0, 0, 2, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif word:\n id = self.get_plural_id(abs(int(n)))\n # id = 0 singular form\n # id = 1 first plural form\n # id = 2 second plural form\n # etc.\n if id != 0:\n forms = self.plural_dict.get(word, [])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L557_C12", "label": "id = get_plural_id()", "type": "assigned_variable", "loc": [557, 557], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L556_C8", "vector": [14, 4, 0.5863, 0.0011, 4, 0.78, 0.0, 941, 3, 1, 0, 0, 283, 10, 3], "semantic": {"name": "id", "arg_names": [], "import_names": [], "rhs_call_name": "get_plural_id", "annotation": ""}, "snippet": " id = self.get_plural_id(abs(int(n)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L562_C12", "label": "if", "type": "if", "loc": [562, 576], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L556_C8", "vector": [4, 4, 0.5989, 0.0158, 4, 0.78, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if id != 0:\n forms = self.plural_dict.get(word, [])\n if len(forms) >= id:\n # have this plural form:\n return forms[id - 1]\n else:\n # guessing this plural form\n forms += [''] * (self.nplurals - len(forms) - 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L563_C16", "label": "forms = get()", "type": "assigned_variable", "loc": [563, 563], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L562_C12", "vector": [14, 5, 0.5926, 0.0011, 5, 0.54, 0.0, 857, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "forms", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " forms = self.plural_dict.get(word, [])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "label": "if", "type": "if", "loc": [564, 576], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L562_C12", "vector": [4, 5, 0.6, 0.0137, 5, 0.54, 1.0, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(forms) >= id:\n # have this plural form:\n return forms[id - 1]\n else:\n # guessing this plural form\n forms += [''] * (self.nplurals - len(forms) - 1)\n form = self.construct_plural_form(word, id)\n forms[id - 1] = form"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L566_C20", "label": "return", "type": "return", "loc": [566, 566], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "vector": [13, 6, 0.5958, 0.0011, 6, 0.41, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return forms[id - 1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L570_C20", "label": "form = construct_plural_form()", "type": "assigned_variable", "loc": [570, 570], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "vector": [14, 6, 0.6, 0.0011, 6, 0.41, 0.2, 761, 3, 2, 0, 0, 772, 10, 1], "semantic": {"name": "form", "arg_names": [], "import_names": [], "rhs_call_name": "construct_plural_form", "annotation": ""}, "snippet": " form = self.construct_plural_form(word, id)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L571_C20", "label": "assign", "type": "assigned_variable", "loc": [571, 571], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "vector": [14, 6, 0.6011, 0.0011, 6, 0.41, 0.4, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " forms[id - 1] = form"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L572_C20", "label": "assign", "type": "assigned_variable", "loc": [572, 572], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "vector": [14, 6, 0.6021, 0.0011, 6, 0.41, 0.6, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.plural_dict[word] = forms"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L573_C20", "label": "if", "type": "if", "loc": [573, 575], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "vector": [4, 6, 0.6042, 0.0032, 6, 0.41, 0.8, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.is_writable and self.plural_file:\n write_plural_dict(self.plural_file,\n self.plural_dict)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L574_C24", "label": "write_plural_dict()", "type": "expression", "loc": [574, 575], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L573_C20", "vector": [8, 7, 0.6047, 0.0021, 7, 0.74, 0.0, 694, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "write_plural_dict", "arg_names": [], "import_names": [], "rhs_call_name": "write_plural_dict", "annotation": ""}, "snippet": " write_plural_dict(self.plural_file,\n self.plural_dict)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L576_C20", "label": "return", "type": "return", "loc": [576, 576], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "vector": [13, 6, 0.6063, 0.0011, 6, 0.41, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return form"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L577_C8", "label": "return", "type": "return", "loc": [577, 577], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L541_C4", "vector": [13, 2, 0.6074, 0.0011, 2, 0.92, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return word"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "label": "force", "type": "function", "loc": [579, 663], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [2, 1, 0.6537, 0.0895, 1, 0.81, 0.5, 77, 0, 2, 1, 0, 0, 0, 21], "semantic": {"name": "force", "arg_names": ["self", "languages"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def force(self, *languages):\n \"\"\"\n\n select language(s) for translation\n\n if a list of languages is passed as a parameter,\n first language from this list that matches the ones\n from the possible_languages dictionary will be"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L580_C8", "label": "expression", "type": "expression", "loc": [580, 591], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [8, 2, 0.6163, 0.0126, 2, 0.4, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n\n select language(s) for translation\n\n if a list of languages is passed as a parameter,\n first language from this list that matches the ones\n from the possible_languages dictionary will be\n selected"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L592_C8", "label": "pl_info = read_possible_languages()", "type": "assigned_variable", "loc": [592, 592], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [14, 2, 0.6232, 0.0011, 2, 0.4, 0.0833, 982, 3, 1, 0, 0, 433, 10, 1], "semantic": {"name": "pl_info", "arg_names": [], "import_names": [], "rhs_call_name": "read_possible_languages", "annotation": ""}, "snippet": " pl_info = read_possible_languages(self.langpath)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L594_C8", "label": "set_plural", "type": "function", "loc": [594, 620], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [2, 2, 0.6389, 0.0284, 2, 0.4, 0.1667, 138, 0, 1, 0, 0, 0, 0, 3], "semantic": {"name": "set_plural", "arg_names": ["language"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def set_plural(language):\n \"\"\"\n initialize plural forms subsystem\n \"\"\"\n lang_info = pl_info.get(language)\n if lang_info:\n (pname,\n pmtime,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L595_C12", "label": "expression", "type": "expression", "loc": [595, 597], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L594_C8", "vector": [8, 3, 0.6274, 0.0032, 3, 0.84, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n initialize plural forms subsystem\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L598_C12", "label": "lang_info = get()", "type": "assigned_variable", "loc": [598, 598], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L594_C8", "vector": [14, 3, 0.6295, 0.0011, 3, 0.84, 0.5, 868, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "lang_info", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " lang_info = pl_info.get(language)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "label": "if", "type": "if", "loc": [599, 620], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L594_C8", "vector": [4, 3, 0.6416, 0.0232, 3, 0.84, 1.0, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lang_info:\n (pname,\n pmtime,\n self.plural_language,\n self.nplurals,\n self.get_plural_id,\n self.construct_plural_form\n ) = lang_info[3:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L600_C16", "label": "pname, pmtime =", "type": "assigned_variable", "loc": [600, 606], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "vector": [14, 4, 0.6347, 0.0074, 4, 0.25, 0.0, 542, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "pname, pmtime", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " (pname,\n pmtime,\n self.plural_language,\n self.nplurals,\n self.get_plural_id,\n self.construct_plural_form\n ) = lang_info[3:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L607_C16", "label": "pdict =", "type": "assigned_variable", "loc": [607, 607], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "vector": [14, 4, 0.6389, 0.0011, 4, 0.25, 0.1, 423, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "pdict", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " pdict = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L608_C16", "label": "if", "type": "if", "loc": [608, 611], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "vector": [4, 4, 0.6416, 0.0042, 4, 0.25, 0.2, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pname:\n pname = pjoin(self.langpath, pname)\n if pmtime != 0:\n pdict = read_plural_dict(pname)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L609_C20", "label": "pname = pjoin()", "type": "assigned_variable", "loc": [609, 609], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L608_C16", "vector": [14, 5, 0.6411, 0.0011, 5, 0.97, 0.0, 10, 3, 2, 0, 0, 250, 10, 1], "semantic": {"name": "pname", "arg_names": [], "import_names": [], "rhs_call_name": "pjoin", "annotation": ""}, "snippet": " pname = pjoin(self.langpath, pname)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L610_C20", "label": "if", "type": "if", "loc": [610, 611], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L608_C16", "vector": [4, 5, 0.6426, 0.0021, 5, 0.97, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if pmtime != 0:\n pdict = read_plural_dict(pname)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L611_C24", "label": "pdict = read_plural_dict()", "type": "assigned_variable", "loc": [611, 611], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L610_C20", "vector": [14, 6, 0.6432, 0.0011, 6, 0.47, 0.0, 423, 3, 1, 0, 0, 859, 10, 1], "semantic": {"name": "pdict", "arg_names": [], "import_names": [], "rhs_call_name": "read_plural_dict", "annotation": ""}, "snippet": " pdict = read_plural_dict(pname)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L612_C16", "label": "self.plural_file =", "type": "assigned_variable", "loc": [612, 612], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "vector": [14, 4, 0.6442, 0.0011, 4, 0.25, 0.3, 764, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.plural_file", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.plural_file = pname"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L613_C16", "label": "self.plural_dict =", "type": "assigned_variable", "loc": [613, 613], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "vector": [14, 4, 0.6453, 0.0011, 4, 0.25, 0.4, 952, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.plural_dict", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.plural_dict = pdict"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L615_C16", "label": "self.plural_language =", "type": "assigned_variable", "loc": [615, 615], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "vector": [14, 4, 0.6474, 0.0011, 4, 0.25, 0.5, 782, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self.plural_language", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.plural_language = 'default'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L616_C16", "label": "self.nplurals =", "type": "assigned_variable", "loc": [616, 616], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "vector": [14, 4, 0.6484, 0.0011, 4, 0.25, 0.6, 697, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.nplurals", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.nplurals = DEFAULT_NPLURALS"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L617_C16", "label": "self.get_plural_id =", "type": "assigned_variable", "loc": [617, 617], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "vector": [14, 4, 0.6495, 0.0011, 4, 0.25, 0.7, 115, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.get_plural_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.get_plural_id = DEFAULT_GET_PLURAL_ID"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L618_C16", "label": "self.construct_plural_form =", "type": "assigned_variable", "loc": [618, 618], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "vector": [14, 4, 0.6505, 0.0011, 4, 0.25, 0.8, 733, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.construct_plural_form", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.construct_plural_form = DEFAULT_CONSTRUCT_PLURAL_FORM"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L619_C16", "label": "self.plural_file =", "type": "assigned_variable", "loc": [619, 619], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "vector": [14, 4, 0.6516, 0.0011, 4, 0.25, 0.9, 764, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.plural_file", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.plural_file = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L620_C16", "label": "self.plural_dict =", "type": "assigned_variable", "loc": [620, 620], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "vector": [14, 4, 0.6526, 0.0011, 4, 0.25, 1.0, 952, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.plural_dict", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.plural_dict = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L621_C8", "label": "language =", "type": "assigned_variable", "loc": [621, 621], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [14, 2, 0.6537, 0.0011, 2, 0.4, 0.25, 214, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "language", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " language = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L622_C8", "label": "if", "type": "if", "loc": [622, 625], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [4, 2, 0.6563, 0.0042, 2, 0.4, 0.3333, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(languages) == 1 and isinstance(languages[0], str):\n languages = regex_language.findall(languages[0].lower())\n elif not languages or languages[0] is None:\n languages = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L623_C12", "label": "languages = findall()", "type": "assigned_variable", "loc": [623, 623], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L622_C8", "vector": [14, 3, 0.6558, 0.0011, 3, 0.53, 0.0, 126, 3, 1, 0, 0, 737, 10, 2], "semantic": {"name": "languages", "arg_names": [], "import_names": [], "rhs_call_name": "findall", "annotation": ""}, "snippet": " languages = regex_language.findall(languages[0].lower())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L624_C8", "label": "if", "type": "if", "loc": [624, 625], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L622_C8", "vector": [4, 3, 0.6574, 0.0021, 3, 0.53, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif not languages or languages[0] is None:\n languages = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L625_C12", "label": "languages =", "type": "assigned_variable", "loc": [625, 625], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L624_C8", "vector": [14, 4, 0.6579, 0.0011, 4, 0.76, 0.0, 126, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "languages", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " languages = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L626_C8", "label": "self.requested_languages = tuple()", "type": "assigned_variable", "loc": [626, 626], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [14, 2, 0.6589, 0.0011, 2, 0.4, 0.4167, 212, 3, 1, 0, 0, 259, 10, 1], "semantic": {"name": "self.requested_languages", "arg_names": [], "import_names": [], "rhs_call_name": "tuple", "annotation": ""}, "snippet": " self.requested_languages = languages = tuple(languages)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L627_C8", "label": "if", "type": "if", "loc": [627, 656], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [4, 2, 0.6753, 0.0316, 2, 0.4, 0.5, 0, 2, 0, 0, 0, 0, 0, 9], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if languages:\n all_languages = set(lang for lang in pl_info.iterkeys()\n if lang != 'default') \\\n | set(self.current_languages)\n for lang in languages:\n # compare \"aa-bb\" | \"aa\" from *language* parameter\n # with strings from langlist using such alghorythm:\n # xx-yy.py -> xx.py -> xx*.py"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L628_C12", "label": "all_languages =", "type": "assigned_variable", "loc": [628, 630], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L627_C8", "vector": [14, 3, 0.6621, 0.0032, 3, 0.17, 0.0, 88, 4, 0, 0, 0, 0, 0, 3], "semantic": {"name": "all_languages", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " all_languages = set(lang for lang in pl_info.iterkeys()\n if lang != 'default') \\\n | set(self.current_languages)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:For_L631_C12", "label": "for lang", "type": "for", "loc": [631, 656], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L627_C8", "vector": [6, 3, 0.6774, 0.0274, 3, 0.17, 1.0, 312, 2, 0, 0, 0, 0, 0, 6], "semantic": {"name": "lang", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for lang in languages:\n # compare \"aa-bb\" | \"aa\" from *language* parameter\n # with strings from langlist using such alghorythm:\n # xx-yy.py -> xx.py -> xx*.py\n lang5 = lang[:5]\n if lang5 in all_languages:\n language = lang5\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L635_C16", "label": "lang5 =", "type": "assigned_variable", "loc": [635, 635], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L631_C12", "vector": [14, 4, 0.6684, 0.0011, 4, 0.32, 0.0, 560, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lang5", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lang5 = lang[:5]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L636_C16", "label": "if", "type": "if", "loc": [636, 645], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L631_C12", "vector": [4, 4, 0.6742, 0.0105, 4, 0.32, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lang5 in all_languages:\n language = lang5\n else:\n lang2 = lang[:2]\n if len(lang5) > 2 and lang2 in all_languages:\n language = lang2\n else:\n for l in all_languages:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L637_C20", "label": "language =", "type": "assigned_variable", "loc": [637, 637], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L636_C16", "vector": [14, 5, 0.6705, 0.0011, 5, 0.56, 0.0, 214, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "language", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " language = lang5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L639_C20", "label": "lang2 =", "type": "assigned_variable", "loc": [639, 639], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L636_C16", "vector": [14, 5, 0.6726, 0.0011, 5, 0.56, 0.5, 538, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lang2", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lang2 = lang[:2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L640_C20", "label": "if", "type": "if", "loc": [640, 645], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L636_C16", "vector": [4, 5, 0.6763, 0.0063, 5, 0.56, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(lang5) > 2 and lang2 in all_languages:\n language = lang2\n else:\n for l in all_languages:\n if l[:2] == lang2:\n language = l"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L641_C24", "label": "language =", "type": "assigned_variable", "loc": [641, 641], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L640_C20", "vector": [14, 6, 0.6747, 0.0011, 6, 0.03, 0.0, 214, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "language", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " language = lang2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:For_L643_C24", "label": "for l", "type": "for", "loc": [643, 645], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L640_C20", "vector": [6, 6, 0.6779, 0.0032, 6, 0.03, 1.0, 810, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "l", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for l in all_languages:\n if l[:2] == lang2:\n language = l"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L644_C28", "label": "if", "type": "if", "loc": [644, 645], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L643_C24", "vector": [4, 7, 0.6784, 0.0021, 7, 0.56, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if l[:2] == lang2:\n language = l"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L645_C32", "label": "language =", "type": "assigned_variable", "loc": [645, 645], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L644_C28", "vector": [14, 8, 0.6789, 0.0011, 8, 0.38, 0.0, 214, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "language", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " language = l"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "label": "if", "type": "if", "loc": [646, 656], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L631_C12", "vector": [4, 4, 0.6853, 0.0116, 4, 0.32, 1.0, 0, 2, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if language:\n if language in self.current_languages:\n break\n self.language_file = pjoin(self.langpath, language + '.py')\n self.t = read_dict(self.language_file)\n self.cache = global_language_cache.setdefault(\n self.language_file,\n ({}, RLock()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L647_C20", "label": "if", "type": "if", "loc": [647, 648], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "vector": [4, 5, 0.6816, 0.0021, 5, 0.43, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if language in self.current_languages:\n break"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L649_C20", "label": "self.language_file = pjoin()", "type": "assigned_variable", "loc": [649, 649], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "vector": [14, 5, 0.6832, 0.0011, 5, 0.43, 0.1667, 152, 3, 2, 0, 0, 250, 10, 1], "semantic": {"name": "self.language_file", "arg_names": [], "import_names": [], "rhs_call_name": "pjoin", "annotation": ""}, "snippet": " self.language_file = pjoin(self.langpath, language + '.py')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L650_C20", "label": "self.t = read_dict()", "type": "assigned_variable", "loc": [650, 650], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "vector": [14, 5, 0.6842, 0.0011, 5, 0.43, 0.3333, 670, 3, 1, 0, 0, 416, 10, 1], "semantic": {"name": "self.t", "arg_names": [], "import_names": [], "rhs_call_name": "read_dict", "annotation": ""}, "snippet": " self.t = read_dict(self.language_file)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L651_C20", "label": "self.cache = setdefault()", "type": "assigned_variable", "loc": [651, 653], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "vector": [14, 5, 0.6863, 0.0032, 5, 0.43, 0.5, 55, 3, 2, 0, 0, 262, 10, 2], "semantic": {"name": "self.cache", "arg_names": [], "import_names": [], "rhs_call_name": "setdefault", "annotation": ""}, "snippet": " self.cache = global_language_cache.setdefault(\n self.language_file,\n ({}, RLock()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L654_C20", "label": "set_plural()", "type": "expression", "loc": [654, 654], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "vector": [8, 5, 0.6884, 0.0011, 5, 0.43, 0.6667, 138, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "set_plural", "arg_names": [], "import_names": [], "rhs_call_name": "set_plural", "annotation": ""}, "snippet": " set_plural(language)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L655_C20", "label": "self.accepted_language =", "type": "assigned_variable", "loc": [655, 655], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "vector": [14, 5, 0.6895, 0.0011, 5, 0.43, 0.8333, 716, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.accepted_language", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.accepted_language = language"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L656_C20", "label": "return", "type": "return", "loc": [656, 656], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "vector": [13, 5, 0.6905, 0.0011, 5, 0.43, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return languages"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L657_C8", "label": "self.accepted_language =", "type": "assigned_variable", "loc": [657, 657], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [14, 2, 0.6916, 0.0011, 2, 0.4, 0.5833, 716, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.accepted_language", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.accepted_language = language or self.current_languages[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L658_C8", "label": "self.language_file =", "type": "assigned_variable", "loc": [658, 658], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [14, 2, 0.6926, 0.0011, 2, 0.4, 0.6667, 152, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.language_file", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.language_file = self.default_language_file"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L659_C8", "label": "self.cache = setdefault()", "type": "assigned_variable", "loc": [659, 660], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [14, 2, 0.6942, 0.0021, 2, 0.4, 0.75, 55, 3, 2, 0, 0, 262, 10, 2], "semantic": {"name": "self.cache", "arg_names": [], "import_names": [], "rhs_call_name": "setdefault", "annotation": ""}, "snippet": " self.cache = global_language_cache.setdefault(self.language_file,\n ({}, RLock()))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L661_C8", "label": "self.t =", "type": "assigned_variable", "loc": [661, 661], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [14, 2, 0.6958, 0.0011, 2, 0.4, 0.8333, 670, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.t", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.t = self.default_t"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L662_C8", "label": "set_plural()", "type": "expression", "loc": [662, 662], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [8, 2, 0.6968, 0.0011, 2, 0.4, 0.9167, 138, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "set_plural", "arg_names": [], "import_names": [], "rhs_call_name": "set_plural", "annotation": ""}, "snippet": " set_plural(self.accepted_language)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L663_C8", "label": "return", "type": "return", "loc": [663, 663], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "vector": [13, 2, 0.6979, 0.0011, 2, 0.4, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return languages"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L665_C4", "label": "__call__", "type": "function", "loc": [665, 684], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [2, 1, 0.71, 0.0211, 1, 0.81, 0.5833, 319, 0, 5, 1, 0, 0, 0, 5], "semantic": {"name": "__call__", "arg_names": ["self", "message", "symbols", "language", "lazy"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __call__(self, message, symbols={}, language=None, lazy=None):\n \"\"\"\n get cached translated plain text message with inserted parameters(symbols)\n if lazy==True lazyT object is returned\n \"\"\"\n if lazy is None:\n lazy = self.lazy\n if not language:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L666_C8", "label": "expression", "type": "expression", "loc": [666, 669], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L665_C4", "vector": [8, 2, 0.7026, 0.0042, 2, 0.88, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n get cached translated plain text message with inserted parameters(symbols)\n if lazy==True lazyT object is returned\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L670_C8", "label": "if", "type": "if", "loc": [670, 671], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L665_C4", "vector": [4, 2, 0.7058, 0.0021, 2, 0.88, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lazy is None:\n lazy = self.lazy"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L671_C12", "label": "lazy =", "type": "assigned_variable", "loc": [671, 671], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L670_C8", "vector": [14, 3, 0.7063, 0.0011, 3, 0.73, 0.0, 528, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lazy", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lazy = self.lazy"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L672_C8", "label": "if", "type": "if", "loc": [672, 684], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L665_C4", "vector": [4, 2, 0.7137, 0.0137, 2, 0.88, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not language:\n if lazy:\n return lazyT(message, symbols, self)\n else:\n return self.translate(message, symbols)\n else:\n try:\n otherT = self.otherTs[language]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L673_C12", "label": "if", "type": "if", "loc": [673, 676], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L672_C8", "vector": [4, 3, 0.71, 0.0042, 3, 0.35, 0.0, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lazy:\n return lazyT(message, symbols, self)\n else:\n return self.translate(message, symbols)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L674_C16", "label": "return", "type": "return", "loc": [674, 674], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L673_C12", "vector": [13, 4, 0.7095, 0.0011, 4, 0.12, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return lazyT(message, symbols, self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L676_C16", "label": "return", "type": "return", "loc": [676, 676], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L673_C12", "vector": [13, 4, 0.7116, 0.0011, 4, 0.12, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.translate(message, symbols)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L678_C12", "label": "try", "type": "try", "loc": [678, 683], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L672_C8", "vector": [7, 3, 0.7163, 0.0063, 3, 0.35, 0.5, 0, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n otherT = self.otherTs[language]\n except KeyError:\n otherT = self.otherTs[language] = translator(\n self.langpath, self.http_accept_language)\n otherT.force(language)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L679_C16", "label": "otherT =", "type": "assigned_variable", "loc": [679, 679], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L678_C12", "vector": [14, 4, 0.7147, 0.0011, 4, 0.2, 0.0, 881, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "otherT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " otherT = self.otherTs[language]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L681_C16", "label": "otherT = translator()", "type": "assigned_variable", "loc": [681, 682], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L678_C12", "vector": [14, 4, 0.7174, 0.0021, 4, 0.2, 0.0, 881, 3, 2, 0, 0, 380, 10, 1], "semantic": {"name": "otherT", "arg_names": [], "import_names": [], "rhs_call_name": "translator", "annotation": ""}, "snippet": " otherT = self.otherTs[language] = translator(\n self.langpath, self.http_accept_language)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L683_C16", "label": "force()", "type": "expression", "loc": [683, 683], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L678_C12", "vector": [8, 4, 0.7189, 0.0011, 4, 0.2, 1.0, 77, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "force", "arg_names": [], "import_names": [], "rhs_call_name": "force", "annotation": ""}, "snippet": " otherT.force(language)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L684_C12", "label": "return", "type": "return", "loc": [684, 684], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L672_C8", "vector": [13, 3, 0.72, 0.0011, 3, 0.35, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return otherT(message, symbols, lazy=lazy)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L686_C4", "label": "apply_filter", "type": "function", "loc": [686, 711], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [2, 1, 0.7353, 0.0274, 1, 0.81, 0.6667, 93, 0, 5, 1, 0, 0, 0, 19], "semantic": {"name": "apply_filter", "arg_names": ["self", "message", "symbols", "filter", "ftag"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def apply_filter(self, message, symbols={}, filter=None, ftag=None):\n def get_tr(message, prefix, filter):\n s = self.get_t(message, prefix)\n return filter(s) if filter else self.filter(s)\n if filter:\n prefix = '@' + (ftag or 'userdef') + '\\x01'\n else:\n prefix = '@' + self.ftag + '\\x01'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L687_C8", "label": "get_tr", "type": "function", "loc": [687, 689], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L686_C4", "vector": [2, 2, 0.7242, 0.0032, 2, 0.28, 0.0, 699, 0, 3, 1, 0, 0, 0, 3], "semantic": {"name": "get_tr", "arg_names": ["message", "prefix", "filter"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_tr(message, prefix, filter):\n s = self.get_t(message, prefix)\n return filter(s) if filter else self.filter(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L688_C12", "label": "s = get_t()", "type": "assigned_variable", "loc": [688, 688], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L687_C8", "vector": [14, 3, 0.7242, 0.0011, 3, 0.24, 0.0, 553, 3, 2, 0, 0, 863, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "get_t", "annotation": ""}, "snippet": " s = self.get_t(message, prefix)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L689_C12", "label": "return", "type": "return", "loc": [689, 689], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L687_C8", "vector": [13, 3, 0.7253, 0.0011, 3, 0.24, 1.0, 0, 8, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return filter(s) if filter else self.filter(s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L690_C8", "label": "if", "type": "if", "loc": [690, 693], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L686_C4", "vector": [4, 2, 0.7279, 0.0042, 2, 0.28, 0.25, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if filter:\n prefix = '@' + (ftag or 'userdef') + '\\x01'\n else:\n prefix = '@' + self.ftag + '\\x01'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L691_C12", "label": "prefix =", "type": "assigned_variable", "loc": [691, 691], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L690_C8", "vector": [14, 3, 0.7274, 0.0011, 3, 0.93, 0.0, 284, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prefix", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prefix = '@' + (ftag or 'userdef') + '\\x01'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L693_C12", "label": "prefix =", "type": "assigned_variable", "loc": [693, 693], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L690_C8", "vector": [14, 3, 0.7295, 0.0011, 3, 0.93, 1.0, 284, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "prefix", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " prefix = '@' + self.ftag + '\\x01'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L694_C8", "label": "message = get_from_cache()", "type": "assigned_variable", "loc": [694, 696], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L686_C4", "vector": [14, 2, 0.7316, 0.0032, 2, 0.28, 0.5, 635, 3, 3, 0, 0, 362, 10, 2], "semantic": {"name": "message", "arg_names": [], "import_names": [], "rhs_call_name": "get_from_cache", "annotation": ""}, "snippet": " message = get_from_cache(\n self.cache, prefix + message,\n lambda: get_tr(message, prefix, filter))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L697_C8", "label": "if", "type": "if", "loc": [697, 710], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L686_C4", "vector": [4, 2, 0.7405, 0.0147, 2, 0.28, 0.75, 0, 0, 0, 0, 0, 0, 0, 12], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if symbols or symbols == 0 or symbols == \"\":\n if isinstance(symbols, dict):\n symbols.update(\n (key, xmlescape(value).translate(ttab_in))\n for key, value in symbols.iteritems()\n if not isinstance(value, NUMBERS))\n else:\n if not isinstance(symbols, tuple):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L698_C12", "label": "if", "type": "if", "loc": [698, 709], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L697_C8", "vector": [4, 3, 0.7405, 0.0126, 3, 0.4, 0.0, 0, 3, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(symbols, dict):\n symbols.update(\n (key, xmlescape(value).translate(ttab_in))\n for key, value in symbols.iteritems()\n if not isinstance(value, NUMBERS))\n else:\n if not isinstance(symbols, tuple):\n symbols = (symbols,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L699_C16", "label": "update()", "type": "expression", "loc": [699, 702], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L698_C12", "vector": [8, 4, 0.7374, 0.0042, 4, 0.05, 0.0, 637, 3, 1, 0, 0, 0, 0, 5], "semantic": {"name": "update", "arg_names": [], "import_names": [], "rhs_call_name": "update", "annotation": ""}, "snippet": " symbols.update(\n (key, xmlescape(value).translate(ttab_in))\n for key, value in symbols.iteritems()\n if not isinstance(value, NUMBERS))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L704_C16", "label": "if", "type": "if", "loc": [704, 705], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L698_C12", "vector": [4, 4, 0.7416, 0.0021, 4, 0.05, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(symbols, tuple):\n symbols = (symbols,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L705_C20", "label": "symbols =", "type": "assigned_variable", "loc": [705, 705], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L704_C16", "vector": [14, 5, 0.7421, 0.0011, 5, 0.11, 0.0, 373, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "symbols", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " symbols = (symbols,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L706_C16", "label": "symbols = tuple()", "type": "assigned_variable", "loc": [706, 709], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L698_C12", "vector": [14, 4, 0.7447, 0.0042, 4, 0.05, 1.0, 373, 3, 1, 0, 0, 259, 10, 4], "semantic": {"name": "symbols", "arg_names": [], "import_names": [], "rhs_call_name": "tuple", "annotation": ""}, "snippet": " symbols = tuple(\n value if isinstance(value, NUMBERS)\n else xmlescape(value).translate(ttab_in)\n for value in symbols)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L710_C12", "label": "message = params_substitution()", "type": "assigned_variable", "loc": [710, 710], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L697_C8", "vector": [14, 3, 0.7474, 0.0011, 3, 0.4, 1.0, 635, 3, 2, 0, 0, 528, 10, 1], "semantic": {"name": "message", "arg_names": [], "import_names": [], "rhs_call_name": "params_substitution", "annotation": ""}, "snippet": " message = self.params_substitution(message, symbols)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L711_C8", "label": "return", "type": "return", "loc": [711, 711], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L686_C4", "vector": [13, 2, 0.7484, 0.0011, 2, 0.28, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return XML(message.translate(ttab_out))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L713_C4", "label": "M", "type": "function", "loc": [713, 732], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [2, 1, 0.7605, 0.0211, 1, 0.81, 0.75, 727, 0, 7, 1, 0, 0, 0, 5], "semantic": {"name": "M", "arg_names": ["self", "message", "symbols", "language", "lazy", "filter", "ftag"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def M(self, message, symbols={}, language=None,\n lazy=None, filter=None, ftag=None):\n \"\"\"\n get cached translated markmin-message with inserted parametes\n if lazy==True lazyT object is returned\n \"\"\"\n if lazy is None:\n lazy = self.lazy"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L715_C8", "label": "expression", "type": "expression", "loc": [715, 718], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L713_C4", "vector": [8, 2, 0.7542, 0.0042, 2, 0.27, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n get cached translated markmin-message with inserted parametes\n if lazy==True lazyT object is returned\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L719_C8", "label": "if", "type": "if", "loc": [719, 720], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L713_C4", "vector": [4, 2, 0.7574, 0.0021, 2, 0.27, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lazy is None:\n lazy = self.lazy"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L720_C12", "label": "lazy =", "type": "assigned_variable", "loc": [720, 720], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L719_C8", "vector": [14, 3, 0.7579, 0.0011, 3, 0.37, 0.0, 528, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lazy", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lazy = self.lazy"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L721_C8", "label": "if", "type": "if", "loc": [721, 732], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L713_C4", "vector": [4, 2, 0.7647, 0.0126, 2, 0.27, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not language:\n if lazy:\n return lazyT(message, symbols, self, filter, ftag, True)\n else:\n return self.apply_filter(message, symbols, filter, ftag)\n else:\n try:\n otherT = self.otherTs[language]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L722_C12", "label": "if", "type": "if", "loc": [722, 725], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L721_C8", "vector": [4, 3, 0.7616, 0.0042, 3, 0.06, 0.0, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lazy:\n return lazyT(message, symbols, self, filter, ftag, True)\n else:\n return self.apply_filter(message, symbols, filter, ftag)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L723_C16", "label": "return", "type": "return", "loc": [723, 723], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L722_C12", "vector": [13, 4, 0.7611, 0.0011, 4, 0.96, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return lazyT(message, symbols, self, filter, ftag, True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L725_C16", "label": "return", "type": "return", "loc": [725, 725], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L722_C12", "vector": [13, 4, 0.7632, 0.0011, 4, 0.96, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.apply_filter(message, symbols, filter, ftag)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L727_C12", "label": "try", "type": "try", "loc": [727, 731], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L721_C8", "vector": [7, 3, 0.7674, 0.0053, 3, 0.06, 0.5, 0, 0, 1, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n otherT = self.otherTs[language]\n except KeyError:\n otherT = self.otherTs[language] = translator(self.request)\n otherT.force(language)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L728_C16", "label": "otherT =", "type": "assigned_variable", "loc": [728, 728], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L727_C12", "vector": [14, 4, 0.7663, 0.0011, 4, 0.08, 0.0, 881, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "otherT", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " otherT = self.otherTs[language]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L730_C16", "label": "otherT = translator()", "type": "assigned_variable", "loc": [730, 730], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L727_C12", "vector": [14, 4, 0.7684, 0.0011, 4, 0.08, 0.0, 881, 3, 1, 0, 0, 380, 10, 1], "semantic": {"name": "otherT", "arg_names": [], "import_names": [], "rhs_call_name": "translator", "annotation": ""}, "snippet": " otherT = self.otherTs[language] = translator(self.request)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L731_C16", "label": "force()", "type": "expression", "loc": [731, 731], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L727_C12", "vector": [8, 4, 0.7695, 0.0011, 4, 0.08, 1.0, 77, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "force", "arg_names": [], "import_names": [], "rhs_call_name": "force", "annotation": ""}, "snippet": " otherT.force(language)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L732_C12", "label": "return", "type": "return", "loc": [732, 732], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L721_C8", "vector": [13, 3, 0.7705, 0.0011, 3, 0.06, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return otherT.M(message, symbols, lazy=lazy)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "label": "get_t", "type": "function", "loc": [734, 765], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [2, 1, 0.7889, 0.0337, 1, 0.81, 0.8333, 863, 0, 3, 1, 0, 0, 0, 12], "semantic": {"name": "get_t", "arg_names": ["self", "message", "prefix"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def get_t(self, message, prefix=''):\n \"\"\"\n user ## to add a comment into a translation string\n the comment can be useful do discriminate different possible\n translations for the same string (for example different locations)\n\n T(' hello world ') -> ' hello world '\n T(' hello world ## token') -> ' hello world '"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L735_C8", "label": "expression", "type": "expression", "loc": [735, 746], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "vector": [8, 2, 0.7795, 0.0126, 2, 0.32, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n user ## to add a comment into a translation string\n the comment can be useful do discriminate different possible\n translations for the same string (for example different locations)\n\n T(' hello world ') -> ' hello world '\n T(' hello world ## token') -> ' hello world '\n T('hello ## world## token') -> 'hello ## world'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L747_C8", "label": "if", "type": "if", "loc": [747, 748], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "vector": [4, 2, 0.7868, 0.0021, 2, 0.32, 0.1111, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(message, unicode):\n message = message.encode('utf8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L748_C12", "label": "message = encode()", "type": "assigned_variable", "loc": [748, 748], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L747_C8", "vector": [14, 3, 0.7874, 0.0011, 3, 0.56, 0.0, 635, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "message", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " message = message.encode('utf8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L749_C8", "label": "if", "type": "if", "loc": [749, 750], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "vector": [4, 2, 0.7889, 0.0021, 2, 0.32, 0.2222, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(prefix, unicode):\n prefix = prefix.encode('utf8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L750_C12", "label": "prefix = encode()", "type": "assigned_variable", "loc": [750, 750], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L749_C8", "vector": [14, 3, 0.7895, 0.0011, 3, 0.6, 0.0, 284, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "prefix", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " prefix = prefix.encode('utf8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L751_C8", "label": "key =", "type": "assigned_variable", "loc": [751, 751], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "vector": [14, 2, 0.7905, 0.0011, 2, 0.32, 0.3333, 230, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " key = prefix + message"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L752_C8", "label": "mt = get()", "type": "assigned_variable", "loc": [752, 752], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "vector": [14, 2, 0.7916, 0.0011, 2, 0.32, 0.4444, 47, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "mt", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " mt = self.t.get(key, None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L753_C8", "label": "if", "type": "if", "loc": [753, 754], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "vector": [4, 2, 0.7932, 0.0021, 2, 0.32, 0.5556, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if mt is not None:\n return mt"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L754_C12", "label": "return", "type": "return", "loc": [754, 754], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L753_C8", "vector": [13, 3, 0.7937, 0.0011, 3, 0.68, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return mt"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L756_C8", "label": "if", "type": "if", "loc": [756, 758], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "vector": [4, 2, 0.7968, 0.0032, 2, 0.32, 0.6667, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if message.find('##') > 0 and not '\\n' in message:\n # remove comments\n message = message.rsplit('##', 1)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L758_C12", "label": "message =", "type": "assigned_variable", "loc": [758, 758], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L756_C8", "vector": [14, 3, 0.7979, 0.0011, 3, 0.06, 0.0, 635, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "message", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " message = message.rsplit('##', 1)[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L760_C8", "label": " = get()", "type": "assigned_variable", "loc": [760, 760], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "vector": [14, 2, 0.8, 0.0011, 2, 0.32, 0.7778, 0, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " self.t[key] = mt = self.default_t.get(key, message)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L762_C8", "label": "if", "type": "if", "loc": [762, 763], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "vector": [4, 2, 0.8026, 0.0021, 2, 0.32, 0.8889, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.is_writable and self.language_file != self.default_language_file:\n write_dict(self.language_file, self.t)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L763_C12", "label": "write_dict()", "type": "expression", "loc": [763, 763], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L762_C8", "vector": [8, 3, 0.8032, 0.0011, 3, 0.24, 0.0, 929, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "write_dict", "arg_names": [], "import_names": [], "rhs_call_name": "write_dict", "annotation": ""}, "snippet": " write_dict(self.language_file, self.t)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L764_C8", "label": "return", "type": "return", "loc": [764, 765], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "vector": [13, 2, 0.8047, 0.0021, 2, 0.32, 1.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return regex_backslash.sub(\n lambda m: m.group(1).translate(ttab_in), mt)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L767_C4", "label": "params_substitution", "type": "function", "loc": [767, 866], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [2, 1, 0.8595, 0.1053, 1, 0.81, 0.9167, 528, 0, 3, 1, 0, 0, 0, 31], "semantic": {"name": "params_substitution", "arg_names": ["self", "message", "symbols"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def params_substitution(self, message, symbols):\n \"\"\"\n substitute parameters from symbols into message using %.\n also parse %%{} placeholders for plural-forms processing.\n returns: string with parameters\n NOTE: *symbols* MUST BE OR tuple OR dict of parameters!\n \"\"\"\n def sub_plural(m):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L768_C8", "label": "expression", "type": "expression", "loc": [768, 773], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L767_C4", "vector": [8, 2, 0.8111, 0.0063, 2, 0.76, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n substitute parameters from symbols into message using %.\n also parse %%{} placeholders for plural-forms processing.\n returns: string with parameters\n NOTE: *symbols* MUST BE OR tuple OR dict of parameters!\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "label": "sub_plural", "type": "function", "loc": [774, 863], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L767_C4", "vector": [2, 2, 0.8616, 0.0947, 2, 0.76, 0.25, 469, 0, 1, 1, 0, 0, 0, 30], "semantic": {"name": "sub_plural", "arg_names": ["m"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def sub_plural(m):\n \"\"\"string in %{} is transformed by this rules:\n If string starts with \\\\, ! or ? such transformations\n take place:\n\n \"!string of words\" -> \"String of word\" (Capitalize)\n \"!!string of words\" -> \"String Of Word\" (Title)\n \"!!!string of words\" -> \"STRING OF WORD\" (Upper)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L775_C12", "label": "expression", "type": "expression", "loc": [775, 788], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "vector": [8, 3, 0.8226, 0.0147, 3, 0.88, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"string in %{} is transformed by this rules:\n If string starts with \\\\, ! or ? such transformations\n take place:\n\n \"!string of words\" -> \"String of word\" (Capitalize)\n \"!!string of words\" -> \"String Of Word\" (Title)\n \"!!!string of words\" -> \"STRING OF WORD\" (Upper)\n \"\\\\!string of words\" -> \"!string of word\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "label": "sub_tuple", "type": "function", "loc": [789, 824], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "vector": [2, 3, 0.8489, 0.0379, 3, 0.88, 0.1667, 895, 0, 1, 1, 0, 0, 0, 15], "semantic": {"name": "sub_tuple", "arg_names": ["m"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def sub_tuple(m):\n \"\"\" word[number], !word[number], !!word[number], !!!word[number]\n word, !word, !!word, !!!word, ?word?number, ??number, ?number\n ?word?word[number], ?word?[number], ??word[number]\n \"\"\"\n w, i = m.group('w', 'i')\n c = w[0]\n if c not in '!?':"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L790_C16", "label": "expression", "type": "expression", "loc": [790, 793], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "vector": [8, 4, 0.8332, 0.0042, 4, 0.74, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" word[number], !word[number], !!word[number], !!!word[number]\n word, !word, !!word, !!!word, ?word?number, ??number, ?number\n ?word?word[number], ?word?[number], ??word[number]\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L794_C16", "label": "w, i = group()", "type": "assigned_variable", "loc": [794, 794], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "vector": [14, 4, 0.8358, 0.0011, 4, 0.74, 0.2, 803, 3, 2, 0, 0, 43, 10, 1], "semantic": {"name": "w, i", "arg_names": [], "import_names": [], "rhs_call_name": "group", "annotation": ""}, "snippet": " w, i = m.group('w', 'i')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L795_C16", "label": "c =", "type": "assigned_variable", "loc": [795, 795], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "vector": [14, 4, 0.8368, 0.0011, 4, 0.74, 0.4, 411, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " c = w[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L796_C16", "label": "if", "type": "if", "loc": [796, 821], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "vector": [4, 4, 0.8511, 0.0274, 4, 0.74, 0.6, 0, 0, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if c not in '!?':\n return self.plural(w, symbols[int(i or 0)])\n elif c == '?':\n (p1, sep, p2) = w[1:].partition(\"?\")\n part1 = p1 if sep else \"\"\n (part2, sep, part3) = (p2 if sep else p1).partition(\"?\")\n if not sep:\n part3 = part2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L797_C20", "label": "return", "type": "return", "loc": [797, 797], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L796_C16", "vector": [13, 5, 0.8389, 0.0011, 5, 0.94, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.plural(w, symbols[int(i or 0)])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "label": "if", "type": "if", "loc": [798, 821], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L796_C16", "vector": [4, 5, 0.8521, 0.0253, 5, 0.94, 1.0, 0, 0, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif c == '?':\n (p1, sep, p2) = w[1:].partition(\"?\")\n part1 = p1 if sep else \"\"\n (part2, sep, part3) = (p2 if sep else p1).partition(\"?\")\n if not sep:\n part3 = part2\n if i is None:\n # ?[word]?number[?number] or ?number"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L799_C20", "label": "p1, sep, p2 = partition()", "type": "assigned_variable", "loc": [799, 799], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "vector": [14, 6, 0.8411, 0.0011, 6, 0.44, 0.0, 857, 3, 1, 0, 0, 320, 10, 1], "semantic": {"name": "p1, sep, p2", "arg_names": [], "import_names": [], "rhs_call_name": "partition", "annotation": ""}, "snippet": " (p1, sep, p2) = w[1:].partition(\"?\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L800_C20", "label": "part1 =", "type": "assigned_variable", "loc": [800, 800], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "vector": [14, 6, 0.8421, 0.0011, 6, 0.44, 0.1667, 497, 8, 0, 0, 0, 0, 0, 0], "semantic": {"name": "part1", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " part1 = p1 if sep else \"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L801_C20", "label": "part2, sep, part3 = partition()", "type": "assigned_variable", "loc": [801, 801], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "vector": [14, 6, 0.8432, 0.0011, 6, 0.44, 0.3333, 374, 3, 1, 0, 0, 320, 10, 1], "semantic": {"name": "part2, sep, part3", "arg_names": [], "import_names": [], "rhs_call_name": "partition", "annotation": ""}, "snippet": " (part2, sep, part3) = (p2 if sep else p1).partition(\"?\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L802_C20", "label": "if", "type": "if", "loc": [802, 803], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "vector": [4, 6, 0.8447, 0.0021, 6, 0.44, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not sep:\n part3 = part2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L803_C24", "label": "part3 =", "type": "assigned_variable", "loc": [803, 803], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L802_C20", "vector": [14, 7, 0.8453, 0.0011, 7, 0.27, 0.0, 376, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "part3", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " part3 = part2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L804_C20", "label": "if", "type": "if", "loc": [804, 811], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "vector": [4, 6, 0.85, 0.0084, 6, 0.44, 0.6667, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i is None:\n # ?[word]?number[?number] or ?number\n if not part2:\n return m.group(0)\n num = int(part2)\n else:\n # ?[word]?word2[?word3][number]\n num = int(symbols[int(i or 0)])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L806_C24", "label": "if", "type": "if", "loc": [806, 807], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L804_C20", "vector": [4, 7, 0.8489, 0.0021, 7, 0.56, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not part2:\n return m.group(0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L807_C28", "label": "return", "type": "return", "loc": [807, 807], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L806_C24", "vector": [13, 8, 0.8495, 0.0011, 8, 0.65, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return m.group(0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L808_C24", "label": "num = int()", "type": "assigned_variable", "loc": [808, 808], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L804_C20", "vector": [14, 7, 0.8505, 0.0011, 7, 0.56, 0.5, 328, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "num", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " num = int(part2)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L811_C24", "label": "num = int()", "type": "assigned_variable", "loc": [811, 811], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L804_C20", "vector": [14, 7, 0.8537, 0.0011, 7, 0.56, 1.0, 328, 3, 1, 0, 0, 901, 10, 2], "semantic": {"name": "num", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " num = int(symbols[int(i or 0)])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L812_C20", "label": "return", "type": "return", "loc": [812, 812], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "vector": [13, 6, 0.8547, 0.0011, 6, 0.44, 0.8333, 0, 8, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return part1 if num == 1 else part3 if num == 0 else part2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L813_C16", "label": "if", "type": "if", "loc": [813, 821], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "vector": [4, 6, 0.86, 0.0095, 6, 0.44, 1.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif w.startswith('!!!'):\n word = w[3:]\n fun = upper_fun\n elif w.startswith('!!'):\n word = w[2:]\n fun = title_fun\n else:\n word = w[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L814_C20", "label": "word =", "type": "assigned_variable", "loc": [814, 814], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L813_C16", "vector": [14, 7, 0.8568, 0.0011, 7, 0.11, 0.0, 107, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "word", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " word = w[3:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L815_C20", "label": "fun =", "type": "assigned_variable", "loc": [815, 815], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L813_C16", "vector": [14, 7, 0.8579, 0.0011, 7, 0.11, 0.5, 744, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "fun", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fun = upper_fun"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L816_C16", "label": "if", "type": "if", "loc": [816, 821], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L813_C16", "vector": [4, 7, 0.8616, 0.0063, 7, 0.11, 1.0, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif w.startswith('!!'):\n word = w[2:]\n fun = title_fun\n else:\n word = w[1:]\n fun = cap_fun"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L817_C20", "label": "word =", "type": "assigned_variable", "loc": [817, 817], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L816_C16", "vector": [14, 8, 0.86, 0.0011, 8, 0.86, 0.0, 107, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "word", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " word = w[2:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L818_C20", "label": "fun =", "type": "assigned_variable", "loc": [818, 818], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L816_C16", "vector": [14, 8, 0.8611, 0.0011, 8, 0.86, 0.3333, 744, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "fun", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fun = title_fun"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L820_C20", "label": "word =", "type": "assigned_variable", "loc": [820, 820], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L816_C16", "vector": [14, 8, 0.8632, 0.0011, 8, 0.86, 0.6667, 107, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "word", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " word = w[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L821_C20", "label": "fun =", "type": "assigned_variable", "loc": [821, 821], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L816_C16", "vector": [14, 8, 0.8642, 0.0011, 8, 0.86, 1.0, 744, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "fun", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fun = cap_fun"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L822_C16", "label": "if", "type": "if", "loc": [822, 823], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "vector": [4, 4, 0.8658, 0.0021, 4, 0.74, 0.8, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if i is not None:\n return fun(self.plural(word, symbols[int(i)]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L823_C20", "label": "return", "type": "return", "loc": [823, 823], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L822_C16", "vector": [13, 5, 0.8663, 0.0011, 5, 0.54, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return fun(self.plural(word, symbols[int(i)]))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L824_C16", "label": "return", "type": "return", "loc": [824, 824], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "vector": [13, 4, 0.8674, 0.0011, 4, 0.74, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return fun(word)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "label": "sub_dict", "type": "function", "loc": [826, 855], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "vector": [2, 3, 0.8847, 0.0316, 3, 0.88, 0.3333, 82, 0, 1, 1, 0, 0, 0, 11], "semantic": {"name": "sub_dict", "arg_names": ["m"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def sub_dict(m):\n \"\"\" word(var), !word(var), !!word(var), !!!word(var)\n word(num), !word(num), !!word(num), !!!word(num)\n ?word2(var), ?word1?word2(var), ?word1?word2?word0(var)\n ?word2(num), ?word1?word2(num), ?word1?word2?word0(num)\n \"\"\"\n w, n = m.group('w', 'n')\n c = w[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L827_C16", "label": "expression", "type": "expression", "loc": [827, 831], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "vector": [8, 4, 0.8726, 0.0053, 4, 0.58, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" word(var), !word(var), !!word(var), !!!word(var)\n word(num), !word(num), !!word(num), !!!word(num)\n ?word2(var), ?word1?word2(var), ?word1?word2?word0(var)\n ?word2(num), ?word1?word2(num), ?word1?word2?word0(num)\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L832_C16", "label": "w, n = group()", "type": "assigned_variable", "loc": [832, 832], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "vector": [14, 4, 0.8758, 0.0011, 4, 0.58, 0.2, 996, 3, 2, 0, 0, 43, 10, 1], "semantic": {"name": "w, n", "arg_names": [], "import_names": [], "rhs_call_name": "group", "annotation": ""}, "snippet": " w, n = m.group('w', 'n')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L833_C16", "label": "c =", "type": "assigned_variable", "loc": [833, 833], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "vector": [14, 4, 0.8768, 0.0011, 4, 0.58, 0.4, 411, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "c", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " c = w[0]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L834_C16", "label": "n =", "type": "assigned_variable", "loc": [834, 834], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "vector": [14, 4, 0.8779, 0.0011, 4, 0.58, 0.6, 773, 8, 0, 0, 0, 0, 0, 2], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " n = int(n) if n.isdigit() else symbols[n]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L835_C16", "label": "if", "type": "if", "loc": [835, 854], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "vector": [4, 4, 0.8889, 0.0211, 4, 0.58, 0.8, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if c not in '!?':\n return self.plural(w, n)\n elif c == '?':\n # ?[word1]?word2[?word0](var or num), ?[word1]?word2(var or num) or ?word2(var or num)\n (p1, sep, p2) = w[1:].partition(\"?\")\n part1 = p1 if sep else \"\"\n (part2, sep, part3) = (p2 if sep else p1).partition(\"?\")\n if not sep:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L836_C20", "label": "return", "type": "return", "loc": [836, 836], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L835_C16", "vector": [13, 5, 0.88, 0.0011, 5, 0.17, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return self.plural(w, n)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "label": "if", "type": "if", "loc": [837, 854], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L835_C16", "vector": [4, 5, 0.89, 0.0189, 5, 0.17, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif c == '?':\n # ?[word1]?word2[?word0](var or num), ?[word1]?word2(var or num) or ?word2(var or num)\n (p1, sep, p2) = w[1:].partition(\"?\")\n part1 = p1 if sep else \"\"\n (part2, sep, part3) = (p2 if sep else p1).partition(\"?\")\n if not sep:\n part3 = part2\n num = int(n)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L839_C20", "label": "p1, sep, p2 = partition()", "type": "assigned_variable", "loc": [839, 839], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "vector": [14, 6, 0.8832, 0.0011, 6, 0.64, 0.0, 857, 3, 1, 0, 0, 320, 10, 1], "semantic": {"name": "p1, sep, p2", "arg_names": [], "import_names": [], "rhs_call_name": "partition", "annotation": ""}, "snippet": " (p1, sep, p2) = w[1:].partition(\"?\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L840_C20", "label": "part1 =", "type": "assigned_variable", "loc": [840, 840], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "vector": [14, 6, 0.8842, 0.0011, 6, 0.64, 0.1667, 497, 8, 0, 0, 0, 0, 0, 0], "semantic": {"name": "part1", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " part1 = p1 if sep else \"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L841_C20", "label": "part2, sep, part3 = partition()", "type": "assigned_variable", "loc": [841, 841], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "vector": [14, 6, 0.8853, 0.0011, 6, 0.64, 0.3333, 374, 3, 1, 0, 0, 320, 10, 1], "semantic": {"name": "part2, sep, part3", "arg_names": [], "import_names": [], "rhs_call_name": "partition", "annotation": ""}, "snippet": " (part2, sep, part3) = (p2 if sep else p1).partition(\"?\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L842_C20", "label": "if", "type": "if", "loc": [842, 843], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "vector": [4, 6, 0.8868, 0.0021, 6, 0.64, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not sep:\n part3 = part2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L843_C24", "label": "part3 =", "type": "assigned_variable", "loc": [843, 843], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L842_C20", "vector": [14, 7, 0.8874, 0.0011, 7, 0.46, 0.0, 376, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "part3", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " part3 = part2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L844_C20", "label": "num = int()", "type": "assigned_variable", "loc": [844, 844], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "vector": [14, 6, 0.8884, 0.0011, 6, 0.64, 0.6667, 328, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "num", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": " num = int(n)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L845_C20", "label": "return", "type": "return", "loc": [845, 845], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "vector": [13, 6, 0.8895, 0.0011, 6, 0.64, 0.8333, 0, 8, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return part1 if num == 1 else part3 if num == 0 else part2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L846_C16", "label": "if", "type": "if", "loc": [846, 854], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "vector": [4, 6, 0.8947, 0.0095, 6, 0.64, 1.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif w.startswith('!!!'):\n word = w[3:]\n fun = upper_fun\n elif w.startswith('!!'):\n word = w[2:]\n fun = title_fun\n else:\n word = w[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L847_C20", "label": "word =", "type": "assigned_variable", "loc": [847, 847], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L846_C16", "vector": [14, 7, 0.8916, 0.0011, 7, 0.87, 0.0, 107, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "word", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " word = w[3:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L848_C20", "label": "fun =", "type": "assigned_variable", "loc": [848, 848], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L846_C16", "vector": [14, 7, 0.8926, 0.0011, 7, 0.87, 0.5, 744, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "fun", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fun = upper_fun"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L849_C16", "label": "if", "type": "if", "loc": [849, 854], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L846_C16", "vector": [4, 7, 0.8963, 0.0063, 7, 0.87, 1.0, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif w.startswith('!!'):\n word = w[2:]\n fun = title_fun\n else:\n word = w[1:]\n fun = cap_fun"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L850_C20", "label": "word =", "type": "assigned_variable", "loc": [850, 850], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L849_C16", "vector": [14, 8, 0.8947, 0.0011, 8, 0.83, 0.0, 107, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "word", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " word = w[2:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L851_C20", "label": "fun =", "type": "assigned_variable", "loc": [851, 851], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L849_C16", "vector": [14, 8, 0.8958, 0.0011, 8, 0.83, 0.3333, 744, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "fun", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fun = title_fun"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L853_C20", "label": "word =", "type": "assigned_variable", "loc": [853, 853], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L849_C16", "vector": [14, 8, 0.8979, 0.0011, 8, 0.83, 0.6667, 107, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "word", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " word = w[1:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L854_C20", "label": "fun =", "type": "assigned_variable", "loc": [854, 854], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L849_C16", "vector": [14, 8, 0.8989, 0.0011, 8, 0.83, 1.0, 744, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "fun", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fun = cap_fun"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L855_C16", "label": "return", "type": "return", "loc": [855, 855], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "vector": [13, 4, 0.9, 0.0011, 4, 0.58, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return fun(self.plural(word, n))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L857_C12", "label": "s = group()", "type": "assigned_variable", "loc": [857, 857], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "vector": [14, 3, 0.9021, 0.0011, 3, 0.88, 0.5, 553, 3, 1, 0, 0, 43, 10, 1], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "group", "annotation": ""}, "snippet": " s = m.group(1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L858_C12", "label": "part = sub()", "type": "assigned_variable", "loc": [858, 858], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "vector": [14, 3, 0.9032, 0.0011, 3, 0.88, 0.6667, 374, 3, 2, 0, 0, 819, 10, 1], "semantic": {"name": "part", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " part = regex_plural_tuple.sub(sub_tuple, s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L859_C12", "label": "if", "type": "if", "loc": [859, 862], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "vector": [4, 3, 0.9058, 0.0042, 3, 0.88, 0.8333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if part == s:\n part = regex_plural_dict.sub(sub_dict, s)\n if part == s:\n return m.group(0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L860_C16", "label": "part = sub()", "type": "assigned_variable", "loc": [860, 860], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L859_C12", "vector": [14, 4, 0.9053, 0.0011, 4, 0.33, 0.0, 374, 3, 2, 0, 0, 819, 10, 1], "semantic": {"name": "part", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " part = regex_plural_dict.sub(sub_dict, s)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L861_C16", "label": "if", "type": "if", "loc": [861, 862], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L859_C12", "vector": [4, 4, 0.9068, 0.0021, 4, 0.33, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if part == s:\n return m.group(0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L862_C20", "label": "return", "type": "return", "loc": [862, 862], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L861_C16", "vector": [13, 5, 0.9074, 0.0011, 5, 0.72, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return m.group(0)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L863_C12", "label": "return", "type": "return", "loc": [863, 863], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "vector": [13, 3, 0.9084, 0.0011, 3, 0.88, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return part"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L864_C8", "label": "message =", "type": "assigned_variable", "loc": [864, 864], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L767_C4", "vector": [14, 2, 0.9095, 0.0011, 2, 0.76, 0.5, 635, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "message", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " message = message % symbols"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L865_C8", "label": "message = sub()", "type": "assigned_variable", "loc": [865, 865], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L767_C4", "vector": [14, 2, 0.9105, 0.0011, 2, 0.76, 0.75, 635, 3, 2, 0, 0, 819, 10, 1], "semantic": {"name": "message", "arg_names": [], "import_names": [], "rhs_call_name": "sub", "annotation": ""}, "snippet": " message = regex_plural.sub(sub_plural, message)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L866_C8", "label": "return", "type": "return", "loc": [866, 866], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L767_C4", "vector": [13, 2, 0.9116, 0.0011, 2, 0.76, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return message"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L868_C4", "label": "translate", "type": "function", "loc": [868, 888], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "vector": [2, 1, 0.9242, 0.0221, 1, 0.81, 1.0, 384, 0, 3, 1, 0, 0, 0, 15], "semantic": {"name": "translate", "arg_names": ["self", "message", "symbols"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def translate(self, message, symbols):\n \"\"\"\n get cached translated message with inserted parameters(symbols)\n \"\"\"\n message = get_from_cache(self.cache, message,\n lambda: self.get_t(message))\n if symbols or symbols == 0 or symbols == \"\":\n if isinstance(symbols, dict):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L869_C8", "label": "expression", "type": "expression", "loc": [869, 871], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L868_C4", "vector": [8, 2, 0.9158, 0.0032, 2, 0.97, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n get cached translated message with inserted parameters(symbols)\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L872_C8", "label": "message = get_from_cache()", "type": "assigned_variable", "loc": [872, 873], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L868_C4", "vector": [14, 2, 0.9184, 0.0021, 2, 0.97, 0.3333, 635, 3, 3, 0, 0, 362, 10, 2], "semantic": {"name": "message", "arg_names": [], "import_names": [], "rhs_call_name": "get_from_cache", "annotation": ""}, "snippet": " message = get_from_cache(self.cache, message,\n lambda: self.get_t(message))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L874_C8", "label": "if", "type": "if", "loc": [874, 887], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L868_C4", "vector": [4, 2, 0.9268, 0.0147, 2, 0.97, 0.6667, 0, 0, 0, 0, 0, 0, 0, 12], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if symbols or symbols == 0 or symbols == \"\":\n if isinstance(symbols, dict):\n symbols.update(\n (key, str(value).translate(ttab_in))\n for key, value in symbols.iteritems()\n if not isinstance(value, NUMBERS))\n else:\n if not isinstance(symbols, tuple):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L875_C12", "label": "if", "type": "if", "loc": [875, 886], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L874_C8", "vector": [4, 3, 0.9268, 0.0126, 3, 0.08, 0.0, 0, 3, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(symbols, dict):\n symbols.update(\n (key, str(value).translate(ttab_in))\n for key, value in symbols.iteritems()\n if not isinstance(value, NUMBERS))\n else:\n if not isinstance(symbols, tuple):\n symbols = (symbols,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L876_C16", "label": "update()", "type": "expression", "loc": [876, 879], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L875_C12", "vector": [8, 4, 0.9237, 0.0042, 4, 0.71, 0.0, 637, 3, 1, 0, 0, 0, 0, 5], "semantic": {"name": "update", "arg_names": [], "import_names": [], "rhs_call_name": "update", "annotation": ""}, "snippet": " symbols.update(\n (key, str(value).translate(ttab_in))\n for key, value in symbols.iteritems()\n if not isinstance(value, NUMBERS))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L881_C16", "label": "if", "type": "if", "loc": [881, 882], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L875_C12", "vector": [4, 4, 0.9279, 0.0021, 4, 0.71, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not isinstance(symbols, tuple):\n symbols = (symbols,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L882_C20", "label": "symbols =", "type": "assigned_variable", "loc": [882, 882], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L881_C16", "vector": [14, 5, 0.9284, 0.0011, 5, 0.57, 0.0, 373, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "symbols", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " symbols = (symbols,)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L883_C16", "label": "symbols = tuple()", "type": "assigned_variable", "loc": [883, 886], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L875_C12", "vector": [14, 4, 0.9311, 0.0042, 4, 0.71, 1.0, 373, 3, 1, 0, 0, 259, 10, 4], "semantic": {"name": "symbols", "arg_names": [], "import_names": [], "rhs_call_name": "tuple", "annotation": ""}, "snippet": " symbols = tuple(\n value if isinstance(value, NUMBERS)\n else str(value).translate(ttab_in)\n for value in symbols)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L887_C12", "label": "message = params_substitution()", "type": "assigned_variable", "loc": [887, 887], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L874_C8", "vector": [14, 3, 0.9337, 0.0011, 3, 0.08, 1.0, 635, 3, 2, 0, 0, 528, 10, 1], "semantic": {"name": "message", "arg_names": [], "import_names": [], "rhs_call_name": "params_substitution", "annotation": ""}, "snippet": " message = self.params_substitution(message, symbols)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L888_C8", "label": "return", "type": "return", "loc": [888, 888], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L868_C4", "vector": [13, 2, 0.9347, 0.0011, 2, 0.97, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return message.translate(ttab_out)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "label": "findT", "type": "function", "loc": [891, 927], "level": 0, "parent": null, "vector": [2, 0, 0.9568, 0.0389, 0, 0.66, 0.9275, 707, 0, 2, 0, 0, 0, 0, 19], "semantic": {"name": "findT", "arg_names": ["path", "language"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def findT(path, language=DEFAULT_LANGUAGE):\n \"\"\"\n must be run by the admin app\n \"\"\"\n lang_file = pjoin(path, 'languages', language + '.py')\n sentences = read_dict(lang_file)\n mp = pjoin(path, 'models')\n cp = pjoin(path, 'controllers')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L892_C4", "label": "expression", "type": "expression", "loc": [892, 894], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "vector": [8, 1, 0.94, 0.0032, 1, 0.36, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n must be run by the admin app\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L895_C4", "label": "lang_file = pjoin()", "type": "assigned_variable", "loc": [895, 895], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "vector": [14, 1, 0.9421, 0.0011, 1, 0.36, 0.1, 906, 3, 3, 0, 0, 250, 10, 1], "semantic": {"name": "lang_file", "arg_names": [], "import_names": [], "rhs_call_name": "pjoin", "annotation": ""}, "snippet": " lang_file = pjoin(path, 'languages', language + '.py')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L896_C4", "label": "sentences = read_dict()", "type": "assigned_variable", "loc": [896, 896], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "vector": [14, 1, 0.9432, 0.0011, 1, 0.36, 0.2, 370, 3, 1, 0, 0, 416, 10, 1], "semantic": {"name": "sentences", "arg_names": [], "import_names": [], "rhs_call_name": "read_dict", "annotation": ""}, "snippet": " sentences = read_dict(lang_file)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L897_C4", "label": "mp = pjoin()", "type": "assigned_variable", "loc": [897, 897], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "vector": [14, 1, 0.9442, 0.0011, 1, 0.36, 0.3, 196, 3, 2, 0, 0, 250, 10, 1], "semantic": {"name": "mp", "arg_names": [], "import_names": [], "rhs_call_name": "pjoin", "annotation": ""}, "snippet": " mp = pjoin(path, 'models')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L898_C4", "label": "cp = pjoin()", "type": "assigned_variable", "loc": [898, 898], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "vector": [14, 1, 0.9453, 0.0011, 1, 0.36, 0.4, 70, 3, 2, 0, 0, 250, 10, 1], "semantic": {"name": "cp", "arg_names": [], "import_names": [], "rhs_call_name": "pjoin", "annotation": ""}, "snippet": " cp = pjoin(path, 'controllers')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L899_C4", "label": "vp = pjoin()", "type": "assigned_variable", "loc": [899, 899], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "vector": [14, 1, 0.9463, 0.0011, 1, 0.36, 0.5, 413, 3, 2, 0, 0, 250, 10, 1], "semantic": {"name": "vp", "arg_names": [], "import_names": [], "rhs_call_name": "pjoin", "annotation": ""}, "snippet": " vp = pjoin(path, 'views')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L900_C4", "label": "mop = pjoin()", "type": "assigned_variable", "loc": [900, 900], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "vector": [14, 1, 0.9474, 0.0011, 1, 0.36, 0.6, 896, 3, 2, 0, 0, 250, 10, 1], "semantic": {"name": "mop", "arg_names": [], "import_names": [], "rhs_call_name": "pjoin", "annotation": ""}, "snippet": " mop = pjoin(path, 'modules')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:For_L901_C4", "label": "for filename", "type": "for", "loc": [901, 919], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "vector": [6, 1, 0.9579, 0.02, 1, 0.36, 0.7, 275, 4, 0, 0, 0, 0, 0, 12], "semantic": {"name": "filename", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for filename in \\\n listdir(mp, '^.+\\.py$', 0) + listdir(cp, '^.+\\.py$', 0)\\\n + listdir(vp, '^.+\\.html$', 0) + listdir(mop, '^.+\\.py$', 0):\n data = read_locked(filename)\n items = regex_translate.findall(data)\n for item in items:\n try:\n message = safe_eval(item)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L904_C8", "label": "data = read_locked()", "type": "assigned_variable", "loc": [904, 904], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L901_C4", "vector": [14, 2, 0.9516, 0.0011, 2, 0.8, 0.0, 929, 3, 1, 0, 0, 518, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "read_locked", "annotation": ""}, "snippet": " data = read_locked(filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L905_C8", "label": "items = findall()", "type": "assigned_variable", "loc": [905, 905], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L901_C4", "vector": [14, 2, 0.9526, 0.0011, 2, 0.8, 0.5, 339, 3, 1, 0, 0, 737, 10, 1], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "findall", "annotation": ""}, "snippet": " items = regex_translate.findall(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:For_L906_C8", "label": "for item", "type": "for", "loc": [906, 919], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L901_C4", "vector": [6, 2, 0.9605, 0.0147, 2, 0.8, 1.0, 434, 2, 0, 0, 0, 0, 0, 6], "semantic": {"name": "item", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for item in items:\n try:\n message = safe_eval(item)\n except:\n continue # silently ignore inproperly formatted strings\n if not message.startswith('#') and not '\\n' in message:\n tokens = message.rsplit('##', 1)\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L907_C12", "label": "try", "type": "try", "loc": [907, 910], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L906_C8", "vector": [7, 3, 0.9563, 0.0042, 3, 0.36, 0.0, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n message = safe_eval(item)\n except:\n continue # silently ignore inproperly formatted strings"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L908_C16", "label": "message = safe_eval()", "type": "assigned_variable", "loc": [908, 908], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L907_C12", "vector": [14, 4, 0.9558, 0.0011, 4, 0.61, 0.0, 635, 3, 1, 0, 0, 17, 10, 1], "semantic": {"name": "message", "arg_names": [], "import_names": [], "rhs_call_name": "safe_eval", "annotation": ""}, "snippet": " message = safe_eval(item)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L911_C12", "label": "if", "type": "if", "loc": [911, 915], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L906_C8", "vector": [4, 3, 0.9611, 0.0053, 3, 0.36, 0.3333, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not message.startswith('#') and not '\\n' in message:\n tokens = message.rsplit('##', 1)\n else:\n # this allows markmin syntax in translations\n tokens = [message]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L912_C16", "label": "tokens = rsplit()", "type": "assigned_variable", "loc": [912, 912], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L911_C12", "vector": [14, 4, 0.96, 0.0011, 4, 0.28, 0.0, 700, 3, 2, 0, 0, 310, 10, 1], "semantic": {"name": "tokens", "arg_names": [], "import_names": [], "rhs_call_name": "rsplit", "annotation": ""}, "snippet": " tokens = message.rsplit('##', 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L915_C16", "label": "tokens =", "type": "assigned_variable", "loc": [915, 915], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L911_C12", "vector": [14, 4, 0.9632, 0.0011, 4, 0.28, 1.0, 700, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "tokens", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tokens = [message]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L916_C12", "label": "if", "type": "if", "loc": [916, 917], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L906_C8", "vector": [4, 3, 0.9647, 0.0021, 3, 0.36, 0.6667, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if len(tokens) == 2:\n message = tokens[0].strip() + '##' + tokens[1].strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L917_C16", "label": "message =", "type": "assigned_variable", "loc": [917, 917], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L916_C12", "vector": [14, 4, 0.9653, 0.0011, 4, 0.81, 0.0, 635, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "message", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " message = tokens[0].strip() + '##' + tokens[1].strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L918_C12", "label": "if", "type": "if", "loc": [918, 919], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L906_C8", "vector": [4, 3, 0.9668, 0.0021, 3, 0.36, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if message and not message in sentences:\n sentences[message] = message"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L919_C16", "label": "assign", "type": "assigned_variable", "loc": [919, 919], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L918_C12", "vector": [14, 4, 0.9674, 0.0011, 4, 0.94, 0.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sentences[message] = message"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L920_C4", "label": "if", "type": "if", "loc": [920, 922], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "vector": [4, 1, 0.9695, 0.0032, 1, 0.36, 0.8, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not '!langcode!' in sentences:\n sentences['!langcode!'] = (\n DEFAULT_LANGUAGE if language in ('default', DEFAULT_LANGUAGE) else language)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L921_C8", "label": "assign", "type": "assigned_variable", "loc": [921, 922], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L920_C4", "vector": [14, 2, 0.97, 0.0021, 2, 0.39, 0.0, 0, 8, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sentences['!langcode!'] = (\n DEFAULT_LANGUAGE if language in ('default', DEFAULT_LANGUAGE) else language)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L923_C4", "label": "if", "type": "if", "loc": [923, 926], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "vector": [4, 1, 0.9732, 0.0042, 1, 0.36, 0.9, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not '!langname!' in sentences:\n sentences['!langname!'] = (\n DEFAULT_LANGUAGE_NAME if language in ('default', DEFAULT_LANGUAGE)\n else sentences['!langcode!'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L924_C8", "label": "assign", "type": "assigned_variable", "loc": [924, 926], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L923_C4", "vector": [14, 2, 0.9737, 0.0032, 2, 0.9, 0.0, 0, 8, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " sentences['!langname!'] = (\n DEFAULT_LANGUAGE_NAME if language in ('default', DEFAULT_LANGUAGE)\n else sentences['!langcode!'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L927_C4", "label": "write_dict()", "type": "expression", "loc": [927, 927], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "vector": [8, 1, 0.9758, 0.0011, 1, 0.36, 1.0, 929, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "write_dict", "arg_names": [], "import_names": [], "rhs_call_name": "write_dict", "annotation": ""}, "snippet": " write_dict(lang_file, sentences)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L932_C0", "label": "lazyT_unpickle", "type": "function", "loc": [932, 933], "level": 0, "parent": null, "vector": [2, 0, 0.9816, 0.0021, 0, 0.66, 0.942, 381, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "lazyT_unpickle", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def lazyT_unpickle(data):\n return marshal.loads(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L933_C4", "label": "return", "type": "return", "loc": [933, 933], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L932_C0", "vector": [13, 1, 0.9821, 0.0011, 1, 0.64, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return marshal.loads(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L936_C0", "label": "lazyT_pickle", "type": "function", "loc": [936, 937], "level": 0, "parent": null, "vector": [2, 0, 0.9858, 0.0021, 0, 0.66, 0.9565, 986, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "lazyT_pickle", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def lazyT_pickle(data):\n return lazyT_unpickle, (marshal.dumps(str(data)),)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L937_C4", "label": "return", "type": "return", "loc": [937, 937], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L936_C0", "vector": [13, 1, 0.9863, 0.0011, 1, 0.97, 0.0, 0, 0, 0, 0, 0, 0, 8, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return lazyT_unpickle, (marshal.dumps(str(data)),)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L938_C0", "label": "pickle()", "type": "expression", "loc": [938, 938], "level": 0, "parent": null, "vector": [8, 0, 0.9874, 0.0011, 0, 0.66, 0.971, 848, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "pickle", "arg_names": [], "import_names": [], "rhs_call_name": "pickle", "annotation": ""}, "snippet": "copy_reg.pickle(lazyT, lazyT_pickle, lazyT_unpickle)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L941_C0", "label": "update_all_languages", "type": "function", "loc": [941, 945], "level": 0, "parent": null, "vector": [2, 0, 0.9926, 0.0053, 0, 0.66, 0.9855, 668, 0, 1, 0, 0, 0, 0, 4], "semantic": {"name": "update_all_languages", "arg_names": ["application_path"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def update_all_languages(application_path):\n path = pjoin(application_path, 'languages/')\n for language in oslistdir(path):\n if regex_langfile.match(language):\n findT(application_path, language[:-3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L942_C4", "label": "path = pjoin()", "type": "assigned_variable", "loc": [942, 942], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L941_C0", "vector": [14, 1, 0.9916, 0.0011, 1, 0.86, 0.0, 358, 3, 2, 0, 0, 250, 10, 1], "semantic": {"name": "path", "arg_names": [], "import_names": [], "rhs_call_name": "pjoin", "annotation": ""}, "snippet": " path = pjoin(application_path, 'languages/')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:For_L943_C4", "label": "for language", "type": "for", "loc": [943, 945], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L941_C0", "vector": [6, 1, 0.9937, 0.0032, 1, 0.86, 1.0, 214, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "language", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for language in oslistdir(path):\n if regex_langfile.match(language):\n findT(application_path, language[:-3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L944_C8", "label": "if", "type": "if", "loc": [944, 945], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:For_L943_C4", "vector": [4, 2, 0.9942, 0.0021, 2, 0.73, 0.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if regex_langfile.match(language):\n findT(application_path, language[:-3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L945_C12", "label": "findT()", "type": "expression", "loc": [945, 945], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L944_C8", "vector": [8, 3, 0.9947, 0.0011, 3, 0.1, 0.0, 707, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "findT", "arg_names": [], "import_names": [], "rhs_call_name": "findT", "annotation": ""}, "snippet": " findT(application_path, language[:-3])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:If_L948_C0", "label": "if", "type": "if", "loc": [948, 950], "level": 0, "parent": null, "vector": [4, 0, 0.9989, 0.0032, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == '__main__':\n import doctest\n doctest.testmod()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L949_C4", "label": "doctest import doctest", "type": "import", "loc": [949, 949], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L948_C0", "vector": [1, 1, 0.9989, 0.0011, 1, 0.09, 0.0, 614, 0, 1, 0, 0, 614, 0, 0], "semantic": {"name": "doctest", "arg_names": [], "import_names": ["doctest"], "rhs_call_name": "", "annotation": ""}, "snippet": " import doctest"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L950_C4", "label": "testmod()", "type": "expression", "loc": [950, 950], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_614:If_L948_C0", "vector": [8, 1, 1.0, 0.0011, 1, 0.09, 1.0, 116, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "testmod", "arg_names": [], "import_names": [], "rhs_call_name": "testmod", "annotation": ""}, "snippet": " doctest.testmod()"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L22_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L23_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L22_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L25_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L81_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L82_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L82_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L83_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L83_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L84_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L83_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L85_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L83_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L87_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L81_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L88_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L93_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L94_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L94_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L95_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L93_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L96_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L102_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L103_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L106_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L107_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L110_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L111_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L129_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L130_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L131_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L131_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L132_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L131_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L134_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L135_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L135_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L136_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L137_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L138_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L138_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L139_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L138_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L141_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L142_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L145_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L146_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L145_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L148_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L145_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L149_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L145_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L150_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L150_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L151_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L150_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L153_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L156_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L157_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L156_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L158_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L156_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L159_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L159_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L160_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L159_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L162_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L159_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L163_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L159_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L164_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L159_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L165_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L169_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L168_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L171_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L175_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L176_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L175_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L180_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L175_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L181_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L182_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:For_L183_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L183_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L185_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L187_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L188_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L189_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L190_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L193_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L184_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L196_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L199_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L181_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L200_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L175_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L201_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L207_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L208_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L208_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L209_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L208_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L211_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L212_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L220_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L220_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L221_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L220_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L226_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L220_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L227_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L228_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L239_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L240_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:For_L243_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L243_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L244_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L244_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L245_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L247_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:For_L249_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L249_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L251_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L252_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L253_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L254_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L256_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L257_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L250_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L258_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L260_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L260_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L263_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L265_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L266_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L267_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L267_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L269_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L206_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L271_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L274_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L275_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L279_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L280_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L279_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L281_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L281_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L282_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L281_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L284_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L281_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L285_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L281_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L286_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L281_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L287_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L290_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L291_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L295_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L296_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L296_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L297_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L295_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L299_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L300_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:For_L302_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L302_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L303_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L302_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L305_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L306_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L308_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L308_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L309_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L310_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L298_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L312_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L316_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L316_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L317_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L318_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L318_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L319_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L318_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L321_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L321_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L322_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L318_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L323_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L324_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:For_L325_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L325_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L326_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L327_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L315_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L328_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L332_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L336_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L337_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L339_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L339_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L349_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L350_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L351_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L352_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L353_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L354_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L355_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L357_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L358_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L359_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L360_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L361_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L362_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L348_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L363_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L365_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L365_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L366_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L368_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L368_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L369_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L372_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L372_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L373_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L375_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L375_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L376_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L378_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L378_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L379_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L381_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L381_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L382_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L384_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L384_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L385_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L387_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L387_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L388_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L390_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L390_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L391_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L393_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L393_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L394_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L396_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L396_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L397_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L399_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L399_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L400_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L402_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L402_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:For_L403_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L403_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L404_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L406_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L406_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L407_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L409_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L409_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L410_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L412_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L412_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L413_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L415_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L415_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L416_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L418_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L418_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L419_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L331_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L421_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L421_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L422_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L422_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L423_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L421_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L424_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L428_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L448_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L449_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L450_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L469_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L470_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L471_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L472_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L447_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L473_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L475_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L475_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L476_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L475_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L504_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L475_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L505_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L505_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L506_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L475_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L507_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L509_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L509_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L510_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L509_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L511_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L515_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L515_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L516_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L515_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L521_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L521_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L523_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L515_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L524_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L524_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L526_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L524_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L529_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L530_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L531_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L533_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L535_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L527_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L536_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L524_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L538_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L515_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L539_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L541_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L541_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L542_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L541_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L554_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L554_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L555_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L554_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L556_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L556_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L557_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L556_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L562_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L562_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L563_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L562_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L566_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L570_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L571_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L572_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L573_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L573_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L574_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L564_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L576_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L541_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L577_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L580_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L592_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L594_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L594_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L595_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L594_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L598_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L594_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L600_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L607_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L608_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L608_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L609_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L608_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L610_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L610_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L611_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L612_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L613_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L615_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L616_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L617_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L618_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L619_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L599_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L620_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L621_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L622_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L622_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L623_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L622_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L624_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L624_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L625_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L626_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L627_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L627_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L628_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L627_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:For_L631_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L631_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L635_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L631_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L636_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L636_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L637_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L636_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L639_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L636_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L640_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L640_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L641_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L640_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_614:For_L643_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L643_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L644_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L644_C28", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L645_C32"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L631_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L647_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L649_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L650_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L651_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L654_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L655_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L646_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L656_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L657_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L658_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L659_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L661_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L662_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L579_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L663_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L665_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L665_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L666_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L665_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L670_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L670_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L671_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L665_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L672_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L672_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L673_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L673_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L674_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L673_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L676_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L672_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L678_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L678_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L679_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L678_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L681_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L678_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L683_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L672_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L684_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L686_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L686_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L687_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L687_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L688_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L687_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L689_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L686_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L690_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L690_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L691_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L690_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L693_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L686_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L694_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L686_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L697_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L697_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L698_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L698_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L699_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L698_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L704_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L704_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L705_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L698_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L706_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L697_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L710_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L686_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L711_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L713_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L713_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L715_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L713_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L719_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L719_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L720_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L713_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L721_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L721_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L722_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L722_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L723_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L722_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L725_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L721_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L727_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L727_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L728_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L727_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L730_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L727_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L731_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L721_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L732_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L735_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L747_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L747_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L748_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L749_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L749_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L750_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L751_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L752_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L753_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L753_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L754_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L756_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L756_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L758_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L760_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L762_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L762_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L763_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L734_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L764_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L767_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L767_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L768_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L767_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L775_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L790_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L794_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L795_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L796_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L796_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L797_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L796_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L799_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L800_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L801_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L802_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L802_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L803_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L804_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L804_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L806_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L806_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L807_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L804_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L808_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L804_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L811_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L812_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L798_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L813_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L813_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L814_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L813_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L815_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L813_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L816_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L816_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L817_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L816_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L818_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L816_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L820_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L816_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L821_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L822_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L822_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L823_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L789_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L824_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L827_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L832_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L833_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L834_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L835_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L835_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L836_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L835_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L839_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L840_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L841_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L842_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L842_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L843_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L844_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L845_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L837_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L846_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L846_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L847_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L846_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L848_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L846_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L849_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L849_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L850_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L849_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L851_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L849_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L853_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L849_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L854_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L826_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L855_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L857_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L858_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L859_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L859_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L860_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L859_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L861_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L861_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L862_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L774_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L863_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L767_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L864_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L767_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L865_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L767_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L866_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:ClassDef_L427_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L868_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L868_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L869_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L868_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L872_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L868_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L874_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L874_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L875_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L875_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L876_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L875_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L881_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L881_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L882_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L875_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L883_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L874_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L887_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L868_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L888_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L892_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L895_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L896_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L897_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L898_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L899_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L900_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:For_L901_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L901_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L904_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L901_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L905_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L901_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:For_L906_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L906_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L907_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:Try_L907_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L908_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L906_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L911_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L911_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L912_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L911_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L915_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L906_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L916_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L916_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L917_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L906_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L918_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L918_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L919_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L920_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L920_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L921_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L923_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L923_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L924_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L891_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L927_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L932_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L933_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L936_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Return_L937_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L941_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Assign_L942_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:FunctionDef_L941_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:For_L943_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:For_L943_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_614:If_L944_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L944_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L945_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L948_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Import_L949_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_614:If_L948_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_614:Expr_L950_C4"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- """ This file is part of the web2py Web Framework Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu> License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html) """ import sys import cPickle import traceback import types import os import logging from storage import Storage from http import HTTP from html import BEAUTIFY, XML logger = logging.getLogger("web2py") __all__ = ['RestrictedError', 'restricted', 'TicketStorage', 'compile2'] class TicketStorage(Storage): """ defines the ticket object and the default values of its members (None) """ def __init__( self, db=None, tablename='web2py_ticket' ): Storage.__init__(self) self.db = db self.tablename = tablename def store(self, request, ticket_id, ticket_data): """ stores the ticket. It will figure out if this must be on disk or in db """ if self.db: self._store_in_db(request, ticket_id, ticket_data) else: self._store_on_disk(request, ticket_id, ticket_data) def _store_in_db(self, request, ticket_id, ticket_data): table = self._get_table(self.db, self.tablename, request.application) table.insert(ticket_id=ticket_id, ticket_data=cPickle.dumps(ticket_data), created_datetime=request.now) logger.error('In FILE: %(layer)s\n\n%(traceback)s\n' % ticket_data) def _store_on_disk(self, request, ticket_id, ticket_data): ef = self._error_file(request, ticket_id, 'wb') try: cPickle.dump(ticket_data, ef) finally: ef.close() def _error_file(self, request, ticket_id, mode, app=None): root = request.folder if app: root = os.path.join(os.path.join(root, '..'), app) errors_folder = os.path.abspath( os.path.join(root, 'errors')) # .replace('\\', '/') return open(os.path.join(errors_folder, ticket_id), mode) def _get_table(self, db, tablename, app): tablename = tablename + '_' + app table = db.get(tablename, None) if table is None: db.rollback() # not necessary but one day # any app may store tickets on DB table = db.define_table( tablename, db.Field('ticket_id', length=100), db.Field('ticket_data', 'text'), db.Field('created_datetime', 'datetime'), ) return table def load( self, request, app, ticket_id, ): if not self.db: try: ef = self._error_file(request, ticket_id, 'rb', app) except IOError: return {} try: return cPickle.load(ef) finally: ef.close() else: table = self._get_table(self.db, self.tablename, app) rows = self.db(table.ticket_id == ticket_id).select() return cPickle.loads(rows[0].ticket_data) if rows else {} class RestrictedError(Exception): """ class used to wrap an exception that occurs in the restricted environment below. the traceback is used to log the exception and generate a ticket. """ def __init__( self, layer='', code='', output='', environment=None, ): """ layer here is some description of where in the system the exception occurred. """ if environment is None: environment = {} self.layer = layer self.code = code self.output = output self.environment = environment if layer: try: self.traceback = traceback.format_exc() except: self.traceback = 'no traceback because template parsing error' try: self.snapshot = snapshot(context=10, code=code, environment=self.environment) except: self.snapshot = {} else: self.traceback = '(no error)' self.snapshot = {} def log(self, request): """ logs the exception. """ try: d = { 'layer': str(self.layer), 'code': str(self.code), 'output': str(self.output), 'traceback': str(self.traceback), 'snapshot': self.snapshot, } ticket_storage = TicketStorage(db=request.tickets_db) ticket_storage.store(request, request.uuid.split('/', 1)[1], d) return request.uuid except: logger.error(self.traceback) return None def load(self, request, app, ticket_id): """ loads a logged exception. """ ticket_storage = TicketStorage(db=request.tickets_db) d = ticket_storage.load(request, app, ticket_id) self.layer = d.get('layer') self.code = d.get('code') self.output = d.get('output') self.traceback = d.get('traceback') self.snapshot = d.get('snapshot') def __str__(self): # safely show an useful message to the user try: output = self.output if isinstance(output, unicode): output = output.encode("utf8") elif not isinstance(output, str): output = str(output) except: output = "" return output def compile2(code, layer): """ The +'\n' is necessary else compile fails when code ends in a comment. """ return compile(code.rstrip().replace('\r\n', '\n') + '\n', layer, 'exec') def restricted(code, environment=None, layer='Unknown'): """ runs code in environment and returns the output. if an exception occurs in code it raises a RestrictedError containing the traceback. layer is passed to RestrictedError to identify where the error occurred. """ if environment is None: environment = {} environment['__file__'] = layer environment['__name__'] = '__restricted__' try: if isinstance(code, types.CodeType): ccode = code else: ccode = compile2(code, layer) exec ccode in environment except HTTP: raise except RestrictedError: # do not encapsulate (obfuscate) the original RestrictedError raise except Exception, error: # extract the exception type and value (used as output message) etype, evalue, tb = sys.exc_info() # XXX Show exception in Wing IDE if running in debugger if __debug__ and 'WINGDB_ACTIVE' in os.environ: sys.excepthook(etype, evalue, tb) output = "%s %s" % (etype, evalue) raise RestrictedError(layer, code, output, environment) def snapshot(info=None, context=5, code=None, environment=None): """Return a dict describing a given traceback (based on cgitb.text).""" import os import types import time import linecache import inspect import pydoc import cgitb # if no exception info given, get current: etype, evalue, etb = info or sys.exc_info() if isinstance(etype, types.ClassType): etype = etype.__name__ # create a snapshot dict with some basic information s = {} s['pyver'] = 'Python ' + sys.version.split()[0] + ': ' + sys.executable + ' (prefix: %s)' % sys.prefix s['date'] = time.ctime(time.time()) # start to process frames records = inspect.getinnerframes(etb, context) s['frames'] = [] for frame, file, lnum, func, lines, index in records: file = file and os.path.abspath(file) or '?' args, varargs, varkw, locals = inspect.getargvalues(frame) call = '' if func != '?': call = inspect.formatargvalues(args, varargs, varkw, locals, formatvalue=lambda value: '=' + pydoc.text.repr(value)) # basic frame information f = {'file': file, 'func': func, 'call': call, 'lines': {}, 'lnum': lnum} highlight = {} def reader(lnum=[lnum]): highlight[lnum[0]] = 1 try: return linecache.getline(file, lnum[0]) finally: lnum[0] += 1 vars = cgitb.scanvars(reader, frame, locals) # if it is a view, replace with generated code if file.endswith('html'): lmin = lnum > context and (lnum - context) or 0 lmax = lnum + context lines = code.split("\n")[lmin:lmax] index = min(context, lnum) - 1 if index is not None: i = lnum - index for line in lines: f['lines'][i] = line.rstrip() i += 1 # dump local variables (referenced in current line only) f['dump'] = {} for name, where, value in vars: if name in f['dump']: continue if value is not cgitb.__UNDEF__: if where == 'global': name = 'global ' + name elif where != 'local': name = where + name.split('.')[-1] f['dump'][name] = pydoc.text.repr(value) else: f['dump'][name] = 'undefined' s['frames'].append(f) # add exception type, value and attributes s['etype'] = str(etype) s['evalue'] = str(evalue) s['exception'] = {} if isinstance(evalue, BaseException): for name in dir(evalue): # prevent py26 DeprecatedWarning: if name != 'message' or sys.version_info < (2.6): value = pydoc.text.repr(getattr(evalue, name)) s['exception'][name] = value # add all local values (of last frame) to the snapshot s['locals'] = {} for name, value in locals.items(): s['locals'][name] = pydoc.text.repr(value) # add web2py environment variables for k, v in environment.items(): if k in ('request', 'response', 'session'): s[k] = XML(str(BEAUTIFY(v))) return s
ajibawa-2023/Python-Code-Large/train/row_615
185
323
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L4_C0", "label": "expression", "type": "expression", "loc": [4, 8], "level": 0, "parent": null, "vector": [8, 0, 0.0186, 0.0155, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nThis file is part of the web2py Web Framework\nCopyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>\nLicense: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L10_C0", "label": "sys import sys", "type": "import", "loc": [10, 10], "level": 0, "parent": null, "vector": [1, 0, 0.031, 0.0031, 0, 0.66, 0.0625, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L11_C0", "label": "cPickle import cPickle", "type": "import", "loc": [11, 11], "level": 0, "parent": null, "vector": [1, 0, 0.0341, 0.0031, 0, 0.66, 0.125, 279, 0, 1, 0, 0, 279, 0, 0], "semantic": {"name": "cPickle", "arg_names": [], "import_names": ["cPickle"], "rhs_call_name": "", "annotation": ""}, "snippet": "import cPickle"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L12_C0", "label": "traceback import traceback", "type": "import", "loc": [12, 12], "level": 0, "parent": null, "vector": [1, 0, 0.0372, 0.0031, 0, 0.66, 0.1875, 423, 0, 1, 0, 0, 423, 0, 0], "semantic": {"name": "traceback", "arg_names": [], "import_names": ["traceback"], "rhs_call_name": "", "annotation": ""}, "snippet": "import traceback"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L13_C0", "label": "types import types", "type": "import", "loc": [13, 13], "level": 0, "parent": null, "vector": [1, 0, 0.0402, 0.0031, 0, 0.66, 0.25, 209, 0, 1, 0, 0, 209, 0, 0], "semantic": {"name": "types", "arg_names": [], "import_names": ["types"], "rhs_call_name": "", "annotation": ""}, "snippet": "import types"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L14_C0", "label": "os import os", "type": "import", "loc": [14, 14], "level": 0, "parent": null, "vector": [1, 0, 0.0433, 0.0031, 0, 0.66, 0.3125, 688, 0, 1, 0, 0, 688, 0, 0], "semantic": {"name": "os", "arg_names": [], "import_names": ["os"], "rhs_call_name": "", "annotation": ""}, "snippet": "import os"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L15_C0", "label": "logging import logging", "type": "import", "loc": [15, 15], "level": 0, "parent": null, "vector": [1, 0, 0.0464, 0.0031, 0, 0.66, 0.375, 715, 0, 1, 0, 0, 715, 0, 0], "semantic": {"name": "logging", "arg_names": [], "import_names": ["logging"], "rhs_call_name": "", "annotation": ""}, "snippet": "import logging"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:ImportFrom_L17_C0", "label": "from storage import Storage", "type": "import", "loc": [17, 17], "level": 0, "parent": null, "vector": [1, 0, 0.0526, 0.0031, 0, 0.66, 0.4375, 864, 0, 1, 0, 0, 864, 0, 0], "semantic": {"name": "storage", "arg_names": [], "import_names": ["Storage"], "rhs_call_name": "", "annotation": ""}, "snippet": "from storage import Storage"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:ImportFrom_L18_C0", "label": "from http import HTTP", "type": "import", "loc": [18, 18], "level": 0, "parent": null, "vector": [1, 0, 0.0557, 0.0031, 0, 0.66, 0.5, 415, 0, 1, 0, 0, 415, 0, 0], "semantic": {"name": "http", "arg_names": [], "import_names": ["HTTP"], "rhs_call_name": "", "annotation": ""}, "snippet": "from http import HTTP"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:ImportFrom_L19_C0", "label": "from html import BEAUTIFY, XML", "type": "import", "loc": [19, 19], "level": 0, "parent": null, "vector": [1, 0, 0.0588, 0.0031, 0, 0.66, 0.5625, 271, 0, 2, 0, 0, 271, 0, 0], "semantic": {"name": "html", "arg_names": [], "import_names": ["BEAUTIFY", "XML"], "rhs_call_name": "", "annotation": ""}, "snippet": "from html import BEAUTIFY, XML"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L21_C0", "label": "logger = getLogger()", "type": "assigned_variable", "loc": [21, 21], "level": 0, "parent": null, "vector": [14, 0, 0.065, 0.0031, 0, 0.66, 0.625, 532, 3, 1, 0, 0, 71, 10, 1], "semantic": {"name": "logger", "arg_names": [], "import_names": [], "rhs_call_name": "getLogger", "annotation": ""}, "snippet": "logger = logging.getLogger(\"web2py\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L23_C0", "label": "__all__ =", "type": "assigned_variable", "loc": [23, 23], "level": 0, "parent": null, "vector": [14, 0, 0.0712, 0.0031, 0, 0.66, 0.6875, 272, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "__all__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__all__ = ['RestrictedError', 'restricted', 'TicketStorage', 'compile2']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "label": "TicketStorage", "type": "class", "loc": [26, 104], "level": 0, "parent": null, "vector": [3, 0, 0.2012, 0.2446, 0, 0.66, 0.75, 378, 0, 7, 0, 0, 850, 0, 29], "semantic": {"name": "TicketStorage", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class TicketStorage(Storage):\n\n \"\"\"\n defines the ticket object and the default values of its members (None)\n \"\"\"\n\n def __init__(\n self,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L28_C4", "label": "expression", "type": "expression", "loc": [28, 30], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "vector": [8, 1, 0.0898, 0.0093, 1, 0.16, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n defines the ticket object and the default values of its members (None)\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L32_C4", "label": "__init__", "type": "function", "loc": [32, 39], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "vector": [2, 1, 0.1099, 0.0248, 1, 0.16, 0.1429, 555, 0, 3, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": ["self", "db", "tablename"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(\n self,\n db=None,\n tablename='web2py_ticket'\n ):\n Storage.__init__(self)\n self.db = db\n self.tablename = tablename"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L37_C8", "label": "__init__()", "type": "expression", "loc": [37, 37], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L32_C4", "vector": [8, 2, 0.1146, 0.0031, 2, 0.5, 0.0, 555, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "__init__", "arg_names": [], "import_names": [], "rhs_call_name": "__init__", "annotation": ""}, "snippet": " Storage.__init__(self)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L38_C8", "label": "self.db =", "type": "assigned_variable", "loc": [38, 38], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L32_C4", "vector": [14, 2, 0.1176, 0.0031, 2, 0.5, 0.5, 990, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.db", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.db = db"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L39_C8", "label": "self.tablename =", "type": "assigned_variable", "loc": [39, 39], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L32_C4", "vector": [14, 2, 0.1207, 0.0031, 2, 0.5, 1.0, 128, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.tablename", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.tablename = tablename"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L41_C4", "label": "store", "type": "function", "loc": [41, 48], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "vector": [2, 1, 0.1378, 0.0248, 1, 0.16, 0.2857, 354, 0, 4, 0, 0, 0, 0, 2], "semantic": {"name": "store", "arg_names": ["self", "request", "ticket_id", "ticket_data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def store(self, request, ticket_id, ticket_data):\n \"\"\"\n stores the ticket. It will figure out if this must be on disk or in db\n \"\"\"\n if self.db:\n self._store_in_db(request, ticket_id, ticket_data)\n else:\n self._store_on_disk(request, ticket_id, ticket_data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L42_C8", "label": "expression", "type": "expression", "loc": [42, 44], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L41_C4", "vector": [8, 2, 0.1331, 0.0093, 2, 0.16, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n stores the ticket. It will figure out if this must be on disk or in db\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L45_C8", "label": "if", "type": "if", "loc": [45, 48], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L41_C4", "vector": [4, 2, 0.144, 0.0124, 2, 0.16, 1.0, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.db:\n self._store_in_db(request, ticket_id, ticket_data)\n else:\n self._store_on_disk(request, ticket_id, ticket_data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L46_C12", "label": "_store_in_db()", "type": "expression", "loc": [46, 46], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L45_C8", "vector": [8, 3, 0.1424, 0.0031, 3, 0.03, 0.0, 210, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_store_in_db", "arg_names": [], "import_names": [], "rhs_call_name": "_store_in_db", "annotation": ""}, "snippet": " self._store_in_db(request, ticket_id, ticket_data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L48_C12", "label": "_store_on_disk()", "type": "expression", "loc": [48, 48], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L45_C8", "vector": [8, 3, 0.1486, 0.0031, 3, 0.03, 1.0, 139, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "_store_on_disk", "arg_names": [], "import_names": [], "rhs_call_name": "_store_on_disk", "annotation": ""}, "snippet": " self._store_on_disk(request, ticket_id, ticket_data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L50_C4", "label": "_store_in_db", "type": "function", "loc": [50, 55], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "vector": [2, 1, 0.1625, 0.0186, 1, 0.16, 0.4286, 210, 0, 4, 0, 0, 0, 0, 4], "semantic": {"name": "_store_in_db", "arg_names": ["self", "request", "ticket_id", "ticket_data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _store_in_db(self, request, ticket_id, ticket_data):\n table = self._get_table(self.db, self.tablename, request.application)\n table.insert(ticket_id=ticket_id,\n ticket_data=cPickle.dumps(ticket_data),\n created_datetime=request.now)\n logger.error('In FILE: %(layer)s\\n\\n%(traceback)s\\n' % ticket_data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L51_C8", "label": "table = _get_table()", "type": "assigned_variable", "loc": [51, 51], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L50_C4", "vector": [14, 2, 0.1579, 0.0031, 2, 0.72, 0.0, 338, 3, 3, 0, 0, 270, 10, 1], "semantic": {"name": "table", "arg_names": [], "import_names": [], "rhs_call_name": "_get_table", "annotation": ""}, "snippet": " table = self._get_table(self.db, self.tablename, request.application)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L52_C8", "label": "insert()", "type": "expression", "loc": [52, 54], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L50_C4", "vector": [8, 2, 0.1641, 0.0093, 2, 0.72, 0.5, 368, 3, 3, 0, 0, 0, 0, 2], "semantic": {"name": "insert", "arg_names": [], "import_names": [], "rhs_call_name": "insert", "annotation": ""}, "snippet": " table.insert(ticket_id=ticket_id,\n ticket_data=cPickle.dumps(ticket_data),\n created_datetime=request.now)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L55_C8", "label": "error()", "type": "expression", "loc": [55, 55], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L50_C4", "vector": [8, 2, 0.1703, 0.0031, 2, 0.72, 1.0, 771, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "error", "arg_names": [], "import_names": [], "rhs_call_name": "error", "annotation": ""}, "snippet": " logger.error('In FILE: %(layer)s\\n\\n%(traceback)s\\n' % ticket_data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L57_C4", "label": "_store_on_disk", "type": "function", "loc": [57, 62], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "vector": [2, 1, 0.1842, 0.0186, 1, 0.16, 0.5714, 139, 0, 4, 0, 0, 0, 0, 3], "semantic": {"name": "_store_on_disk", "arg_names": ["self", "request", "ticket_id", "ticket_data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _store_on_disk(self, request, ticket_id, ticket_data):\n ef = self._error_file(request, ticket_id, 'wb')\n try:\n cPickle.dump(ticket_data, ef)\n finally:\n ef.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L58_C8", "label": "ef = _error_file()", "type": "assigned_variable", "loc": [58, 58], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L57_C4", "vector": [14, 2, 0.1796, 0.0031, 2, 0.16, 0.0, 807, 3, 3, 0, 0, 344, 10, 1], "semantic": {"name": "ef", "arg_names": [], "import_names": [], "rhs_call_name": "_error_file", "annotation": ""}, "snippet": " ef = self._error_file(request, ticket_id, 'wb')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L59_C8", "label": "try", "type": "try", "loc": [59, 62], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L57_C4", "vector": [7, 2, 0.1873, 0.0124, 2, 0.16, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n cPickle.dump(ticket_data, ef)\n finally:\n ef.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L60_C12", "label": "dump()", "type": "expression", "loc": [60, 60], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L59_C8", "vector": [8, 3, 0.1858, 0.0031, 3, 0.1, 0.0, 952, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "dump", "arg_names": [], "import_names": [], "rhs_call_name": "dump", "annotation": ""}, "snippet": " cPickle.dump(ticket_data, ef)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L62_C12", "label": "close()", "type": "expression", "loc": [62, 62], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L59_C8", "vector": [8, 3, 0.192, 0.0031, 3, 0.1, 1.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " ef.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L64_C4", "label": "_error_file", "type": "function", "loc": [64, 70], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "vector": [2, 1, 0.2074, 0.0217, 1, 0.16, 0.7143, 344, 0, 5, 1, 0, 0, 0, 6], "semantic": {"name": "_error_file", "arg_names": ["self", "request", "ticket_id", "mode", "app"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _error_file(self, request, ticket_id, mode, app=None):\n root = request.folder\n if app:\n root = os.path.join(os.path.join(root, '..'), app)\n errors_folder = os.path.abspath(\n os.path.join(root, 'errors')) # .replace('\\\\', '/')\n return open(os.path.join(errors_folder, ticket_id), mode)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L65_C8", "label": "root =", "type": "assigned_variable", "loc": [65, 65], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L64_C4", "vector": [14, 2, 0.2012, 0.0031, 2, 0.07, 0.0, 696, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "root", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " root = request.folder"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L66_C8", "label": "if", "type": "if", "loc": [66, 67], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L64_C4", "vector": [4, 2, 0.2059, 0.0062, 2, 0.07, 0.3333, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if app:\n root = os.path.join(os.path.join(root, '..'), app)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L67_C12", "label": "root = join()", "type": "assigned_variable", "loc": [67, 67], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L66_C8", "vector": [14, 3, 0.2074, 0.0031, 3, 0.65, 0.0, 696, 3, 2, 0, 0, 933, 10, 2], "semantic": {"name": "root", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " root = os.path.join(os.path.join(root, '..'), app)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L68_C8", "label": "errors_folder = abspath()", "type": "assigned_variable", "loc": [68, 69], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L64_C4", "vector": [14, 2, 0.2121, 0.0062, 2, 0.07, 0.6667, 106, 3, 1, 0, 0, 142, 10, 2], "semantic": {"name": "errors_folder", "arg_names": [], "import_names": [], "rhs_call_name": "abspath", "annotation": ""}, "snippet": " errors_folder = os.path.abspath(\n os.path.join(root, 'errors')) # .replace('\\\\', '/')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L70_C8", "label": "return", "type": "return", "loc": [70, 70], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L64_C4", "vector": [13, 2, 0.2167, 0.0031, 2, 0.07, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return open(os.path.join(errors_folder, ticket_id), mode)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L72_C4", "label": "_get_table", "type": "function", "loc": [72, 84], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "vector": [2, 1, 0.2415, 0.0402, 1, 0.16, 0.8571, 270, 0, 4, 1, 0, 0, 0, 6], "semantic": {"name": "_get_table", "arg_names": ["self", "db", "tablename", "app"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def _get_table(self, db, tablename, app):\n tablename = tablename + '_' + app\n table = db.get(tablename, None)\n if table is None:\n db.rollback() # not necessary but one day\n # any app may store tickets on DB\n table = db.define_table(\n tablename,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L73_C8", "label": "tablename =", "type": "assigned_variable", "loc": [73, 73], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L72_C4", "vector": [14, 2, 0.226, 0.0031, 2, 0.43, 0.0, 821, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "tablename", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tablename = tablename + '_' + app"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L74_C8", "label": "table = get()", "type": "assigned_variable", "loc": [74, 74], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L72_C4", "vector": [14, 2, 0.2291, 0.0031, 2, 0.43, 0.3333, 338, 3, 2, 0, 0, 607, 10, 1], "semantic": {"name": "table", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " table = db.get(tablename, None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L75_C8", "label": "if", "type": "if", "loc": [75, 83], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L72_C4", "vector": [4, 2, 0.2446, 0.0279, 2, 0.43, 0.6667, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if table is None:\n db.rollback() # not necessary but one day\n # any app may store tickets on DB\n table = db.define_table(\n tablename,\n db.Field('ticket_id', length=100),\n db.Field('ticket_data', 'text'),\n db.Field('created_datetime', 'datetime'),"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L76_C12", "label": "rollback()", "type": "expression", "loc": [76, 76], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L75_C8", "vector": [8, 3, 0.2353, 0.0031, 3, 0.2, 0.0, 484, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "rollback", "arg_names": [], "import_names": [], "rhs_call_name": "rollback", "annotation": ""}, "snippet": " db.rollback() # not necessary but one day"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L78_C12", "label": "table = define_table()", "type": "assigned_variable", "loc": [78, 83], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L75_C8", "vector": [14, 3, 0.2492, 0.0186, 3, 0.2, 1.0, 338, 3, 4, 0, 0, 874, 10, 4], "semantic": {"name": "table", "arg_names": [], "import_names": [], "rhs_call_name": "define_table", "annotation": ""}, "snippet": " table = db.define_table(\n tablename,\n db.Field('ticket_id', length=100),\n db.Field('ticket_data', 'text'),\n db.Field('created_datetime', 'datetime'),\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L84_C8", "label": "return", "type": "return", "loc": [84, 84], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L72_C4", "vector": [13, 2, 0.2601, 0.0031, 2, 0.43, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return table"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L86_C4", "label": "load", "type": "function", "loc": [86, 104], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "vector": [2, 1, 0.2941, 0.0588, 1, 0.16, 1.0, 37, 0, 4, 1, 0, 0, 0, 7], "semantic": {"name": "load", "arg_names": ["self", "request", "app", "ticket_id"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def load(\n self,\n request,\n app,\n ticket_id,\n ):\n if not self.db:\n try:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L92_C8", "label": "if", "type": "if", "loc": [92, 104], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L86_C4", "vector": [4, 2, 0.3034, 0.0402, 2, 0.03, 0.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self.db:\n try:\n ef = self._error_file(request, ticket_id, 'rb', app)\n except IOError:\n return {}\n try:\n return cPickle.load(ef)\n finally:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L93_C12", "label": "try", "type": "try", "loc": [93, 96], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L92_C8", "vector": [7, 3, 0.2926, 0.0124, 3, 0.49, 0.0, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n ef = self._error_file(request, ticket_id, 'rb', app)\n except IOError:\n return {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L94_C16", "label": "ef = _error_file()", "type": "assigned_variable", "loc": [94, 94], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L93_C12", "vector": [14, 4, 0.291, 0.0031, 4, 0.76, 0.0, 807, 3, 4, 0, 0, 344, 10, 1], "semantic": {"name": "ef", "arg_names": [], "import_names": [], "rhs_call_name": "_error_file", "annotation": ""}, "snippet": " ef = self._error_file(request, ticket_id, 'rb', app)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L96_C16", "label": "return", "type": "return", "loc": [96, 96], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L93_C12", "vector": [13, 4, 0.2972, 0.0031, 4, 0.76, 0.0, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L97_C12", "label": "try", "type": "try", "loc": [97, 100], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L92_C8", "vector": [7, 3, 0.305, 0.0124, 3, 0.49, 0.25, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return cPickle.load(ef)\n finally:\n ef.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L98_C16", "label": "return", "type": "return", "loc": [98, 98], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L97_C12", "vector": [13, 4, 0.3034, 0.0031, 4, 0.4, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return cPickle.load(ef)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L100_C16", "label": "close()", "type": "expression", "loc": [100, 100], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L97_C12", "vector": [8, 4, 0.3096, 0.0031, 4, 0.4, 1.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " ef.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L102_C12", "label": "table = _get_table()", "type": "assigned_variable", "loc": [102, 102], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L92_C8", "vector": [14, 3, 0.3158, 0.0031, 3, 0.49, 0.5, 338, 3, 3, 0, 0, 270, 10, 1], "semantic": {"name": "table", "arg_names": [], "import_names": [], "rhs_call_name": "_get_table", "annotation": ""}, "snippet": " table = self._get_table(self.db, self.tablename, app)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L103_C12", "label": "rows = select()", "type": "assigned_variable", "loc": [103, 103], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L92_C8", "vector": [14, 3, 0.3189, 0.0031, 3, 0.49, 0.75, 275, 3, 0, 0, 0, 438, 10, 2], "semantic": {"name": "rows", "arg_names": [], "import_names": [], "rhs_call_name": "select", "annotation": ""}, "snippet": " rows = self.db(table.ticket_id == ticket_id).select()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L104_C12", "label": "return", "type": "return", "loc": [104, 104], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L92_C8", "vector": [13, 3, 0.322, 0.0031, 3, 0.49, 1.0, 0, 8, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return cPickle.loads(rows[0].ticket_data) if rows else {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L107_C0", "label": "RestrictedError", "type": "class", "loc": [107, 187], "level": 0, "parent": null, "vector": [3, 0, 0.4551, 0.2508, 0, 0.66, 0.8125, 461, 0, 4, 0, 0, 645, 0, 21], "semantic": {"name": "RestrictedError", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class RestrictedError(Exception):\n \"\"\"\n class used to wrap an exception that occurs in the restricted environment\n below. the traceback is used to log the exception and generate a ticket.\n \"\"\"\n\n def __init__(\n self,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L108_C4", "label": "expression", "type": "expression", "loc": [108, 111], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L107_C0", "vector": [8, 1, 0.339, 0.0124, 1, 0.71, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n class used to wrap an exception that occurs in the restricted environment\n below. the traceback is used to log the exception and generate a ticket.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "label": "__init__", "type": "function", "loc": [113, 142], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L107_C0", "vector": [2, 1, 0.3947, 0.0929, 1, 0.71, 0.25, 555, 0, 5, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "layer", "code", "output", "environment"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(\n self,\n layer='',\n code='',\n output='',\n environment=None,\n ):\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L120_C8", "label": "expression", "type": "expression", "loc": [120, 123], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "vector": [8, 2, 0.3762, 0.0124, 2, 0.13, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n layer here is some description of where in the system the exception\n occurred.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L124_C8", "label": "if", "type": "if", "loc": [124, 125], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "vector": [4, 2, 0.3854, 0.0062, 2, 0.13, 0.1667, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if environment is None:\n environment = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L125_C12", "label": "environment =", "type": "assigned_variable", "loc": [125, 125], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L124_C8", "vector": [14, 3, 0.387, 0.0031, 3, 0.11, 0.0, 4, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "environment", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " environment = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L126_C8", "label": "self.layer =", "type": "assigned_variable", "loc": [126, 126], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "vector": [14, 2, 0.3901, 0.0031, 2, 0.13, 0.3333, 719, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.layer", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.layer = layer"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L127_C8", "label": "self.code =", "type": "assigned_variable", "loc": [127, 127], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "vector": [14, 2, 0.3932, 0.0031, 2, 0.13, 0.5, 296, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.code", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.code = code"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L128_C8", "label": "self.output =", "type": "assigned_variable", "loc": [128, 128], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "vector": [14, 2, 0.3963, 0.0031, 2, 0.13, 0.6667, 815, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.output", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.output = output"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L129_C8", "label": "self.environment =", "type": "assigned_variable", "loc": [129, 129], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "vector": [14, 2, 0.3994, 0.0031, 2, 0.13, 0.8333, 443, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.environment", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.environment = environment"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L130_C8", "label": "if", "type": "if", "loc": [130, 142], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "vector": [4, 2, 0.4211, 0.0402, 2, 0.13, 1.0, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if layer:\n try:\n self.traceback = traceback.format_exc()\n except:\n self.traceback = 'no traceback because template parsing error'\n try:\n self.snapshot = snapshot(context=10, code=code,\n environment=self.environment)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L131_C12", "label": "try", "type": "try", "loc": [131, 134], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L130_C8", "vector": [7, 3, 0.4102, 0.0124, 3, 0.69, 0.0, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self.traceback = traceback.format_exc()\n except:\n self.traceback = 'no traceback because template parsing error'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L132_C16", "label": "self.traceback = format_exc()", "type": "assigned_variable", "loc": [132, 132], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L131_C12", "vector": [14, 4, 0.4087, 0.0031, 4, 0.17, 0.0, 966, 3, 0, 0, 0, 92, 10, 1], "semantic": {"name": "self.traceback", "arg_names": [], "import_names": [], "rhs_call_name": "format_exc", "annotation": ""}, "snippet": " self.traceback = traceback.format_exc()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L134_C16", "label": "self.traceback =", "type": "assigned_variable", "loc": [134, 134], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L131_C12", "vector": [14, 4, 0.4149, 0.0031, 4, 0.17, 0.0, 966, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self.traceback", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.traceback = 'no traceback because template parsing error'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L135_C12", "label": "try", "type": "try", "loc": [135, 139], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L130_C8", "vector": [7, 3, 0.4241, 0.0155, 3, 0.69, 0.3333, 0, 0, 1, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n self.snapshot = snapshot(context=10, code=code,\n environment=self.environment)\n except:\n self.snapshot = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L136_C16", "label": "self.snapshot = snapshot()", "type": "assigned_variable", "loc": [136, 137], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L135_C12", "vector": [14, 4, 0.4226, 0.0062, 4, 0.59, 0.0, 860, 3, 3, 0, 0, 260, 10, 1], "semantic": {"name": "self.snapshot", "arg_names": [], "import_names": [], "rhs_call_name": "snapshot", "annotation": ""}, "snippet": " self.snapshot = snapshot(context=10, code=code,\n environment=self.environment)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L139_C16", "label": "self.snapshot =", "type": "assigned_variable", "loc": [139, 139], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L135_C12", "vector": [14, 4, 0.4303, 0.0031, 4, 0.59, 0.0, 860, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.snapshot", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.snapshot = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L141_C12", "label": "self.traceback =", "type": "assigned_variable", "loc": [141, 141], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L130_C8", "vector": [14, 3, 0.4365, 0.0031, 3, 0.69, 0.6667, 966, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self.traceback", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.traceback = '(no error)'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L142_C12", "label": "self.snapshot =", "type": "assigned_variable", "loc": [142, 142], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L130_C8", "vector": [14, 3, 0.4396, 0.0031, 3, 0.69, 1.0, 860, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "self.snapshot", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.snapshot = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L144_C4", "label": "log", "type": "function", "loc": [144, 162], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L107_C0", "vector": [2, 1, 0.4737, 0.0588, 1, 0.71, 0.5, 432, 0, 2, 1, 0, 0, 0, 8], "semantic": {"name": "log", "arg_names": ["self", "request"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def log(self, request):\n \"\"\"\n logs the exception.\n \"\"\"\n\n try:\n d = {\n 'layer': str(self.layer),"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L145_C8", "label": "expression", "type": "expression", "loc": [145, 147], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L144_C4", "vector": [8, 2, 0.452, 0.0093, 2, 0.53, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n logs the exception.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "label": "try", "type": "try", "loc": [149, 162], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L144_C4", "vector": [7, 2, 0.4814, 0.0433, 2, 0.53, 1.0, 0, 0, 1, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n d = {\n 'layer': str(self.layer),\n 'code': str(self.code),\n 'output': str(self.output),\n 'traceback': str(self.traceback),\n 'snapshot': self.snapshot,\n }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L150_C12", "label": "d =", "type": "assigned_variable", "loc": [150, 156], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "vector": [14, 3, 0.4737, 0.0217, 3, 0.12, 0.0, 355, 0, 0, 0, 0, 0, 6, 4], "semantic": {"name": "d", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " d = {\n 'layer': str(self.layer),\n 'code': str(self.code),\n 'output': str(self.output),\n 'traceback': str(self.traceback),\n 'snapshot': self.snapshot,\n }"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L157_C12", "label": "ticket_storage = TicketStorage()", "type": "assigned_variable", "loc": [157, 157], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "vector": [14, 3, 0.4861, 0.0031, 3, 0.12, 0.3333, 333, 3, 1, 0, 0, 378, 10, 1], "semantic": {"name": "ticket_storage", "arg_names": [], "import_names": [], "rhs_call_name": "TicketStorage", "annotation": ""}, "snippet": " ticket_storage = TicketStorage(db=request.tickets_db)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L158_C12", "label": "store()", "type": "expression", "loc": [158, 158], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "vector": [8, 3, 0.4892, 0.0031, 3, 0.12, 0.6667, 354, 3, 3, 0, 0, 0, 0, 2], "semantic": {"name": "store", "arg_names": [], "import_names": [], "rhs_call_name": "store", "annotation": ""}, "snippet": " ticket_storage.store(request, request.uuid.split('/', 1)[1], d)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L159_C12", "label": "return", "type": "return", "loc": [159, 159], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "vector": [13, 3, 0.4923, 0.0031, 3, 0.12, 1.0, 0, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return request.uuid"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L161_C12", "label": "error()", "type": "expression", "loc": [161, 161], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "vector": [8, 3, 0.4985, 0.0031, 3, 0.12, 0.0, 771, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "error", "arg_names": [], "import_names": [], "rhs_call_name": "error", "annotation": ""}, "snippet": " logger.error(self.traceback)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L162_C12", "label": "return", "type": "return", "loc": [162, 162], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "vector": [13, 3, 0.5015, 0.0031, 3, 0.12, 1.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "label": "load", "type": "function", "loc": [164, 175], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L107_C0", "vector": [2, 1, 0.5248, 0.0372, 1, 0.71, 0.75, 37, 0, 4, 0, 0, 0, 0, 7], "semantic": {"name": "load", "arg_names": ["self", "request", "app", "ticket_id"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def load(self, request, app, ticket_id):\n \"\"\"\n loads a logged exception.\n \"\"\"\n ticket_storage = TicketStorage(db=request.tickets_db)\n d = ticket_storage.load(request, app, ticket_id)\n\n self.layer = d.get('layer')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L165_C8", "label": "expression", "type": "expression", "loc": [165, 167], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "vector": [8, 2, 0.5139, 0.0093, 2, 0.67, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n loads a logged exception.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L168_C8", "label": "ticket_storage = TicketStorage()", "type": "assigned_variable", "loc": [168, 168], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "vector": [14, 2, 0.5201, 0.0031, 2, 0.67, 0.1429, 333, 3, 1, 0, 0, 378, 10, 1], "semantic": {"name": "ticket_storage", "arg_names": [], "import_names": [], "rhs_call_name": "TicketStorage", "annotation": ""}, "snippet": " ticket_storage = TicketStorage(db=request.tickets_db)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L169_C8", "label": "d = load()", "type": "assigned_variable", "loc": [169, 169], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "vector": [14, 2, 0.5232, 0.0031, 2, 0.67, 0.2857, 355, 3, 3, 0, 0, 37, 10, 1], "semantic": {"name": "d", "arg_names": [], "import_names": [], "rhs_call_name": "load", "annotation": ""}, "snippet": " d = ticket_storage.load(request, app, ticket_id)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L171_C8", "label": "self.layer = get()", "type": "assigned_variable", "loc": [171, 171], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "vector": [14, 2, 0.5294, 0.0031, 2, 0.67, 0.4286, 719, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "self.layer", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " self.layer = d.get('layer')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L172_C8", "label": "self.code = get()", "type": "assigned_variable", "loc": [172, 172], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "vector": [14, 2, 0.5325, 0.0031, 2, 0.67, 0.5714, 296, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "self.code", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " self.code = d.get('code')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L173_C8", "label": "self.output = get()", "type": "assigned_variable", "loc": [173, 173], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "vector": [14, 2, 0.5356, 0.0031, 2, 0.67, 0.7143, 815, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "self.output", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " self.output = d.get('output')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L174_C8", "label": "self.traceback = get()", "type": "assigned_variable", "loc": [174, 174], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "vector": [14, 2, 0.5387, 0.0031, 2, 0.67, 0.8571, 966, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "self.traceback", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " self.traceback = d.get('traceback')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L175_C8", "label": "self.snapshot = get()", "type": "assigned_variable", "loc": [175, 175], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "vector": [14, 2, 0.5418, 0.0031, 2, 0.67, 1.0, 860, 3, 1, 0, 0, 607, 10, 1], "semantic": {"name": "self.snapshot", "arg_names": [], "import_names": [], "rhs_call_name": "get", "annotation": ""}, "snippet": " self.snapshot = d.get('snapshot')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L177_C4", "label": "__str__", "type": "function", "loc": [177, 187], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L107_C0", "vector": [2, 1, 0.5635, 0.0341, 1, 0.71, 1.0, 527, 0, 1, 1, 0, 0, 0, 4], "semantic": {"name": "__str__", "arg_names": ["self"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __str__(self):\n # safely show an useful message to the user\n try:\n output = self.output\n if isinstance(output, unicode):\n output = output.encode(\"utf8\")\n elif not isinstance(output, str):\n output = str(output)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L179_C8", "label": "try", "type": "try", "loc": [179, 186], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L177_C4", "vector": [7, 2, 0.565, 0.0248, 2, 0.19, 0.0, 0, 0, 1, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n output = self.output\n if isinstance(output, unicode):\n output = output.encode(\"utf8\")\n elif not isinstance(output, str):\n output = str(output)\n except:\n output = \"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L180_C12", "label": "output =", "type": "assigned_variable", "loc": [180, 180], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L179_C8", "vector": [14, 3, 0.5573, 0.0031, 3, 0.39, 0.0, 886, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "output", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " output = self.output"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L181_C12", "label": "if", "type": "if", "loc": [181, 184], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L179_C8", "vector": [4, 3, 0.565, 0.0124, 3, 0.39, 1.0, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(output, unicode):\n output = output.encode(\"utf8\")\n elif not isinstance(output, str):\n output = str(output)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L182_C16", "label": "output = encode()", "type": "assigned_variable", "loc": [182, 182], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L181_C12", "vector": [14, 4, 0.5635, 0.0031, 4, 0.95, 0.0, 886, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "output", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " output = output.encode(\"utf8\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L183_C12", "label": "if", "type": "if", "loc": [183, 184], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L181_C12", "vector": [4, 4, 0.5681, 0.0062, 4, 0.95, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif not isinstance(output, str):\n output = str(output)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L184_C16", "label": "output = str()", "type": "assigned_variable", "loc": [184, 184], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L183_C12", "vector": [14, 5, 0.5697, 0.0031, 5, 0.32, 0.0, 886, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "output", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " output = str(output)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L186_C12", "label": "output =", "type": "assigned_variable", "loc": [186, 186], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L179_C8", "vector": [14, 3, 0.5759, 0.0031, 3, 0.39, 0.0, 886, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "output", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " output = \"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L187_C8", "label": "return", "type": "return", "loc": [187, 187], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L177_C4", "vector": [13, 2, 0.5789, 0.0031, 2, 0.19, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return output"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L190_C0", "label": "compile2", "type": "function", "loc": [190, 194], "level": 0, "parent": null, "vector": [2, 0, 0.5944, 0.0155, 0, 0.66, 0.875, 283, 0, 2, 1, 0, 0, 0, 3], "semantic": {"name": "compile2", "arg_names": ["code", "layer"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def compile2(code, layer):\n \"\"\"\n The +'\\n' is necessary else compile fails when code ends in a comment.\n \"\"\"\n return compile(code.rstrip().replace('\\r\\n', '\\n') + '\\n', layer, 'exec')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L191_C4", "label": "expression", "type": "expression", "loc": [191, 193], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L190_C0", "vector": [8, 1, 0.5944, 0.0093, 1, 0.7, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n The +'\\n' is necessary else compile fails when code ends in a comment.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L194_C4", "label": "return", "type": "return", "loc": [194, 194], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L190_C0", "vector": [13, 1, 0.6006, 0.0031, 1, 0.7, 1.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return compile(code.rstrip().replace('\\r\\n', '\\n') + '\\n', layer, 'exec')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L197_C0", "label": "restricted", "type": "function", "loc": [197, 224], "level": 0, "parent": null, "vector": [2, 0, 0.6517, 0.0867, 0, 0.66, 0.9375, 844, 0, 3, 0, 0, 0, 0, 6], "semantic": {"name": "restricted", "arg_names": ["code", "environment", "layer"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def restricted(code, environment=None, layer='Unknown'):\n \"\"\"\n runs code in environment and returns the output. if an exception occurs\n in code it raises a RestrictedError containing the traceback. layer is\n passed to RestrictedError to identify where the error occurred.\n \"\"\"\n if environment is None:\n environment = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L198_C4", "label": "expression", "type": "expression", "loc": [198, 202], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L197_C0", "vector": [8, 1, 0.6192, 0.0155, 1, 0.34, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n runs code in environment and returns the output. if an exception occurs\n in code it raises a RestrictedError containing the traceback. layer is\n passed to RestrictedError to identify where the error occurred.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L203_C4", "label": "if", "type": "if", "loc": [203, 204], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L197_C0", "vector": [4, 1, 0.63, 0.0062, 1, 0.34, 0.25, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if environment is None:\n environment = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L204_C8", "label": "environment =", "type": "assigned_variable", "loc": [204, 204], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L203_C4", "vector": [14, 2, 0.6316, 0.0031, 2, 0.26, 0.0, 4, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "environment", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " environment = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L205_C4", "label": "assign", "type": "assigned_variable", "loc": [205, 205], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L197_C0", "vector": [14, 1, 0.6347, 0.0031, 1, 0.34, 0.5, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " environment['__file__'] = layer"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L206_C4", "label": "assign", "type": "assigned_variable", "loc": [206, 206], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L197_C0", "vector": [14, 1, 0.6378, 0.0031, 1, 0.34, 0.75, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " environment['__name__'] = '__restricted__'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L207_C4", "label": "try", "type": "try", "loc": [207, 224], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L197_C0", "vector": [7, 1, 0.6672, 0.0557, 1, 0.34, 1.0, 0, 0, 2, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n if isinstance(code, types.CodeType):\n ccode = code\n else:\n ccode = compile2(code, layer)\n exec(ccode in environment)\n except HTTP:\n raise"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L208_C8", "label": "if", "type": "if", "loc": [208, 211], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L207_C4", "vector": [4, 2, 0.6486, 0.0124, 2, 0.16, 0.0, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(code, types.CodeType):\n ccode = code\n else:\n ccode = compile2(code, layer)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L209_C12", "label": "ccode =", "type": "assigned_variable", "loc": [209, 209], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L208_C8", "vector": [14, 3, 0.6471, 0.0031, 3, 0.74, 0.0, 397, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ccode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ccode = code"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L211_C12", "label": "ccode = compile2()", "type": "assigned_variable", "loc": [211, 211], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L208_C8", "vector": [14, 3, 0.6533, 0.0031, 3, 0.74, 1.0, 397, 3, 2, 0, 0, 283, 10, 1], "semantic": {"name": "ccode", "arg_names": [], "import_names": [], "rhs_call_name": "compile2", "annotation": ""}, "snippet": " ccode = compile2(code, layer)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L212_C8", "label": "exec()", "type": "expression", "loc": [212, 212], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L207_C4", "vector": [8, 2, 0.6563, 0.0031, 2, 0.16, 1.0, 272, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "exec", "arg_names": [], "import_names": [], "rhs_call_name": "exec", "annotation": ""}, "snippet": " exec(ccode in environment)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L219_C8", "label": "etype, evalue, tb = exc_info()", "type": "assigned_variable", "loc": [219, 219], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L207_C4", "vector": [14, 2, 0.678, 0.0031, 2, 0.16, 0.0, 830, 3, 0, 0, 0, 289, 10, 1], "semantic": {"name": "etype, evalue, tb", "arg_names": [], "import_names": [], "rhs_call_name": "exc_info", "annotation": ""}, "snippet": " etype, evalue, tb = sys.exc_info()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L221_C8", "label": "if", "type": "if", "loc": [221, 222], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L207_C4", "vector": [4, 2, 0.6858, 0.0062, 2, 0.16, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if __debug__ and 'WINGDB_ACTIVE' in os.environ:\n sys.excepthook(etype, evalue, tb)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L222_C12", "label": "excepthook()", "type": "expression", "loc": [222, 222], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L221_C8", "vector": [8, 3, 0.6873, 0.0031, 3, 0.31, 0.0, 930, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "excepthook", "arg_names": [], "import_names": [], "rhs_call_name": "excepthook", "annotation": ""}, "snippet": " sys.excepthook(etype, evalue, tb)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L223_C8", "label": "output =", "type": "assigned_variable", "loc": [223, 223], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L207_C4", "vector": [14, 2, 0.6904, 0.0031, 2, 0.16, 1.0, 886, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "output", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " output = \"%s %s\" % (etype, evalue)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "label": "snapshot", "type": "function", "loc": [227, 323], "level": 0, "parent": null, "vector": [2, 0, 0.8514, 0.3003, 0, 0.66, 1.0, 260, 0, 4, 1, 0, 0, 0, 31], "semantic": {"name": "snapshot", "arg_names": ["info", "context", "code", "environment"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def snapshot(info=None, context=5, code=None, environment=None):\n \"\"\"Return a dict describing a given traceback (based on cgitb.text).\"\"\"\n import os\n import types\n import time\n import linecache\n import inspect\n import pydoc"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L228_C4", "label": "expression", "type": "expression", "loc": [228, 228], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [8, 1, 0.7059, 0.0031, 1, 0.97, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"Return a dict describing a given traceback (based on cgitb.text).\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L229_C4", "label": "os import os", "type": "import", "loc": [229, 229], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [1, 1, 0.709, 0.0031, 1, 0.97, 0.0435, 688, 0, 1, 0, 0, 688, 0, 0], "semantic": {"name": "os", "arg_names": [], "import_names": ["os"], "rhs_call_name": "", "annotation": ""}, "snippet": " import os"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L230_C4", "label": "types import types", "type": "import", "loc": [230, 230], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [1, 1, 0.7121, 0.0031, 1, 0.97, 0.087, 209, 0, 1, 0, 0, 209, 0, 0], "semantic": {"name": "types", "arg_names": [], "import_names": ["types"], "rhs_call_name": "", "annotation": ""}, "snippet": " import types"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L231_C4", "label": "time import time", "type": "import", "loc": [231, 231], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [1, 1, 0.7152, 0.0031, 1, 0.97, 0.1304, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["time"], "rhs_call_name": "", "annotation": ""}, "snippet": " import time"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L232_C4", "label": "linecache import linecache", "type": "import", "loc": [232, 232], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [1, 1, 0.7183, 0.0031, 1, 0.97, 0.1739, 965, 0, 1, 0, 0, 965, 0, 0], "semantic": {"name": "linecache", "arg_names": [], "import_names": ["linecache"], "rhs_call_name": "", "annotation": ""}, "snippet": " import linecache"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L233_C4", "label": "inspect import inspect", "type": "import", "loc": [233, 233], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [1, 1, 0.7214, 0.0031, 1, 0.97, 0.2174, 878, 0, 1, 0, 0, 878, 0, 0], "semantic": {"name": "inspect", "arg_names": [], "import_names": ["inspect"], "rhs_call_name": "", "annotation": ""}, "snippet": " import inspect"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L234_C4", "label": "pydoc import pydoc", "type": "import", "loc": [234, 234], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [1, 1, 0.7245, 0.0031, 1, 0.97, 0.2609, 291, 0, 1, 0, 0, 291, 0, 0], "semantic": {"name": "pydoc", "arg_names": [], "import_names": ["pydoc"], "rhs_call_name": "", "annotation": ""}, "snippet": " import pydoc"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L235_C4", "label": "cgitb import cgitb", "type": "import", "loc": [235, 235], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [1, 1, 0.7276, 0.0031, 1, 0.97, 0.3043, 691, 0, 1, 0, 0, 691, 0, 0], "semantic": {"name": "cgitb", "arg_names": [], "import_names": ["cgitb"], "rhs_call_name": "", "annotation": ""}, "snippet": " import cgitb"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L238_C4", "label": "etype, evalue, etb =", "type": "assigned_variable", "loc": [238, 238], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [14, 1, 0.7368, 0.0031, 1, 0.97, 0.3478, 118, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "etype, evalue, etb", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " etype, evalue, etb = info or sys.exc_info()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L240_C4", "label": "if", "type": "if", "loc": [240, 241], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [4, 1, 0.7446, 0.0062, 1, 0.97, 0.3913, 0, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(etype, types.ClassType):\n etype = etype.__name__"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L241_C8", "label": "etype =", "type": "assigned_variable", "loc": [241, 241], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L240_C4", "vector": [14, 2, 0.7461, 0.0031, 2, 0.6, 0.0, 370, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "etype", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " etype = etype.__name__"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L244_C4", "label": "s =", "type": "assigned_variable", "loc": [244, 244], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [14, 1, 0.7554, 0.0031, 1, 0.97, 0.4348, 553, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " s = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L245_C4", "label": "assign", "type": "assigned_variable", "loc": [245, 245], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [14, 1, 0.7585, 0.0031, 1, 0.97, 0.4783, 0, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " s['pyver'] = 'Python ' + sys.version.split()[0] + ': ' + sys.executable + ' (prefix: %s)' % sys.prefix"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L246_C4", "label": " = ctime()", "type": "assigned_variable", "loc": [246, 246], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [14, 1, 0.7616, 0.0031, 1, 0.97, 0.5217, 0, 3, 1, 0, 0, 671, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "ctime", "annotation": ""}, "snippet": " s['date'] = time.ctime(time.time())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L249_C4", "label": "records = getinnerframes()", "type": "assigned_variable", "loc": [249, 249], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [14, 1, 0.7709, 0.0031, 1, 0.97, 0.5652, 186, 3, 2, 0, 0, 799, 10, 1], "semantic": {"name": "records", "arg_names": [], "import_names": [], "rhs_call_name": "getinnerframes", "annotation": ""}, "snippet": " records = inspect.getinnerframes(etb, context)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L250_C4", "label": "assign", "type": "assigned_variable", "loc": [250, 250], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [14, 1, 0.774, 0.0031, 1, 0.97, 0.6087, 0, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " s['frames'] = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "label": "for frame, file, lnum, func, lines, index", "type": "for", "loc": [251, 300], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [6, 1, 0.8529, 0.1548, 1, 0.97, 0.6522, 375, 2, 0, 0, 0, 0, 0, 13], "semantic": {"name": "frame, file, lnum, func, lines, index", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for frame, file, lnum, func, lines, index in records:\n file = file and os.path.abspath(file) or '?'\n args, varargs, varkw, locals = inspect.getargvalues(frame)\n call = ''\n if func != '?':\n call = inspect.formatargvalues(args, varargs, varkw, locals,\n formatvalue=lambda value: '=' + pydoc.text.repr(value))\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L252_C8", "label": "file =", "type": "assigned_variable", "loc": [252, 252], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [14, 2, 0.7802, 0.0031, 2, 0.22, 0.0, 107, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "file", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " file = file and os.path.abspath(file) or '?'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L253_C8", "label": "args, varargs, varkw, locals = getargvalues()", "type": "assigned_variable", "loc": [253, 253], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [14, 2, 0.7833, 0.0031, 2, 0.22, 0.0833, 557, 3, 1, 0, 0, 382, 10, 1], "semantic": {"name": "args, varargs, varkw, locals", "arg_names": [], "import_names": [], "rhs_call_name": "getargvalues", "annotation": ""}, "snippet": " args, varargs, varkw, locals = inspect.getargvalues(frame)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L254_C8", "label": "call =", "type": "assigned_variable", "loc": [254, 254], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [14, 2, 0.7864, 0.0031, 2, 0.22, 0.1667, 832, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "call", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " call = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L255_C8", "label": "if", "type": "if", "loc": [255, 257], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [4, 2, 0.7926, 0.0093, 2, 0.22, 0.25, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if func != '?':\n call = inspect.formatargvalues(args, varargs, varkw, locals,\n formatvalue=lambda value: '=' + pydoc.text.repr(value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L256_C12", "label": "call = formatargvalues()", "type": "assigned_variable", "loc": [256, 257], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L255_C8", "vector": [14, 3, 0.7941, 0.0062, 3, 0.16, 0.0, 832, 3, 5, 0, 0, 125, 10, 2], "semantic": {"name": "call", "arg_names": [], "import_names": [], "rhs_call_name": "formatargvalues", "annotation": ""}, "snippet": " call = inspect.formatargvalues(args, varargs, varkw, locals,\n formatvalue=lambda value: '=' + pydoc.text.repr(value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L260_C8", "label": "f =", "type": "assigned_variable", "loc": [260, 261], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [14, 2, 0.8065, 0.0062, 2, 0.22, 0.3333, 899, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "f", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f = {'file': file, 'func': func, 'call': call, 'lines': {},\n 'lnum': lnum}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L263_C8", "label": "highlight =", "type": "assigned_variable", "loc": [263, 263], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [14, 2, 0.8142, 0.0031, 2, 0.22, 0.4167, 449, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "highlight", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " highlight = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L265_C8", "label": "reader", "type": "function", "loc": [265, 270], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [2, 2, 0.8282, 0.0186, 2, 0.22, 0.5, 548, 0, 1, 1, 0, 0, 0, 1], "semantic": {"name": "reader", "arg_names": ["lnum"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def reader(lnum=[lnum]):\n highlight[lnum[0]] = 1\n try:\n return linecache.getline(file, lnum[0])\n finally:\n lnum[0] += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L266_C12", "label": "assign", "type": "assigned_variable", "loc": [266, 266], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L265_C8", "vector": [14, 3, 0.8235, 0.0031, 3, 0.94, 0.0, 0, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " highlight[lnum[0]] = 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L267_C12", "label": "try", "type": "try", "loc": [267, 270], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L265_C8", "vector": [7, 3, 0.8313, 0.0124, 3, 0.94, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n return linecache.getline(file, lnum[0])\n finally:\n lnum[0] += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L268_C16", "label": "return", "type": "return", "loc": [268, 268], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L267_C12", "vector": [13, 4, 0.8297, 0.0031, 4, 0.15, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return linecache.getline(file, lnum[0])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L271_C8", "label": "vars = scanvars()", "type": "assigned_variable", "loc": [271, 271], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [14, 2, 0.839, 0.0031, 2, 0.22, 0.5833, 302, 3, 3, 0, 0, 71, 10, 1], "semantic": {"name": "vars", "arg_names": [], "import_names": [], "rhs_call_name": "scanvars", "annotation": ""}, "snippet": " vars = cgitb.scanvars(reader, frame, locals)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L274_C8", "label": "if", "type": "if", "loc": [274, 278], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [4, 2, 0.8545, 0.0155, 2, 0.22, 0.6667, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if file.endswith('html'):\n lmin = lnum > context and (lnum - context) or 0\n lmax = lnum + context\n lines = code.split(\"\\n\")[lmin:lmax]\n index = min(context, lnum) - 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L275_C12", "label": "lmin =", "type": "assigned_variable", "loc": [275, 275], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L274_C8", "vector": [14, 3, 0.8514, 0.0031, 3, 0.2, 0.0, 466, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lmin", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lmin = lnum > context and (lnum - context) or 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L276_C12", "label": "lmax =", "type": "assigned_variable", "loc": [276, 276], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L274_C8", "vector": [14, 3, 0.8545, 0.0031, 3, 0.2, 0.3333, 485, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lmax", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lmax = lnum + context"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L277_C12", "label": "lines =", "type": "assigned_variable", "loc": [277, 277], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L274_C8", "vector": [14, 3, 0.8576, 0.0031, 3, 0.2, 0.6667, 73, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "lines", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lines = code.split(\"\\n\")[lmin:lmax]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L278_C12", "label": "index =", "type": "assigned_variable", "loc": [278, 278], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L274_C8", "vector": [14, 3, 0.8607, 0.0031, 3, 0.2, 1.0, 780, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "index", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " index = min(context, lnum) - 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L280_C8", "label": "if", "type": "if", "loc": [280, 284], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [4, 2, 0.8731, 0.0155, 2, 0.22, 0.75, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if index is not None:\n i = lnum - index\n for line in lines:\n f['lines'][i] = line.rstrip()\n i += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L281_C12", "label": "i =", "type": "assigned_variable", "loc": [281, 281], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L280_C8", "vector": [14, 3, 0.87, 0.0031, 3, 0.23, 0.0, 826, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " i = lnum - index"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:For_L282_C12", "label": "for line", "type": "for", "loc": [282, 284], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L280_C8", "vector": [6, 3, 0.8762, 0.0093, 3, 0.23, 1.0, 373, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "line", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for line in lines:\n f['lines'][i] = line.rstrip()\n i += 1"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L283_C16", "label": " = rstrip()", "type": "assigned_variable", "loc": [283, 283], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L282_C12", "vector": [14, 4, 0.8762, 0.0031, 4, 0.99, 0.0, 0, 3, 0, 0, 0, 807, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "rstrip", "annotation": ""}, "snippet": " f['lines'][i] = line.rstrip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L287_C8", "label": "assign", "type": "assigned_variable", "loc": [287, 287], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [14, 2, 0.8885, 0.0031, 2, 0.22, 0.8333, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['dump'] = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:For_L288_C8", "label": "for name, where, value", "type": "for", "loc": [288, 298], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [6, 2, 0.9071, 0.0341, 2, 0.22, 0.9167, 763, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "name, where, value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for name, where, value in vars:\n if name in f['dump']:\n continue\n if value is not cgitb.__UNDEF__:\n if where == 'global':\n name = 'global ' + name\n elif where != 'local':\n name = where + name.split('.')[-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L289_C12", "label": "if", "type": "if", "loc": [289, 290], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L288_C8", "vector": [4, 3, 0.8963, 0.0062, 3, 0.97, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if name in f['dump']:\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L291_C12", "label": "if", "type": "if", "loc": [291, 298], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L288_C8", "vector": [4, 3, 0.9118, 0.0248, 3, 0.97, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if value is not cgitb.__UNDEF__:\n if where == 'global':\n name = 'global ' + name\n elif where != 'local':\n name = where + name.split('.')[-1]\n f['dump'][name] = pydoc.text.repr(value)\n else:\n f['dump'][name] = 'undefined'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L292_C16", "label": "if", "type": "if", "loc": [292, 295], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L291_C12", "vector": [4, 4, 0.9087, 0.0124, 4, 0.52, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if where == 'global':\n name = 'global ' + name\n elif where != 'local':\n name = where + name.split('.')[-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L293_C20", "label": "name =", "type": "assigned_variable", "loc": [293, 293], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L292_C16", "vector": [14, 5, 0.9071, 0.0031, 5, 0.88, 0.0, 57, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " name = 'global ' + name"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L294_C16", "label": "if", "type": "if", "loc": [294, 295], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L292_C16", "vector": [4, 5, 0.9118, 0.0062, 5, 0.88, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif where != 'local':\n name = where + name.split('.')[-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L295_C20", "label": "name =", "type": "assigned_variable", "loc": [295, 295], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L294_C16", "vector": [14, 6, 0.9133, 0.0031, 6, 0.83, 0.0, 57, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " name = where + name.split('.')[-1]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L296_C16", "label": " = repr()", "type": "assigned_variable", "loc": [296, 296], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L291_C12", "vector": [14, 4, 0.9164, 0.0031, 4, 0.52, 0.5, 0, 3, 1, 0, 0, 881, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "repr", "annotation": ""}, "snippet": " f['dump'][name] = pydoc.text.repr(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L298_C16", "label": "assign", "type": "assigned_variable", "loc": [298, 298], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L291_C12", "vector": [14, 4, 0.9226, 0.0031, 4, 0.52, 1.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " f['dump'][name] = 'undefined'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L300_C8", "label": "append()", "type": "expression", "loc": [300, 300], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "vector": [8, 2, 0.9288, 0.0031, 2, 0.22, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " s['frames'].append(f)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L303_C4", "label": " = str()", "type": "assigned_variable", "loc": [303, 303], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [14, 1, 0.9381, 0.0031, 1, 0.97, 0.6957, 0, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " s['etype'] = str(etype)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L304_C4", "label": " = str()", "type": "assigned_variable", "loc": [304, 304], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [14, 1, 0.9412, 0.0031, 1, 0.97, 0.7391, 0, 3, 1, 0, 0, 52, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "str", "annotation": ""}, "snippet": " s['evalue'] = str(evalue)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L305_C4", "label": "assign", "type": "assigned_variable", "loc": [305, 305], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [14, 1, 0.9443, 0.0031, 1, 0.97, 0.7826, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " s['exception'] = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L306_C4", "label": "if", "type": "if", "loc": [306, 311], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [4, 1, 0.9551, 0.0186, 1, 0.97, 0.8261, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(evalue, BaseException):\n for name in dir(evalue):\n # prevent py26 DeprecatedWarning:\n if name != 'message' or sys.version_info < (2.6):\n value = pydoc.text.repr(getattr(evalue, name))\n s['exception'][name] = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:For_L307_C8", "label": "for name", "type": "for", "loc": [307, 311], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L306_C4", "vector": [6, 2, 0.9567, 0.0155, 2, 0.37, 0.0, 57, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "name", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for name in dir(evalue):\n # prevent py26 DeprecatedWarning:\n if name != 'message' or sys.version_info < (2.6):\n value = pydoc.text.repr(getattr(evalue, name))\n s['exception'][name] = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L309_C12", "label": "if", "type": "if", "loc": [309, 311], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L307_C8", "vector": [4, 3, 0.9598, 0.0093, 3, 0.39, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if name != 'message' or sys.version_info < (2.6):\n value = pydoc.text.repr(getattr(evalue, name))\n s['exception'][name] = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L310_C16", "label": "value = repr()", "type": "assigned_variable", "loc": [310, 310], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L309_C12", "vector": [14, 4, 0.9598, 0.0031, 4, 0.06, 0.0, 441, 3, 1, 0, 0, 881, 10, 2], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "repr", "annotation": ""}, "snippet": " value = pydoc.text.repr(getattr(evalue, name))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L311_C16", "label": "assign", "type": "assigned_variable", "loc": [311, 311], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L309_C12", "vector": [14, 4, 0.9628, 0.0031, 4, 0.06, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " s['exception'][name] = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L314_C4", "label": "assign", "type": "assigned_variable", "loc": [314, 314], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [14, 1, 0.9721, 0.0031, 1, 0.97, 0.8696, 0, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " s['locals'] = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:For_L315_C4", "label": "for name, value", "type": "for", "loc": [315, 316], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [6, 1, 0.9768, 0.0062, 1, 0.97, 0.913, 509, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "name, value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for name, value in locals.items():\n s['locals'][name] = pydoc.text.repr(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L316_C8", "label": " = repr()", "type": "assigned_variable", "loc": [316, 316], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L315_C4", "vector": [14, 2, 0.9783, 0.0031, 2, 0.79, 0.0, 0, 3, 1, 0, 0, 881, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "repr", "annotation": ""}, "snippet": " s['locals'][name] = pydoc.text.repr(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:For_L319_C4", "label": "for k, v", "type": "for", "loc": [319, 321], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [6, 1, 0.9907, 0.0093, 1, 0.97, 0.9565, 867, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "k, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k, v in environment.items():\n if k in ('request', 'response', 'session'):\n s[k] = XML(str(BEAUTIFY(v)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:If_L320_C8", "label": "if", "type": "if", "loc": [320, 321], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:For_L319_C4", "vector": [4, 2, 0.9923, 0.0062, 2, 0.32, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if k in ('request', 'response', 'session'):\n s[k] = XML(str(BEAUTIFY(v)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L321_C12", "label": " = XML()", "type": "assigned_variable", "loc": [321, 321], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:If_L320_C8", "vector": [14, 3, 0.9938, 0.0031, 3, 0.15, 0.0, 0, 3, 1, 0, 0, 52, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "XML", "annotation": ""}, "snippet": " s[k] = XML(str(BEAUTIFY(v)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L323_C4", "label": "return", "type": "return", "loc": [323, 323], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "vector": [13, 1, 1.0, 0.0031, 1, 0.97, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return s"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L28_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L32_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L32_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L37_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L32_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L38_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L32_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L39_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L41_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L41_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L42_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L41_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L45_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L45_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L46_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L45_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L48_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L50_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L50_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L51_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L50_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L52_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L50_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L55_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L57_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L57_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L58_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L57_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L59_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L59_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L60_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L59_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L62_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L64_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L64_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L65_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L64_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L66_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L66_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L67_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L64_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L68_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L64_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L70_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L72_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L73_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L74_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L75_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L75_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L76_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L75_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L78_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L72_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L84_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L26_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L86_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L92_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L92_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L93_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L93_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L94_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L93_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L96_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L92_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L97_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L97_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L98_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L97_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L100_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L92_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L102_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L92_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L103_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L92_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L104_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L107_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L108_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L107_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L120_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L124_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L124_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L125_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L126_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L127_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L128_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L129_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L113_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L130_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L130_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L131_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L131_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L132_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L131_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L134_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L130_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L135_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L135_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L136_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L135_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L139_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L130_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L141_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L130_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L142_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L107_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L144_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L144_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L145_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L144_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L150_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L157_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L158_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L159_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L161_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L149_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L162_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L107_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L165_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L168_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L169_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L171_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L172_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L173_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L174_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L164_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L175_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:ClassDef_L107_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L177_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L177_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L179_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L179_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L180_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L179_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L181_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L181_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L182_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L181_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L183_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L183_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L184_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L179_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L186_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L177_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L187_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L190_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L191_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L190_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L194_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L197_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L198_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L197_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L203_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L203_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L204_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L197_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L205_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L197_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L206_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L197_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L207_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L208_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L208_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L209_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L208_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L211_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L212_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L219_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L221_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L221_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L222_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L207_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L223_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L228_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L229_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L230_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L231_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L232_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L233_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L234_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Import_L235_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L238_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L240_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L240_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L241_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L244_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L245_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L246_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L249_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L250_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L252_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L253_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L254_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L255_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L255_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L256_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L260_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L263_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L265_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L265_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L266_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L265_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L267_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:Try_L267_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L268_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L271_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L274_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L274_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L275_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L274_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L276_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L274_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L277_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L274_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L278_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L280_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L280_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L281_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L280_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:For_L282_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L282_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L283_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L287_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:For_L288_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L288_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L289_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L288_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L291_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L291_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L292_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L292_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L293_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L292_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L294_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L294_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L295_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L291_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L296_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L291_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L298_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L251_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Expr_L300_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L303_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L304_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L305_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L306_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L306_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:For_L307_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L307_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L309_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L309_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L310_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L309_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L311_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L314_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:For_L315_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L315_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L316_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:For_L319_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:For_L319_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_615:If_L320_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:If_L320_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Assign_L321_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_615:FunctionDef_L227_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_615:Return_L323_C4"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- """ This file is part of the web2py Web Framework Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu> License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html) Web2Py framework modules ======================== """ __all__ = ['A', 'B', 'BEAUTIFY', 'BODY', 'BR', 'CAT', 'CENTER', 'CLEANUP', 'CODE', 'CRYPT', 'DAL', 'DIV', 'EM', 'EMBED', 'FIELDSET', 'FORM', 'Field', 'H1', 'H2', 'H3', 'H4', 'H5', 'H6', 'HEAD', 'HR', 'HTML', 'HTTP', 'I', 'IFRAME', 'IMG', 'INPUT', 'IS_ALPHANUMERIC', 'IS_DATE', 'IS_DATETIME', 'IS_DATETIME_IN_RANGE', 'IS_DATE_IN_RANGE', 'IS_DECIMAL_IN_RANGE', 'IS_EMAIL', 'IS_EMPTY_OR', 'IS_EQUAL_TO', 'IS_EXPR', 'IS_FLOAT_IN_RANGE', 'IS_IMAGE', 'IS_JSON', 'IS_INT_IN_RANGE', 'IS_IN_DB', 'IS_IN_SET', 'IS_IPV4', 'IS_LENGTH', 'IS_LIST_OF', 'IS_LOWER', 'IS_MATCH', 'IS_NOT_EMPTY', 'IS_NOT_IN_DB', 'IS_NULL_OR', 'IS_SLUG', 'IS_STRONG', 'IS_TIME', 'IS_UPLOAD_FILENAME', 'IS_UPPER', 'IS_URL', 'LABEL', 'LEGEND', 'LI', 'LINK', 'LOAD', 'MARKMIN', 'MENU', 'META', 'OBJECT', 'OL', 'ON', 'OPTGROUP', 'OPTION', 'P', 'PRE', 'SCRIPT', 'SELECT', 'SPAN', 'SQLFORM', 'SQLTABLE', 'STRONG', 'STYLE', 'TABLE', 'TAG', 'TBODY', 'TD', 'TEXTAREA', 'TFOOT', 'TH', 'THEAD', 'TITLE', 'TR', 'TT', 'UL', 'URL', 'XHTML', 'XML', 'redirect', 'current', 'embed64'] from globals import current from html import * from validators import * from http import redirect, HTTP from dal import DAL, Field from sqlhtml import SQLFORM, SQLTABLE from compileapp import LOAD # Dummy code to enable code completion in IDE's. if 0: from globals import Request, Response, Session from cache import Cache from languages import translator from tools import Auth, Crud, Mail, Service, PluginManager # API objects request = Request() response = Response() session = Session() cache = Cache(request) T = translator(request) # Objects commonly defined in application model files # (names are conventions only -- not part of API) db = DAL() auth = Auth(db) crud = Crud(db) mail = Mail() service = Service() plugins = PluginManager()
ajibawa-2023/Python-Code-Large/train/row_616
25
44
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_616:Expr_L3_C0", "label": "expression", "type": "expression", "loc": [3, 11], "level": 0, "parent": null, "vector": [8, 0, 0.1591, 0.2045, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nThis file is part of the web2py Web Framework\nCopyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>\nLicense: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)\n\n\nWeb2Py framework modules\n========================"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L13_C0", "label": "__all__ =", "type": "assigned_variable", "loc": [13, 13], "level": 0, "parent": null, "vector": [14, 0, 0.2955, 0.0227, 0, 0.66, 0.1111, 272, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "__all__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__all__ = ['A', 'B', 'BEAUTIFY', 'BODY', 'BR', 'CAT', 'CENTER', 'CLEANUP', 'CODE', 'CRYPT', 'DAL', 'DIV', 'EM', 'EMBED', 'FIELDSET', 'FORM', 'Field', 'H1', 'H2', 'H3', 'H4', 'H5', 'H6', 'HEAD', 'HR', 'HTML', 'HTTP', 'I', 'IFRAME', 'IMG', 'INPUT', 'IS_ALPHANUMERIC', 'IS_DATE', 'IS_DATETIME', 'IS_DATETIME_IN_RANGE', 'IS_DATE_IN_RANGE', 'IS_DECIMAL_IN_RANGE', 'IS_EMAIL', 'IS_EMPTY_OR', 'IS_EQUAL_TO', 'IS_EXPR', 'IS_FLOAT_IN_RANGE', 'IS_IMAGE', 'IS_JSON', 'IS_INT_IN_RANGE', 'IS_IN_DB', 'IS_IN_SET', 'IS_IPV4', 'IS_LENGTH', 'IS_LIST_OF', 'IS_LOWER', 'IS_MATCH', 'IS_NOT_EMPTY', 'IS_NOT_IN_DB', 'IS_NULL_OR', 'IS_SLUG', 'IS_STRONG', 'IS_TIME', 'IS_UPLOAD_FILENAME', 'IS_UPPER', 'IS_URL', 'LABEL', 'LEGEND', 'LI', 'LINK', 'LOAD', 'MARKMIN', 'MENU', 'META', 'OBJECT', 'OL', 'ON', 'OPTGROUP', 'OPTION', 'P', 'PRE', 'SCRIPT', 'SELECT', 'SPAN', 'SQLFORM', 'SQLTABLE', 'STRONG', 'STYLE', 'TABLE', 'TAG', 'TBODY', 'TD', 'TEXTAREA', 'TFOOT', 'TH', 'THEAD', 'TITLE', 'TR', 'TT', 'UL', 'URL', 'XHTML', 'XML', 'redirect', 'current', 'embed64']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L15_C0", "label": "from globals import current", "type": "import", "loc": [15, 15], "level": 0, "parent": null, "vector": [1, 0, 0.3409, 0.0227, 0, 0.66, 0.2222, 926, 0, 1, 0, 0, 926, 0, 0], "semantic": {"name": "globals", "arg_names": [], "import_names": ["current"], "rhs_call_name": "", "annotation": ""}, "snippet": "from globals import current"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L16_C0", "label": "from html import *", "type": "import", "loc": [16, 16], "level": 0, "parent": null, "vector": [1, 0, 0.3636, 0.0227, 0, 0.66, 0.3333, 271, 0, 1, 0, 0, 271, 0, 0], "semantic": {"name": "html", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from html import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L17_C0", "label": "from validators import *", "type": "import", "loc": [17, 17], "level": 0, "parent": null, "vector": [1, 0, 0.3864, 0.0227, 0, 0.66, 0.4444, 194, 0, 1, 0, 0, 194, 0, 0], "semantic": {"name": "validators", "arg_names": [], "import_names": ["*"], "rhs_call_name": "", "annotation": ""}, "snippet": "from validators import *"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L18_C0", "label": "from http import redirect, HTTP", "type": "import", "loc": [18, 18], "level": 0, "parent": null, "vector": [1, 0, 0.4091, 0.0227, 0, 0.66, 0.5556, 415, 0, 2, 0, 0, 415, 0, 0], "semantic": {"name": "http", "arg_names": [], "import_names": ["redirect", "HTTP"], "rhs_call_name": "", "annotation": ""}, "snippet": "from http import redirect, HTTP"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L19_C0", "label": "from dal import DAL, Field", "type": "import", "loc": [19, 19], "level": 0, "parent": null, "vector": [1, 0, 0.4318, 0.0227, 0, 0.66, 0.6667, 4, 0, 2, 0, 0, 4, 0, 0], "semantic": {"name": "dal", "arg_names": [], "import_names": ["DAL", "Field"], "rhs_call_name": "", "annotation": ""}, "snippet": "from dal import DAL, Field"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L20_C0", "label": "from sqlhtml import SQLFORM, SQLTABLE", "type": "import", "loc": [20, 20], "level": 0, "parent": null, "vector": [1, 0, 0.4545, 0.0227, 0, 0.66, 0.7778, 475, 0, 2, 0, 0, 475, 0, 0], "semantic": {"name": "sqlhtml", "arg_names": [], "import_names": ["SQLFORM", "SQLTABLE"], "rhs_call_name": "", "annotation": ""}, "snippet": "from sqlhtml import SQLFORM, SQLTABLE"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L21_C0", "label": "from compileapp import LOAD", "type": "import", "loc": [21, 21], "level": 0, "parent": null, "vector": [1, 0, 0.4773, 0.0227, 0, 0.66, 0.8889, 641, 0, 1, 0, 0, 641, 0, 0], "semantic": {"name": "compileapp", "arg_names": [], "import_names": ["LOAD"], "rhs_call_name": "", "annotation": ""}, "snippet": "from compileapp import LOAD"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "label": "if", "type": "if", "loc": [24, 44], "level": 0, "parent": null, "vector": [4, 0, 0.7727, 0.4773, 0, 0.66, 1.0, 0, 1, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if 0:\n from globals import Request, Response, Session\n from cache import Cache\n from languages import translator\n from tools import Auth, Crud, Mail, Service, PluginManager\n\n # API objects\n request = Request()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L25_C4", "label": "from globals import Request, Response, Session", "type": "import", "loc": [25, 25], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [1, 1, 0.5682, 0.0227, 1, 0.25, 0.0, 926, 0, 3, 0, 0, 926, 0, 0], "semantic": {"name": "globals", "arg_names": [], "import_names": ["Request", "Response", "Session"], "rhs_call_name": "", "annotation": ""}, "snippet": " from globals import Request, Response, Session"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L26_C4", "label": "from cache import Cache", "type": "import", "loc": [26, 26], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [1, 1, 0.5909, 0.0227, 1, 0.25, 0.0714, 419, 0, 1, 0, 0, 419, 0, 0], "semantic": {"name": "cache", "arg_names": [], "import_names": ["Cache"], "rhs_call_name": "", "annotation": ""}, "snippet": " from cache import Cache"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L27_C4", "label": "from languages import translator", "type": "import", "loc": [27, 27], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [1, 1, 0.6136, 0.0227, 1, 0.25, 0.1429, 126, 0, 1, 0, 0, 126, 0, 0], "semantic": {"name": "languages", "arg_names": [], "import_names": ["translator"], "rhs_call_name": "", "annotation": ""}, "snippet": " from languages import translator"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L28_C4", "label": "from tools import Auth, Crud, Mail\u2026", "type": "import", "loc": [28, 28], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [1, 1, 0.6364, 0.0227, 1, 0.25, 0.2143, 409, 0, 5, 0, 0, 409, 0, 0], "semantic": {"name": "tools", "arg_names": [], "import_names": ["Auth", "Crud", "Mail", "Service", "PluginManager"], "rhs_call_name": "", "annotation": ""}, "snippet": " from tools import Auth, Crud, Mail, Service, PluginManager"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L31_C4", "label": "request = Request()", "type": "assigned_variable", "loc": [31, 31], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [14, 1, 0.7045, 0.0227, 1, 0.25, 0.2857, 50, 3, 0, 0, 0, 51, 10, 1], "semantic": {"name": "request", "arg_names": [], "import_names": [], "rhs_call_name": "Request", "annotation": ""}, "snippet": " request = Request()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L32_C4", "label": "response = Response()", "type": "assigned_variable", "loc": [32, 32], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [14, 1, 0.7273, 0.0227, 1, 0.25, 0.3571, 511, 3, 0, 0, 0, 818, 10, 1], "semantic": {"name": "response", "arg_names": [], "import_names": [], "rhs_call_name": "Response", "annotation": ""}, "snippet": " response = Response()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L33_C4", "label": "session = Session()", "type": "assigned_variable", "loc": [33, 33], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [14, 1, 0.75, 0.0227, 1, 0.25, 0.4286, 83, 3, 0, 0, 0, 712, 10, 1], "semantic": {"name": "session", "arg_names": [], "import_names": [], "rhs_call_name": "Session", "annotation": ""}, "snippet": " session = Session()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L34_C4", "label": "cache = Cache()", "type": "assigned_variable", "loc": [34, 34], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [14, 1, 0.7727, 0.0227, 1, 0.25, 0.5, 419, 3, 1, 0, 0, 419, 10, 1], "semantic": {"name": "cache", "arg_names": [], "import_names": [], "rhs_call_name": "Cache", "annotation": ""}, "snippet": " cache = Cache(request)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L35_C4", "label": "T = translator()", "type": "assigned_variable", "loc": [35, 35], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [14, 1, 0.7955, 0.0227, 1, 0.25, 0.5714, 716, 3, 1, 0, 0, 380, 10, 1], "semantic": {"name": "T", "arg_names": [], "import_names": [], "rhs_call_name": "translator", "annotation": ""}, "snippet": " T = translator(request)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L39_C4", "label": "db = DAL()", "type": "assigned_variable", "loc": [39, 39], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [14, 1, 0.8864, 0.0227, 1, 0.25, 0.6429, 761, 3, 0, 0, 0, 18, 10, 1], "semantic": {"name": "db", "arg_names": [], "import_names": [], "rhs_call_name": "DAL", "annotation": ""}, "snippet": " db = DAL()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L40_C4", "label": "auth = Auth()", "type": "assigned_variable", "loc": [40, 40], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [14, 1, 0.9091, 0.0227, 1, 0.25, 0.7143, 280, 3, 1, 0, 0, 352, 10, 1], "semantic": {"name": "auth", "arg_names": [], "import_names": [], "rhs_call_name": "Auth", "annotation": ""}, "snippet": " auth = Auth(db)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L41_C4", "label": "crud = Crud()", "type": "assigned_variable", "loc": [41, 41], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [14, 1, 0.9318, 0.0227, 1, 0.25, 0.7857, 443, 3, 1, 0, 0, 865, 10, 1], "semantic": {"name": "crud", "arg_names": [], "import_names": [], "rhs_call_name": "Crud", "annotation": ""}, "snippet": " crud = Crud(db)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L42_C4", "label": "mail = Mail()", "type": "assigned_variable", "loc": [42, 42], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [14, 1, 0.9545, 0.0227, 1, 0.25, 0.8571, 556, 3, 0, 0, 0, 754, 10, 1], "semantic": {"name": "mail", "arg_names": [], "import_names": [], "rhs_call_name": "Mail", "annotation": ""}, "snippet": " mail = Mail()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L43_C4", "label": "service = Service()", "type": "assigned_variable", "loc": [43, 43], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [14, 1, 0.9773, 0.0227, 1, 0.25, 0.9286, 314, 3, 0, 0, 0, 451, 10, 1], "semantic": {"name": "service", "arg_names": [], "import_names": [], "rhs_call_name": "Service", "annotation": ""}, "snippet": " service = Service()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L44_C4", "label": "plugins = PluginManager()", "type": "assigned_variable", "loc": [44, 44], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "vector": [14, 1, 1.0, 0.0227, 1, 0.25, 1.0, 913, 3, 0, 0, 0, 987, 10, 1], "semantic": {"name": "plugins", "arg_names": [], "import_names": [], "rhs_call_name": "PluginManager", "annotation": ""}, "snippet": " plugins = PluginManager()"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L25_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L26_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L27_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:ImportFrom_L28_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L31_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L32_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L33_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L34_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L35_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L39_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L40_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L41_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L42_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L43_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_616:If_L24_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_616:Assign_L44_C4"}]
""" This file is part of the web2py Web Framework Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu> License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html) """ import datetime import decimal from storage import Storage from html import TAG, XmlComponent from html import xmlescape from languages import lazyT import contrib.rss2 as rss2 try: import simplejson as json_parser # try external module except ImportError: try: import json as json_parser # try stdlib (Python >= 2.6) except: import contrib.simplejson as json_parser # fallback to pure-Python module have_yaml = True try: import yaml as yamlib except ImportError: have_yaml = False def cast_keys(o, cast=str, encoding="utf-8"): """ Builds a new object with <cast> type keys Arguments: o is the object input cast (defaults to str) is an object type or function which supports conversion such as: >>> converted = cast(o) encoding (defaults to utf-8) is the encoding for unicode keys. This is not used for custom cast functions Use this funcion if you are in Python < 2.6.5 This avoids syntax errors when unpacking dictionary arguments. """ if isinstance(o, (dict, Storage)): if isinstance(o, dict): newobj = dict() else: newobj = Storage() for k, v in o.items(): if (cast == str) and isinstance(k, unicode): key = k.encode(encoding) else: key = cast(k) if isinstance(v, (dict, Storage)): value = cast_keys(v, cast=cast, encoding=encoding) else: value = v newobj[key] = value else: raise TypeError("Cannot cast keys: %s is not supported" % \ type(o)) return newobj def loads_json(o, unicode_keys=True, **kwargs): # deserialize a json string result = json_parser.loads(o, **kwargs) if not unicode_keys: # filter non-str keys in dictionary objects result = cast_keys(result, encoding=kwargs.get("encoding", "utf-8")) return result def custom_json(o): if hasattr(o, 'custom_json') and callable(o.custom_json): return o.custom_json() if isinstance(o, (datetime.date, datetime.datetime, datetime.time)): return o.isoformat()[:19].replace('T', ' ') elif isinstance(o, (int, long)): return int(o) elif isinstance(o, decimal.Decimal): return str(o) elif isinstance(o, lazyT): return str(o) elif isinstance(o, XmlComponent): return str(o) elif hasattr(o, 'as_list') and callable(o.as_list): return o.as_list() elif hasattr(o, 'as_dict') and callable(o.as_dict): return o.as_dict() else: raise TypeError(repr(o) + " is not JSON serializable") def xml_rec(value, key, quote=True): if hasattr(value, 'custom_xml') and callable(value.custom_xml): return value.custom_xml() elif isinstance(value, (dict, Storage)): return TAG[key](*[TAG[k](xml_rec(v, '', quote)) for k, v in value.items()]) elif isinstance(value, list): return TAG[key](*[TAG.item(xml_rec(item, '', quote)) for item in value]) elif hasattr(value, 'as_list') and callable(value.as_list): return str(xml_rec(value.as_list(), '', quote)) elif hasattr(value, 'as_dict') and callable(value.as_dict): return str(xml_rec(value.as_dict(), '', quote)) else: return xmlescape(value, quote) def xml(value, encoding='UTF-8', key='document', quote=True): return ('<?xml version="1.0" encoding="%s"?>' % encoding) + str(xml_rec(value, key, quote)) def json(value, default=custom_json): # replace JavaScript incompatible spacing # http://timelessrepo.com/json-isnt-a-javascript-subset return json_parser.dumps(value, default=default).replace(ur'\u2028', '\\u2028').replace(ur'\2029', '\\u2029') def csv(value): return '' def ics(events, title=None, link=None, timeshift=0, **ignored): import datetime title = title or '(unkown)' if link and not callable(link): link = lambda item, prefix=link: prefix.replace( '[id]', str(item['id'])) s = 'BEGIN:VCALENDAR' s += '\nVERSION:2.0' s += '\nX-WR-CALNAME:%s' % title s += '\nSUMMARY:%s' % title s += '\nPRODID:Generated by web2py' s += '\nCALSCALE:GREGORIAN' s += '\nMETHOD:PUBLISH' for item in events: s += '\nBEGIN:VEVENT' s += '\nUID:%s' % item['id'] if link: s += '\nURL:%s' % link(item) shift = datetime.timedelta(seconds=3600 * timeshift) start = item['start_datetime'] + shift stop = item['stop_datetime'] + shift s += '\nDTSTART:%s' % start.strftime('%Y%m%dT%H%M%S') s += '\nDTEND:%s' % stop.strftime('%Y%m%dT%H%M%S') s += '\nSUMMARY:%s' % item['title'] s += '\nEND:VEVENT' s += '\nEND:VCALENDAR' return s def rss(feed): if not 'entries' in feed and 'items' in feed: feed['entries'] = feed['items'] now = datetime.datetime.now() rss = rss2.RSS2(title=str(feed.get('title', '(notitle)').encode('utf-8', 'replace')), link=str(feed.get('link', None).encode('utf-8', 'replace')), description=str(feed.get('description', '').encode('utf-8', 'replace')), lastBuildDate=feed.get('created_on', now), items=[rss2.RSSItem( title=str(entry.get('title', '(notitle)').encode('utf-8', 'replace')), link=str(entry.get('link', None).encode('utf-8', 'replace')), description=str(entry.get('description', '').encode('utf-8', 'replace')), pubDate=entry.get('created_on', now) ) for entry in feed.get('entries', [])]) return rss.to_xml(encoding='utf-8') def yaml(data): if have_yaml: return yamlib.dump(data) else: raise ImportError("No YAML serializer available") def loads_yaml(data): if have_yaml: return yamlib.load(data) else: raise ImportError("No YAML serializer available")
ajibawa-2023/Python-Code-Large/train/row_619
96
182
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_619:Expr_L1_C0", "label": "expression", "type": "expression", "loc": [1, 5], "level": 0, "parent": null, "vector": [8, 0, 0.0165, 0.0275, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nThis file is part of the web2py Web Framework\nCopyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>\nLicense: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L6_C0", "label": "datetime import datetime", "type": "import", "loc": [6, 6], "level": 0, "parent": null, "vector": [1, 0, 0.033, 0.0055, 0, 0.66, 0.0476, 426, 0, 1, 0, 0, 426, 0, 0], "semantic": {"name": "datetime", "arg_names": [], "import_names": ["datetime"], "rhs_call_name": "", "annotation": ""}, "snippet": "import datetime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L7_C0", "label": "decimal import decimal", "type": "import", "loc": [7, 7], "level": 0, "parent": null, "vector": [1, 0, 0.0385, 0.0055, 0, 0.66, 0.0952, 349, 0, 1, 0, 0, 349, 0, 0], "semantic": {"name": "decimal", "arg_names": [], "import_names": ["decimal"], "rhs_call_name": "", "annotation": ""}, "snippet": "import decimal"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:ImportFrom_L8_C0", "label": "from storage import Storage", "type": "import", "loc": [8, 8], "level": 0, "parent": null, "vector": [1, 0, 0.044, 0.0055, 0, 0.66, 0.1429, 864, 0, 1, 0, 0, 864, 0, 0], "semantic": {"name": "storage", "arg_names": [], "import_names": ["Storage"], "rhs_call_name": "", "annotation": ""}, "snippet": "from storage import Storage"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:ImportFrom_L9_C0", "label": "from html import TAG, XmlComponent", "type": "import", "loc": [9, 9], "level": 0, "parent": null, "vector": [1, 0, 0.0495, 0.0055, 0, 0.66, 0.1905, 271, 0, 2, 0, 0, 271, 0, 0], "semantic": {"name": "html", "arg_names": [], "import_names": ["TAG", "XmlComponent"], "rhs_call_name": "", "annotation": ""}, "snippet": "from html import TAG, XmlComponent"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:ImportFrom_L10_C0", "label": "from html import xmlescape", "type": "import", "loc": [10, 10], "level": 0, "parent": null, "vector": [1, 0, 0.0549, 0.0055, 0, 0.66, 0.2381, 271, 0, 1, 0, 0, 271, 0, 0], "semantic": {"name": "html", "arg_names": [], "import_names": ["xmlescape"], "rhs_call_name": "", "annotation": ""}, "snippet": "from html import xmlescape"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:ImportFrom_L11_C0", "label": "from languages import lazyT", "type": "import", "loc": [11, 11], "level": 0, "parent": null, "vector": [1, 0, 0.0604, 0.0055, 0, 0.66, 0.2857, 126, 0, 1, 0, 0, 126, 0, 0], "semantic": {"name": "languages", "arg_names": [], "import_names": ["lazyT"], "rhs_call_name": "", "annotation": ""}, "snippet": "from languages import lazyT"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L12_C0", "label": "contrib.rss2 import rss2", "type": "import", "loc": [12, 12], "level": 0, "parent": null, "vector": [1, 0, 0.0659, 0.0055, 0, 0.66, 0.3333, 775, 0, 1, 0, 0, 775, 0, 0], "semantic": {"name": "contrib.rss2", "arg_names": [], "import_names": ["rss2"], "rhs_call_name": "", "annotation": ""}, "snippet": "import contrib.rss2 as rss2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L14_C0", "label": "try", "type": "try", "loc": [14, 20], "level": 0, "parent": null, "vector": [7, 0, 0.0934, 0.0385, 0, 0.66, 0.381, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n import simplejson as json_parser # try external module\nexcept ImportError:\n try:\n import json as json_parser # try stdlib (Python >= 2.6)\n except:\n import contrib.simplejson as json_parser # fallback to pure-Python module"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L15_C4", "label": "simplejson import json_parser", "type": "import", "loc": [15, 15], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L14_C0", "vector": [1, 1, 0.0824, 0.0055, 1, 0.58, 0.0, 386, 0, 1, 0, 0, 386, 0, 0], "semantic": {"name": "simplejson", "arg_names": [], "import_names": ["json_parser"], "rhs_call_name": "", "annotation": ""}, "snippet": " import simplejson as json_parser # try external module"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L17_C4", "label": "try", "type": "try", "loc": [17, 20], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L14_C0", "vector": [7, 1, 0.1016, 0.022, 1, 0.58, 0.0, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n import json as json_parser # try stdlib (Python >= 2.6)\n except:\n import contrib.simplejson as json_parser # fallback to pure-Python module"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L18_C8", "label": "json import json_parser", "type": "import", "loc": [18, 18], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L17_C4", "vector": [1, 2, 0.0989, 0.0055, 2, 0.02, 0.0, 463, 0, 1, 0, 0, 463, 0, 0], "semantic": {"name": "json", "arg_names": [], "import_names": ["json_parser"], "rhs_call_name": "", "annotation": ""}, "snippet": " import json as json_parser # try stdlib (Python >= 2.6)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L20_C8", "label": "contrib.simplejson import json_parser", "type": "import", "loc": [20, 20], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L17_C4", "vector": [1, 2, 0.1099, 0.0055, 2, 0.02, 0.0, 691, 0, 1, 0, 0, 691, 0, 0], "semantic": {"name": "contrib.simplejson", "arg_names": [], "import_names": ["json_parser"], "rhs_call_name": "", "annotation": ""}, "snippet": " import contrib.simplejson as json_parser # fallback to pure-Python module"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L22_C0", "label": "have_yaml =", "type": "assigned_variable", "loc": [22, 22], "level": 0, "parent": null, "vector": [14, 0, 0.1209, 0.0055, 0, 0.66, 0.4286, 66, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "have_yaml", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "have_yaml = True"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L23_C0", "label": "try", "type": "try", "loc": [23, 26], "level": 0, "parent": null, "vector": [7, 0, 0.1346, 0.022, 0, 0.66, 0.4762, 0, 0, 1, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n import yaml as yamlib\nexcept ImportError:\n have_yaml = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L24_C4", "label": "yaml import yamlib", "type": "import", "loc": [24, 24], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L23_C0", "vector": [1, 1, 0.1319, 0.0055, 1, 0.16, 0.0, 960, 0, 1, 0, 0, 960, 0, 0], "semantic": {"name": "yaml", "arg_names": [], "import_names": ["yamlib"], "rhs_call_name": "", "annotation": ""}, "snippet": " import yaml as yamlib"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L26_C4", "label": "have_yaml =", "type": "assigned_variable", "loc": [26, 26], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L23_C0", "vector": [14, 1, 0.1429, 0.0055, 1, 0.16, 0.0, 66, 1, 0, 0, 0, 0, 4, 0], "semantic": {"name": "have_yaml", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " have_yaml = False"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L28_C0", "label": "cast_keys", "type": "function", "loc": [28, 64], "level": 0, "parent": null, "vector": [2, 0, 0.2527, 0.2033, 0, 0.66, 0.5238, 251, 0, 3, 1, 0, 0, 0, 12], "semantic": {"name": "cast_keys", "arg_names": ["o", "cast", "encoding"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def cast_keys(o, cast=str, encoding=\"utf-8\"):\n \"\"\" Builds a new object with <cast> type keys\n\n Arguments:\n o is the object input\n cast (defaults to str) is an object type or function\n which supports conversion such as:\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Expr_L29_C4", "label": "expression", "type": "expression", "loc": [29, 43], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L28_C0", "vector": [8, 1, 0.1978, 0.0824, 1, 0.93, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\" Builds a new object with <cast> type keys\n\n Arguments:\n o is the object input\n cast (defaults to str) is an object type or function\n which supports conversion such as:\n\n >>> converted = cast(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L45_C4", "label": "if", "type": "if", "loc": [45, 63], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L28_C0", "vector": [4, 1, 0.2967, 0.1044, 1, 0.93, 0.5, 0, 3, 0, 0, 0, 0, 0, 12], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(o, (dict, Storage)):\n if isinstance(o, dict):\n newobj = dict()\n else:\n newobj = Storage()\n\n for k, v in o.items():\n if (cast == str) and isinstance(k, unicode):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L46_C8", "label": "if", "type": "if", "loc": [46, 49], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L45_C4", "vector": [4, 2, 0.261, 0.022, 2, 0.3, 0.0, 0, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(o, dict):\n newobj = dict()\n else:\n newobj = Storage()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L47_C12", "label": "newobj = dict()", "type": "assigned_variable", "loc": [47, 47], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L46_C8", "vector": [14, 3, 0.2582, 0.0055, 3, 0.55, 0.0, 716, 3, 0, 0, 0, 827, 10, 1], "semantic": {"name": "newobj", "arg_names": [], "import_names": [], "rhs_call_name": "dict", "annotation": ""}, "snippet": " newobj = dict()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L49_C12", "label": "newobj = Storage()", "type": "assigned_variable", "loc": [49, 49], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L46_C8", "vector": [14, 3, 0.2692, 0.0055, 3, 0.55, 1.0, 716, 3, 0, 0, 0, 850, 10, 1], "semantic": {"name": "newobj", "arg_names": [], "import_names": [], "rhs_call_name": "Storage", "annotation": ""}, "snippet": " newobj = Storage()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:For_L51_C8", "label": "for k, v", "type": "for", "loc": [51, 60], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L45_C4", "vector": [6, 2, 0.3049, 0.0549, 2, 0.3, 1.0, 867, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "k, v", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for k, v in o.items():\n if (cast == str) and isinstance(k, unicode):\n key = k.encode(encoding)\n else:\n key = cast(k)\n if isinstance(v, (dict, Storage)):\n value = cast_keys(v, cast=cast, encoding=encoding)\n else:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L52_C12", "label": "if", "type": "if", "loc": [52, 55], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:For_L51_C8", "vector": [4, 3, 0.294, 0.022, 3, 0.25, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if (cast == str) and isinstance(k, unicode):\n key = k.encode(encoding)\n else:\n key = cast(k)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L53_C16", "label": "key = encode()", "type": "assigned_variable", "loc": [53, 53], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L52_C12", "vector": [14, 4, 0.2912, 0.0055, 4, 0.76, 0.0, 230, 3, 1, 0, 0, 623, 10, 1], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "encode", "annotation": ""}, "snippet": " key = k.encode(encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L55_C16", "label": "key = cast()", "type": "assigned_variable", "loc": [55, 55], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L52_C12", "vector": [14, 4, 0.3022, 0.0055, 4, 0.76, 1.0, 230, 3, 1, 0, 0, 590, 10, 1], "semantic": {"name": "key", "arg_names": [], "import_names": [], "rhs_call_name": "cast", "annotation": ""}, "snippet": " key = cast(k)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L56_C12", "label": "if", "type": "if", "loc": [56, 59], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:For_L51_C8", "vector": [4, 3, 0.3159, 0.022, 3, 0.25, 0.5, 0, 3, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(v, (dict, Storage)):\n value = cast_keys(v, cast=cast, encoding=encoding)\n else:\n value = v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L57_C16", "label": "value = cast_keys()", "type": "assigned_variable", "loc": [57, 57], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L56_C12", "vector": [14, 4, 0.3132, 0.0055, 4, 0.74, 0.0, 441, 3, 3, 0, 0, 251, 10, 1], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "cast_keys", "annotation": ""}, "snippet": " value = cast_keys(v, cast=cast, encoding=encoding)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L59_C16", "label": "value =", "type": "assigned_variable", "loc": [59, 59], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L56_C12", "vector": [14, 4, 0.3242, 0.0055, 4, 0.74, 1.0, 441, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " value = v"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L60_C12", "label": "assign", "type": "assigned_variable", "loc": [60, 60], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:For_L51_C8", "vector": [14, 3, 0.3297, 0.0055, 3, 0.25, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " newobj[key] = value"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L64_C4", "label": "return", "type": "return", "loc": [64, 64], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L28_C0", "vector": [13, 1, 0.3516, 0.0055, 1, 0.93, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return newobj"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L66_C0", "label": "loads_json", "type": "function", "loc": [66, 73], "level": 0, "parent": null, "vector": [2, 0, 0.3819, 0.044, 0, 0.66, 0.5714, 786, 0, 3, 1, 0, 0, 0, 3], "semantic": {"name": "loads_json", "arg_names": ["o", "unicode_keys", "kwargs"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def loads_json(o, unicode_keys=True, **kwargs):\n # deserialize a json string\n result = json_parser.loads(o, **kwargs)\n if not unicode_keys:\n # filter non-str keys in dictionary objects\n result = cast_keys(result,\n encoding=kwargs.get(\"encoding\", \"utf-8\"))\n return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L68_C4", "label": "result = loads()", "type": "assigned_variable", "loc": [68, 68], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L66_C0", "vector": [14, 1, 0.3736, 0.0055, 1, 0.59, 0.0, 51, 3, 2, 0, 0, 88, 10, 1], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "loads", "annotation": ""}, "snippet": " result = json_parser.loads(o, **kwargs)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L69_C4", "label": "if", "type": "if", "loc": [69, 72], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L66_C0", "vector": [4, 1, 0.3874, 0.022, 1, 0.59, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not unicode_keys:\n # filter non-str keys in dictionary objects\n result = cast_keys(result,\n encoding=kwargs.get(\"encoding\", \"utf-8\"))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L71_C8", "label": "result = cast_keys()", "type": "assigned_variable", "loc": [71, 72], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L69_C4", "vector": [14, 2, 0.3929, 0.011, 2, 0.12, 0.0, 51, 3, 2, 0, 0, 251, 10, 2], "semantic": {"name": "result", "arg_names": [], "import_names": [], "rhs_call_name": "cast_keys", "annotation": ""}, "snippet": " result = cast_keys(result,\n encoding=kwargs.get(\"encoding\", \"utf-8\"))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L73_C4", "label": "return", "type": "return", "loc": [73, 73], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L66_C0", "vector": [13, 1, 0.4011, 0.0055, 1, 0.59, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return result"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L75_C0", "label": "custom_json", "type": "function", "loc": [75, 95], "level": 0, "parent": null, "vector": [2, 0, 0.467, 0.1154, 0, 0.66, 0.619, 655, 0, 1, 1, 0, 0, 0, 22], "semantic": {"name": "custom_json", "arg_names": ["o"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def custom_json(o):\n if hasattr(o, 'custom_json') and callable(o.custom_json):\n return o.custom_json()\n if isinstance(o, (datetime.date,\n datetime.datetime,\n datetime.time)):\n return o.isoformat()[:19].replace('T', ' ')\n elif isinstance(o, (int, long)):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L76_C4", "label": "if", "type": "if", "loc": [76, 77], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L75_C0", "vector": [4, 1, 0.4203, 0.011, 1, 0.8, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if hasattr(o, 'custom_json') and callable(o.custom_json):\n return o.custom_json()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L77_C8", "label": "return", "type": "return", "loc": [77, 77], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L76_C4", "vector": [13, 2, 0.4231, 0.0055, 2, 0.6, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return o.custom_json()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L78_C4", "label": "if", "type": "if", "loc": [78, 95], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L75_C0", "vector": [4, 1, 0.4753, 0.0989, 1, 0.8, 1.0, 0, 3, 0, 0, 0, 0, 0, 19], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if isinstance(o, (datetime.date,\n datetime.datetime,\n datetime.time)):\n return o.isoformat()[:19].replace('T', ' ')\n elif isinstance(o, (int, long)):\n return int(o)\n elif isinstance(o, decimal.Decimal):\n return str(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L81_C8", "label": "return", "type": "return", "loc": [81, 81], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L78_C4", "vector": [13, 2, 0.4451, 0.0055, 2, 0.04, 0.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return o.isoformat()[:19].replace('T', ' ')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L82_C4", "label": "if", "type": "if", "loc": [82, 95], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L78_C4", "vector": [4, 2, 0.4863, 0.0769, 2, 0.04, 1.0, 0, 3, 0, 0, 0, 0, 0, 16], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(o, (int, long)):\n return int(o)\n elif isinstance(o, decimal.Decimal):\n return str(o)\n elif isinstance(o, lazyT):\n return str(o)\n elif isinstance(o, XmlComponent):\n return str(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L83_C8", "label": "return", "type": "return", "loc": [83, 83], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L82_C4", "vector": [13, 3, 0.456, 0.0055, 3, 0.12, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return int(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L84_C4", "label": "if", "type": "if", "loc": [84, 95], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L82_C4", "vector": [4, 3, 0.4918, 0.0659, 3, 0.12, 1.0, 0, 3, 0, 0, 0, 0, 0, 14], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(o, decimal.Decimal):\n return str(o)\n elif isinstance(o, lazyT):\n return str(o)\n elif isinstance(o, XmlComponent):\n return str(o)\n elif hasattr(o, 'as_list') and callable(o.as_list):\n return o.as_list()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L85_C8", "label": "return", "type": "return", "loc": [85, 85], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L84_C4", "vector": [13, 4, 0.467, 0.0055, 4, 0.97, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L86_C4", "label": "if", "type": "if", "loc": [86, 95], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L84_C4", "vector": [4, 4, 0.4973, 0.0549, 4, 0.97, 1.0, 0, 3, 0, 0, 0, 0, 0, 12], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(o, lazyT):\n return str(o)\n elif isinstance(o, XmlComponent):\n return str(o)\n elif hasattr(o, 'as_list') and callable(o.as_list):\n return o.as_list()\n elif hasattr(o, 'as_dict') and callable(o.as_dict):\n return o.as_dict()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L87_C8", "label": "return", "type": "return", "loc": [87, 87], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L86_C4", "vector": [13, 5, 0.478, 0.0055, 5, 0.99, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L88_C4", "label": "if", "type": "if", "loc": [88, 95], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L86_C4", "vector": [4, 5, 0.5027, 0.044, 5, 0.99, 1.0, 0, 3, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(o, XmlComponent):\n return str(o)\n elif hasattr(o, 'as_list') and callable(o.as_list):\n return o.as_list()\n elif hasattr(o, 'as_dict') and callable(o.as_dict):\n return o.as_dict()\n else:\n raise TypeError(repr(o) + \" is not JSON serializable\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L89_C8", "label": "return", "type": "return", "loc": [89, 89], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L88_C4", "vector": [13, 6, 0.489, 0.0055, 6, 0.19, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(o)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L90_C4", "label": "if", "type": "if", "loc": [90, 95], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L88_C4", "vector": [4, 6, 0.5082, 0.033, 6, 0.19, 1.0, 0, 0, 0, 0, 0, 0, 0, 8], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif hasattr(o, 'as_list') and callable(o.as_list):\n return o.as_list()\n elif hasattr(o, 'as_dict') and callable(o.as_dict):\n return o.as_dict()\n else:\n raise TypeError(repr(o) + \" is not JSON serializable\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L91_C8", "label": "return", "type": "return", "loc": [91, 91], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L90_C4", "vector": [13, 7, 0.5, 0.0055, 7, 0.7, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return o.as_list()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L92_C4", "label": "if", "type": "if", "loc": [92, 95], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L90_C4", "vector": [4, 7, 0.5137, 0.022, 7, 0.7, 1.0, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif hasattr(o, 'as_dict') and callable(o.as_dict):\n return o.as_dict()\n else:\n raise TypeError(repr(o) + \" is not JSON serializable\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L93_C8", "label": "return", "type": "return", "loc": [93, 93], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L92_C4", "vector": [13, 8, 0.511, 0.0055, 8, 0.65, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return o.as_dict()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L98_C0", "label": "xml_rec", "type": "function", "loc": [98, 111], "level": 0, "parent": null, "vector": [2, 0, 0.5742, 0.0769, 0, 0.66, 0.6667, 531, 0, 3, 1, 0, 0, 0, 23], "semantic": {"name": "xml_rec", "arg_names": ["value", "key", "quote"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def xml_rec(value, key, quote=True):\n if hasattr(value, 'custom_xml') and callable(value.custom_xml):\n return value.custom_xml()\n elif isinstance(value, (dict, Storage)):\n return TAG[key](*[TAG[k](xml_rec(v, '', quote))\n for k, v in value.items()])\n elif isinstance(value, list):\n return TAG[key](*[TAG.item(xml_rec(item, '', quote)) for item in value])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L99_C4", "label": "if", "type": "if", "loc": [99, 111], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L98_C0", "vector": [4, 1, 0.5769, 0.0714, 1, 0.84, 0.0, 0, 0, 0, 0, 0, 0, 0, 23], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if hasattr(value, 'custom_xml') and callable(value.custom_xml):\n return value.custom_xml()\n elif isinstance(value, (dict, Storage)):\n return TAG[key](*[TAG[k](xml_rec(v, '', quote))\n for k, v in value.items()])\n elif isinstance(value, list):\n return TAG[key](*[TAG.item(xml_rec(item, '', quote)) for item in value])\n elif hasattr(value, 'as_list') and callable(value.as_list):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L100_C8", "label": "return", "type": "return", "loc": [100, 100], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L99_C4", "vector": [13, 2, 0.5495, 0.0055, 2, 0.38, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return value.custom_xml()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L101_C4", "label": "if", "type": "if", "loc": [101, 111], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L99_C4", "vector": [4, 2, 0.5824, 0.0604, 2, 0.38, 1.0, 0, 3, 0, 0, 0, 0, 0, 20], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(value, (dict, Storage)):\n return TAG[key](*[TAG[k](xml_rec(v, '', quote))\n for k, v in value.items()])\n elif isinstance(value, list):\n return TAG[key](*[TAG.item(xml_rec(item, '', quote)) for item in value])\n elif hasattr(value, 'as_list') and callable(value.as_list):\n return str(xml_rec(value.as_list(), '', quote))\n elif hasattr(value, 'as_dict') and callable(value.as_dict):"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L102_C8", "label": "return", "type": "return", "loc": [102, 103], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L101_C4", "vector": [13, 3, 0.5632, 0.011, 3, 0.36, 0.0, 0, 3, 0, 0, 0, 0, 10, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return TAG[key](*[TAG[k](xml_rec(v, '', quote))\n for k, v in value.items()])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L104_C4", "label": "if", "type": "if", "loc": [104, 111], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L101_C4", "vector": [4, 3, 0.5907, 0.044, 3, 0.36, 1.0, 0, 3, 0, 0, 0, 0, 0, 15], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(value, list):\n return TAG[key](*[TAG.item(xml_rec(item, '', quote)) for item in value])\n elif hasattr(value, 'as_list') and callable(value.as_list):\n return str(xml_rec(value.as_list(), '', quote))\n elif hasattr(value, 'as_dict') and callable(value.as_dict):\n return str(xml_rec(value.as_dict(), '', quote))\n else:\n return xmlescape(value, quote)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L105_C8", "label": "return", "type": "return", "loc": [105, 105], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L104_C4", "vector": [13, 4, 0.5769, 0.0055, 4, 0.36, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return TAG[key](*[TAG.item(xml_rec(item, '', quote)) for item in value])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L106_C4", "label": "if", "type": "if", "loc": [106, 111], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L104_C4", "vector": [4, 4, 0.5962, 0.033, 4, 0.36, 1.0, 0, 0, 0, 0, 0, 0, 0, 11], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif hasattr(value, 'as_list') and callable(value.as_list):\n return str(xml_rec(value.as_list(), '', quote))\n elif hasattr(value, 'as_dict') and callable(value.as_dict):\n return str(xml_rec(value.as_dict(), '', quote))\n else:\n return xmlescape(value, quote)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L107_C8", "label": "return", "type": "return", "loc": [107, 107], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L106_C4", "vector": [13, 5, 0.5879, 0.0055, 5, 0.22, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(xml_rec(value.as_list(), '', quote))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L108_C4", "label": "if", "type": "if", "loc": [108, 111], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L106_C4", "vector": [4, 5, 0.6016, 0.022, 5, 0.22, 1.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif hasattr(value, 'as_dict') and callable(value.as_dict):\n return str(xml_rec(value.as_dict(), '', quote))\n else:\n return xmlescape(value, quote)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L109_C8", "label": "return", "type": "return", "loc": [109, 109], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L108_C4", "vector": [13, 6, 0.5989, 0.0055, 6, 0.03, 0.0, 0, 3, 0, 0, 0, 0, 10, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return str(xml_rec(value.as_dict(), '', quote))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L111_C8", "label": "return", "type": "return", "loc": [111, 111], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L108_C4", "vector": [13, 6, 0.6099, 0.0055, 6, 0.03, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return xmlescape(value, quote)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L114_C0", "label": "xml", "type": "function", "loc": [114, 115], "level": 0, "parent": null, "vector": [2, 0, 0.6291, 0.011, 0, 0.66, 0.7143, 324, 0, 4, 1, 0, 0, 0, 2], "semantic": {"name": "xml", "arg_names": ["value", "encoding", "key", "quote"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def xml(value, encoding='UTF-8', key='document', quote=True):\n return ('<?xml version=\"1.0\" encoding=\"%s\"?>' % encoding) + str(xml_rec(value, key, quote))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L115_C4", "label": "return", "type": "return", "loc": [115, 115], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L114_C0", "vector": [13, 1, 0.6319, 0.0055, 1, 0.55, 0.0, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ('<?xml version=\"1.0\" encoding=\"%s\"?>' % encoding) + str(xml_rec(value, key, quote))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L118_C0", "label": "json", "type": "function", "loc": [118, 122], "level": 0, "parent": null, "vector": [2, 0, 0.6593, 0.0275, 0, 0.66, 0.7619, 463, 0, 2, 1, 0, 0, 0, 1], "semantic": {"name": "json", "arg_names": ["value", "default"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def json(value, default=custom_json):\n # replace JavaScript incompatible spacing\n # http://timelessrepo.com/json-isnt-a-javascript-subset\n return json_parser.dumps(value,\n '\\\\u2029')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L121_C4", "label": "return", "type": "return", "loc": [121, 122], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L118_C0", "vector": [13, 1, 0.6676, 0.011, 1, 0.77, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return json_parser.dumps(value,\n '\\\\u2029')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L124_C0", "label": "csv", "type": "function", "loc": [124, 125], "level": 0, "parent": null, "vector": [2, 0, 0.6841, 0.011, 0, 0.66, 0.8095, 312, 0, 1, 1, 0, 0, 0, 0], "semantic": {"name": "csv", "arg_names": ["value"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def csv(value):\n return ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L125_C4", "label": "return", "type": "return", "loc": [125, 125], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L124_C0", "vector": [13, 1, 0.6868, 0.0055, 1, 0.47, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "label": "ics", "type": "function", "loc": [128, 154], "level": 0, "parent": null, "vector": [2, 0, 0.7747, 0.1484, 0, 0.66, 0.8571, 305, 0, 5, 1, 0, 0, 0, 7], "semantic": {"name": "ics", "arg_names": ["events", "title", "link", "timeshift", "ignored"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def ics(events, title=None, link=None, timeshift=0, **ignored):\n import datetime\n title = title or '(unkown)'\n if link and not callable(link):\n link = lambda item, prefix=link: prefix.replace(\n '[id]', str(item['id']))\n s = 'BEGIN:VCALENDAR'\n s += '\\nVERSION:2.0'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L129_C4", "label": "datetime import datetime", "type": "import", "loc": [129, 129], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "vector": [1, 1, 0.7088, 0.0055, 1, 0.95, 0.0, 426, 0, 1, 0, 0, 426, 0, 0], "semantic": {"name": "datetime", "arg_names": [], "import_names": ["datetime"], "rhs_call_name": "", "annotation": ""}, "snippet": " import datetime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L130_C4", "label": "title =", "type": "assigned_variable", "loc": [130, 130], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "vector": [14, 1, 0.7143, 0.0055, 1, 0.95, 0.2, 48, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "title", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " title = title or '(unkown)'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L131_C4", "label": "if", "type": "if", "loc": [131, 133], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "vector": [4, 1, 0.7253, 0.0165, 1, 0.95, 0.4, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if link and not callable(link):\n link = lambda item, prefix=link: prefix.replace(\n '[id]', str(item['id']))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L132_C8", "label": "link =", "type": "assigned_variable", "loc": [132, 133], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L131_C4", "vector": [14, 2, 0.728, 0.011, 2, 0.41, 0.0, 880, 9, 0, 0, 0, 0, 0, 2], "semantic": {"name": "link", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " link = lambda item, prefix=link: prefix.replace(\n '[id]', str(item['id']))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L134_C4", "label": "s =", "type": "assigned_variable", "loc": [134, 134], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "vector": [14, 1, 0.7363, 0.0055, 1, 0.95, 0.6, 553, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "s", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " s = 'BEGIN:VCALENDAR'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:For_L141_C4", "label": "for item", "type": "for", "loc": [141, 152], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "vector": [6, 1, 0.8049, 0.0659, 1, 0.95, 0.8, 434, 2, 0, 0, 0, 0, 0, 4], "semantic": {"name": "item", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for item in events:\n s += '\\nBEGIN:VEVENT'\n s += '\\nUID:%s' % item['id']\n if link:\n s += '\\nURL:%s' % link(item)\n shift = datetime.timedelta(seconds=3600 * timeshift)\n start = item['start_datetime'] + shift\n stop = item['stop_datetime'] + shift"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L144_C8", "label": "if", "type": "if", "loc": [144, 145], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:For_L141_C4", "vector": [4, 2, 0.794, 0.011, 2, 0.03, 0.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if link:\n s += '\\nURL:%s' % link(item)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L146_C8", "label": "shift = timedelta()", "type": "assigned_variable", "loc": [146, 146], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:For_L141_C4", "vector": [14, 2, 0.8022, 0.0055, 2, 0.03, 0.3333, 442, 3, 1, 0, 0, 790, 10, 1], "semantic": {"name": "shift", "arg_names": [], "import_names": [], "rhs_call_name": "timedelta", "annotation": ""}, "snippet": " shift = datetime.timedelta(seconds=3600 * timeshift)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L147_C8", "label": "start =", "type": "assigned_variable", "loc": [147, 147], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:For_L141_C4", "vector": [14, 2, 0.8077, 0.0055, 2, 0.03, 0.6667, 511, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "start", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " start = item['start_datetime'] + shift"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L148_C8", "label": "stop =", "type": "assigned_variable", "loc": [148, 148], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:For_L141_C4", "vector": [14, 2, 0.8132, 0.0055, 2, 0.03, 1.0, 343, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "stop", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " stop = item['stop_datetime'] + shift"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L154_C4", "label": "return", "type": "return", "loc": [154, 154], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "vector": [13, 1, 0.8462, 0.0055, 1, 0.95, 1.0, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return s"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L157_C0", "label": "rss", "type": "function", "loc": [157, 171], "level": 0, "parent": null, "vector": [2, 0, 0.9011, 0.0824, 0, 0.66, 0.9048, 865, 0, 1, 1, 0, 0, 0, 25], "semantic": {"name": "rss", "arg_names": ["feed"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def rss(feed):\n if not 'entries' in feed and 'items' in feed:\n feed['entries'] = feed['items']\n now = datetime.datetime.now()\n rss = rss2.RSS2(title=str(feed.get('title', '(notitle)').encode('utf-8', 'replace')),\n link=str(feed.get('link', None).encode('utf-8', 'replace')),\n description=str(feed.get('description', '').encode('utf-8', 'replace')),\n lastBuildDate=feed.get('created_on', now),"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L158_C4", "label": "if", "type": "if", "loc": [158, 159], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L157_C0", "vector": [4, 1, 0.8709, 0.011, 1, 0.59, 0.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not 'entries' in feed and 'items' in feed:\n feed['entries'] = feed['items']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L159_C8", "label": "assign", "type": "assigned_variable", "loc": [159, 159], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L158_C4", "vector": [14, 2, 0.8736, 0.0055, 2, 0.75, 0.0, 0, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " feed['entries'] = feed['items']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L160_C4", "label": "now = now()", "type": "assigned_variable", "loc": [160, 160], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L157_C0", "vector": [14, 1, 0.8791, 0.0055, 1, 0.59, 0.3333, 894, 3, 0, 0, 0, 894, 10, 1], "semantic": {"name": "now", "arg_names": [], "import_names": [], "rhs_call_name": "now", "annotation": ""}, "snippet": " now = datetime.datetime.now()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L161_C4", "label": "rss = RSS2()", "type": "assigned_variable", "loc": [161, 170], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L157_C0", "vector": [14, 1, 0.9093, 0.0549, 1, 0.59, 0.6667, 865, 3, 5, 0, 0, 726, 10, 23], "semantic": {"name": "rss", "arg_names": [], "import_names": [], "rhs_call_name": "RSS2", "annotation": ""}, "snippet": " rss = rss2.RSS2(title=str(feed.get('title', '(notitle)').encode('utf-8', 'replace')),\n link=str(feed.get('link', None).encode('utf-8', 'replace')),\n description=str(feed.get('description', '').encode('utf-8', 'replace')),\n lastBuildDate=feed.get('created_on', now),\n items=[rss2.RSSItem(\n title=str(entry.get('title', '(notitle)').encode('utf-8', 'replace')),\n link=str(entry.get('link', None).encode('utf-8', 'replace')),\n description=str(entry.get('description', '').encode('utf-8', 'replace')),"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L171_C4", "label": "return", "type": "return", "loc": [171, 171], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L157_C0", "vector": [13, 1, 0.9396, 0.0055, 1, 0.59, 1.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return rss.to_xml(encoding='utf-8')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L174_C0", "label": "yaml", "type": "function", "loc": [174, 177], "level": 0, "parent": null, "vector": [2, 0, 0.9643, 0.022, 0, 0.66, 0.9524, 960, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "yaml", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def yaml(data):\n if have_yaml:\n return yamlib.dump(data)\n else: raise ImportError(\"No YAML serializer available\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L175_C4", "label": "if", "type": "if", "loc": [175, 177], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L174_C0", "vector": [4, 1, 0.967, 0.0165, 1, 0.15, 0.0, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if have_yaml:\n return yamlib.dump(data)\n else: raise ImportError(\"No YAML serializer available\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L176_C8", "label": "return", "type": "return", "loc": [176, 176], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L175_C4", "vector": [13, 2, 0.967, 0.0055, 2, 0.8, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return yamlib.dump(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L179_C0", "label": "loads_yaml", "type": "function", "loc": [179, 182], "level": 0, "parent": null, "vector": [2, 0, 0.9918, 0.022, 0, 0.66, 1.0, 862, 0, 1, 1, 0, 0, 0, 2], "semantic": {"name": "loads_yaml", "arg_names": ["data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def loads_yaml(data):\n if have_yaml:\n return yamlib.load(data)\n else: raise ImportError(\"No YAML serializer available\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:If_L180_C4", "label": "if", "type": "if", "loc": [180, 182], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L179_C0", "vector": [4, 1, 0.9945, 0.0165, 1, 0.57, 0.0, 0, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if have_yaml:\n return yamlib.load(data)\n else: raise ImportError(\"No YAML serializer available\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L181_C8", "label": "return", "type": "return", "loc": [181, 181], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_619:If_L180_C4", "vector": [13, 2, 0.9945, 0.0055, 2, 0.35, 0.0, 0, 3, 0, 0, 0, 0, 10, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return yamlib.load(data)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L14_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L15_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L14_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L17_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L17_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L18_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L17_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L20_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L23_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L24_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:Try_L23_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L26_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L28_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Expr_L29_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L28_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L45_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L45_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L46_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L46_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L47_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L46_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L49_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L45_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:For_L51_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:For_L51_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L52_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L52_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L53_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L52_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L55_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:For_L51_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L56_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L56_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L57_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L56_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L59_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:For_L51_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L60_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L28_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L64_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L68_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L69_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L69_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L71_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L66_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L73_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L76_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L76_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L77_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L75_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L78_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L78_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L81_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L78_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L82_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L82_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L83_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L82_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L84_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L84_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L85_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L84_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L86_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L87_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L86_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L88_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L88_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L89_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L88_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L90_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L90_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L91_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L90_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L92_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L92_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L93_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L98_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L99_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L99_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L100_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L99_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L101_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L102_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L104_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L104_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L105_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L104_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L106_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L106_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L107_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L106_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L108_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L108_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L109_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L108_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L111_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L114_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L115_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L118_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L121_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L124_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L125_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Import_L129_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L130_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L131_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L131_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L132_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L134_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:For_L141_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:For_L141_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L144_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:For_L141_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L146_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:For_L141_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L147_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:For_L141_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L148_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L128_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L154_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L157_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L158_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L158_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L159_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L157_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L160_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L157_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Assign_L161_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L157_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L171_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L174_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L175_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L175_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L176_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:FunctionDef_L179_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_619:If_L180_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_619:If_L180_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_619:Return_L181_C8"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- """ This file is part of the web2py Web Framework Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu> License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html) """ import re import cgi __all__ = ['highlight'] class Highlighter(object): """ Do syntax highlighting. """ def __init__( self, mode, link=None, styles=None, ): """ Initialise highlighter: mode = language (PYTHON, WEB2PY,C, CPP, HTML, HTML_PLAIN) """ styles = styles or {} mode = mode.upper() if link and link[-1] != '/': link = link + '/' self.link = link self.styles = styles self.output = [] self.span_style = None if mode == 'WEB2PY': (mode, self.suppress_tokens) = ('PYTHON', []) elif mode == 'PYTHON': self.suppress_tokens = ['GOTOHTML'] elif mode == 'CPP': (mode, self.suppress_tokens) = ('C', []) elif mode == 'C': self.suppress_tokens = ['CPPKEYWORD'] elif mode == 'HTML_PLAIN': (mode, self.suppress_tokens) = ('HTML', ['GOTOPYTHON']) elif mode == 'HTML': self.suppress_tokens = [] else: raise SyntaxError('Unknown mode: %s' % mode) self.mode = mode def c_tokenizer( self, token, match, style, ): """ Callback for C specific highlighting. """ value = cgi.escape(match.group()) self.change_style(token, style) self.output.append(value) def python_tokenizer( self, token, match, style, ): """ Callback for python specific highlighting. """ value = cgi.escape(match.group()) if token == 'MULTILINESTRING': self.change_style(token, style) self.output.append(value) self.strMultilineString = match.group(1) return 'PYTHONMultilineString' elif token == 'ENDMULTILINESTRING': if match.group(1) == self.strMultilineString: self.output.append(value) self.strMultilineString = '' return 'PYTHON' if style and style[:5] == 'link:': self.change_style(None, None) (url, style) = style[5:].split(';', 1) if url == 'None' or url == '': self.output.append('<span style="%s">%s</span>' % (style, value)) else: self.output.append('<a href="%s%s" style="%s">%s</a>' % (url, value, style, value)) else: self.change_style(token, style) self.output.append(value) if token == 'GOTOHTML': return 'HTML' return None def html_tokenizer( self, token, match, style, ): """ Callback for HTML specific highlighting. """ value = cgi.escape(match.group()) self.change_style(token, style) self.output.append(value) if token == 'GOTOPYTHON': return 'PYTHON' return None all_styles = { 'C': (c_tokenizer, ( ('COMMENT', re.compile(r'//.*\r?\n'), 'color: green; font-style: italic'), ('MULTILINECOMMENT', re.compile(r'/\*.*?\*/', re.DOTALL), 'color: green; font-style: italic'), ('PREPROCESSOR', re.compile(r'\s*#.*?[^\\]\s*\n', re.DOTALL), 'color: magenta; font-style: italic'), ('PUNC', re.compile(r'[-+*!&|^~/%\=<>\[\]{}(),.:]'), 'font-weight: bold'), ('NUMBER', re.compile(r'0x[0-9a-fA-F]+|[+-]?\d+(\.\d+)?([eE][+-]\d+)?|\d+'), 'color: red'), ('KEYWORD', re.compile(r'(sizeof|int|long|short|char|void|' + r'signed|unsigned|float|double|' + r'goto|break|return|continue|asm|' + r'case|default|if|else|switch|while|for|do|' + r'struct|union|enum|typedef|' + r'static|register|auto|volatile|extern|const)(?![a-zA-Z0-9_])'), 'color:#185369; font-weight: bold'), ('CPPKEYWORD', re.compile(r'(class|private|protected|public|template|new|delete|' + r'this|friend|using|inline|export|bool|throw|try|catch|' + r'operator|typeid|virtual)(?![a-zA-Z0-9_])'), 'color: blue; font-weight: bold'), ('STRING', re.compile(r'r?u?\'(.*?)(?<!\\)\'|"(.*?)(?<!\\)"'), 'color: #FF9966'), ('IDENTIFIER', re.compile(r'[a-zA-Z_][a-zA-Z0-9_]*'), None), ('WHITESPACE', re.compile(r'[ \r\n]+'), 'Keep'), )), 'PYTHON': (python_tokenizer, ( ('GOTOHTML', re.compile(r'\}\}'), 'color: red'), ('PUNC', re.compile(r'[-+*!|&^~/%\=<>\[\]{}(),.:]'), 'font-weight: bold'), ('NUMBER', re.compile(r'0x[0-9a-fA-F]+|[+-]?\d+(\.\d+)?([eE][+-]\d+)?|\d+' ), 'color: red'), ('KEYWORD', re.compile(r'(def|class|break|continue|del|exec|finally|pass|' + r'print|raise|return|try|except|global|assert|lambda|' + r'yield|for|while|if|elif|else|and|in|is|not|or|import|' + r'from|True|False)(?![a-zA-Z0-9_])'), 'color:#185369; font-weight: bold'), ('WEB2PY', re.compile(r'(request|response|session|cache|redirect|local_import|HTTP|TR|XML|URL|BEAUTIFY|A|BODY|BR|B|CAT|CENTER|CODE|COL|COLGROUP|DIV|EM|EMBED|FIELDSET|LEGEND|FORM|H1|H2|H3|H4|H5|H6|IFRAME|HEAD|HR|HTML|I|IMG|INPUT|LABEL|LI|LINK|MARKMIN|MENU|META|OBJECT|OL|ON|OPTION|P|PRE|SCRIPT|SELECT|SPAN|STYLE|TABLE|THEAD|TBODY|TFOOT|TAG|TD|TEXTAREA|TH|TITLE|TT|T|UL|XHTML|IS_SLUG|IS_STRONG|IS_LOWER|IS_UPPER|IS_ALPHANUMERIC|IS_DATETIME|IS_DATETIME_IN_RANGE|IS_DATE|IS_DATE_IN_RANGE|IS_DECIMAL_IN_RANGE|IS_EMAIL|IS_EXPR|IS_FLOAT_IN_RANGE|IS_IMAGE|IS_INT_IN_RANGE|IS_IN_SET|IS_IPV4|IS_LIST_OF|IS_LENGTH|IS_MATCH|IS_EQUAL_TO|IS_EMPTY_OR|IS_NULL_OR|IS_NOT_EMPTY|IS_TIME|IS_UPLOAD_FILENAME|IS_URL|CLEANUP|CRYPT|IS_IN_DB|IS_NOT_IN_DB|DAL|Field|SQLFORM|SQLTABLE|xmlescape|embed64)(?![a-zA-Z0-9_])' ), 'link:%(link)s;text-decoration:None;color:#FF5C1F;'), ('MAGIC', re.compile(r'self|None'), 'color:#185369; font-weight: bold'), ('MULTILINESTRING', re.compile(r'r?u?(\'\'\'|""")'), 'color: #FF9966'), ('STRING', re.compile(r'r?u?\'(.*?)(?<!\\)\'|"(.*?)(?<!\\)"' ), 'color: #FF9966'), ('IDENTIFIER', re.compile(r'[a-zA-Z_][a-zA-Z0-9_]*'), None), ('COMMENT', re.compile(r'\#.*\r?\n'), 'color: green; font-style: italic'), ('WHITESPACE', re.compile(r'[ \r\n]+'), 'Keep'), )), 'PYTHONMultilineString': (python_tokenizer, (('ENDMULTILINESTRING', re.compile(r'.*?("""|\'\'\')', re.DOTALL), 'color: darkred'), )), 'HTML': (html_tokenizer, ( ('GOTOPYTHON', re.compile(r'\{\{'), 'color: red'), ('COMMENT', re.compile(r'<!--[^>]*-->|<!>'), 'color: green; font-style: italic'), ('XMLCRAP', re.compile(r'<![^>]*>'), 'color: blue; font-style: italic'), ('SCRIPT', re.compile(r'<script .*?</script>', re.IGNORECASE + re.DOTALL), 'color: black'), ('TAG', re.compile(r'</?\s*[a-zA-Z0-9]+'), 'color: darkred; font-weight: bold'), ('ENDTAG', re.compile(r'/?>'), 'color: darkred; font-weight: bold'), )), } def highlight(self, data): """ Syntax highlight some python code. Returns html version of code. """ i = 0 mode = self.mode while i < len(data): for (token, o_re, style) in Highlighter.all_styles[mode][1]: if not token in self.suppress_tokens: match = o_re.match(data, i) if match: if style: new_mode = \ Highlighter.all_styles[mode][0](self, token, match, style % dict(link=self.link)) else: new_mode = \ Highlighter.all_styles[mode][0](self, token, match, style) if not new_mode is None: mode = new_mode i += max(1, len(match.group())) break else: self.change_style(None, None) self.output.append(data[i]) i += 1 self.change_style(None, None) return ''.join(self.output).expandtabs(4) def change_style(self, token, style): """ Generate output to change from existing style to another style only. """ if token in self.styles: style = self.styles[token] if self.span_style != style: if style != 'Keep': if not self.span_style is None: self.output.append('</span>') if not style is None: self.output.append('<span style="%s">' % style) self.span_style = style def highlight( code, language, link='/examples/globals/vars/', counter=1, styles=None, highlight_line=None, context_lines=None, attributes=None, ): styles = styles or {} attributes = attributes or {} if not 'CODE' in styles: code_style = """ font-size: 11px; font-family: Bitstream Vera Sans Mono,monospace; background-color: transparent; margin: 0; padding: 5px; border: none; overflow: auto; white-space: pre !important;\n""" else: code_style = styles['CODE'] if not 'LINENUMBERS' in styles: linenumbers_style = """ font-size: 11px; font-family: Bitstream Vera Sans Mono,monospace; background-color: transparent; margin: 0; padding: 5px; border: none; color: #A0A0A0;\n""" else: linenumbers_style = styles['LINENUMBERS'] if not 'LINEHIGHLIGHT' in styles: linehighlight_style = "background-color: #EBDDE2;" else: linehighlight_style = styles['LINEHIGHLIGHT'] if language and language.upper() in ['PYTHON', 'C', 'CPP', 'HTML', 'WEB2PY']: code = Highlighter(language, link, styles).highlight(code) else: code = cgi.escape(code) lines = code.split('\n') if counter is None: linenumbers = [''] * len(lines) elif isinstance(counter, str): linenumbers = [cgi.escape(counter)] * len(lines) else: linenumbers = [str(i + counter) + '.' for i in xrange(len(lines))] if highlight_line: if counter and not isinstance(counter, str): lineno = highlight_line - counter else: lineno = highlight_line if lineno < len(lines): lines[lineno] = '<div style="%s">%s</div>' % ( linehighlight_style, lines[lineno]) linenumbers[lineno] = '<div style="%s">%s</div>' % ( linehighlight_style, linenumbers[lineno]) if context_lines: if lineno + context_lines < len(lines): del lines[lineno + context_lines:] del linenumbers[lineno + context_lines:] if lineno - context_lines > 0: del lines[0:lineno - context_lines] del linenumbers[0:lineno - context_lines] code = '<br/>'.join(lines) numbers = '<br/>'.join(linenumbers) items = attributes.items() fa = ' '.join([key[1:].lower() for (key, value) in items if key[:1] == '_' and value is None] + ['%s="%s"' % (key[1:].lower(), str(value).replace('"', "'")) for (key, value) in attributes.items() if key[:1] == '_' and value]) if fa: fa = ' ' + fa return '<table%s><tr valign="top"><td style="width:40px; text-align: right;"><pre style="%s">%s</pre></td><td><pre style="%s">%s</pre></td></tr></table>'\ % (fa, linenumbers_style, numbers, code_style, code) if __name__ == '__main__': import sys argfp = open(sys.argv[1]) data = argfp.read() argfp.close() print '<html><body>' + highlight(data, sys.argv[2])\ + '</body></html>'
ajibawa-2023/Python-Code-Large/train/row_622
139
344
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L4_C0", "label": "expression", "type": "expression", "loc": [4, 8], "level": 0, "parent": null, "vector": [8, 0, 0.0174, 0.0145, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nThis file is part of the web2py Web Framework\nCopyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>\nLicense: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Import_L10_C0", "label": "re import re", "type": "import", "loc": [10, 10], "level": 0, "parent": null, "vector": [1, 0, 0.0291, 0.0029, 0, 0.66, 0.1667, 540, 0, 1, 0, 0, 540, 0, 0], "semantic": {"name": "re", "arg_names": [], "import_names": ["re"], "rhs_call_name": "", "annotation": ""}, "snippet": "import re"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Import_L11_C0", "label": "cgi import cgi", "type": "import", "loc": [11, 11], "level": 0, "parent": null, "vector": [1, 0, 0.032, 0.0029, 0, 0.66, 0.3333, 934, 0, 1, 0, 0, 934, 0, 0], "semantic": {"name": "cgi", "arg_names": [], "import_names": ["cgi"], "rhs_call_name": "", "annotation": ""}, "snippet": "import cgi"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L13_C0", "label": "__all__ =", "type": "assigned_variable", "loc": [13, 13], "level": 0, "parent": null, "vector": [14, 0, 0.0378, 0.0029, 0, 0.66, 0.5, 272, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "__all__", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "__all__ = ['highlight']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "label": "Highlighter", "type": "class", "loc": [16, 248], "level": 0, "parent": null, "vector": [3, 0, 0.3837, 0.6773, 0, 0.66, 0.6667, 718, 0, 6, 0, 0, 186, 0, 66], "semantic": {"name": "Highlighter", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "class Highlighter(object):\n\n \"\"\"\n Do syntax highlighting.\n \"\"\"\n\n def __init__(\n self,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L18_C4", "label": "expression", "type": "expression", "loc": [18, 20], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "vector": [8, 1, 0.0552, 0.0087, 1, 0.7, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Do syntax highlighting.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "label": "__init__", "type": "function", "loc": [22, 54], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "vector": [2, 1, 0.1105, 0.0959, 1, 0.7, 0.1429, 555, 0, 4, 0, 0, 0, 0, 2], "semantic": {"name": "__init__", "arg_names": ["self", "mode", "link", "styles"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def __init__(\n self,\n mode,\n link=None,\n styles=None,\n ):\n \"\"\"\n Initialise highlighter:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L28_C8", "label": "expression", "type": "expression", "loc": [28, 31], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "vector": [8, 2, 0.0858, 0.0116, 2, 0.07, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Initialise highlighter:\n mode = language (PYTHON, WEB2PY,C, CPP, HTML, HTML_PLAIN)\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L32_C8", "label": "styles =", "type": "assigned_variable", "loc": [32, 32], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "vector": [14, 2, 0.093, 0.0029, 2, 0.07, 0.1111, 752, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "styles", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " styles = styles or {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L33_C8", "label": "mode = upper()", "type": "assigned_variable", "loc": [33, 33], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "vector": [14, 2, 0.0959, 0.0029, 2, 0.07, 0.2222, 991, 3, 0, 0, 0, 347, 10, 1], "semantic": {"name": "mode", "arg_names": [], "import_names": [], "rhs_call_name": "upper", "annotation": ""}, "snippet": " mode = mode.upper()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L34_C8", "label": "if", "type": "if", "loc": [34, 35], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "vector": [4, 2, 0.1003, 0.0058, 2, 0.07, 0.3333, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if link and link[-1] != '/':\n link = link + '/'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L35_C12", "label": "link =", "type": "assigned_variable", "loc": [35, 35], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L34_C8", "vector": [14, 3, 0.1017, 0.0029, 3, 0.05, 0.0, 880, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "link", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " link = link + '/'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L36_C8", "label": "self.link =", "type": "assigned_variable", "loc": [36, 36], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "vector": [14, 2, 0.1047, 0.0029, 2, 0.07, 0.4444, 427, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.link", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.link = link"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L37_C8", "label": "self.styles =", "type": "assigned_variable", "loc": [37, 37], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "vector": [14, 2, 0.1076, 0.0029, 2, 0.07, 0.5556, 163, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.styles", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.styles = styles"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L38_C8", "label": "self.output =", "type": "assigned_variable", "loc": [38, 38], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "vector": [14, 2, 0.1105, 0.0029, 2, 0.07, 0.6667, 815, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.output", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.output = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L39_C8", "label": "self.span_style =", "type": "assigned_variable", "loc": [39, 39], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "vector": [14, 2, 0.1134, 0.0029, 2, 0.07, 0.7778, 402, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "self.span_style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.span_style = None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L40_C8", "label": "if", "type": "if", "loc": [40, 53], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "vector": [4, 2, 0.1352, 0.0407, 2, 0.07, 0.8889, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if mode == 'WEB2PY':\n (mode, self.suppress_tokens) = ('PYTHON', [])\n elif mode == 'PYTHON':\n self.suppress_tokens = ['GOTOHTML']\n elif mode == 'CPP':\n (mode, self.suppress_tokens) = ('C', [])\n elif mode == 'C':\n self.suppress_tokens = ['CPPKEYWORD']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L41_C12", "label": "mode =", "type": "assigned_variable", "loc": [41, 41], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L40_C8", "vector": [14, 3, 0.1192, 0.0029, 3, 0.66, 0.0, 991, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "mode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " (mode, self.suppress_tokens) = ('PYTHON', [])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L42_C8", "label": "if", "type": "if", "loc": [42, 53], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L40_C8", "vector": [4, 3, 0.1381, 0.0349, 3, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif mode == 'PYTHON':\n self.suppress_tokens = ['GOTOHTML']\n elif mode == 'CPP':\n (mode, self.suppress_tokens) = ('C', [])\n elif mode == 'C':\n self.suppress_tokens = ['CPPKEYWORD']\n elif mode == 'HTML_PLAIN':\n (mode, self.suppress_tokens) = ('HTML', ['GOTOPYTHON'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L43_C12", "label": "self.suppress_tokens =", "type": "assigned_variable", "loc": [43, 43], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L42_C8", "vector": [14, 4, 0.125, 0.0029, 4, 0.06, 0.0, 210, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.suppress_tokens", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.suppress_tokens = ['GOTOHTML']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L44_C8", "label": "if", "type": "if", "loc": [44, 53], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L42_C8", "vector": [4, 4, 0.141, 0.0291, 4, 0.06, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif mode == 'CPP':\n (mode, self.suppress_tokens) = ('C', [])\n elif mode == 'C':\n self.suppress_tokens = ['CPPKEYWORD']\n elif mode == 'HTML_PLAIN':\n (mode, self.suppress_tokens) = ('HTML', ['GOTOPYTHON'])\n elif mode == 'HTML':\n self.suppress_tokens = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L45_C12", "label": "mode =", "type": "assigned_variable", "loc": [45, 45], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L44_C8", "vector": [14, 5, 0.1308, 0.0029, 5, 0.29, 0.0, 991, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "mode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " (mode, self.suppress_tokens) = ('C', [])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L46_C8", "label": "if", "type": "if", "loc": [46, 53], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L44_C8", "vector": [4, 5, 0.1439, 0.0233, 5, 0.29, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif mode == 'C':\n self.suppress_tokens = ['CPPKEYWORD']\n elif mode == 'HTML_PLAIN':\n (mode, self.suppress_tokens) = ('HTML', ['GOTOPYTHON'])\n elif mode == 'HTML':\n self.suppress_tokens = []\n else:\n raise SyntaxError('Unknown mode: %s' % mode)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L47_C12", "label": "self.suppress_tokens =", "type": "assigned_variable", "loc": [47, 47], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L46_C8", "vector": [14, 6, 0.1366, 0.0029, 6, 0.53, 0.0, 210, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.suppress_tokens", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.suppress_tokens = ['CPPKEYWORD']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L48_C8", "label": "if", "type": "if", "loc": [48, 53], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L46_C8", "vector": [4, 6, 0.1468, 0.0174, 6, 0.53, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif mode == 'HTML_PLAIN':\n (mode, self.suppress_tokens) = ('HTML', ['GOTOPYTHON'])\n elif mode == 'HTML':\n self.suppress_tokens = []\n else:\n raise SyntaxError('Unknown mode: %s' % mode)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L49_C12", "label": "mode =", "type": "assigned_variable", "loc": [49, 49], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L48_C8", "vector": [14, 7, 0.1424, 0.0029, 7, 0.55, 0.0, 991, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "mode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " (mode, self.suppress_tokens) = ('HTML', ['GOTOPYTHON'])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L50_C8", "label": "if", "type": "if", "loc": [50, 53], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L48_C8", "vector": [4, 7, 0.1497, 0.0116, 7, 0.55, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif mode == 'HTML':\n self.suppress_tokens = []\n else:\n raise SyntaxError('Unknown mode: %s' % mode)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L51_C12", "label": "self.suppress_tokens =", "type": "assigned_variable", "loc": [51, 51], "level": 8, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L50_C8", "vector": [14, 8, 0.1483, 0.0029, 8, 0.54, 0.0, 210, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "self.suppress_tokens", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.suppress_tokens = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L54_C8", "label": "self.mode =", "type": "assigned_variable", "loc": [54, 54], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "vector": [14, 2, 0.157, 0.0029, 2, 0.07, 1.0, 474, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.mode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.mode = mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L56_C4", "label": "c_tokenizer", "type": "function", "loc": [56, 68], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "vector": [2, 1, 0.1802, 0.0378, 1, 0.7, 0.2857, 314, 0, 4, 0, 0, 0, 0, 4], "semantic": {"name": "c_tokenizer", "arg_names": ["self", "token", "match", "style"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def c_tokenizer(\n self,\n token,\n match,\n style,\n ):\n \"\"\"\n Callback for C specific highlighting."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L62_C8", "label": "expression", "type": "expression", "loc": [62, 64], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L56_C4", "vector": [8, 2, 0.1831, 0.0087, 2, 0.05, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Callback for C specific highlighting.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L66_C8", "label": "value = escape()", "type": "assigned_variable", "loc": [66, 66], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L56_C4", "vector": [14, 2, 0.1919, 0.0029, 2, 0.05, 0.3333, 441, 3, 1, 0, 0, 494, 10, 2], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "escape", "annotation": ""}, "snippet": " value = cgi.escape(match.group())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L67_C8", "label": "change_style()", "type": "expression", "loc": [67, 67], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L56_C4", "vector": [8, 2, 0.1948, 0.0029, 2, 0.05, 0.6667, 816, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "change_style", "arg_names": [], "import_names": [], "rhs_call_name": "change_style", "annotation": ""}, "snippet": " self.change_style(token, style)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L68_C8", "label": "append()", "type": "expression", "loc": [68, 68], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L56_C4", "vector": [8, 2, 0.1977, 0.0029, 2, 0.05, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.output.append(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "label": "python_tokenizer", "type": "function", "loc": [70, 105], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "vector": [2, 1, 0.2544, 0.1047, 1, 0.7, 0.4286, 700, 0, 4, 1, 0, 0, 0, 13], "semantic": {"name": "python_tokenizer", "arg_names": ["self", "token", "match", "style"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def python_tokenizer(\n self,\n token,\n match,\n style,\n ):\n \"\"\"\n Callback for python specific highlighting."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L76_C8", "label": "expression", "type": "expression", "loc": [76, 78], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "vector": [8, 2, 0.2238, 0.0087, 2, 0.9, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Callback for python specific highlighting.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L80_C8", "label": "value = escape()", "type": "assigned_variable", "loc": [80, 80], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "vector": [14, 2, 0.2326, 0.0029, 2, 0.9, 0.2, 441, 3, 1, 0, 0, 494, 10, 2], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "escape", "annotation": ""}, "snippet": " value = cgi.escape(match.group())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L81_C8", "label": "if", "type": "if", "loc": [81, 90], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "vector": [4, 2, 0.2485, 0.0291, 2, 0.9, 0.4, 0, 0, 0, 0, 0, 0, 0, 5], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if token == 'MULTILINESTRING':\n self.change_style(token, style)\n self.output.append(value)\n self.strMultilineString = match.group(1)\n return 'PYTHONMultilineString'\n elif token == 'ENDMULTILINESTRING':\n if match.group(1) == self.strMultilineString:\n self.output.append(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L82_C12", "label": "change_style()", "type": "expression", "loc": [82, 82], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L81_C8", "vector": [8, 3, 0.2384, 0.0029, 3, 0.59, 0.0, 816, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "change_style", "arg_names": [], "import_names": [], "rhs_call_name": "change_style", "annotation": ""}, "snippet": " self.change_style(token, style)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L83_C12", "label": "append()", "type": "expression", "loc": [83, 83], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L81_C8", "vector": [8, 3, 0.2413, 0.0029, 3, 0.59, 0.25, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.output.append(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L84_C12", "label": "self.strMultilineString = group()", "type": "assigned_variable", "loc": [84, 84], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L81_C8", "vector": [14, 3, 0.2442, 0.0029, 3, 0.59, 0.5, 202, 3, 1, 0, 0, 43, 10, 1], "semantic": {"name": "self.strMultilineString", "arg_names": [], "import_names": [], "rhs_call_name": "group", "annotation": ""}, "snippet": " self.strMultilineString = match.group(1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L85_C12", "label": "return", "type": "return", "loc": [85, 85], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L81_C8", "vector": [13, 3, 0.2471, 0.0029, 3, 0.59, 0.75, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'PYTHONMultilineString'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L86_C8", "label": "if", "type": "if", "loc": [86, 90], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L81_C8", "vector": [4, 3, 0.2558, 0.0145, 3, 0.59, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif token == 'ENDMULTILINESTRING':\n if match.group(1) == self.strMultilineString:\n self.output.append(value)\n self.strMultilineString = ''\n return 'PYTHON'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L87_C12", "label": "if", "type": "if", "loc": [87, 90], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L86_C8", "vector": [4, 4, 0.2573, 0.0116, 4, 0.45, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if match.group(1) == self.strMultilineString:\n self.output.append(value)\n self.strMultilineString = ''\n return 'PYTHON'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L88_C16", "label": "append()", "type": "expression", "loc": [88, 88], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L87_C12", "vector": [8, 5, 0.2558, 0.0029, 5, 0.19, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.output.append(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L89_C16", "label": "self.strMultilineString =", "type": "assigned_variable", "loc": [89, 89], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L87_C12", "vector": [14, 5, 0.2587, 0.0029, 5, 0.19, 0.5, 202, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "self.strMultilineString", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.strMultilineString = ''"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L90_C16", "label": "return", "type": "return", "loc": [90, 90], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L87_C12", "vector": [13, 5, 0.2616, 0.0029, 5, 0.19, 1.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'PYTHON'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L91_C8", "label": "if", "type": "if", "loc": [91, 102], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "vector": [4, 2, 0.2805, 0.0349, 2, 0.9, 0.6, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if style and style[:5] == 'link:':\n self.change_style(None, None)\n (url, style) = style[5:].split(';', 1)\n if url == 'None' or url == '':\n self.output.append('<span style=\"%s\">%s</span>'\n % (style, value))\n else:\n self.output.append('<a href=\"%s%s\" style=\"%s\">%s</a>'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L92_C12", "label": "change_style()", "type": "expression", "loc": [92, 92], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L91_C8", "vector": [8, 3, 0.2674, 0.0029, 3, 0.39, 0.0, 816, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "change_style", "arg_names": [], "import_names": [], "rhs_call_name": "change_style", "annotation": ""}, "snippet": " self.change_style(None, None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L93_C12", "label": "url, style = split()", "type": "assigned_variable", "loc": [93, 93], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L91_C8", "vector": [14, 3, 0.2703, 0.0029, 3, 0.39, 0.25, 505, 3, 2, 0, 0, 908, 10, 1], "semantic": {"name": "url, style", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " (url, style) = style[5:].split(';', 1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L94_C12", "label": "if", "type": "if", "loc": [94, 99], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L91_C8", "vector": [4, 3, 0.2805, 0.0174, 3, 0.39, 0.5, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if url == 'None' or url == '':\n self.output.append('<span style=\"%s\">%s</span>'\n % (style, value))\n else:\n self.output.append('<a href=\"%s%s\" style=\"%s\">%s</a>'\n % (url, value, style, value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L95_C16", "label": "append()", "type": "expression", "loc": [95, 96], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L94_C12", "vector": [8, 4, 0.2776, 0.0058, 4, 0.56, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.output.append('<span style=\"%s\">%s</span>'\n % (style, value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L98_C16", "label": "append()", "type": "expression", "loc": [98, 99], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L94_C12", "vector": [8, 4, 0.2863, 0.0058, 4, 0.56, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.output.append('<a href=\"%s%s\" style=\"%s\">%s</a>'\n % (url, value, style, value))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L101_C12", "label": "change_style()", "type": "expression", "loc": [101, 101], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L91_C8", "vector": [8, 3, 0.2936, 0.0029, 3, 0.39, 0.75, 816, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "change_style", "arg_names": [], "import_names": [], "rhs_call_name": "change_style", "annotation": ""}, "snippet": " self.change_style(token, style)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L102_C12", "label": "append()", "type": "expression", "loc": [102, 102], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L91_C8", "vector": [8, 3, 0.2965, 0.0029, 3, 0.39, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.output.append(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L103_C8", "label": "if", "type": "if", "loc": [103, 104], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "vector": [4, 2, 0.3009, 0.0058, 2, 0.9, 0.8, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if token == 'GOTOHTML':\n return 'HTML'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L104_C12", "label": "return", "type": "return", "loc": [104, 104], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L103_C8", "vector": [13, 3, 0.3023, 0.0029, 3, 0.97, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'HTML'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L105_C8", "label": "return", "type": "return", "loc": [105, 105], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "vector": [13, 2, 0.3052, 0.0029, 2, 0.9, 1.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "label": "html_tokenizer", "type": "function", "loc": [107, 122], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "vector": [2, 1, 0.3328, 0.0465, 1, 0.7, 0.5714, 121, 0, 4, 1, 0, 0, 0, 4], "semantic": {"name": "html_tokenizer", "arg_names": ["self", "token", "match", "style"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def html_tokenizer(\n self,\n token,\n match,\n style,\n ):\n \"\"\"\n Callback for HTML specific highlighting."}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L113_C8", "label": "expression", "type": "expression", "loc": [113, 115], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "vector": [8, 2, 0.3314, 0.0087, 2, 0.57, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Callback for HTML specific highlighting.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L117_C8", "label": "value = escape()", "type": "assigned_variable", "loc": [117, 117], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "vector": [14, 2, 0.3401, 0.0029, 2, 0.57, 0.2, 441, 3, 1, 0, 0, 494, 10, 2], "semantic": {"name": "value", "arg_names": [], "import_names": [], "rhs_call_name": "escape", "annotation": ""}, "snippet": " value = cgi.escape(match.group())"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L118_C8", "label": "change_style()", "type": "expression", "loc": [118, 118], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "vector": [8, 2, 0.343, 0.0029, 2, 0.57, 0.4, 816, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "change_style", "arg_names": [], "import_names": [], "rhs_call_name": "change_style", "annotation": ""}, "snippet": " self.change_style(token, style)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L119_C8", "label": "append()", "type": "expression", "loc": [119, 119], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "vector": [8, 2, 0.3459, 0.0029, 2, 0.57, 0.6, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.output.append(value)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L120_C8", "label": "if", "type": "if", "loc": [120, 121], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "vector": [4, 2, 0.3503, 0.0058, 2, 0.57, 0.8, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if token == 'GOTOPYTHON':\n return 'PYTHON'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L121_C12", "label": "return", "type": "return", "loc": [121, 121], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L120_C8", "vector": [13, 3, 0.3517, 0.0029, 3, 0.97, 0.0, 0, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return 'PYTHON'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L122_C8", "label": "return", "type": "return", "loc": [122, 122], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "vector": [13, 2, 0.3547, 0.0029, 2, 0.57, 1.0, 0, 1, 0, 0, 0, 0, 9, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L124_C4", "label": "all_styles =", "type": "assigned_variable", "loc": [124, 200], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "vector": [14, 1, 0.4709, 0.2238, 1, 0.7, 0.7143, 682, 0, 0, 0, 0, 0, 6, 28], "semantic": {"name": "all_styles", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " all_styles = {\n 'C': (c_tokenizer, (\n ('COMMENT', re.compile(r'//.*\\r?\\n'),\n 'color: green; font-style: italic'),\n ('MULTILINECOMMENT', re.compile(r'/\\*.*?\\*/', re.DOTALL),\n 'color: green; font-style: italic'),\n ('PREPROCESSOR', re.compile(r'\\s*#.*?[^\\\\]\\s*\\n',\n re.DOTALL), 'color: magenta; font-style: italic'),"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "label": "highlight", "type": "function", "loc": [202, 233], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "vector": [2, 1, 0.6323, 0.093, 1, 0.7, 0.8571, 449, 0, 2, 1, 0, 0, 0, 13], "semantic": {"name": "highlight", "arg_names": ["self", "data"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def highlight(self, data):\n \"\"\"\n Syntax highlight some python code.\n Returns html version of code.\n \"\"\"\n\n i = 0\n mode = self.mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L203_C8", "label": "expression", "type": "expression", "loc": [203, 206], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "vector": [8, 2, 0.5945, 0.0116, 2, 0.92, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Syntax highlight some python code.\n Returns html version of code.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L208_C8", "label": "i =", "type": "assigned_variable", "loc": [208, 208], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "vector": [14, 2, 0.6047, 0.0029, 2, 0.92, 0.2, 826, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "i", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " i = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L209_C8", "label": "mode =", "type": "assigned_variable", "loc": [209, 209], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "vector": [14, 2, 0.6076, 0.0029, 2, 0.92, 0.4, 991, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "mode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " mode = self.mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:While_L210_C8", "label": "while", "type": "while", "loc": [210, 231], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "vector": [5, 2, 0.641, 0.064, 2, 0.92, 0.6, 0, 0, 0, 0, 0, 0, 0, 10], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " while i < len(data):\n for (token, o_re, style) in Highlighter.all_styles[mode][1]:\n if not token in self.suppress_tokens:\n match = o_re.match(data, i)\n if match:\n if style:\n new_mode = \\\n Highlighter.all_styles[mode][0](self,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:For_L211_C12", "label": "for token, o_re, style", "type": "for", "loc": [211, 231], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:While_L210_C8", "vector": [6, 3, 0.6424, 0.061, 3, 0.48, 0.0, 763, 6, 0, 0, 0, 0, 0, 9], "semantic": {"name": "token, o_re, style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for (token, o_re, style) in Highlighter.all_styles[mode][1]:\n if not token in self.suppress_tokens:\n match = o_re.match(data, i)\n if match:\n if style:\n new_mode = \\\n Highlighter.all_styles[mode][0](self,\n token, match, style"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L212_C16", "label": "if", "type": "if", "loc": [212, 227], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:For_L211_C12", "vector": [4, 4, 0.6381, 0.0465, 4, 0.86, 0.0, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not token in self.suppress_tokens:\n match = o_re.match(data, i)\n if match:\n if style:\n new_mode = \\\n Highlighter.all_styles[mode][0](self,\n token, match, style\n % dict(link=self.link))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L213_C20", "label": "match = match()", "type": "assigned_variable", "loc": [213, 213], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L212_C16", "vector": [14, 5, 0.6192, 0.0029, 5, 0.29, 0.0, 36, 3, 2, 0, 0, 36, 10, 1], "semantic": {"name": "match", "arg_names": [], "import_names": [], "rhs_call_name": "match", "annotation": ""}, "snippet": " match = o_re.match(data, i)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L214_C20", "label": "if", "type": "if", "loc": [214, 227], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L212_C16", "vector": [4, 5, 0.641, 0.0407, 5, 0.29, 1.0, 0, 2, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if match:\n if style:\n new_mode = \\\n Highlighter.all_styles[mode][0](self,\n token, match, style\n % dict(link=self.link))\n else:\n new_mode = \\"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L215_C24", "label": "if", "type": "if", "loc": [215, 223], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L214_C20", "vector": [4, 6, 0.6366, 0.0262, 6, 0.19, 0.0, 0, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if style:\n new_mode = \\\n Highlighter.all_styles[mode][0](self,\n token, match, style\n % dict(link=self.link))\n else:\n new_mode = \\\n Highlighter.all_styles[mode][0](self,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L216_C28", "label": "new_mode =", "type": "assigned_variable", "loc": [216, 219], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L215_C24", "vector": [14, 7, 0.6323, 0.0116, 7, 0.48, 0.0, 585, 3, 4, 0, 0, 0, 10, 2], "semantic": {"name": "new_mode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " new_mode = \\\n Highlighter.all_styles[mode][0](self,\n token, match, style\n % dict(link=self.link))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L221_C28", "label": "new_mode =", "type": "assigned_variable", "loc": [221, 223], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L215_C24", "vector": [14, 7, 0.6453, 0.0087, 7, 0.48, 1.0, 585, 3, 4, 0, 0, 0, 10, 1], "semantic": {"name": "new_mode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " new_mode = \\\n Highlighter.all_styles[mode][0](self,\n token, match, style)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L224_C24", "label": "if", "type": "if", "loc": [224, 225], "level": 6, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L214_C20", "vector": [4, 6, 0.6526, 0.0058, 6, 0.19, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not new_mode is None:\n mode = new_mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L225_C28", "label": "mode =", "type": "assigned_variable", "loc": [225, 225], "level": 7, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L224_C24", "vector": [14, 7, 0.6541, 0.0029, 7, 0.51, 0.0, 991, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "mode", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " mode = new_mode"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L229_C16", "label": "change_style()", "type": "expression", "loc": [229, 229], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:For_L211_C12", "vector": [8, 4, 0.6657, 0.0029, 4, 0.86, 0.5, 816, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "change_style", "arg_names": [], "import_names": [], "rhs_call_name": "change_style", "annotation": ""}, "snippet": " self.change_style(None, None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L230_C16", "label": "append()", "type": "expression", "loc": [230, 230], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:For_L211_C12", "vector": [8, 4, 0.6686, 0.0029, 4, 0.86, 1.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.output.append(data[i])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L232_C8", "label": "change_style()", "type": "expression", "loc": [232, 232], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "vector": [8, 2, 0.6744, 0.0029, 2, 0.92, 0.8, 816, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "change_style", "arg_names": [], "import_names": [], "rhs_call_name": "change_style", "annotation": ""}, "snippet": " self.change_style(None, None)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L233_C8", "label": "return", "type": "return", "loc": [233, 233], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "vector": [13, 2, 0.6773, 0.0029, 2, 0.92, 1.0, 0, 3, 0, 0, 0, 0, 10, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return ''.join(self.output).expandtabs(4)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L235_C4", "label": "change_style", "type": "function", "loc": [235, 248], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "vector": [2, 1, 0.702, 0.0407, 1, 0.7, 1.0, 816, 0, 3, 0, 0, 0, 0, 2], "semantic": {"name": "change_style", "arg_names": ["self", "token", "style"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " def change_style(self, token, style):\n \"\"\"\n Generate output to change from existing style to another style only.\n \"\"\"\n\n if token in self.styles:\n style = self.styles[token]\n if self.span_style != style:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L236_C8", "label": "expression", "type": "expression", "loc": [236, 238], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L235_C4", "vector": [8, 2, 0.689, 0.0087, 2, 0.46, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " \"\"\"\n Generate output to change from existing style to another style only.\n \"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L240_C8", "label": "if", "type": "if", "loc": [240, 241], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L235_C4", "vector": [4, 2, 0.6991, 0.0058, 2, 0.46, 0.5, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if token in self.styles:\n style = self.styles[token]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L241_C12", "label": "style =", "type": "assigned_variable", "loc": [241, 241], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L240_C8", "vector": [14, 3, 0.7006, 0.0029, 3, 0.07, 0.0, 3, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " style = self.styles[token]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L242_C8", "label": "if", "type": "if", "loc": [242, 248], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L235_C4", "vector": [4, 2, 0.7122, 0.0203, 2, 0.46, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if self.span_style != style:\n if style != 'Keep':\n if not self.span_style is None:\n self.output.append('</span>')\n if not style is None:\n self.output.append('<span style=\"%s\">' % style)\n self.span_style = style"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L243_C12", "label": "if", "type": "if", "loc": [243, 248], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L242_C8", "vector": [4, 3, 0.7137, 0.0174, 3, 0.08, 0.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if style != 'Keep':\n if not self.span_style is None:\n self.output.append('</span>')\n if not style is None:\n self.output.append('<span style=\"%s\">' % style)\n self.span_style = style"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L244_C16", "label": "if", "type": "if", "loc": [244, 245], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L243_C12", "vector": [4, 4, 0.7108, 0.0058, 4, 0.53, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not self.span_style is None:\n self.output.append('</span>')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L245_C20", "label": "append()", "type": "expression", "loc": [245, 245], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L244_C16", "vector": [8, 5, 0.7122, 0.0029, 5, 0.98, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.output.append('</span>')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L246_C16", "label": "if", "type": "if", "loc": [246, 247], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L243_C12", "vector": [4, 4, 0.7166, 0.0058, 4, 0.53, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not style is None:\n self.output.append('<span style=\"%s\">' % style)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L247_C20", "label": "append()", "type": "expression", "loc": [247, 247], "level": 5, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L246_C16", "vector": [8, 5, 0.718, 0.0029, 5, 0.67, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " self.output.append('<span style=\"%s\">' % style)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L248_C16", "label": "self.span_style =", "type": "assigned_variable", "loc": [248, 248], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L243_C12", "vector": [14, 4, 0.7209, 0.0029, 4, 0.53, 1.0, 402, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "self.span_style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " self.span_style = style"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "label": "highlight", "type": "function", "loc": [251, 337], "level": 0, "parent": null, "vector": [2, 0, 0.8547, 0.2529, 0, 0.66, 0.8333, 449, 0, 8, 1, 0, 0, 0, 24], "semantic": {"name": "highlight", "arg_names": ["code", "language", "link", "counter", "styles", "highlight_line", "context_lines", "attributes"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def highlight(\n code,\n language,\n link='/examples/globals/vars/',\n counter=1,\n styles=None,\n highlight_line=None,\n context_lines=None,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L261_C4", "label": "styles =", "type": "assigned_variable", "loc": [261, 261], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [14, 1, 0.7587, 0.0029, 1, 0.73, 0.0, 752, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "styles", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " styles = styles or {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L262_C4", "label": "attributes =", "type": "assigned_variable", "loc": [262, 262], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [14, 1, 0.7616, 0.0029, 1, 0.73, 0.0714, 344, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "attributes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " attributes = attributes or {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L263_C4", "label": "if", "type": "if", "loc": [263, 274], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [4, 1, 0.7805, 0.0349, 1, 0.73, 0.1429, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not 'CODE' in styles:\n code_style = \"\"\"\n font-size: 11px;\n font-family: Bitstream Vera Sans Mono,monospace;\n background-color: transparent;\n margin: 0;\n padding: 5px;\n border: none;"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L264_C8", "label": "code_style =", "type": "assigned_variable", "loc": [264, 272], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L263_C4", "vector": [14, 2, 0.7791, 0.0262, 2, 0.97, 0.0, 191, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "code_style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " code_style = \"\"\"\n font-size: 11px;\n font-family: Bitstream Vera Sans Mono,monospace;\n background-color: transparent;\n margin: 0;\n padding: 5px;\n border: none;\n overflow: auto;"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L274_C8", "label": "code_style =", "type": "assigned_variable", "loc": [274, 274], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L263_C4", "vector": [14, 2, 0.7965, 0.0029, 2, 0.97, 1.0, 191, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "code_style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " code_style = styles['CODE']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L275_C4", "label": "if", "type": "if", "loc": [275, 285], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [4, 1, 0.814, 0.032, 1, 0.73, 0.2143, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not 'LINENUMBERS' in styles:\n linenumbers_style = \"\"\"\n font-size: 11px;\n font-family: Bitstream Vera Sans Mono,monospace;\n background-color: transparent;\n margin: 0;\n padding: 5px;\n border: none;"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L276_C8", "label": "linenumbers_style =", "type": "assigned_variable", "loc": [276, 283], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L275_C4", "vector": [14, 2, 0.8125, 0.0233, 2, 0.18, 0.0, 643, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "linenumbers_style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " linenumbers_style = \"\"\"\n font-size: 11px;\n font-family: Bitstream Vera Sans Mono,monospace;\n background-color: transparent;\n margin: 0;\n padding: 5px;\n border: none;\n color: #A0A0A0;\\n\"\"\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L285_C8", "label": "linenumbers_style =", "type": "assigned_variable", "loc": [285, 285], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L275_C4", "vector": [14, 2, 0.8285, 0.0029, 2, 0.18, 1.0, 643, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "linenumbers_style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " linenumbers_style = styles['LINENUMBERS']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L286_C4", "label": "if", "type": "if", "loc": [286, 289], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [4, 1, 0.8358, 0.0116, 1, 0.73, 0.2857, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not 'LINEHIGHLIGHT' in styles:\n linehighlight_style = \"background-color: #EBDDE2;\"\n else:\n linehighlight_style = styles['LINEHIGHLIGHT']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L287_C8", "label": "linehighlight_style =", "type": "assigned_variable", "loc": [287, 287], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L286_C4", "vector": [14, 2, 0.8343, 0.0029, 2, 0.22, 0.0, 242, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "linehighlight_style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " linehighlight_style = \"background-color: #EBDDE2;\""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L289_C8", "label": "linehighlight_style =", "type": "assigned_variable", "loc": [289, 289], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L286_C4", "vector": [14, 2, 0.8401, 0.0029, 2, 0.22, 1.0, 242, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "linehighlight_style", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " linehighlight_style = styles['LINEHIGHLIGHT']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L291_C4", "label": "if", "type": "if", "loc": [291, 295], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [4, 1, 0.8517, 0.0145, 1, 0.73, 0.3571, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if language and language.upper() in ['PYTHON', 'C', 'CPP', 'HTML',\n 'WEB2PY']:\n code = Highlighter(language, link, styles).highlight(code)\n else:\n code = cgi.escape(code)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L293_C8", "label": "code = highlight()", "type": "assigned_variable", "loc": [293, 293], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L291_C4", "vector": [14, 2, 0.8517, 0.0029, 2, 0.98, 0.0, 44, 3, 1, 0, 0, 449, 10, 2], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "highlight", "annotation": ""}, "snippet": " code = Highlighter(language, link, styles).highlight(code)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L295_C8", "label": "code = escape()", "type": "assigned_variable", "loc": [295, 295], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L291_C4", "vector": [14, 2, 0.8576, 0.0029, 2, 0.98, 1.0, 44, 3, 1, 0, 0, 494, 10, 1], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "escape", "annotation": ""}, "snippet": " code = cgi.escape(code)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L296_C4", "label": "lines = split()", "type": "assigned_variable", "loc": [296, 296], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [14, 1, 0.8605, 0.0029, 1, 0.73, 0.4286, 73, 3, 1, 0, 0, 908, 10, 1], "semantic": {"name": "lines", "arg_names": [], "import_names": [], "rhs_call_name": "split", "annotation": ""}, "snippet": " lines = code.split('\\n')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L298_C4", "label": "if", "type": "if", "loc": [298, 304], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [4, 1, 0.875, 0.0203, 1, 0.73, 0.5, 0, 0, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if counter is None:\n linenumbers = [''] * len(lines)\n elif isinstance(counter, str):\n linenumbers = [cgi.escape(counter)] * len(lines)\n else:\n linenumbers = [str(i + counter) + '.' for i in\n xrange(len(lines))]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L299_C8", "label": "linenumbers =", "type": "assigned_variable", "loc": [299, 299], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L298_C4", "vector": [14, 2, 0.8692, 0.0029, 2, 0.0, 0.0, 141, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "linenumbers", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " linenumbers = [''] * len(lines)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L300_C4", "label": "if", "type": "if", "loc": [300, 304], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L298_C4", "vector": [4, 2, 0.8779, 0.0145, 2, 0.0, 1.0, 0, 3, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " elif isinstance(counter, str):\n linenumbers = [cgi.escape(counter)] * len(lines)\n else:\n linenumbers = [str(i + counter) + '.' for i in\n xrange(len(lines))]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L301_C8", "label": "linenumbers =", "type": "assigned_variable", "loc": [301, 301], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L300_C4", "vector": [14, 3, 0.875, 0.0029, 3, 0.47, 0.0, 141, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "linenumbers", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " linenumbers = [cgi.escape(counter)] * len(lines)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L303_C8", "label": "linenumbers =", "type": "assigned_variable", "loc": [303, 304], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L300_C4", "vector": [14, 3, 0.8823, 0.0058, 3, 0.47, 1.0, 141, 5, 0, 0, 0, 0, 0, 3], "semantic": {"name": "linenumbers", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " linenumbers = [str(i + counter) + '.' for i in\n xrange(len(lines))]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L306_C4", "label": "if", "type": "if", "loc": [306, 323], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [4, 1, 0.9142, 0.0523, 1, 0.73, 0.5714, 0, 2, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if highlight_line:\n if counter and not isinstance(counter, str):\n lineno = highlight_line - counter\n else:\n lineno = highlight_line\n if lineno < len(lines):\n lines[lineno] = '<div style=\"%s\">%s</div>' % (\n linehighlight_style, lines[lineno])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L307_C8", "label": "if", "type": "if", "loc": [307, 310], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L306_C4", "vector": [4, 2, 0.8968, 0.0116, 2, 0.55, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if counter and not isinstance(counter, str):\n lineno = highlight_line - counter\n else:\n lineno = highlight_line"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L308_C12", "label": "lineno =", "type": "assigned_variable", "loc": [308, 308], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L307_C8", "vector": [14, 3, 0.8953, 0.0029, 3, 0.89, 0.0, 48, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lineno", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lineno = highlight_line - counter"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L310_C12", "label": "lineno =", "type": "assigned_variable", "loc": [310, 310], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L307_C8", "vector": [14, 3, 0.9012, 0.0029, 3, 0.89, 1.0, 48, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "lineno", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lineno = highlight_line"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L311_C8", "label": "if", "type": "if", "loc": [311, 315], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L306_C4", "vector": [4, 2, 0.9099, 0.0145, 2, 0.55, 0.5, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lineno < len(lines):\n lines[lineno] = '<div style=\"%s\">%s</div>' % (\n linehighlight_style, lines[lineno])\n linenumbers[lineno] = '<div style=\"%s\">%s</div>' % (\n linehighlight_style, linenumbers[lineno])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L312_C12", "label": "assign", "type": "assigned_variable", "loc": [312, 313], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L311_C8", "vector": [14, 3, 0.9084, 0.0058, 3, 0.91, 0.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " lines[lineno] = '<div style=\"%s\">%s</div>' % (\n linehighlight_style, lines[lineno])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L314_C12", "label": "assign", "type": "assigned_variable", "loc": [314, 315], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L311_C8", "vector": [14, 3, 0.9142, 0.0058, 3, 0.91, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " linenumbers[lineno] = '<div style=\"%s\">%s</div>' % (\n linehighlight_style, linenumbers[lineno])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L317_C8", "label": "if", "type": "if", "loc": [317, 323], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L306_C4", "vector": [4, 2, 0.9302, 0.0203, 2, 0.55, 1.0, 0, 2, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if context_lines:\n if lineno + context_lines < len(lines):\n del lines[lineno + context_lines:]\n del linenumbers[lineno + context_lines:]\n if lineno - context_lines > 0:\n del lines[0:lineno - context_lines]\n del linenumbers[0:lineno - context_lines]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L318_C12", "label": "if", "type": "if", "loc": [318, 320], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L317_C8", "vector": [4, 3, 0.9273, 0.0087, 3, 0.53, 0.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lineno + context_lines < len(lines):\n del lines[lineno + context_lines:]\n del linenumbers[lineno + context_lines:]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L321_C12", "label": "if", "type": "if", "loc": [321, 323], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L317_C8", "vector": [4, 3, 0.936, 0.0087, 3, 0.53, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if lineno - context_lines > 0:\n del lines[0:lineno - context_lines]\n del linenumbers[0:lineno - context_lines]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L325_C4", "label": "code = join()", "type": "assigned_variable", "loc": [325, 325], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [14, 1, 0.9448, 0.0029, 1, 0.73, 0.6429, 44, 3, 1, 0, 0, 933, 10, 1], "semantic": {"name": "code", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " code = '<br/>'.join(lines)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L326_C4", "label": "numbers = join()", "type": "assigned_variable", "loc": [326, 326], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [14, 1, 0.9477, 0.0029, 1, 0.73, 0.7143, 922, 3, 1, 0, 0, 933, 10, 1], "semantic": {"name": "numbers", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " numbers = '<br/>'.join(linenumbers)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L328_C4", "label": "items = items()", "type": "assigned_variable", "loc": [328, 328], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [14, 1, 0.9535, 0.0029, 1, 0.73, 0.7857, 339, 3, 0, 0, 0, 339, 10, 1], "semantic": {"name": "items", "arg_names": [], "import_names": [], "rhs_call_name": "items", "annotation": ""}, "snippet": " items = attributes.items()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L329_C4", "label": "fa = join()", "type": "assigned_variable", "loc": [329, 333], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [14, 1, 0.9622, 0.0145, 1, 0.73, 0.8571, 730, 3, 1, 0, 0, 933, 10, 6], "semantic": {"name": "fa", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " fa = ' '.join([key[1:].lower() for (key, value) in items if key[:1]\n == '_' and value is None] + ['%s=\"%s\"'\n % (key[1:].lower(), str(value).replace('\"', \"'\"))\n for (key, value) in attributes.items() if key[:1]\n == '_' and value])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L334_C4", "label": "if", "type": "if", "loc": [334, 335], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [4, 1, 0.9724, 0.0058, 1, 0.73, 0.9286, 0, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if fa:\n fa = ' ' + fa"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L335_C8", "label": "fa =", "type": "assigned_variable", "loc": [335, 335], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L334_C4", "vector": [14, 2, 0.9738, 0.0029, 2, 0.72, 0.0, 730, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "fa", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " fa = ' ' + fa"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L336_C4", "label": "return", "type": "return", "loc": [336, 337], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "vector": [13, 1, 0.9782, 0.0058, 1, 0.73, 1.0, 0, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " return '<table%s><tr valign=\"top\"><td style=\"width:40px; text-align: right;\"><pre style=\"%s\">%s</pre></td><td><pre style=\"%s\">%s</pre></td></tr></table>'\\\n % (fa, linenumbers_style, numbers, code_style, code)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:If_L340_C0", "label": "if", "type": "if", "loc": [340, 344], "level": 0, "parent": null, "vector": [4, 0, 0.9942, 0.0145, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == '__main__':\n import sys\n argfp = open(sys.argv[1])\n data = argfp.read()\n argfp.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Import_L341_C4", "label": "sys import sys", "type": "import", "loc": [341, 341], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L340_C0", "vector": [1, 1, 0.9913, 0.0029, 1, 0.68, 0.0, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": " import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L342_C4", "label": "argfp = open()", "type": "assigned_variable", "loc": [342, 342], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L340_C0", "vector": [14, 1, 0.9942, 0.0029, 1, 0.68, 0.3333, 225, 3, 1, 0, 0, 693, 10, 1], "semantic": {"name": "argfp", "arg_names": [], "import_names": [], "rhs_call_name": "open", "annotation": ""}, "snippet": " argfp = open(sys.argv[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L343_C4", "label": "data = read()", "type": "assigned_variable", "loc": [343, 343], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L340_C0", "vector": [14, 1, 0.9971, 0.0029, 1, 0.68, 0.6667, 929, 3, 0, 0, 0, 453, 10, 1], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " data = argfp.read()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L344_C4", "label": "close()", "type": "expression", "loc": [344, 344], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_622:If_L340_C0", "vector": [8, 1, 1.0, 0.0029, 1, 0.68, 1.0, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " argfp.close()"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L18_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L28_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L32_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L33_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L34_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L34_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L35_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L36_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L37_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L38_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L39_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L40_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L40_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L41_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L40_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L42_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L42_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L43_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L42_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L44_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L44_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L45_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L44_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L46_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L46_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L47_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L46_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L48_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L48_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L49_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L48_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L50_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L50_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L51_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L22_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L54_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L56_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L56_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L62_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L56_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L66_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L56_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L67_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L56_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L68_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L76_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L80_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L81_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L81_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L82_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L81_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L83_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L81_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L84_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L81_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L85_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L81_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L86_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L86_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L87_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L87_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L88_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L87_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L89_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L87_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L90_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L91_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L91_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L92_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L91_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L93_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L91_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L94_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L94_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L95_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L94_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L98_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L91_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L101_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L91_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L102_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L103_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L103_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L104_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L70_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L105_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L113_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L117_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L118_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L119_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L120_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L120_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L121_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L107_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L122_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L124_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L203_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L208_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L209_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:While_L210_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:While_L210_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:For_L211_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:For_L211_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L212_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L212_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L213_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L212_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L214_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L214_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L215_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L215_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L216_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L215_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L221_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L214_C20", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L224_C24"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L224_C24", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L225_C28"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:For_L211_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L229_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:For_L211_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L230_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L232_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L202_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L233_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:ClassDef_L16_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L235_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L235_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L236_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L235_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L240_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L240_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L241_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L235_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L242_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L242_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L243_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L243_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L244_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L244_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L245_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L243_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L246_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L246_C16", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L247_C20"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L243_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L248_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L261_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L262_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L263_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L263_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L264_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L263_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L274_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L275_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L275_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L276_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L275_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L285_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L286_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L287_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L286_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L289_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L291_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L291_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L293_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L291_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L295_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L296_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L298_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L298_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L299_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L298_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L300_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L300_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L301_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L300_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L303_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L306_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L306_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L307_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L307_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L308_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L307_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L310_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L306_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L311_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L311_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L312_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L311_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L314_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L306_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L317_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L317_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L318_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L317_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L321_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L325_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L326_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L328_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L329_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:If_L334_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L334_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L335_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:FunctionDef_L251_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Return_L336_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L340_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Import_L341_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L340_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L342_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L340_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Assign_L343_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_622:If_L340_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_622:Expr_L344_C4"}]
#!/usr/bin/env python """ This file is part of the web2py Web Framework Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu> License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html) This file is not strictly required by web2py. It is used for three purposes: 1) check that all required modules are installed properly 2) provide py2exe and py2app a list of modules to be packaged in the binary 3) (optional) preload modules in memory to speed up http responses """ import os import sys base_modules = ['aifc', 'anydbm', 'array', 'asynchat', 'asyncore', 'atexit', 'audioop', 'base64', 'BaseHTTPServer', 'Bastion', 'binascii', 'binhex', 'bisect', 'bz2', 'calendar', 'cgi', 'CGIHTTPServer', 'cgitb', 'chunk', 'cmath', 'cmd', 'code', 'codecs', 'codeop', 'collections', 'colorsys', 'compileall', 'compiler', 'compiler.ast', 'compiler.visitor', 'ConfigParser', 'contextlib', 'Cookie', 'cookielib', 'copy', 'copy_reg', 'cPickle', 'cProfile', 'cStringIO', 'csv', 'ctypes', 'datetime', 'decimal', 'difflib', 'dircache', 'dis', 'doctest', 'DocXMLRPCServer', 'dumbdbm', 'dummy_thread', 'dummy_threading', 'email', 'email.charset', 'email.encoders', 'email.errors', 'email.generator', 'email.header', 'email.iterators', 'email.message', 'email.mime', 'email.mime.audio', 'email.mime.base', 'email.mime.image', 'email.mime.message', 'email.mime.multipart', 'email.mime.nonmultipart', 'email.mime.text', 'email.parser', 'email.utils', 'encodings.idna', 'errno', 'exceptions', 'filecmp', 'fileinput', 'fnmatch', 'formatter', 'fpformat', 'ftplib', 'functools', 'gc', 'getopt', 'getpass', 'gettext', 'glob', 'gzip', 'hashlib', 'heapq', 'hmac', 'hotshot', 'hotshot.stats', 'htmlentitydefs', 'htmllib', 'HTMLParser', 'httplib', 'imaplib', 'imghdr', 'imp', 'inspect', 'itertools', 'keyword', 'linecache', 'locale', 'logging', 'macpath', 'mailbox', 'mailcap', 'marshal', 'math', 'mimetools', 'mimetypes', 'mmap', 'modulefinder', 'mutex', 'netrc', 'new', 'nntplib', 'operator', 'optparse', 'os', 'parser', 'pdb', 'pickle', 'pickletools', 'pkgutil', 'platform', 'poplib', 'pprint', 'py_compile', 'pyclbr', 'pydoc', 'Queue', 'quopri', 'random', 're', 'repr', 'rexec', 'rfc822', 'rlcompleter', 'robotparser', 'runpy', 'sched', 'select', 'sgmllib', 'shelve', 'shlex', 'shutil', 'signal', 'SimpleHTTPServer', 'SimpleXMLRPCServer', 'site', 'smtpd', 'smtplib', 'sndhdr', 'socket', 'SocketServer', 'sqlite3', 'stat', 'statvfs', 'string', 'StringIO', 'stringprep', 'struct', 'subprocess', 'sunau', 'symbol', 'tabnanny', 'tarfile', 'telnetlib', 'tempfile', 'textwrap', 'thread', 'threading', 'time', 'timeit', 'Tix', 'Tkinter', 'token', 'tokenize', 'trace', 'traceback', 'types', 'unicodedata', 'unittest', 'urllib', 'urllib2', 'urlparse', 'user', 'UserDict', 'UserList', 'UserString', 'uu', 'uuid', 'warnings', 'wave', 'weakref', 'webbrowser', 'whichdb', 'wsgiref', 'wsgiref.handlers', 'wsgiref.headers', 'wsgiref.simple_server', 'wsgiref.util', 'wsgiref.validate', 'xdrlib', 'xml.dom', 'xml.dom.minidom', 'xml.dom.pulldom', 'xml.etree.ElementTree', 'xml.parsers.expat', 'xml.sax', 'xml.sax.handler', 'xml.sax.saxutils', 'xml.sax.xmlreader', 'xmlrpclib', 'zipfile', 'zipimport', 'zlib', 'mhlib', 'MimeWriter', 'mimify', 'multifile', 'sets'] contributed_modules = [] for root, dirs, files in os.walk('gluon'): for candidate in ['.'.join( os.path.join(root, os.path.splitext(name)[0]).split(os.sep)) for name in files if name.endswith('.py') and root.split(os.sep) != ['gluon', 'tests'] ]: contributed_modules.append(candidate) # Python base version python_version = sys.version[:3] # Modules which we want to raise an Exception if they are missing alert_dependency = ['hashlib', 'uuid'] # Now we remove the blacklisted modules if we are using the stated # python version. # # List of modules deprecated in Python 2.6 or 2.7 that are in the above set py26_deprecated = ['mhlib', 'multifile', 'mimify', 'sets', 'MimeWriter'] py27_deprecated = [] # ['optparse'] but we need it for now if python_version >= '2.6': base_modules += ['json', 'multiprocessing'] base_modules = list(set(base_modules).difference(set(py26_deprecated))) if python_version >= '2.7': base_modules += ['argparse'] base_modules = list(set(base_modules).difference(set(py27_deprecated))) # Now iterate in the base_modules, trying to do the import for module in base_modules + contributed_modules: try: __import__(module, globals(), locals(), []) except: # Raise an exception if the current module is a dependency if module in alert_dependency: msg = "Missing dependency: %(module)s\n" % locals() msg += "Try the following command: " msg += "easy_install-%(python_version)s -U %(module)s" % locals() raise ImportError(msg)
ajibawa-2023/Python-Code-Large/train/row_626
21
109
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_626:Expr_L3_C0", "label": "expression", "type": "expression", "loc": [3, 14], "level": 0, "parent": null, "vector": [8, 0, 0.078, 0.1101, 0, 0.66, 0.0, 0, 1, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "\"\"\"\nThis file is part of the web2py Web Framework\nCopyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>\nLicense: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)\n\nThis file is not strictly required by web2py. It is used for three purposes:\n\n1) check that all required modules are installed properly"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Import_L16_C0", "label": "os import os", "type": "import", "loc": [16, 16], "level": 0, "parent": null, "vector": [1, 0, 0.1468, 0.0092, 0, 0.66, 0.0833, 688, 0, 1, 0, 0, 688, 0, 0], "semantic": {"name": "os", "arg_names": [], "import_names": ["os"], "rhs_call_name": "", "annotation": ""}, "snippet": "import os"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Import_L17_C0", "label": "sys import sys", "type": "import", "loc": [17, 17], "level": 0, "parent": null, "vector": [1, 0, 0.156, 0.0092, 0, 0.66, 0.1667, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Assign_L19_C0", "label": "base_modules =", "type": "assigned_variable", "loc": [19, 67], "level": 0, "parent": null, "vector": [14, 0, 0.3945, 0.4495, 0, 0.66, 0.25, 675, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "base_modules", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "base_modules = ['aifc', 'anydbm', 'array', 'asynchat', 'asyncore', 'atexit',\n 'audioop', 'base64', 'BaseHTTPServer', 'Bastion', 'binascii',\n 'binhex', 'bisect', 'bz2', 'calendar', 'cgi', 'CGIHTTPServer',\n 'cgitb', 'chunk', 'cmath', 'cmd', 'code', 'codecs', 'codeop',\n 'collections', 'colorsys', 'compileall', 'compiler',\n 'compiler.ast', 'compiler.visitor', 'ConfigParser',\n 'contextlib', 'Cookie', 'cookielib', 'copy', 'copy_reg',\n 'cPickle', 'cProfile', 'cStringIO', 'csv', 'ctypes',"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Assign_L69_C0", "label": "contributed_modules =", "type": "assigned_variable", "loc": [69, 69], "level": 0, "parent": null, "vector": [14, 0, 0.633, 0.0092, 0, 0.66, 0.3333, 268, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "contributed_modules", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "contributed_modules = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:For_L70_C0", "label": "for root, dirs, files", "type": "for", "loc": [70, 76], "level": 0, "parent": null, "vector": [6, 0, 0.6697, 0.0642, 0, 0.66, 0.4167, 129, 3, 0, 0, 0, 0, 0, 8], "semantic": {"name": "root, dirs, files", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "for root, dirs, files in os.walk('gluon'):\n for candidate in ['.'.join(\n os.path.join(root, os.path.splitext(name)[0]).split(os.sep))\n for name in files if name.endswith('.py')\n and root.split(os.sep) != ['gluon', 'tests']\n ]:\n contributed_modules.append(candidate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:For_L71_C4", "label": "for candidate", "type": "for", "loc": [71, 76], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_626:For_L70_C0", "vector": [6, 1, 0.6743, 0.055, 1, 0.5, 0.0, 416, 5, 0, 0, 0, 0, 0, 7], "semantic": {"name": "candidate", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for candidate in ['.'.join(\n os.path.join(root, os.path.splitext(name)[0]).split(os.sep))\n for name in files if name.endswith('.py')\n and root.split(os.sep) != ['gluon', 'tests']\n ]:\n contributed_modules.append(candidate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Expr_L76_C8", "label": "append()", "type": "expression", "loc": [76, 76], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_626:For_L71_C4", "vector": [8, 2, 0.6972, 0.0092, 2, 0.83, 0.0, 243, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " contributed_modules.append(candidate)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Assign_L79_C0", "label": "python_version =", "type": "assigned_variable", "loc": [79, 79], "level": 0, "parent": null, "vector": [14, 0, 0.7248, 0.0092, 0, 0.66, 0.5, 250, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "python_version", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "python_version = sys.version[:3]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Assign_L82_C0", "label": "alert_dependency =", "type": "assigned_variable", "loc": [82, 82], "level": 0, "parent": null, "vector": [14, 0, 0.7523, 0.0092, 0, 0.66, 0.5833, 231, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "alert_dependency", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "alert_dependency = ['hashlib', 'uuid']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Assign_L88_C0", "label": "py26_deprecated =", "type": "assigned_variable", "loc": [88, 88], "level": 0, "parent": null, "vector": [14, 0, 0.8073, 0.0092, 0, 0.66, 0.6667, 517, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "py26_deprecated", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "py26_deprecated = ['mhlib', 'multifile', 'mimify', 'sets', 'MimeWriter']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Assign_L89_C0", "label": "py27_deprecated =", "type": "assigned_variable", "loc": [89, 89], "level": 0, "parent": null, "vector": [14, 0, 0.8165, 0.0092, 0, 0.66, 0.75, 838, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "py27_deprecated", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "py27_deprecated = [] # ['optparse'] but we need it for now"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:If_L91_C0", "label": "if", "type": "if", "loc": [91, 93], "level": 0, "parent": null, "vector": [4, 0, 0.844, 0.0275, 0, 0.66, 0.8333, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if python_version >= '2.6':\n base_modules += ['json', 'multiprocessing']\n base_modules = list(set(base_modules).difference(set(py26_deprecated)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Assign_L93_C4", "label": "base_modules = list()", "type": "assigned_variable", "loc": [93, 93], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_626:If_L91_C0", "vector": [14, 1, 0.8532, 0.0092, 1, 0.26, 0.0, 675, 3, 1, 0, 0, 430, 10, 4], "semantic": {"name": "base_modules", "arg_names": [], "import_names": [], "rhs_call_name": "list", "annotation": ""}, "snippet": " base_modules = list(set(base_modules).difference(set(py26_deprecated)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:If_L95_C0", "label": "if", "type": "if", "loc": [95, 97], "level": 0, "parent": null, "vector": [4, 0, 0.8807, 0.0275, 0, 0.66, 0.9167, 0, 0, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if python_version >= '2.7':\n base_modules += ['argparse']\n base_modules = list(set(base_modules).difference(set(py27_deprecated)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Assign_L97_C4", "label": "base_modules = list()", "type": "assigned_variable", "loc": [97, 97], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_626:If_L95_C0", "vector": [14, 1, 0.8899, 0.0092, 1, 0.17, 0.0, 675, 3, 1, 0, 0, 430, 10, 4], "semantic": {"name": "base_modules", "arg_names": [], "import_names": [], "rhs_call_name": "list", "annotation": ""}, "snippet": " base_modules = list(set(base_modules).difference(set(py27_deprecated)))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:For_L100_C0", "label": "for module", "type": "for", "loc": [100, 109], "level": 0, "parent": null, "vector": [6, 0, 0.9587, 0.0917, 0, 0.66, 1.0, 98, 4, 0, 0, 0, 0, 0, 6], "semantic": {"name": "module", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "for module in base_modules + contributed_modules:\n try:\n __import__(module, globals(), locals(), [])\n except:\n # Raise an exception if the current module is a dependency\n if module in alert_dependency:\n msg = \"Missing dependency: %(module)s\\n\" % locals()\n msg += \"Try the following command: \""}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Try_L101_C4", "label": "try", "type": "try", "loc": [101, 109], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_626:For_L100_C0", "vector": [7, 1, 0.9633, 0.0826, 1, 0.12, 0.0, 0, 0, 1, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " try:\n __import__(module, globals(), locals(), [])\n except:\n # Raise an exception if the current module is a dependency\n if module in alert_dependency:\n msg = \"Missing dependency: %(module)s\\n\" % locals()\n msg += \"Try the following command: \"\n msg += \"easy_install-%(python_version)s -U %(module)s\" % locals()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Expr_L102_C8", "label": "__import__()", "type": "expression", "loc": [102, 102], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_626:Try_L101_C4", "vector": [8, 2, 0.9358, 0.0092, 2, 0.53, 0.0, 744, 3, 4, 0, 0, 0, 0, 3], "semantic": {"name": "__import__", "arg_names": [], "import_names": [], "rhs_call_name": "__import__", "annotation": ""}, "snippet": " __import__(module, globals(), locals(), [])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:If_L105_C8", "label": "if", "type": "if", "loc": [105, 109], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_626:Try_L101_C4", "vector": [4, 2, 0.9817, 0.0459, 2, 0.53, 0.0, 0, 0, 0, 0, 0, 0, 0, 3], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if module in alert_dependency:\n msg = \"Missing dependency: %(module)s\\n\" % locals()\n msg += \"Try the following command: \"\n msg += \"easy_install-%(python_version)s -U %(module)s\" % locals()\n raise ImportError(msg)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_626:Assign_L106_C12", "label": "msg =", "type": "assigned_variable", "loc": [106, 106], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_626:If_L105_C8", "vector": [14, 3, 0.9725, 0.0092, 3, 0.92, 0.0, 712, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "msg", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " msg = \"Missing dependency: %(module)s\\n\" % locals()"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_626:For_L70_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_626:For_L71_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_626:For_L71_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_626:Expr_L76_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_626:If_L91_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_626:Assign_L93_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_626:If_L95_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_626:Assign_L97_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_626:For_L100_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_626:Try_L101_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_626:Try_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_626:Expr_L102_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_626:Try_L101_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_626:If_L105_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_626:If_L105_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_626:Assign_L106_C12"}]
import time import sys import urllib2 import urllib2 n = int(sys.argv[1]) url = sys.argv[2] headers = {"Accept-Language": "en"} req = urllib2.Request(url, None, headers) t0 = time.time() for k in xrange(n): data = urllib2.urlopen(req).read() print (time.time() - t0) / n if n == 1: print data
ajibawa-2023/Python-Code-Large/train/row_628
14
16
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_628:Import_L1_C0", "label": "time import time", "type": "import", "loc": [1, 1], "level": 0, "parent": null, "vector": [1, 0, 0.0625, 0.0625, 0, 0.66, 0.0, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["time"], "rhs_call_name": "", "annotation": ""}, "snippet": "import time"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:Import_L2_C0", "label": "sys import sys", "type": "import", "loc": [2, 2], "level": 0, "parent": null, "vector": [1, 0, 0.125, 0.0625, 0, 0.66, 0.0909, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:Import_L3_C0", "label": "urllib2 import urllib2", "type": "import", "loc": [3, 3], "level": 0, "parent": null, "vector": [1, 0, 0.1875, 0.0625, 0, 0.66, 0.1818, 345, 0, 1, 0, 0, 345, 0, 0], "semantic": {"name": "urllib2", "arg_names": [], "import_names": ["urllib2"], "rhs_call_name": "", "annotation": ""}, "snippet": "import urllib2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:Import_L4_C0", "label": "urllib2 import urllib2", "type": "import", "loc": [4, 4], "level": 0, "parent": null, "vector": [1, 0, 0.25, 0.0625, 0, 0.66, 0.2727, 345, 0, 1, 0, 0, 345, 0, 0], "semantic": {"name": "urllib2", "arg_names": [], "import_names": ["urllib2"], "rhs_call_name": "", "annotation": ""}, "snippet": "import urllib2"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:Assign_L6_C0", "label": "n = int()", "type": "assigned_variable", "loc": [6, 6], "level": 0, "parent": null, "vector": [14, 0, 0.375, 0.0625, 0, 0.66, 0.3636, 773, 3, 1, 0, 0, 901, 10, 1], "semantic": {"name": "n", "arg_names": [], "import_names": [], "rhs_call_name": "int", "annotation": ""}, "snippet": "n = int(sys.argv[1])"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:Assign_L7_C0", "label": "url =", "type": "assigned_variable", "loc": [7, 7], "level": 0, "parent": null, "vector": [14, 0, 0.4375, 0.0625, 0, 0.66, 0.4545, 789, 6, 0, 0, 0, 0, 0, 0], "semantic": {"name": "url", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "url = sys.argv[2]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:Assign_L8_C0", "label": "headers =", "type": "assigned_variable", "loc": [8, 8], "level": 0, "parent": null, "vector": [14, 0, 0.5, 0.0625, 0, 0.66, 0.5455, 950, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "headers", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "headers = {\"Accept-Language\": \"en\"}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:Assign_L9_C0", "label": "req = Request()", "type": "assigned_variable", "loc": [9, 9], "level": 0, "parent": null, "vector": [14, 0, 0.5625, 0.0625, 0, 0.66, 0.6364, 233, 3, 3, 0, 0, 51, 10, 1], "semantic": {"name": "req", "arg_names": [], "import_names": [], "rhs_call_name": "Request", "annotation": ""}, "snippet": "req = urllib2.Request(url, None, headers)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:Assign_L11_C0", "label": "t0 = time()", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.6875, 0.0625, 0, 0.66, 0.7273, 573, 3, 0, 0, 0, 654, 10, 1], "semantic": {"name": "t0", "arg_names": [], "import_names": [], "rhs_call_name": "time", "annotation": ""}, "snippet": "t0 = time.time()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:For_L12_C0", "label": "for k", "type": "for", "loc": [12, 13], "level": 0, "parent": null, "vector": [6, 0, 0.7812, 0.125, 0, 0.66, 0.8182, 954, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "k", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "for k in xrange(n):\n data = urllib2.urlopen(req).read()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:Assign_L13_C4", "label": "data = read()", "type": "assigned_variable", "loc": [13, 13], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_628:For_L12_C0", "vector": [14, 1, 0.8125, 0.0625, 1, 0.09, 0.0, 929, 3, 0, 0, 0, 453, 10, 2], "semantic": {"name": "data", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " data = urllib2.urlopen(req).read()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:Expr_L14_C0", "label": "expression", "type": "expression", "loc": [14, 14], "level": 0, "parent": null, "vector": [8, 0, 0.875, 0.0625, 0, 0.66, 0.9091, 0, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "print (time.time() - t0) / n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:If_L15_C0", "label": "if", "type": "if", "loc": [15, 16], "level": 0, "parent": null, "vector": [4, 0, 0.9688, 0.125, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if n == 1:\n print(data)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_628:Expr_L16_C4", "label": "print()", "type": "expression", "loc": [16, 16], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_628:If_L15_C0", "vector": [8, 1, 1.0, 0.0625, 1, 0.62, 0.0, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(data)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_628:For_L12_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_628:Assign_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_628:If_L15_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_628:Expr_L16_C4"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- from datetime import datetime from time import mktime from time import sleep from time import time DB_URI = 'sqlite://sessions.sqlite' EXPIRATION_MINUTES = 60 SLEEP_MINUTES = 5 while 1: # Infinite loop now = time() # get current Unix timestamp for row in db().select(db.web2py_session_welcome.ALL): t = row.modified_datetime # Convert to a Unix timestamp t = mktime(t.timetuple()) + 1e-6 * t.microsecond if now - t > EXPIRATION_MINUTES * 60: del db.web2py_session_welcome[row.id] db.commit() # Write changes to database sleep(SLEEP_MINUTES * 60)
ajibawa-2023/Python-Code-Large/train/row_629
15
25
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_629:ImportFrom_L4_C0", "label": "from datetime import datetime", "type": "import", "loc": [4, 4], "level": 0, "parent": null, "vector": [1, 0, 0.16, 0.04, 0, 0.66, 0.0, 426, 0, 1, 0, 0, 426, 0, 0], "semantic": {"name": "datetime", "arg_names": [], "import_names": ["datetime"], "rhs_call_name": "", "annotation": ""}, "snippet": "from datetime import datetime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:ImportFrom_L5_C0", "label": "from time import mktime", "type": "import", "loc": [5, 5], "level": 0, "parent": null, "vector": [1, 0, 0.2, 0.04, 0, 0.66, 0.1429, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["mktime"], "rhs_call_name": "", "annotation": ""}, "snippet": "from time import mktime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:ImportFrom_L6_C0", "label": "from time import sleep", "type": "import", "loc": [6, 6], "level": 0, "parent": null, "vector": [1, 0, 0.24, 0.04, 0, 0.66, 0.2857, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["sleep"], "rhs_call_name": "", "annotation": ""}, "snippet": "from time import sleep"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:ImportFrom_L7_C0", "label": "from time import time", "type": "import", "loc": [7, 7], "level": 0, "parent": null, "vector": [1, 0, 0.28, 0.04, 0, 0.66, 0.4286, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["time"], "rhs_call_name": "", "annotation": ""}, "snippet": "from time import time"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:Assign_L9_C0", "label": "DB_URI =", "type": "assigned_variable", "loc": [9, 9], "level": 0, "parent": null, "vector": [14, 0, 0.36, 0.04, 0, 0.66, 0.5714, 577, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "DB_URI", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "DB_URI = 'sqlite://sessions.sqlite'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:Assign_L10_C0", "label": "EXPIRATION_MINUTES =", "type": "assigned_variable", "loc": [10, 10], "level": 0, "parent": null, "vector": [14, 0, 0.4, 0.04, 0, 0.66, 0.7143, 270, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "EXPIRATION_MINUTES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "EXPIRATION_MINUTES = 60"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:Assign_L11_C0", "label": "SLEEP_MINUTES =", "type": "assigned_variable", "loc": [11, 11], "level": 0, "parent": null, "vector": [14, 0, 0.44, 0.04, 0, 0.66, 0.8571, 563, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SLEEP_MINUTES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SLEEP_MINUTES = 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:While_L13_C0", "label": "while", "type": "while", "loc": [13, 25], "level": 0, "parent": null, "vector": [5, 0, 0.76, 0.52, 0, 0.66, 1.0, 0, 1, 0, 0, 0, 0, 0, 7], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "while 1: # Infinite loop\n now = time() # get current Unix timestamp\n\n for row in db().select(db.web2py_session_welcome.ALL):\n t = row.modified_datetime\n # Convert to a Unix timestamp\n t = mktime(t.timetuple()) + 1e-6 * t.microsecond\n if now - t > EXPIRATION_MINUTES * 60:"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:Assign_L14_C4", "label": "now = time()", "type": "assigned_variable", "loc": [14, 14], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_629:While_L13_C0", "vector": [14, 1, 0.56, 0.04, 1, 0.68, 0.0, 894, 3, 0, 0, 0, 654, 10, 1], "semantic": {"name": "now", "arg_names": [], "import_names": [], "rhs_call_name": "time", "annotation": ""}, "snippet": " now = time() # get current Unix timestamp"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:For_L16_C4", "label": "for row", "type": "for", "loc": [16, 21], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_629:While_L13_C0", "vector": [6, 1, 0.74, 0.24, 1, 0.68, 0.3333, 767, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "row", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for row in db().select(db.web2py_session_welcome.ALL):\n t = row.modified_datetime\n # Convert to a Unix timestamp\n t = mktime(t.timetuple()) + 1e-6 * t.microsecond\n if now - t > EXPIRATION_MINUTES * 60:\n del db.web2py_session_welcome[row.id]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:Assign_L17_C8", "label": "t =", "type": "assigned_variable", "loc": [17, 17], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_629:For_L16_C4", "vector": [14, 2, 0.68, 0.04, 2, 0.91, 0.0, 15, 7, 0, 0, 0, 0, 0, 0], "semantic": {"name": "t", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " t = row.modified_datetime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:Assign_L19_C8", "label": "t =", "type": "assigned_variable", "loc": [19, 19], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_629:For_L16_C4", "vector": [14, 2, 0.76, 0.04, 2, 0.91, 0.5, 15, 4, 0, 0, 0, 0, 0, 2], "semantic": {"name": "t", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " t = mktime(t.timetuple()) + 1e-6 * t.microsecond"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:If_L20_C8", "label": "if", "type": "if", "loc": [20, 21], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_629:For_L16_C4", "vector": [4, 2, 0.82, 0.08, 2, 0.91, 1.0, 0, 0, 0, 0, 0, 0, 0, 0], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if now - t > EXPIRATION_MINUTES * 60:\n del db.web2py_session_welcome[row.id]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:Expr_L23_C4", "label": "commit()", "type": "expression", "loc": [23, 23], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_629:While_L13_C0", "vector": [8, 1, 0.92, 0.04, 1, 0.68, 0.6667, 281, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "commit", "arg_names": [], "import_names": [], "rhs_call_name": "commit", "annotation": ""}, "snippet": " db.commit() # Write changes to database"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_629:Expr_L25_C4", "label": "sleep()", "type": "expression", "loc": [25, 25], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_629:While_L13_C0", "vector": [8, 1, 1.0, 0.04, 1, 0.68, 1.0, 476, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "sleep", "arg_names": [], "import_names": [], "rhs_call_name": "sleep", "annotation": ""}, "snippet": " sleep(SLEEP_MINUTES * 60)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_629:While_L13_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_629:Assign_L14_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_629:While_L13_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_629:For_L16_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_629:For_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_629:Assign_L17_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_629:For_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_629:Assign_L19_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_629:For_L16_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_629:If_L20_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_629:While_L13_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_629:Expr_L23_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_629:While_L13_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_629:Expr_L25_C4"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- ## launch with python web2py.py -S myapp -R scripts/zip_static_files.py import os import gzip def zip_static(filelist=[]): tsave = 0 for fi in filelist: extension = os.path.splitext(fi) extension = len(extension) > 1 and extension[1] or None if not extension or extension not in ALLOWED_EXTS: print 'skipping %s' % os.path.basename(fi) continue fstats = os.stat(fi) atime, mtime = fstats.st_atime, fstats.st_mtime gfi = fi + '.gz' if os.path.isfile(gfi): zstats = os.stat(gfi) zatime, zmtime = zstats.st_atime, zstats.st_mtime if zatime == atime and zmtime == mtime: print 'skipping %s, already gzipped to the latest version' % os.path.basename(fi) continue print 'gzipping %s to %s' % ( os.path.basename(fi), os.path.basename(gfi)) f_in = open(fi, 'rb') f_out = gzip.open(gfi, 'wb') f_out.writelines(f_in) f_out.close() f_in.close() os.utime(gfi, (atime, mtime)) saved = fstats.st_size - os.stat(gfi).st_size tsave += saved print 'saved %s KB' % (int(tsave) / 1000.0) if __name__ == '__main__': ALLOWED_EXTS = ['.css', '.js'] static_path = os.path.abspath(os.path.join(request.folder, 'static')) filelist = [] for root, dir, files in os.walk(static_path): for file in files: filelist.append(os.path.join(root, file)) zip_static(filelist)
ajibawa-2023/Python-Code-Large/train/row_630
33
47
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_630:Import_L7_C0", "label": "os import os", "type": "import", "loc": [7, 7], "level": 0, "parent": null, "vector": [1, 0, 0.1489, 0.0213, 0, 0.66, 0.0, 688, 0, 1, 0, 0, 688, 0, 0], "semantic": {"name": "os", "arg_names": [], "import_names": ["os"], "rhs_call_name": "", "annotation": ""}, "snippet": "import os"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Import_L8_C0", "label": "gzip import gzip", "type": "import", "loc": [8, 8], "level": 0, "parent": null, "vector": [1, 0, 0.1702, 0.0213, 0, 0.66, 0.3333, 967, 0, 1, 0, 0, 967, 0, 0], "semantic": {"name": "gzip", "arg_names": [], "import_names": ["gzip"], "rhs_call_name": "", "annotation": ""}, "snippet": "import gzip"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:FunctionDef_L11_C0", "label": "zip_static", "type": "function", "loc": [11, 37], "level": 0, "parent": null, "vector": [2, 0, 0.5106, 0.5745, 0, 0.66, 0.6667, 991, 0, 1, 0, 0, 0, 0, 18], "semantic": {"name": "zip_static", "arg_names": ["filelist"], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "def zip_static(filelist=[]):\n tsave = 0\n for fi in filelist:\n extension = os.path.splitext(fi)\n extension = len(extension) > 1 and extension[1] or None\n if not extension or extension not in ALLOWED_EXTS:\n print('skipping %s' % os.path.basename(fi))\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L12_C4", "label": "tsave =", "type": "assigned_variable", "loc": [12, 12], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:FunctionDef_L11_C0", "vector": [14, 1, 0.2553, 0.0213, 1, 0.63, 0.0, 48, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "tsave", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " tsave = 0"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "label": "for fi", "type": "for", "loc": [13, 35], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:FunctionDef_L11_C0", "vector": [6, 1, 0.5106, 0.4894, 1, 0.63, 0.5, 916, 2, 0, 0, 0, 0, 0, 16], "semantic": {"name": "fi", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for fi in filelist:\n extension = os.path.splitext(fi)\n extension = len(extension) > 1 and extension[1] or None\n if not extension or extension not in ALLOWED_EXTS:\n print('skipping %s' % os.path.basename(fi))\n continue\n fstats = os.stat(fi)\n atime, mtime = fstats.st_atime, fstats.st_mtime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L14_C8", "label": "extension = splitext()", "type": "assigned_variable", "loc": [14, 14], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [14, 2, 0.2979, 0.0213, 2, 0.64, 0.0, 14, 3, 1, 0, 0, 622, 10, 1], "semantic": {"name": "extension", "arg_names": [], "import_names": [], "rhs_call_name": "splitext", "annotation": ""}, "snippet": " extension = os.path.splitext(fi)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L15_C8", "label": "extension =", "type": "assigned_variable", "loc": [15, 15], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [14, 2, 0.3191, 0.0213, 2, 0.64, 0.0769, 14, 0, 0, 0, 0, 0, 0, 1], "semantic": {"name": "extension", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " extension = len(extension) > 1 and extension[1] or None"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:If_L16_C8", "label": "if", "type": "if", "loc": [16, 18], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [4, 2, 0.3617, 0.0638, 2, 0.64, 0.1538, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if not extension or extension not in ALLOWED_EXTS:\n print('skipping %s' % os.path.basename(fi))\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L17_C12", "label": "print()", "type": "expression", "loc": [17, 17], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:If_L16_C8", "vector": [8, 3, 0.3617, 0.0213, 3, 0.36, 0.0, 535, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print('skipping %s' % os.path.basename(fi))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L19_C8", "label": "fstats = stat()", "type": "assigned_variable", "loc": [19, 19], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [14, 2, 0.4043, 0.0213, 2, 0.64, 0.2308, 652, 3, 1, 0, 0, 48, 10, 1], "semantic": {"name": "fstats", "arg_names": [], "import_names": [], "rhs_call_name": "stat", "annotation": ""}, "snippet": " fstats = os.stat(fi)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L20_C8", "label": "atime, mtime =", "type": "assigned_variable", "loc": [20, 20], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [14, 2, 0.4255, 0.0213, 2, 0.64, 0.3077, 315, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "atime, mtime", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " atime, mtime = fstats.st_atime, fstats.st_mtime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L21_C8", "label": "gfi =", "type": "assigned_variable", "loc": [21, 21], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [14, 2, 0.4468, 0.0213, 2, 0.64, 0.3846, 683, 4, 0, 0, 0, 0, 0, 0], "semantic": {"name": "gfi", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " gfi = fi + '.gz'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:If_L22_C8", "label": "if", "type": "if", "loc": [22, 27], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [4, 2, 0.5213, 0.1277, 2, 0.64, 0.4615, 0, 3, 0, 0, 0, 0, 0, 4], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if os.path.isfile(gfi):\n zstats = os.stat(gfi)\n zatime, zmtime = zstats.st_atime, zstats.st_mtime\n if zatime == atime and zmtime == mtime:\n print('skipping %s, already gzipped to the latest version' % os.path.basename(fi))\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L23_C12", "label": "zstats = stat()", "type": "assigned_variable", "loc": [23, 23], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:If_L22_C8", "vector": [14, 3, 0.4894, 0.0213, 3, 0.85, 0.0, 257, 3, 1, 0, 0, 48, 10, 1], "semantic": {"name": "zstats", "arg_names": [], "import_names": [], "rhs_call_name": "stat", "annotation": ""}, "snippet": " zstats = os.stat(gfi)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L24_C12", "label": "zatime, zmtime =", "type": "assigned_variable", "loc": [24, 24], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:If_L22_C8", "vector": [14, 3, 0.5106, 0.0213, 3, 0.85, 0.5, 685, 0, 0, 0, 0, 0, 8, 0], "semantic": {"name": "zatime, zmtime", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " zatime, zmtime = zstats.st_atime, zstats.st_mtime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:If_L25_C12", "label": "if", "type": "if", "loc": [25, 27], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:If_L22_C8", "vector": [4, 3, 0.5532, 0.0638, 3, 0.85, 1.0, 0, 0, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if zatime == atime and zmtime == mtime:\n print('skipping %s, already gzipped to the latest version' % os.path.basename(fi))\n continue"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L26_C16", "label": "print()", "type": "expression", "loc": [26, 26], "level": 4, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:If_L25_C12", "vector": [8, 4, 0.5532, 0.0213, 4, 0.43, 0.0, 535, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print('skipping %s, already gzipped to the latest version' % os.path.basename(fi))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L28_C8", "label": "f_in = open()", "type": "assigned_variable", "loc": [28, 28], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [14, 2, 0.5957, 0.0213, 2, 0.64, 0.5385, 7, 3, 2, 0, 0, 693, 10, 1], "semantic": {"name": "f_in", "arg_names": [], "import_names": [], "rhs_call_name": "open", "annotation": ""}, "snippet": " f_in = open(fi, 'rb')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L29_C8", "label": "f_out = open()", "type": "assigned_variable", "loc": [29, 29], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [14, 2, 0.617, 0.0213, 2, 0.64, 0.6154, 436, 3, 2, 0, 0, 693, 10, 1], "semantic": {"name": "f_out", "arg_names": [], "import_names": [], "rhs_call_name": "open", "annotation": ""}, "snippet": " f_out = gzip.open(gfi, 'wb')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L30_C8", "label": "writelines()", "type": "expression", "loc": [30, 30], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [8, 2, 0.6383, 0.0213, 2, 0.64, 0.6923, 290, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "writelines", "arg_names": [], "import_names": [], "rhs_call_name": "writelines", "annotation": ""}, "snippet": " f_out.writelines(f_in)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L31_C8", "label": "close()", "type": "expression", "loc": [31, 31], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [8, 2, 0.6596, 0.0213, 2, 0.64, 0.7692, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " f_out.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L32_C8", "label": "close()", "type": "expression", "loc": [32, 32], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [8, 2, 0.6809, 0.0213, 2, 0.64, 0.8462, 77, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "close", "arg_names": [], "import_names": [], "rhs_call_name": "close", "annotation": ""}, "snippet": " f_in.close()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L33_C8", "label": "utime()", "type": "expression", "loc": [33, 33], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [8, 2, 0.7021, 0.0213, 2, 0.64, 0.9231, 384, 3, 2, 0, 0, 0, 0, 1], "semantic": {"name": "utime", "arg_names": [], "import_names": [], "rhs_call_name": "utime", "annotation": ""}, "snippet": " os.utime(gfi, (atime, mtime))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L34_C8", "label": "saved =", "type": "assigned_variable", "loc": [34, 34], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "vector": [14, 2, 0.7234, 0.0213, 2, 0.64, 1.0, 133, 4, 0, 0, 0, 0, 0, 1], "semantic": {"name": "saved", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " saved = fstats.st_size - os.stat(gfi).st_size"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L37_C4", "label": "print()", "type": "expression", "loc": [37, 37], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:FunctionDef_L11_C0", "vector": [8, 1, 0.7872, 0.0213, 1, 0.63, 1.0, 535, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print('saved %s KB' % (int(tsave) / 1000.0))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:If_L39_C0", "label": "if", "type": "if", "loc": [39, 47], "level": 0, "parent": null, "vector": [4, 0, 0.9149, 0.1915, 0, 0.66, 1.0, 0, 0, 0, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "if __name__ == '__main__':\n ALLOWED_EXTS = ['.css', '.js']\n static_path = os.path.abspath(os.path.join(request.folder, 'static'))\n filelist = []\n for root, dir, files in os.walk(static_path):\n for file in files:\n filelist.append(os.path.join(root, file))\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L40_C4", "label": "ALLOWED_EXTS =", "type": "assigned_variable", "loc": [40, 40], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:If_L39_C0", "vector": [14, 1, 0.8511, 0.0213, 1, 0.41, 0.0, 64, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "ALLOWED_EXTS", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ALLOWED_EXTS = ['.css', '.js']"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L41_C4", "label": "static_path = abspath()", "type": "assigned_variable", "loc": [41, 41], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:If_L39_C0", "vector": [14, 1, 0.8723, 0.0213, 1, 0.41, 0.25, 970, 3, 1, 0, 0, 142, 10, 2], "semantic": {"name": "static_path", "arg_names": [], "import_names": [], "rhs_call_name": "abspath", "annotation": ""}, "snippet": " static_path = os.path.abspath(os.path.join(request.folder, 'static'))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L42_C4", "label": "filelist =", "type": "assigned_variable", "loc": [42, 42], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:If_L39_C0", "vector": [14, 1, 0.8936, 0.0213, 1, 0.41, 0.5, 414, 0, 0, 0, 0, 0, 5, 0], "semantic": {"name": "filelist", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " filelist = []"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:For_L43_C4", "label": "for root, dir, files", "type": "for", "loc": [43, 45], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:If_L39_C0", "vector": [6, 1, 0.9362, 0.0638, 1, 0.41, 0.75, 259, 3, 0, 0, 0, 0, 0, 3], "semantic": {"name": "root, dir, files", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for root, dir, files in os.walk(static_path):\n for file in files:\n filelist.append(os.path.join(root, file))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:For_L44_C8", "label": "for file", "type": "for", "loc": [44, 45], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L43_C4", "vector": [6, 2, 0.9468, 0.0426, 2, 0.13, 0.0, 107, 2, 0, 0, 0, 0, 0, 2], "semantic": {"name": "file", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for file in files:\n filelist.append(os.path.join(root, file))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L45_C12", "label": "append()", "type": "expression", "loc": [45, 45], "level": 3, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:For_L44_C8", "vector": [8, 3, 0.9574, 0.0213, 3, 0.63, 0.0, 243, 3, 1, 0, 0, 0, 0, 2], "semantic": {"name": "append", "arg_names": [], "import_names": [], "rhs_call_name": "append", "annotation": ""}, "snippet": " filelist.append(os.path.join(root, file))"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L47_C4", "label": "zip_static()", "type": "expression", "loc": [47, 47], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_630:If_L39_C0", "vector": [8, 1, 1.0, 0.0213, 1, 0.41, 1.0, 991, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "zip_static", "arg_names": [], "import_names": [], "rhs_call_name": "zip_static", "annotation": ""}, "snippet": " zip_static(filelist)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_630:FunctionDef_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L12_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:FunctionDef_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L14_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L15_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:If_L16_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:If_L16_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L17_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L19_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L20_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L21_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:If_L22_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:If_L22_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L23_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:If_L22_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L24_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:If_L22_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_630:If_L25_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:If_L25_C12", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L26_C16"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L28_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L29_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L30_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L31_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L32_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L33_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L13_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L34_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:FunctionDef_L11_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L37_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:If_L39_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L40_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:If_L39_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L41_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:If_L39_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Assign_L42_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:If_L39_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_630:For_L43_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L43_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_630:For_L44_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:For_L44_C8", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L45_C12"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_630:If_L39_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_630:Expr_L47_C4"}]
#!/usr/bin/env python # -*- coding: utf-8 -*- import sys import os import time import stat import datetime from gluon.utils import md5_hash from gluon.restricted import RestrictedError, TicketStorage from gluon import DAL SLEEP_MINUTES = 5 errors_path = os.path.join(request.folder, 'errors') try: db_string = open(os.path.join(request.folder, 'private', 'ticket_storage.txt')).read().replace('\r', '').replace('\n', '').strip() except: db_string = 'sqlite://storage.db' db_path = os.path.join(request.folder, 'databases') tk_db = DAL(db_string, folder=db_path, auto_import=True) ts = TicketStorage(db=tk_db) tk_table = ts._get_table( db=tk_db, tablename=ts.tablename, app=request.application) hashes = {} while 1: if request.tickets_db: print "You're storing tickets yet in database" sys.exit(1) for file in os.listdir(errors_path): filename = os.path.join(errors_path, file) modified_time = os.stat(filename)[stat.ST_MTIME] modified_time = datetime.datetime.fromtimestamp(modified_time) ticket_id = file ticket_data = open(filename).read() tk_table.insert(ticket_id=ticket_id, ticket_data=ticket_data, created_datetime=modified_time ) tk_db.commit() os.unlink(filename) time.sleep(SLEEP_MINUTES * 60)
ajibawa-2023/Python-Code-Large/train/row_631
32
51
15
["cat_id", "level", "center", "span", "parent_depth", "parent_weight", "sibling_index", "name_hash", "rhs_type", "arg_count", "return_type", "is_async", "module_hash", "value_type", "calls_count"]
[{"id": "ajibawa-2023/Python-Code-Large/train/row_631:Import_L4_C0", "label": "sys import sys", "type": "import", "loc": [4, 4], "level": 0, "parent": null, "vector": [1, 0, 0.0784, 0.0196, 0, 0.66, 0.0, 509, 0, 1, 0, 0, 509, 0, 0], "semantic": {"name": "sys", "arg_names": [], "import_names": ["sys"], "rhs_call_name": "", "annotation": ""}, "snippet": "import sys"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Import_L5_C0", "label": "os import os", "type": "import", "loc": [5, 5], "level": 0, "parent": null, "vector": [1, 0, 0.098, 0.0196, 0, 0.66, 0.0625, 688, 0, 1, 0, 0, 688, 0, 0], "semantic": {"name": "os", "arg_names": [], "import_names": ["os"], "rhs_call_name": "", "annotation": ""}, "snippet": "import os"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Import_L6_C0", "label": "time import time", "type": "import", "loc": [6, 6], "level": 0, "parent": null, "vector": [1, 0, 0.1176, 0.0196, 0, 0.66, 0.125, 654, 0, 1, 0, 0, 654, 0, 0], "semantic": {"name": "time", "arg_names": [], "import_names": ["time"], "rhs_call_name": "", "annotation": ""}, "snippet": "import time"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Import_L7_C0", "label": "stat import stat", "type": "import", "loc": [7, 7], "level": 0, "parent": null, "vector": [1, 0, 0.1373, 0.0196, 0, 0.66, 0.1875, 48, 0, 1, 0, 0, 48, 0, 0], "semantic": {"name": "stat", "arg_names": [], "import_names": ["stat"], "rhs_call_name": "", "annotation": ""}, "snippet": "import stat"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Import_L8_C0", "label": "datetime import datetime", "type": "import", "loc": [8, 8], "level": 0, "parent": null, "vector": [1, 0, 0.1569, 0.0196, 0, 0.66, 0.25, 426, 0, 1, 0, 0, 426, 0, 0], "semantic": {"name": "datetime", "arg_names": [], "import_names": ["datetime"], "rhs_call_name": "", "annotation": ""}, "snippet": "import datetime"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:ImportFrom_L10_C0", "label": "from gluon.utils import md5_hash", "type": "import", "loc": [10, 10], "level": 0, "parent": null, "vector": [1, 0, 0.1961, 0.0196, 0, 0.66, 0.3125, 98, 0, 1, 0, 0, 98, 0, 0], "semantic": {"name": "gluon.utils", "arg_names": [], "import_names": ["md5_hash"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon.utils import md5_hash"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:ImportFrom_L11_C0", "label": "from gluon.restricted import RestrictedError, TicketStorage", "type": "import", "loc": [11, 11], "level": 0, "parent": null, "vector": [1, 0, 0.2157, 0.0196, 0, 0.66, 0.375, 128, 0, 2, 0, 0, 128, 0, 0], "semantic": {"name": "gluon.restricted", "arg_names": [], "import_names": ["RestrictedError", "TicketStorage"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon.restricted import RestrictedError, TicketStorage"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:ImportFrom_L12_C0", "label": "from gluon import DAL", "type": "import", "loc": [12, 12], "level": 0, "parent": null, "vector": [1, 0, 0.2353, 0.0196, 0, 0.66, 0.4375, 826, 0, 1, 0, 0, 826, 0, 0], "semantic": {"name": "gluon", "arg_names": [], "import_names": ["DAL"], "rhs_call_name": "", "annotation": ""}, "snippet": "from gluon import DAL"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L14_C0", "label": "SLEEP_MINUTES =", "type": "assigned_variable", "loc": [14, 14], "level": 0, "parent": null, "vector": [14, 0, 0.2745, 0.0196, 0, 0.66, 0.5, 563, 1, 0, 0, 0, 0, 1, 0], "semantic": {"name": "SLEEP_MINUTES", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "SLEEP_MINUTES = 5"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L16_C0", "label": "errors_path = join()", "type": "assigned_variable", "loc": [16, 16], "level": 0, "parent": null, "vector": [14, 0, 0.3137, 0.0196, 0, 0.66, 0.5625, 768, 3, 2, 0, 0, 933, 10, 1], "semantic": {"name": "errors_path", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": "errors_path = os.path.join(request.folder, 'errors')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Try_L17_C0", "label": "try", "type": "try", "loc": [17, 20], "level": 0, "parent": null, "vector": [7, 0, 0.3627, 0.0784, 0, 0.66, 0.625, 0, 0, 1, 0, 0, 0, 0, 6], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "try:\n db_string = open(os.path.join(request.folder, 'private', 'ticket_storage.txt')).read().replace('\\r', '').replace('\\n', '').strip()\nexcept:\n db_string = 'sqlite://storage.db'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L18_C4", "label": "db_string = strip()", "type": "assigned_variable", "loc": [18, 18], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:Try_L17_C0", "vector": [14, 1, 0.3529, 0.0196, 1, 0.61, 0.0, 684, 3, 0, 0, 0, 973, 10, 6], "semantic": {"name": "db_string", "arg_names": [], "import_names": [], "rhs_call_name": "strip", "annotation": ""}, "snippet": " db_string = open(os.path.join(request.folder, 'private', 'ticket_storage.txt')).read().replace('\\r', '').replace('\\n', '').strip()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L20_C4", "label": "db_string =", "type": "assigned_variable", "loc": [20, 20], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:Try_L17_C0", "vector": [14, 1, 0.3922, 0.0196, 1, 0.61, 0.0, 684, 1, 0, 0, 0, 0, 3, 0], "semantic": {"name": "db_string", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " db_string = 'sqlite://storage.db'"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L22_C0", "label": "db_path = join()", "type": "assigned_variable", "loc": [22, 22], "level": 0, "parent": null, "vector": [14, 0, 0.4314, 0.0196, 0, 0.66, 0.6875, 650, 3, 2, 0, 0, 933, 10, 1], "semantic": {"name": "db_path", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": "db_path = os.path.join(request.folder, 'databases')"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L24_C0", "label": "tk_db = DAL()", "type": "assigned_variable", "loc": [24, 24], "level": 0, "parent": null, "vector": [14, 0, 0.4706, 0.0196, 0, 0.66, 0.75, 150, 3, 3, 0, 0, 18, 10, 1], "semantic": {"name": "tk_db", "arg_names": [], "import_names": [], "rhs_call_name": "DAL", "annotation": ""}, "snippet": "tk_db = DAL(db_string, folder=db_path, auto_import=True)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L25_C0", "label": "ts = TicketStorage()", "type": "assigned_variable", "loc": [25, 25], "level": 0, "parent": null, "vector": [14, 0, 0.4902, 0.0196, 0, 0.66, 0.8125, 278, 3, 1, 0, 0, 378, 10, 1], "semantic": {"name": "ts", "arg_names": [], "import_names": [], "rhs_call_name": "TicketStorage", "annotation": ""}, "snippet": "ts = TicketStorage(db=tk_db)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L26_C0", "label": "tk_table = _get_table()", "type": "assigned_variable", "loc": [26, 27], "level": 0, "parent": null, "vector": [14, 0, 0.5196, 0.0392, 0, 0.66, 0.875, 97, 3, 3, 0, 0, 270, 10, 1], "semantic": {"name": "tk_table", "arg_names": [], "import_names": [], "rhs_call_name": "_get_table", "annotation": ""}, "snippet": "tk_table = ts._get_table(\n db=tk_db, tablename=ts.tablename, app=request.application)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L30_C0", "label": "hashes =", "type": "assigned_variable", "loc": [30, 30], "level": 0, "parent": null, "vector": [14, 0, 0.5882, 0.0196, 0, 0.66, 0.9375, 576, 0, 0, 0, 0, 0, 6, 0], "semantic": {"name": "hashes", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "hashes = {}"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:While_L32_C0", "label": "while", "type": "while", "loc": [32, 51], "level": 0, "parent": null, "vector": [5, 0, 0.8137, 0.3922, 0, 0.66, 1.0, 0, 1, 0, 0, 0, 0, 0, 12], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": "while 1:\n if request.tickets_db:\n print(\"You're storing tickets yet in database\")\n sys.exit(1)\n\n for file in os.listdir(errors_path):\n filename = os.path.join(errors_path, file)\n"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:If_L33_C4", "label": "if", "type": "if", "loc": [33, 35], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:While_L32_C0", "vector": [4, 1, 0.6667, 0.0588, 1, 0.87, 0.0, 0, 7, 0, 0, 0, 0, 0, 2], "semantic": {"name": "", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " if request.tickets_db:\n print(\"You're storing tickets yet in database\")\n sys.exit(1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Expr_L34_C8", "label": "print()", "type": "expression", "loc": [34, 34], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:If_L33_C4", "vector": [8, 2, 0.6667, 0.0196, 2, 0.41, 0.0, 535, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "print", "arg_names": [], "import_names": [], "rhs_call_name": "print", "annotation": ""}, "snippet": " print(\"You're storing tickets yet in database\")"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Expr_L35_C8", "label": "exit()", "type": "expression", "loc": [35, 35], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:If_L33_C4", "vector": [8, 2, 0.6863, 0.0196, 2, 0.41, 1.0, 436, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "exit", "arg_names": [], "import_names": [], "rhs_call_name": "exit", "annotation": ""}, "snippet": " sys.exit(1)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "label": "for file", "type": "for", "loc": [37, 49], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:While_L32_C0", "vector": [6, 1, 0.8431, 0.2549, 1, 0.87, 0.5, 107, 3, 0, 0, 0, 0, 0, 9], "semantic": {"name": "file", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " for file in os.listdir(errors_path):\n filename = os.path.join(errors_path, file)\n\n modified_time = os.stat(filename)[stat.ST_MTIME]\n modified_time = datetime.datetime.fromtimestamp(modified_time)\n ticket_id = file\n ticket_data = open(filename).read()\n tk_table.insert(ticket_id=ticket_id,"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L38_C8", "label": "filename = join()", "type": "assigned_variable", "loc": [38, 38], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "vector": [14, 2, 0.7451, 0.0196, 2, 0.73, 0.0, 275, 3, 2, 0, 0, 933, 10, 1], "semantic": {"name": "filename", "arg_names": [], "import_names": [], "rhs_call_name": "join", "annotation": ""}, "snippet": " filename = os.path.join(errors_path, file)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L40_C8", "label": "modified_time =", "type": "assigned_variable", "loc": [40, 40], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "vector": [14, 2, 0.7843, 0.0196, 2, 0.73, 0.1429, 917, 6, 0, 0, 0, 0, 0, 1], "semantic": {"name": "modified_time", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " modified_time = os.stat(filename)[stat.ST_MTIME]"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L41_C8", "label": "modified_time = fromtimestamp()", "type": "assigned_variable", "loc": [41, 41], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "vector": [14, 2, 0.8039, 0.0196, 2, 0.73, 0.2857, 917, 3, 1, 0, 0, 48, 10, 1], "semantic": {"name": "modified_time", "arg_names": [], "import_names": [], "rhs_call_name": "fromtimestamp", "annotation": ""}, "snippet": " modified_time = datetime.datetime.fromtimestamp(modified_time)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L42_C8", "label": "ticket_id =", "type": "assigned_variable", "loc": [42, 42], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "vector": [14, 2, 0.8235, 0.0196, 2, 0.73, 0.4286, 793, 2, 0, 0, 0, 0, 0, 0], "semantic": {"name": "ticket_id", "arg_names": [], "import_names": [], "rhs_call_name": "", "annotation": ""}, "snippet": " ticket_id = file"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L43_C8", "label": "ticket_data = read()", "type": "assigned_variable", "loc": [43, 43], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "vector": [14, 2, 0.8431, 0.0196, 2, 0.73, 0.5714, 105, 3, 0, 0, 0, 453, 10, 2], "semantic": {"name": "ticket_data", "arg_names": [], "import_names": [], "rhs_call_name": "read", "annotation": ""}, "snippet": " ticket_data = open(filename).read()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Expr_L44_C8", "label": "insert()", "type": "expression", "loc": [44, 47], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "vector": [8, 2, 0.8922, 0.0784, 2, 0.73, 0.7143, 368, 3, 3, 0, 0, 0, 0, 1], "semantic": {"name": "insert", "arg_names": [], "import_names": [], "rhs_call_name": "insert", "annotation": ""}, "snippet": " tk_table.insert(ticket_id=ticket_id,\n ticket_data=ticket_data,\n created_datetime=modified_time\n )"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Expr_L48_C8", "label": "commit()", "type": "expression", "loc": [48, 48], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "vector": [8, 2, 0.9412, 0.0196, 2, 0.73, 0.8571, 281, 3, 0, 0, 0, 0, 0, 1], "semantic": {"name": "commit", "arg_names": [], "import_names": [], "rhs_call_name": "commit", "annotation": ""}, "snippet": " tk_db.commit()"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Expr_L49_C8", "label": "unlink()", "type": "expression", "loc": [49, 49], "level": 2, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "vector": [8, 2, 0.9608, 0.0196, 2, 0.73, 1.0, 701, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "unlink", "arg_names": [], "import_names": [], "rhs_call_name": "unlink", "annotation": ""}, "snippet": " os.unlink(filename)"}, {"id": "ajibawa-2023/Python-Code-Large/train/row_631:Expr_L51_C4", "label": "sleep()", "type": "expression", "loc": [51, 51], "level": 1, "parent": "ajibawa-2023/Python-Code-Large/train/row_631:While_L32_C0", "vector": [8, 1, 1.0, 0.0196, 1, 0.87, 1.0, 476, 3, 1, 0, 0, 0, 0, 1], "semantic": {"name": "sleep", "arg_names": [], "import_names": [], "rhs_call_name": "sleep", "annotation": ""}, "snippet": " time.sleep(SLEEP_MINUTES * 60)"}]
[{"f": "ajibawa-2023/Python-Code-Large/train/row_631:Try_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L18_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:Try_L17_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L20_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:While_L32_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_631:If_L33_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:If_L33_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Expr_L34_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:If_L33_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Expr_L35_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:While_L32_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L38_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L40_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L41_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L42_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Assign_L43_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Expr_L44_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Expr_L48_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:For_L37_C4", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Expr_L49_C8"}, {"f": "ajibawa-2023/Python-Code-Large/train/row_631:While_L32_C0", "t": "ajibawa-2023/Python-Code-Large/train/row_631:Expr_L51_C4"}]